juham-automation 0.0.2__py3-none-any.whl → 0.0.4__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- juham_automation/__init__.py +13 -12
- juham_automation/automation/__init__.py +21 -0
- juham_automation/automation/energycostcalculator.py +266 -0
- juham_automation/automation/hotwateroptimizer.py +527 -0
- juham_automation/automation/powermeter_simulator.py +139 -0
- juham_automation/automation/spothintafi.py +123 -0
- juham_automation/automation/watercirculator.py +159 -0
- juham_automation/japp.py +9 -15
- juham_automation/ts/__init__.py +25 -0
- juham_automation/ts/electricityprice_ts.py +47 -0
- juham_automation/ts/energycostcalculator_ts.py +43 -0
- juham_automation/ts/forecast_ts.py +97 -0
- juham_automation/ts/log_ts.py +57 -0
- juham_automation/ts/power_ts.py +49 -0
- juham_automation/ts/powermeter_ts.py +70 -0
- juham_automation/ts/powerplan_ts.py +45 -0
- {juham_automation-0.0.2.dist-info → juham_automation-0.0.4.dist-info}/METADATA +1 -1
- juham_automation-0.0.4.dist-info/RECORD +23 -0
- juham_automation-0.0.2.dist-info/RECORD +0 -9
- {juham_automation-0.0.2.dist-info → juham_automation-0.0.4.dist-info}/LICENSE.rst +0 -0
- {juham_automation-0.0.2.dist-info → juham_automation-0.0.4.dist-info}/WHEEL +0 -0
- {juham_automation-0.0.2.dist-info → juham_automation-0.0.4.dist-info}/entry_points.txt +0 -0
- {juham_automation-0.0.2.dist-info → juham_automation-0.0.4.dist-info}/top_level.txt +0 -0
@@ -0,0 +1,123 @@
|
|
1
|
+
from datetime import datetime
|
2
|
+
import time
|
3
|
+
import json
|
4
|
+
from typing import Any, Dict, Optional, cast
|
5
|
+
from typing_extensions import override
|
6
|
+
|
7
|
+
from masterpiece.mqtt import Mqtt, MqttMsg
|
8
|
+
from juham_core import JuhamCloudThread, JuhamThread
|
9
|
+
|
10
|
+
|
11
|
+
class SpotHintaFiThread(JuhamCloudThread):
|
12
|
+
"""Thread running SpotHinta.fi.
|
13
|
+
|
14
|
+
Periodically fetches the spot electricity prices and publishes them
|
15
|
+
to 'spot' topic.
|
16
|
+
"""
|
17
|
+
|
18
|
+
_spot_topic: str = ""
|
19
|
+
_url: str = ""
|
20
|
+
_interval: float = 12 * 3600
|
21
|
+
|
22
|
+
def __init__(self, client: Optional[Mqtt] = None) -> None:
|
23
|
+
super().__init__(client)
|
24
|
+
self._interval = 60
|
25
|
+
|
26
|
+
def init(self, topic: str, url: str, interval: float) -> None:
|
27
|
+
self._spot_topic = topic
|
28
|
+
self._url = url
|
29
|
+
self._interval = interval
|
30
|
+
|
31
|
+
@override
|
32
|
+
def make_weburl(self) -> str:
|
33
|
+
return self._url
|
34
|
+
|
35
|
+
@override
|
36
|
+
def update_interval(self) -> float:
|
37
|
+
return self._interval
|
38
|
+
|
39
|
+
@override
|
40
|
+
def process_data(self, rawdata: Any) -> None:
|
41
|
+
"""Publish electricity price message to Juham topic.
|
42
|
+
|
43
|
+
Args:
|
44
|
+
rawdata (dict): electricity prices
|
45
|
+
"""
|
46
|
+
|
47
|
+
super().process_data(rawdata)
|
48
|
+
data = rawdata.json()
|
49
|
+
|
50
|
+
spot = []
|
51
|
+
for e in data:
|
52
|
+
ts = time.mktime(time.strptime(e["DateTime"], "%Y-%m-%dT%H:%M:%S%z"))
|
53
|
+
hour = datetime.utcfromtimestamp(ts).strftime("%H")
|
54
|
+
h = {
|
55
|
+
"Timestamp": ts,
|
56
|
+
"hour": hour,
|
57
|
+
"Rank": e["Rank"],
|
58
|
+
"PriceWithTax": e["PriceWithTax"],
|
59
|
+
}
|
60
|
+
spot.append(h)
|
61
|
+
self.publish(self._spot_topic, json.dumps(spot), 1, True)
|
62
|
+
self.info(f"Spot electricity prices published for the next {len(spot)} days")
|
63
|
+
|
64
|
+
|
65
|
+
class SpotHintaFi(JuhamThread):
|
66
|
+
"""Spot electricity price for reading hourly electricity prices from
|
67
|
+
https://api.spot-hinta.fi site.
|
68
|
+
"""
|
69
|
+
|
70
|
+
worker_thread_id = SpotHintaFiThread.get_class_id()
|
71
|
+
url = "https://api.spot-hinta.fi/TodayAndDayForward"
|
72
|
+
update_interval = 12 * 3600
|
73
|
+
|
74
|
+
def __init__(self, name: str = "rspothintafi") -> None:
|
75
|
+
super().__init__(name)
|
76
|
+
self.active_liter_lpm = -1
|
77
|
+
self.update_ts = None
|
78
|
+
self.spot_topic = self.make_topic_name("spot")
|
79
|
+
|
80
|
+
@override
|
81
|
+
def on_connect(self, client: object, userdata: Any, flags: int, rc: int) -> None:
|
82
|
+
super().on_connect(client, userdata, flags, rc)
|
83
|
+
if rc == 0:
|
84
|
+
self.subscribe(self.spot_topic)
|
85
|
+
|
86
|
+
@override
|
87
|
+
def on_message(self, client: object, userdata: Any, msg: MqttMsg) -> None:
|
88
|
+
if msg.topic == self.spot_topic:
|
89
|
+
em = json.loads(msg.payload.decode())
|
90
|
+
self.on_spot(em)
|
91
|
+
else:
|
92
|
+
super().on_message(client, userdata, msg)
|
93
|
+
|
94
|
+
def on_spot(self, m: dict[Any, Any]) -> None:
|
95
|
+
"""Write hourly spot electricity prices to time series database.
|
96
|
+
|
97
|
+
Args:
|
98
|
+
m (dict): holding hourly spot electricity prices
|
99
|
+
"""
|
100
|
+
pass
|
101
|
+
|
102
|
+
@override
|
103
|
+
def run(self) -> None:
|
104
|
+
self.worker = cast(SpotHintaFiThread, self.instantiate(self.worker_thread_id))
|
105
|
+
self.worker.init(self.spot_topic, self.url, self.update_interval)
|
106
|
+
super().run()
|
107
|
+
|
108
|
+
@override
|
109
|
+
def to_dict(self) -> Dict[str, Any]:
|
110
|
+
data: Dict[str, Any] = super().to_dict()
|
111
|
+
data["_spothintafi"] = {
|
112
|
+
"topic": self.spot_topic,
|
113
|
+
"url": self.url,
|
114
|
+
"interval": self.update_interval,
|
115
|
+
}
|
116
|
+
return data
|
117
|
+
|
118
|
+
@override
|
119
|
+
def from_dict(self, data: Dict[str, Any]) -> None:
|
120
|
+
super().from_dict(data)
|
121
|
+
if "_spothintafi" in data:
|
122
|
+
for key, value in data["_spothintafi"].items():
|
123
|
+
setattr(self, key, value)
|
@@ -0,0 +1,159 @@
|
|
1
|
+
from typing import Any
|
2
|
+
from typing_extensions import override
|
3
|
+
import json
|
4
|
+
|
5
|
+
from masterpiece.mqtt import MqttMsg
|
6
|
+
from juham_core import Juham
|
7
|
+
from juham_core.timeutils import timestamp
|
8
|
+
|
9
|
+
|
10
|
+
class WaterCirculator(Juham):
|
11
|
+
"""Hot Water Circulation Automation
|
12
|
+
|
13
|
+
This system monitors motion sensor data to detect home occupancy.
|
14
|
+
|
15
|
+
- **When motion is detected**: The water circulator pump is activated, ensuring hot water is
|
16
|
+
instantly available when the tap is turned on.
|
17
|
+
- **When no motion is detected for a specified period (in seconds)**: The pump automatically
|
18
|
+
switches off to conserve energy.
|
19
|
+
|
20
|
+
Future improvement idea
|
21
|
+
------------------------
|
22
|
+
|
23
|
+
In cold countries, such as Finland, energy conservation during the winter season may not be a priority.
|
24
|
+
In this case, an additional temperature sensor measuring the outside temperature could be used to determine whether
|
25
|
+
the circulator should be switched off at all. The circulating water could potentially act as an additional heating radiator.
|
26
|
+
|
27
|
+
Points to consider
|
28
|
+
------------------
|
29
|
+
|
30
|
+
- Switching the pump on and off may affect its lifetime.
|
31
|
+
- Keeping the pump running with hot water could impact the lifespan of the pipes, potentially causing
|
32
|
+
corrosion due to constant hot water flow.
|
33
|
+
|
34
|
+
"""
|
35
|
+
|
36
|
+
uptime = 60 * 60 # one hour
|
37
|
+
min_temperature = 37
|
38
|
+
|
39
|
+
def __init__(self, name: str, temperature_sensor: str) -> None:
|
40
|
+
super().__init__(name)
|
41
|
+
|
42
|
+
# input topics
|
43
|
+
self.motion_topic = self.make_topic_name("motion") # motion detection
|
44
|
+
self.temperature_topic = self.make_topic_name(temperature_sensor)
|
45
|
+
|
46
|
+
# relay to be controlled
|
47
|
+
self.topic_power = self.make_topic_name("power")
|
48
|
+
|
49
|
+
# for the pump controlling logic
|
50
|
+
self.current_motion: bool = False
|
51
|
+
self.relay_started_ts: float = 0
|
52
|
+
self.water_temperature: float = 0
|
53
|
+
self.water_temperature_updated: float = 0
|
54
|
+
self.initialized = False
|
55
|
+
|
56
|
+
@override
|
57
|
+
def on_connect(self, client: object, userdata: Any, flags: int, rc: int) -> None:
|
58
|
+
super().on_connect(client, userdata, flags, rc)
|
59
|
+
if rc == 0:
|
60
|
+
self.subscribe(self.motion_topic)
|
61
|
+
self.subscribe(self.temperature_topic)
|
62
|
+
# reset the relay to make sure the initial state matches the state of us
|
63
|
+
self.publish_relay_state(0)
|
64
|
+
|
65
|
+
@override
|
66
|
+
def on_message(self, client: object, userdata: Any, msg: MqttMsg) -> None:
|
67
|
+
if msg.topic == self.temperature_topic:
|
68
|
+
m = json.loads(msg.payload.decode())
|
69
|
+
self.on_temperature_sensor(m, timestamp())
|
70
|
+
elif msg.topic == self.motion_topic:
|
71
|
+
m = json.loads(msg.payload.decode())
|
72
|
+
self.on_motion_sensor(m, timestamp())
|
73
|
+
else:
|
74
|
+
super().on_message(client, userdata, msg)
|
75
|
+
|
76
|
+
def on_temperature_sensor(self, m: dict[str, Any], ts_utc_now: float) -> None:
|
77
|
+
"""Handle message from the hot water pipe temperature sensor.
|
78
|
+
Records the temperature and updates the water_temperature_updated attribute.
|
79
|
+
|
80
|
+
Args:
|
81
|
+
m (dict): temperature reading from the hot water blump sensor
|
82
|
+
ts_utc_now (float): _current utc time
|
83
|
+
"""
|
84
|
+
|
85
|
+
self.water_temperature = m["temperature"]
|
86
|
+
self.water_temperature_updated = ts_utc_now
|
87
|
+
# self.info(
|
88
|
+
# f"Temperature of circulating water updated to {self.water_temperature} C"
|
89
|
+
# )
|
90
|
+
|
91
|
+
def on_motion_sensor(self, m: dict[str, dict[str, Any]], ts_utc_now: float) -> None:
|
92
|
+
"""Control the water cirulator bump.
|
93
|
+
|
94
|
+
Given message from the motion sensor consider switching the
|
95
|
+
circulator bump on.
|
96
|
+
|
97
|
+
Args:
|
98
|
+
msg (dict): directionary holding motion sensor data
|
99
|
+
ts_utc_now (float): current time stamp
|
100
|
+
"""
|
101
|
+
sensor = m["sensor"]
|
102
|
+
vibration: bool = bool(m["vibration"])
|
103
|
+
motion: bool = bool(m["motion"])
|
104
|
+
|
105
|
+
if motion or vibration:
|
106
|
+
# self.debug(f"Life form detected in {sensor}")
|
107
|
+
# honey I'm home
|
108
|
+
if not self.current_motion:
|
109
|
+
if self.water_temperature > self.min_temperature:
|
110
|
+
self.publish_relay_state(0)
|
111
|
+
# self.debug(
|
112
|
+
# f"Circulator: motion detected but water warm already {self.water_temperature} > {self.min_temperature} C"
|
113
|
+
# )
|
114
|
+
else:
|
115
|
+
self.current_motion = True
|
116
|
+
self.relay_started_ts = ts_utc_now
|
117
|
+
self.publish_relay_state(1)
|
118
|
+
self.initialized = True
|
119
|
+
self.info(
|
120
|
+
f"Circulator pump started, will run for {int(self.uptime / 60)} minutes "
|
121
|
+
)
|
122
|
+
else:
|
123
|
+
self.publish_relay_state(1)
|
124
|
+
self.relay_started_ts = ts_utc_now
|
125
|
+
# self.debug(
|
126
|
+
# f"Circulator pump has been running for {int(ts_utc_now - self.relay_started_ts)/60} minutes",
|
127
|
+
# " ",
|
128
|
+
# )
|
129
|
+
else:
|
130
|
+
if self.current_motion or not self.initialized:
|
131
|
+
elapsed: float = ts_utc_now - self.relay_started_ts
|
132
|
+
if elapsed > self.uptime:
|
133
|
+
self.publish_relay_state(0)
|
134
|
+
self.info(
|
135
|
+
f"Circulator pump stopped, no motion in {int(elapsed/60)} minutes detected",
|
136
|
+
"",
|
137
|
+
)
|
138
|
+
self.current_motion = False
|
139
|
+
self.initialized = True
|
140
|
+
else:
|
141
|
+
self.publish_relay_state(1)
|
142
|
+
# self.debug(
|
143
|
+
# f"Circulator bump stop countdown {int(self.uptime - (ts_utc_now - self.relay_started_ts ))/60} min"
|
144
|
+
# )
|
145
|
+
else:
|
146
|
+
self.publish_relay_state(0)
|
147
|
+
# self.debug(
|
148
|
+
# f"Circulator bump off already, temperature {self.water_temperature} C",
|
149
|
+
# "",
|
150
|
+
# )
|
151
|
+
|
152
|
+
def publish_relay_state(self, state: int) -> None:
|
153
|
+
"""Publish power status.
|
154
|
+
|
155
|
+
Args:
|
156
|
+
state (int): 1 for on, 0 for off, as defined by Juham 'power' topic
|
157
|
+
"""
|
158
|
+
heat = {"Unit": self.name, "Timestamp": timestamp(), "State": state}
|
159
|
+
self.publish(self.topic_power, json.dumps(heat), 1, False)
|
juham_automation/japp.py
CHANGED
@@ -1,16 +1,15 @@
|
|
1
1
|
from masterpiece import Application
|
2
2
|
from juham_core import Juham
|
3
|
-
from juham_systemstatus import SystemStatus
|
4
3
|
|
5
|
-
from .ts
|
6
|
-
from .ts
|
7
|
-
from .ts
|
8
|
-
from .ts
|
9
|
-
from .ts
|
10
|
-
from .ts
|
11
|
-
from .ts
|
12
|
-
from .automation
|
13
|
-
from .automation
|
4
|
+
from .ts import ForecastTs
|
5
|
+
from .ts import PowerTs
|
6
|
+
from .ts import PowerPlanTs
|
7
|
+
from .ts import PowerMeterTs
|
8
|
+
from .ts import LogTs
|
9
|
+
from .ts import EnergyCostCalculatorTs
|
10
|
+
from .ts import ElectricityPriceTs
|
11
|
+
from .automation import SpotHintaFi
|
12
|
+
from .automation import EnergyCostCalculator
|
14
13
|
|
15
14
|
|
16
15
|
class JApp(Application):
|
@@ -44,11 +43,6 @@ class JApp(Application):
|
|
44
43
|
self.add(EnergyCostCalculatorTs())
|
45
44
|
self.add(ElectricityPriceTs())
|
46
45
|
|
47
|
-
# install plugins
|
48
|
-
self.add(self.instantiate_plugin_by_name("SystemStatus"))
|
49
|
-
self.add(self.instantiate_plugin_by_name("VisualCrossing"))
|
50
|
-
self.add(self.instantiate_plugin_by_name("OpenWeatherMap"))
|
51
|
-
|
52
46
|
@classmethod
|
53
47
|
def register(cls) -> None:
|
54
48
|
"""Register plugin group `juham`."""
|
@@ -0,0 +1,25 @@
|
|
1
|
+
"""
|
2
|
+
Description
|
3
|
+
===========
|
4
|
+
|
5
|
+
Juham - Juha's Ultimate Home Automation Timeseries
|
6
|
+
|
7
|
+
"""
|
8
|
+
|
9
|
+
from .energycostcalculator_ts import EnergyCostCalculatorTs
|
10
|
+
from .log_ts import LogTs
|
11
|
+
from .power_ts import PowerTs
|
12
|
+
from .powerplan_ts import PowerPlanTs
|
13
|
+
from .powermeter_ts import PowerMeterTs
|
14
|
+
from .electricityprice_ts import ElectricityPriceTs
|
15
|
+
from .forecast_ts import ForecastTs
|
16
|
+
|
17
|
+
__all__ = [
|
18
|
+
"EnergyCostCalculatorTs",
|
19
|
+
"ForecastTs",
|
20
|
+
"LogTs",
|
21
|
+
"PowerTs",
|
22
|
+
"PowerPlanTs",
|
23
|
+
"PowerMeterTs",
|
24
|
+
"ElectricityPriceTs",
|
25
|
+
]
|
@@ -0,0 +1,47 @@
|
|
1
|
+
from datetime import datetime
|
2
|
+
import time
|
3
|
+
import json
|
4
|
+
from typing import Any, Dict, Optional, cast
|
5
|
+
from typing_extensions import override
|
6
|
+
|
7
|
+
from masterpiece.mqtt import Mqtt, MqttMsg
|
8
|
+
from juham_core.timeutils import epoc2utc
|
9
|
+
from juham_core import JuhamTs
|
10
|
+
|
11
|
+
|
12
|
+
class ElectricityPriceTs(JuhamTs):
|
13
|
+
"""Spot electricity price for reading hourly electricity prices from"""
|
14
|
+
|
15
|
+
def __init__(self, name: str = "electricityprice_ts") -> None:
|
16
|
+
super().__init__(name)
|
17
|
+
|
18
|
+
self.spot_topic = self.make_topic_name("spot")
|
19
|
+
|
20
|
+
@override
|
21
|
+
def on_connect(self, client: object, userdata: Any, flags: int, rc: int) -> None:
|
22
|
+
super().on_connect(client, userdata, flags, rc)
|
23
|
+
if rc == 0:
|
24
|
+
self.subscribe(self.spot_topic)
|
25
|
+
|
26
|
+
@override
|
27
|
+
def on_message(self, client: object, userdata: Any, msg: MqttMsg) -> None:
|
28
|
+
if msg.topic == self.spot_topic:
|
29
|
+
em = json.loads(msg.payload.decode())
|
30
|
+
self.on_spot(em)
|
31
|
+
else:
|
32
|
+
super().on_message(client, userdata, msg)
|
33
|
+
|
34
|
+
def on_spot(self, m: dict[Any, Any]) -> None:
|
35
|
+
"""Write hourly spot electricity prices to time series database.
|
36
|
+
|
37
|
+
Args:
|
38
|
+
m (dict): holding hourlys spot electricity prices
|
39
|
+
"""
|
40
|
+
for h in m:
|
41
|
+
point = (
|
42
|
+
self.measurement("spot")
|
43
|
+
.tag("hour", h["Timestamp"])
|
44
|
+
.field("value", h["PriceWithTax"])
|
45
|
+
.time(epoc2utc(h["Timestamp"]))
|
46
|
+
)
|
47
|
+
self.write(point)
|
@@ -0,0 +1,43 @@
|
|
1
|
+
from typing import Any
|
2
|
+
from typing_extensions import override
|
3
|
+
import json
|
4
|
+
|
5
|
+
from masterpiece.mqtt import MqttMsg
|
6
|
+
|
7
|
+
from juham_core import JuhamTs
|
8
|
+
from juham_core.timeutils import (
|
9
|
+
epoc2utc,
|
10
|
+
timestampstr,
|
11
|
+
)
|
12
|
+
|
13
|
+
|
14
|
+
class EnergyCostCalculatorTs(JuhamTs):
|
15
|
+
"""The EnergyCostCalculator recorder."""
|
16
|
+
|
17
|
+
def __init__(self, name: str = "ecc_ts") -> None:
|
18
|
+
super().__init__(name)
|
19
|
+
self.topic_net_energy_balance = self.make_topic_name("net_energy_cost")
|
20
|
+
|
21
|
+
@override
|
22
|
+
def on_connect(self, client: object, userdata: Any, flags: int, rc: int) -> None:
|
23
|
+
super().on_connect(client, userdata, flags, rc)
|
24
|
+
if rc == 0:
|
25
|
+
self.subscribe(self.topic_net_energy_balance)
|
26
|
+
|
27
|
+
@override
|
28
|
+
def on_message(self, client: object, userdata: Any, msg: MqttMsg) -> None:
|
29
|
+
super().on_message(client, userdata, msg)
|
30
|
+
if msg.topic == self.topic_net_energy_balance:
|
31
|
+
m = json.loads(msg.payload.decode())
|
32
|
+
self.record_powerconsumption(m)
|
33
|
+
|
34
|
+
def record_powerconsumption(self, m: dict[str, Any]) -> None:
|
35
|
+
"""Record powerconsumption
|
36
|
+
|
37
|
+
Args:
|
38
|
+
m (dict[str, Any]): to be recorded
|
39
|
+
"""
|
40
|
+
|
41
|
+
self.write_point(
|
42
|
+
"energycost", {"site": m["name"]}, m, timestampstr(m["ts"])
|
43
|
+
)
|
@@ -0,0 +1,97 @@
|
|
1
|
+
import json
|
2
|
+
from typing import Any
|
3
|
+
from typing_extensions import override
|
4
|
+
|
5
|
+
from masterpiece.mqtt import MqttMsg
|
6
|
+
from juham_core import JuhamTs
|
7
|
+
from juham_core.timeutils import epoc2utc
|
8
|
+
|
9
|
+
|
10
|
+
class ForecastTs(JuhamTs):
|
11
|
+
"""Forecast database record.
|
12
|
+
|
13
|
+
This class listens the forecast topic and writes to the time series
|
14
|
+
database.
|
15
|
+
"""
|
16
|
+
|
17
|
+
def __init__(self, name: str = "forecast_ts") -> None:
|
18
|
+
"""Construct forecast record object with the given name."""
|
19
|
+
super().__init__(name)
|
20
|
+
self.forecast_topic = self.make_topic_name("forecast")
|
21
|
+
|
22
|
+
@override
|
23
|
+
def on_connect(self, client: object, userdata: Any, flags: int, rc: int) -> None:
|
24
|
+
"""Standard mqtt connect notification.
|
25
|
+
|
26
|
+
This method is called when the client connection with the MQTT
|
27
|
+
broker is established.
|
28
|
+
"""
|
29
|
+
super().on_connect(client, userdata, flags, rc)
|
30
|
+
self.subscribe(self.forecast_topic)
|
31
|
+
self.debug(f"Subscribed to {self.forecast_topic}")
|
32
|
+
|
33
|
+
@override
|
34
|
+
def on_message(self, client: object, userdata: Any, msg: MqttMsg) -> None:
|
35
|
+
"""Standard mqtt message notification method.
|
36
|
+
|
37
|
+
This method is called upon new arrived message.
|
38
|
+
"""
|
39
|
+
if msg.topic == self.forecast_topic:
|
40
|
+
m = json.loads(msg.payload.decode())
|
41
|
+
self.on_forecast(m)
|
42
|
+
else:
|
43
|
+
super().on_message(client, userdata, msg)
|
44
|
+
|
45
|
+
def on_forecast(self, em: dict[Any, Any]) -> None:
|
46
|
+
"""Handle weather forecast data. Writes the received hourly forecast
|
47
|
+
data to timeseries database.
|
48
|
+
|
49
|
+
Args:
|
50
|
+
em (dict): forecast
|
51
|
+
"""
|
52
|
+
|
53
|
+
# List of fields you want to add
|
54
|
+
fields = [
|
55
|
+
"ts",
|
56
|
+
"day",
|
57
|
+
"solarradiation",
|
58
|
+
"solarenergy",
|
59
|
+
"cloudcover",
|
60
|
+
"snowdepth",
|
61
|
+
"uvindex",
|
62
|
+
"pressure",
|
63
|
+
"humidity",
|
64
|
+
"windspeed",
|
65
|
+
"winddir",
|
66
|
+
"temp",
|
67
|
+
"feels",
|
68
|
+
]
|
69
|
+
days: int = 0
|
70
|
+
for m in em:
|
71
|
+
senderid: str = "unknown"
|
72
|
+
if "id" in m:
|
73
|
+
senderid = m["id"]
|
74
|
+
if not "hour" in m:
|
75
|
+
self.error(
|
76
|
+
f"No hour key in forecast record from {senderid}, skipped", str(m)
|
77
|
+
)
|
78
|
+
else:
|
79
|
+
point = (
|
80
|
+
self.measurement("forecast")
|
81
|
+
.tag("hour", m.get("hour"))
|
82
|
+
.tag("source", senderid)
|
83
|
+
.field("hr", str(m["hour"]))
|
84
|
+
)
|
85
|
+
# Conditionally add each field
|
86
|
+
for field in fields:
|
87
|
+
if field in m:
|
88
|
+
if field == "day" or field == "ts":
|
89
|
+
point = point.field(field, m[field])
|
90
|
+
else:
|
91
|
+
point = point.field(field, float(m[field]))
|
92
|
+
point = point.time(epoc2utc(m["ts"]))
|
93
|
+
self.write(point)
|
94
|
+
days = days + 1
|
95
|
+
self.info(
|
96
|
+
f"Forecast from {senderid} for the next {days} days written to time series database"
|
97
|
+
)
|
@@ -0,0 +1,57 @@
|
|
1
|
+
import json
|
2
|
+
from typing import Any
|
3
|
+
from typing_extensions import override
|
4
|
+
|
5
|
+
from masterpiece.mqtt import MqttMsg
|
6
|
+
from juham_core import JuhamTs
|
7
|
+
from juham_core.timeutils import epoc2utc
|
8
|
+
|
9
|
+
|
10
|
+
class LogTs(JuhamTs):
|
11
|
+
"""Class recording application events, such as warnings and errors,
|
12
|
+
to time series database."""
|
13
|
+
|
14
|
+
def __init__(self, name: str = "log_ts") -> None:
|
15
|
+
"""Creates mqtt client for recording log events to time series
|
16
|
+
database.
|
17
|
+
|
18
|
+
Args:
|
19
|
+
name (str): name for the client
|
20
|
+
"""
|
21
|
+
super().__init__(name)
|
22
|
+
self.topic_name = self.make_topic_name("log")
|
23
|
+
|
24
|
+
@override
|
25
|
+
def on_connect(self, client: object, userdata: Any, flags: int, rc: int) -> None:
|
26
|
+
"""Connects the client to mqtt broker.
|
27
|
+
|
28
|
+
Args:
|
29
|
+
client (obj): client to be connected
|
30
|
+
userdata (any): caller specific data
|
31
|
+
flags (int): implementation specific shit
|
32
|
+
|
33
|
+
Returns:
|
34
|
+
rc (bool): True if successful
|
35
|
+
"""
|
36
|
+
super().on_connect(client, userdata, flags, rc)
|
37
|
+
if rc == 0:
|
38
|
+
self.subscribe(self.topic_name)
|
39
|
+
|
40
|
+
@override
|
41
|
+
def on_message(self, client: object, userdata: Any, msg: MqttMsg) -> None:
|
42
|
+
m = json.loads(msg.payload.decode())
|
43
|
+
ts = epoc2utc(m["Timestamp"])
|
44
|
+
|
45
|
+
point = (
|
46
|
+
self.measurement("log")
|
47
|
+
.tag("class", m["Class"])
|
48
|
+
.field("source", m["Source"])
|
49
|
+
.field("msg", m["Msg"])
|
50
|
+
.field("details", m["Details"])
|
51
|
+
.field("Timestamp", m["Timestamp"])
|
52
|
+
.time(ts)
|
53
|
+
)
|
54
|
+
try:
|
55
|
+
self.write(point)
|
56
|
+
except Exception as e:
|
57
|
+
self.log_message("Error", f"Cannot write log event {m['Msg']}", str(e))
|
@@ -0,0 +1,49 @@
|
|
1
|
+
import json
|
2
|
+
from typing import Any
|
3
|
+
from typing_extensions import override
|
4
|
+
|
5
|
+
from masterpiece.mqtt import MqttMsg
|
6
|
+
|
7
|
+
from juham_core import JuhamTs
|
8
|
+
from juham_core.timeutils import epoc2utc
|
9
|
+
|
10
|
+
|
11
|
+
class PowerTs(JuhamTs):
|
12
|
+
"""Power utilization record.
|
13
|
+
|
14
|
+
This class listens the power utilization message and writes the
|
15
|
+
state to time series database.
|
16
|
+
"""
|
17
|
+
|
18
|
+
def __init__(self, name: str = "power_ts") -> None:
|
19
|
+
"""Construct power record object with the given name."""
|
20
|
+
|
21
|
+
super().__init__(name)
|
22
|
+
self.topic_name = self.make_topic_name("power")
|
23
|
+
|
24
|
+
@override
|
25
|
+
def on_connect(self, client: object, userdata: Any, flags: int, rc: int) -> None:
|
26
|
+
super().on_connect(client, userdata, flags, rc)
|
27
|
+
self.subscribe(self.topic_name)
|
28
|
+
self.debug(f"Subscribed to {self.topic_name}")
|
29
|
+
|
30
|
+
@override
|
31
|
+
def on_message(self, client: object, userdata: Any, msg: MqttMsg) -> None:
|
32
|
+
"""Standard mqtt message notification method.
|
33
|
+
|
34
|
+
This method is called upon new arrived message.
|
35
|
+
"""
|
36
|
+
|
37
|
+
m = json.loads(msg.payload.decode())
|
38
|
+
if not "Unit" in m:
|
39
|
+
return
|
40
|
+
unit = m["Unit"]
|
41
|
+
ts = m["Timestamp"]
|
42
|
+
state = m["State"]
|
43
|
+
point = (
|
44
|
+
self.measurement("power")
|
45
|
+
.tag("unit", unit)
|
46
|
+
.field("state", state)
|
47
|
+
.time(epoc2utc(ts))
|
48
|
+
)
|
49
|
+
self.write(point)
|