-
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathapp.py
343 lines (325 loc) · 14.9 KB
/
app.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
import sqlite3
from dotenv import dotenv_values
import logging.handlers
import logging
import time
from os import path, environ
import dongle_handler
import http_handler
from datetime import datetime, timedelta
from fcm import FCM
import json
from play_audio import PlayAudio
import asyncio
DONGLE_MODE = "DONGLE"
AUDIO_SLEEP_MAP = {
"has-grid.mp3": 6,
"lost-grid.mp3": 9,
"warning.mp3": 7,
}
config: dict = {
**dotenv_values(".env"),
**environ
}
ABNORMAL_SKIP_CHECK_HOURS = int(
config["ABNORMAL_SKIP_CHECK_HOURS"]) if "ABNORMAL_SKIP_CHECK_HOURS" in config else 3
ABNORMAL_USAGE_COUNT = 32 * ABNORMAL_SKIP_CHECK_HOURS
NORMAL_MIN_USAGE_COUNT = 5 * ABNORMAL_SKIP_CHECK_HOURS
ABNORMAL_MIN_POWER = 900
ABNORMAL_MAX_POWER = 1100
log_level = logging.DEBUG if config["IS_DEBUG"] == 'True' else logging.INFO
logger = logging.getLogger(__file__)
log_file_handler = logging.handlers.RotatingFileHandler(
config["LOG_FILE"],
mode='a',
maxBytes=int(config["LOG_FILE_SIZE"])*1024,
backupCount=int(config["LOG_FILE_COUNT"])
)
log_file_handler.setFormatter(logging.Formatter(config["LOG_FORMAT"]))
log_file_handler.setLevel(log_level)
log_handlers: list[logging.Handler] = [
log_file_handler
]
if log_level == logging.DEBUG:
log_handlers.append(logging.StreamHandler())
logging.basicConfig(
level=log_level,
format=config["LOG_FORMAT"],
handlers=log_handlers
)
play_audio_thread: PlayAudio | None = None
def play_audio(audio_file: str, repeat=3):
global play_audio_thread
if play_audio_thread is not None:
play_audio_thread.stop()
play_audio_thread = PlayAudio(
audio_file=audio_file, repeat=repeat, sleep=AUDIO_SLEEP_MAP[audio_file], config=config, logger=logger)
play_audio_thread.start()
# Number of hours to skip check when detect abnormal usage
abnormal_skip_check_count = 0
def dectect_abnormal_usage(db_connection: sqlite3.Connection, fcm_service: FCM):
now = datetime.now()
# now = now.replace(minute=0, second=0, hour=6)
sleep_time = int(config["SLEEP_TIME"])
if (sleep_time >= 60 and now.minute <= sleep_time / 60) or (now.minute == 0 and now.second <= sleep_time):
global abnormal_skip_check_count
if abnormal_skip_check_count > 0:
abnormal_skip_check_count = abnormal_skip_check_count - 1
return
cursor = db_connection.cursor()
abnormal_check_start_time = now - timedelta(hours=ABNORMAL_SKIP_CHECK_HOURS)
abnormnal_count = cursor.execute(
"SELECT COUNT(*) FROM hourly_chart WHERE datetime >= ? AND datetime < ? AND consumption > ? AND consumption < ?",
(abnormal_check_start_time.strftime("%Y-%m-%d %H:%M:%S"), now.strftime("%Y-%m-%d %H:%M:%S"), ABNORMAL_MIN_POWER, ABNORMAL_MAX_POWER)
).fetchone()[0]
abnormnal_count_lower = cursor.execute(
"SELECT COUNT(*) FROM hourly_chart WHERE datetime >= ? AND datetime < ? AND consumption < ?",
(abnormal_check_start_time.strftime("%Y-%m-%d %H:%M:%S"),
now.strftime("%Y-%m-%d %H:%M:%S"), ABNORMAL_MIN_POWER)
).fetchone()[0]
if abnormnal_count > ABNORMAL_USAGE_COUNT and abnormnal_count_lower > NORMAL_MIN_USAGE_COUNT and abnormnal_count_lower < abnormnal_count:
logger.warning(
"_________Abnormal usage detected from %s to %s with %s abnormal times and %s normal times_________",
abnormal_check_start_time.strftime("%Y-%m-%d %H:%M:%S"),
now.strftime("%Y-%m-%d %H:%M:%S"),
abnormnal_count,
abnormnal_count_lower
)
fcm_service.warning_notify()
play_audio("warning.mp3", 5)
# Skip next ABNORMAL_SKIP_CHECK_HOURS hours when detect abnormal usage
abnormal_skip_check_count = ABNORMAL_SKIP_CHECK_HOURS
else:
logger.info(
"_________No abnormal usage detected from %s to %s with %s abnormal times and %s normal times_________",
abnormal_check_start_time.strftime("%Y-%m-%d %H:%M:%S"),
now.strftime("%Y-%m-%d %H:%M:%S"),
abnormnal_count,
abnormnal_count_lower
)
cursor.close()
def handle_grid_status(json_data: dict, fcm_service: FCM):
# is_grid_connected = True
is_grid_connected = json_data["fac"] > 0
last_grid_connected = True
disconnected_time = json_data["deviceTime"]
if path.exists(config["STATE_FILE"]):
with open(config["STATE_FILE"], 'r') as f:
last_grid_connected = f.read() == "True"
if not last_grid_connected:
# Only get disconneced time from state file if disconnected from previos
disconnected_time = datetime.fromtimestamp(
path.getmtime(config['STATE_FILE'])
).strftime("%Y-%m-%d %H:%M:%S")
status_text = json_data["status_text"] if "status_text" in json_data else json_data["status"]
if not is_grid_connected:
logger.warning(
"_________Inverter disconnected from GRID since: %s with status: \"%s\"_________",
disconnected_time,
status_text,
)
else:
logger.info(
"_________Inverter currently connected to GRID with\nStatus: \"%s\" at deviceTime: %s with fac: %s Hz and vacr: %s V_________",
status_text,
json_data['deviceTime'],
int(json_data['fac']) / 100,
int(json_data['vacr']) / 10,
)
if last_grid_connected != is_grid_connected:
current_history = []
if path.exists(config['HISTORY_FILE']):
with open(config['HISTORY_FILE'], 'r') as f_history:
current_history = json.loads(f_history.read())
if len(current_history) == int(config["HISTORY_COUNT"]):
del current_history[len(current_history) - 1]
current_history.insert(0, {
"type": "ON_GRID" if is_grid_connected else "OFF_GRID",
"time": json_data["deviceTime"],
})
with open(config['HISTORY_FILE'], 'w') as f_history_w:
f_history_w.write(json.dumps(current_history))
with open(config["STATE_FILE"], "w") as fw:
fw.write(str(is_grid_connected))
if is_grid_connected:
fcm_service.ongrid_notify()
play_audio("has-grid.mp3")
else:
logger.warning("All json data: %s", json_data)
fcm_service.offgrid_notify()
play_audio("lost-grid.mp3", 5)
else:
logger.info("State did not change. Skip play notify audio")
def insert_hourly_chart(db_connection: sqlite3.Connection, inverter_data: dict):
cursor = db_connection.cursor()
device_time = datetime.strptime(inverter_data["deviceTime"],
"%Y-%m-%d %H:%M:%S")
start_of_day = datetime.now().replace(hour=0, minute=0, second=0, microsecond=0)
sleep_time = int(config["SLEEP_TIME"])
if sleep_time < 60:
if device_time.hour == 0 and device_time.minute == 0 and device_time.second <= sleep_time:
cursor.execute(
"DELETE FROM hourly_chart WHERE datetime < ?", (start_of_day.strftime("%Y-%m-%d %H:%M:%S"),))
elif sleep_time < 3600:
if device_time.hour == 0 and device_time.minute <= sleep_time / 60:
cursor.execute(
"DELETE FROM hourly_chart WHERE datetime < ?", (start_of_day.strftime("%Y-%m-%d %H:%M:%S"),))
item_id = device_time.strftime("%Y%m%d%H%M")
grid = inverter_data["p_to_grid"] - inverter_data["p_to_user"]
consumption = inverter_data["p_inv"] + \
inverter_data["p_to_user"] - \
inverter_data["p_rec"]
hourly_chart_item = {
"id": item_id,
"datetime": inverter_data["deviceTime"],
"pv": inverter_data["p_pv"],
"battery": inverter_data["p_discharge"] - inverter_data["p_charge"],
"grid": grid,
"consumption": consumption,
"soc": inverter_data["soc"],
}
from web_viewer import dict_factory
cursor.row_factory = dict_factory
exist_item = cursor.execute(
"SELECT * FROM hourly_chart WHERE id = ?", (
item_id,)
).fetchone()
if exist_item is None:
cursor.execute(
"INSERT INTO hourly_chart (id, datetime, pv, battery, grid, consumption, soc) VALUES (?, ?, ?, ?, ?, ?, ?)",
(item_id, hourly_chart_item["datetime"], hourly_chart_item["pv"], hourly_chart_item["battery"],
hourly_chart_item["grid"], hourly_chart_item["consumption"], hourly_chart_item["soc"]),
)
else:
cursor.execute(
"UPDATE hourly_chart SET datetime = ?, pv = ?, battery = ?, grid = ?, consumption = ?, soc = ? WHERE id = ?",
(
hourly_chart_item["datetime"],
round((hourly_chart_item["pv"] + exist_item["pv"]) / 2),
round((hourly_chart_item["battery"] + exist_item["battery"]) / 2),
round((hourly_chart_item["grid"] + exist_item["grid"]) / 2),
round((hourly_chart_item["consumption"] + exist_item["consumption"]) / 2),
round((hourly_chart_item["soc"] + exist_item["soc"]) / 2),
item_id)
)
cursor.close()
db_connection.commit()
return [item_id, hourly_chart_item["datetime"], hourly_chart_item["pv"], hourly_chart_item["battery"], hourly_chart_item["grid"], hourly_chart_item["consumption"], hourly_chart_item["soc"]]
def insert_daly_chart(db_connection: sqlite3.Connection, inverter_data: dict):
device_time = datetime.strptime(inverter_data["deviceTime"],
"%Y-%m-%d %H:%M:%S")
if device_time.hour == 0 and device_time.minute == 0:
# Igore daily data in first minute of the day
return
cursor = db_connection.cursor()
item_id = device_time.strftime("%Y%m%d")
consumption = (
inverter_data["e_inv_day"] +
inverter_data["e_to_user_day"] +
inverter_data["e_eps_day"] -
inverter_data["e_rec_day"]
)
daily_chart_item = {
"id": item_id,
"year": device_time.year,
"month": device_time.month,
"date": device_time.strftime("%Y-%m-%d"),
"pv": inverter_data["e_pv_day"],
"battery_charged": inverter_data["e_chg_day"],
"battery_discharged": inverter_data["e_dischg_day"],
"grid_import": inverter_data["e_to_user_day"],
"grid_export": inverter_data["e_to_grid_day"],
"consumption": round(consumption, 1),
"updated": datetime.now().strftime("%Y-%m-%d %H:%M:%S")
}
is_exist = cursor.execute(
"SELECT id, consumption FROM daily_chart WHERE id = ?", (item_id,)
).fetchone()
if is_exist is None:
cursor.execute(
"INSERT INTO daily_chart (id, year, month, date, pv, battery_charged, battery_discharged, grid_import, grid_export, consumption, updated) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)",
(item_id, daily_chart_item["year"], daily_chart_item["month"], daily_chart_item["date"], daily_chart_item["pv"], daily_chart_item["battery_charged"],
daily_chart_item["battery_discharged"], daily_chart_item["grid_import"], daily_chart_item["grid_export"],
daily_chart_item["consumption"], daily_chart_item["updated"]),
)
else:
cursor.execute(
"UPDATE daily_chart SET year = ?, month = ?, date = ?, pv = ?, battery_charged = ?, battery_discharged = ?, grid_import = ?, grid_export = ?, consumption = ?, updated =? WHERE id = ?",
(
daily_chart_item["year"],
daily_chart_item["month"],
daily_chart_item["date"],
daily_chart_item["pv"],
daily_chart_item["battery_charged"],
daily_chart_item["battery_discharged"],
daily_chart_item["grid_import"],
daily_chart_item["grid_export"],
daily_chart_item["consumption"],
daily_chart_item["updated"],
item_id)
)
cursor.close()
db_connection.commit()
async def main():
try:
logger.info("Grid connect watch working on mode: %s",
config["WORKING_MODE"])
fcm_service = FCM(logger, config)
run_web_view = config["RUN_WEB_VIEWER"] == "True"
if config["WORKING_MODE"] == DONGLE_MODE:
if run_web_view:
db_connection = sqlite3.connect(
config["DB_NAME"]) if "DB_NAME" in config else None
if db_connection is not None:
from migration import run_migration
run_migration(db_connection, logger)
from web_viewer import WebViewer
webViewer = WebViewer(logger)
webViewer.start()
time.sleep(1)
from web_socket_client import WebSocketClient
ws_client = WebSocketClient(
logger=logger, host=config["HOST"], port=int(config["PORT"]))
ws_client.start()
dongle = dongle_handler.Dongle(logger, config)
while True:
inverter_data = dongle.get_dongle_input()
if inverter_data is not None:
handle_grid_status(inverter_data, fcm_service)
if run_web_view:
if db_connection is not None:
hourly_chart_item = insert_hourly_chart(db_connection, inverter_data)
insert_daly_chart(db_connection, inverter_data)
if ABNORMAL_SKIP_CHECK_HOURS> -1: # Skip check if ABNORMAL_SKIP_CHECK_HOURS is -1
dectect_abnormal_usage(db_connection, fcm_service)
else:
logger.info("Skip abnormal usage check")
await ws_client.send_json({
"inverter_data": inverter_data,
"hourly_chart_item": hourly_chart_item
})
logger.info("Wating for %s second before next check",
config["SLEEP_TIME"])
time.sleep(int(config["SLEEP_TIME"]))
else:
http = http_handler.Http(logger, config)
while True:
inverter_data = http.get_run_time_data()
handle_grid_status(inverter_data, fcm_service)
logger.info("Wating for %s second before next check",
config["SLEEP_TIME"])
time.sleep(int(config["SLEEP_TIME"]))
except Exception as e:
logger.exception("Got error when run main %s", e)
try:
if run_web_view:
webViewer.stop()
ws_client.stop()
except NameError as e:
pass
except Exception as e:
logger.exception(
"Got error when stop web viewer or web socket %s", e)
exit(1)
if __name__ == "__main__":
asyncio.run(main())