-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathmain.py
executable file
·124 lines (109 loc) · 3.63 KB
/
main.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
#!/usr/bin/env python3
from __future__ import annotations
import atexit
# TODO: replace with async?
from pysiaalarm import SIAClient, SIAAccount, SIAEvent
from typing import NamedTuple, Optional
from time import sleep
from os import environ
import logging
from pathlib import Path
import json
from paho.mqtt.client import Client as MqttClient
from paho.mqtt.client import CallbackAPIVersion as MqttCallbackAPIVersion
import toml
DSN_PATH = Path("/run/secrets/SIAMQTT_SENTRY_DSN")
logging.basicConfig(level=logging.DEBUG)
logger = logging.getLogger(__name__)
def handle_event(event: SIAEvent) -> None:
try:
logger.debug("got ri %s and code %s", event.ri, event.code)
assert event.valid_message
parsed = ParsedEvent.from_sia(event)
logger.debug("parsed: %s", parsed)
parsed.publish_to_mqtt()
except Exception as exc:
sentry_sdk.capture_exception(exc)
raise
def hass_topic_for_zone(zone: int) -> str:
return f"homeassistant/binary_sensor/sia-{zone}/state"
class ParsedEvent(NamedTuple):
zone: int
triggered: bool
@classmethod
def from_sia(cls, event: SIAEvent) -> ParsedEvent:
if not event.ri:
raise ValueError("unknown event ri")
zone = int(event.ri)
match event.code:
case "BA" | "FA" | "YX":
triggered = True
case "BH" | "FH" | "YZ":
triggered = False
case code:
raise NotImplementedError(f"unknown event code: {code}")
return cls(zone, triggered)
def publish_to_mqtt(self) -> None:
if "homeassistant" in config["mqtt"]:
mqtt.publish(
hass_topic_for_zone(self.zone),
"ON" if self.triggered else "OFF",
retain=True,
)
else:
mqtt.publish(
f"sia/{self.zone}",
str(self.triggered).lower(),
retain=True,
)
if DSN_PATH.exists():
logger.info("Configuring Sentry...")
import sentry_sdk
from sentry_sdk.integrations.logging import LoggingIntegration
sentry_sdk.init(
DSN_PATH.read_text().strip(),
debug=True,
attach_stacktrace=True,
integrations=[
LoggingIntegration(
level=logging.INFO, # Capture as breadcrumbs
event_level=logging.WARNING, # Send as events
),
],
)
config = toml.load(environ.get("CONFIG_FILE", "siamqtt.toml"))
sia = SIAClient(
config["sia"]["bind"],
config["sia"]["port"],
[
SIAAccount(account, allowed_timeband=(300, 300))
for account in config["sia"]["accounts"]
],
handle_event,
)
mqtt = MqttClient(MqttCallbackAPIVersion.VERSION2)
mqtt.connect(config["mqtt"]["server"])
if "homeassistant" in config["mqtt"]:
logger.info("Registering devices with hass...")
for zone, zone_conf in config["mqtt"]["homeassistant"]["device"].items():
mqtt.publish(
f"homeassistant/binary_sensor/sia-{zone}/config",
json.dumps({
"name": zone_conf["name"],
"state_topic": hass_topic_for_zone(zone),
}),
retain=True,
)
def on_exit() -> None:
if "homeassistant" in config["mqtt"]:
logger.info("Deregistering from hass...")
for zone in config["mqtt"]["homeassistant"]["device"]:
mqtt.publish(
f"homeassistant/binary_sensor/sia-{zone}/config",
"",
retain=True,
)
atexit.register(on_exit)
with sia as s:
logger.info("Waiting for events...")
mqtt.loop_forever()