-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathdevice_monitor.py
83 lines (67 loc) · 2.29 KB
/
device_monitor.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
"""Device monitor script - used to ensure that class devices remain online."""
import os
from datetime import datetime, timedelta, timezone
from dotenv import load_dotenv
from dateutil import parser
from supabase import create_client, Client
from typing import List, Set
# Load environment variables from .env file
load_dotenv()
# Constants
DEVICE_IDS = [
"jasoncurtis-outdoor",
"jasoncurtis-co2-temperature-airquality-battery",
"jasoncurtis-co2_ndir_scd30-pressure-temperature-humidity",
]
HOURS_THRESHOLD = 1
def get_all_active_devices(
supabase: Client, hours_threshold: int = HOURS_THRESHOLD
) -> Set[str]:
"""
Get all devices that have reported data in the last hour.
Returns a set of device IDs.
"""
cutoff_time = datetime.now(timezone.utc) - timedelta(hours=hours_threshold)
# Query for all recent data points
query = (
supabase.table("iot")
.select("device_id, created_at")
.order("created_at", desc=True)
.limit(1000) # Get a good chunk of recent data
)
response = query.execute()
if not response.data:
return set()
# Create a set of devices that have reported data recently
return {
record["device_id"]
for record in response.data
if parser.parse(record["created_at"]) > cutoff_time
}
def main():
"""Check if devices have reported data recently."""
# Initialize Supabase client
supabase_url = os.environ["SUPABASE_URL"]
supabase_key = os.environ["SUPABASE_KEY"]
supabase: Client = create_client(supabase_url, supabase_key)
# Get all active devices
active_devices = get_all_active_devices(supabase)
print("\nAll devices reporting data in the last hour:")
for device_id in sorted(active_devices):
print(f" - {device_id}")
# Check our specific devices
offline_devices = [
device_id for device_id in DEVICE_IDS if device_id not in active_devices
]
if offline_devices:
print(
f"\n❌ Monitored devices not reporting data in the last {HOURS_THRESHOLD} hour(s):"
)
for device_id in offline_devices:
print(f" - {device_id}")
exit(1)
else:
print("\n✅ All monitored devices reporting data normally")
exit(0)
if __name__ == "__main__":
main()