2020-07-27 21:08:48 +03:00
|
|
|
# Raspberry Pi Power Control
|
|
|
|
#
|
|
|
|
# Copyright (C) 2020 Jordan Ruthe <jordanruthe@gmail.com>
|
|
|
|
#
|
|
|
|
# This file may be distributed under the terms of the GNU GPLv3 license.
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
from __future__ import annotations
|
2021-05-26 16:08:27 +03:00
|
|
|
import sys
|
2021-09-16 01:09:20 +03:00
|
|
|
import glob
|
2020-07-27 21:08:48 +03:00
|
|
|
import logging
|
2020-11-16 20:36:28 +03:00
|
|
|
import json
|
|
|
|
import struct
|
|
|
|
import socket
|
2021-07-10 18:20:05 +03:00
|
|
|
import asyncio
|
2021-10-01 09:45:15 +03:00
|
|
|
import time
|
2020-11-16 20:36:28 +03:00
|
|
|
from tornado.iostream import IOStream
|
2020-11-21 00:44:16 +03:00
|
|
|
from tornado.httpclient import AsyncHTTPClient
|
|
|
|
from tornado.escape import json_decode
|
2020-07-27 21:08:48 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
# Annotation imports
|
|
|
|
from typing import (
|
|
|
|
TYPE_CHECKING,
|
|
|
|
Type,
|
|
|
|
List,
|
|
|
|
Any,
|
|
|
|
Optional,
|
|
|
|
Dict,
|
|
|
|
Coroutine,
|
|
|
|
Tuple,
|
|
|
|
Union,
|
|
|
|
)
|
2021-05-26 16:08:27 +03:00
|
|
|
|
|
|
|
# Special handling for gpiod import
|
2021-09-16 01:09:20 +03:00
|
|
|
HAS_GPIOD = False
|
|
|
|
PKG_PATHS = glob.glob("/usr/lib/python3*/dist-packages")
|
|
|
|
PKG_PATHS += glob.glob("/usr/lib/python3*/site-packages")
|
|
|
|
for pkg_path in PKG_PATHS:
|
|
|
|
sys.path.insert(0, pkg_path)
|
2021-05-26 16:08:27 +03:00
|
|
|
try:
|
|
|
|
import gpiod
|
|
|
|
except ImportError:
|
2021-09-16 01:09:20 +03:00
|
|
|
sys.path.pop(0)
|
|
|
|
else:
|
|
|
|
HAS_GPIOD = True
|
|
|
|
sys.path.pop(0)
|
|
|
|
break
|
2021-05-26 16:08:27 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
if TYPE_CHECKING:
|
|
|
|
from confighelper import ConfigHelper
|
|
|
|
from websockets import WebRequest
|
|
|
|
from . import klippy_apis
|
|
|
|
APIComp = klippy_apis.KlippyAPI
|
|
|
|
|
2020-07-27 21:08:48 +03:00
|
|
|
class PrinterPower:
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self, config: ConfigHelper) -> None:
|
2020-08-06 04:06:52 +03:00
|
|
|
self.server = config.get_server()
|
2021-05-26 16:08:27 +03:00
|
|
|
if not HAS_GPIOD:
|
|
|
|
self.server.add_warning(
|
|
|
|
"Unable to load gpiod library, GPIO power "
|
|
|
|
"devices will not be loaded")
|
2021-01-06 22:39:33 +03:00
|
|
|
self.chip_factory = GpioChipFactory()
|
2021-05-15 13:53:34 +03:00
|
|
|
self.devices: Dict[str, PowerDevice] = {}
|
2021-01-06 22:39:33 +03:00
|
|
|
prefix_sections = config.get_prefix_sections("power")
|
2021-03-18 15:23:40 +03:00
|
|
|
logging.info(f"Power component loading devices: {prefix_sections}")
|
2021-05-05 03:59:23 +03:00
|
|
|
dev_types = {
|
|
|
|
"gpio": GpioDevice,
|
|
|
|
"tplink_smartplug": TPLinkSmartPlug,
|
|
|
|
"tasmota": Tasmota,
|
|
|
|
"shelly": Shelly,
|
|
|
|
"homeseer": HomeSeer,
|
|
|
|
"homeassistant": HomeAssistant,
|
2021-10-01 09:45:15 +03:00
|
|
|
"loxonev1": Loxonev1,
|
|
|
|
"rf": RFDevice
|
2021-05-05 03:59:23 +03:00
|
|
|
}
|
2021-01-06 22:39:33 +03:00
|
|
|
try:
|
|
|
|
for section in prefix_sections:
|
|
|
|
cfg = config[section]
|
2021-05-15 13:53:34 +03:00
|
|
|
dev_type: str = cfg.get("type")
|
|
|
|
dev_class: Optional[Type[PowerDevice]]
|
2021-05-05 03:59:23 +03:00
|
|
|
dev_class = dev_types.get(dev_type)
|
|
|
|
if dev_class is None:
|
2021-01-06 22:39:33 +03:00
|
|
|
raise config.error(f"Unsupported Device Type: {dev_type}")
|
2021-05-15 13:53:34 +03:00
|
|
|
dev = dev_class(cfg)
|
2021-10-01 09:45:15 +03:00
|
|
|
if isinstance(dev, GpioDevice) or isinstance(dev, RFDevice):
|
2021-05-26 16:08:27 +03:00
|
|
|
if not HAS_GPIOD:
|
|
|
|
continue
|
2021-05-15 13:53:34 +03:00
|
|
|
dev.configure_line(cfg, self.chip_factory)
|
2021-01-06 22:39:33 +03:00
|
|
|
self.devices[dev.get_name()] = dev
|
|
|
|
except Exception:
|
|
|
|
self.chip_factory.close()
|
|
|
|
raise
|
|
|
|
|
2020-07-27 21:08:48 +03:00
|
|
|
self.server.register_endpoint(
|
2020-11-16 16:46:05 +03:00
|
|
|
"/machine/device_power/devices", ['GET'],
|
2020-07-27 21:08:48 +03:00
|
|
|
self._handle_list_devices)
|
|
|
|
self.server.register_endpoint(
|
2020-11-16 16:46:05 +03:00
|
|
|
"/machine/device_power/status", ['GET'],
|
2021-05-10 03:01:35 +03:00
|
|
|
self._handle_batch_power_request)
|
2020-07-27 21:08:48 +03:00
|
|
|
self.server.register_endpoint(
|
2020-11-16 16:46:05 +03:00
|
|
|
"/machine/device_power/on", ['POST'],
|
2021-05-10 03:01:35 +03:00
|
|
|
self._handle_batch_power_request)
|
2020-07-27 21:08:48 +03:00
|
|
|
self.server.register_endpoint(
|
2020-11-16 16:46:05 +03:00
|
|
|
"/machine/device_power/off", ['POST'],
|
2021-05-10 03:01:35 +03:00
|
|
|
self._handle_batch_power_request)
|
|
|
|
self.server.register_endpoint(
|
|
|
|
"/machine/device_power/device", ['GET', 'POST'],
|
|
|
|
self._handle_single_power_request)
|
2020-11-01 19:44:54 +03:00
|
|
|
self.server.register_remote_method(
|
|
|
|
"set_device_power", self.set_device_power)
|
2021-01-03 03:38:24 +03:00
|
|
|
self.server.register_event_handler(
|
|
|
|
"server:klippy_shutdown", self._handle_klippy_shutdown)
|
2021-02-17 16:16:49 +03:00
|
|
|
self.server.register_notification("power:power_changed")
|
2021-07-10 18:20:05 +03:00
|
|
|
event_loop = self.server.get_event_loop()
|
|
|
|
event_loop.register_callback(
|
2021-01-06 22:39:33 +03:00
|
|
|
self._initalize_devices, list(self.devices.values()))
|
2020-07-27 21:08:48 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _check_klippy_printing(self) -> bool:
|
|
|
|
kapis: APIComp = self.server.lookup_component('klippy_apis')
|
|
|
|
result: Dict[str, Any] = await kapis.query_objects(
|
2021-01-22 04:40:09 +03:00
|
|
|
{'print_stats': None}, default={})
|
|
|
|
pstate = result.get('print_stats', {}).get('state', "").lower()
|
|
|
|
return pstate == "printing"
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _initalize_devices(self,
|
|
|
|
inital_devs: List[PowerDevice]
|
|
|
|
) -> None:
|
2021-07-18 19:28:40 +03:00
|
|
|
event_loop = self.server.get_event_loop()
|
|
|
|
cur_time = event_loop.get_loop_time()
|
|
|
|
endtime = cur_time + 120.
|
|
|
|
query_devs = inital_devs
|
|
|
|
failed_devs: List[PowerDevice] = []
|
|
|
|
while cur_time < endtime:
|
|
|
|
for dev in query_devs:
|
|
|
|
ret = dev.initialize()
|
|
|
|
if ret is not None:
|
|
|
|
await ret
|
|
|
|
if dev.get_state() == "error":
|
|
|
|
failed_devs.append(dev)
|
|
|
|
if not failed_devs:
|
|
|
|
logging.debug("All power devices initialized")
|
|
|
|
return
|
|
|
|
query_devs = failed_devs
|
|
|
|
failed_devs = []
|
|
|
|
await asyncio.sleep(2.)
|
|
|
|
cur_time = event_loop.get_loop_time()
|
|
|
|
if failed_devs:
|
|
|
|
failed_names = [d.get_name() for d in failed_devs]
|
|
|
|
self.server.add_warning(
|
|
|
|
"The following power devices failed init:"
|
|
|
|
f" {failed_names}")
|
2020-07-27 21:08:48 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _handle_klippy_shutdown(self) -> None:
|
2021-01-03 03:38:24 +03:00
|
|
|
for name, dev in self.devices.items():
|
2021-05-15 13:53:34 +03:00
|
|
|
if dev.has_off_when_shutdown():
|
|
|
|
logging.info(
|
|
|
|
f"Powering off device [{name}] due to"
|
|
|
|
" klippy shutdown")
|
|
|
|
await self._process_request(dev, "off")
|
|
|
|
|
|
|
|
async def _handle_list_devices(self,
|
|
|
|
web_request: WebRequest
|
|
|
|
) -> Dict[str, Any]:
|
2020-11-16 16:27:09 +03:00
|
|
|
dev_list = [d.get_device_info() for d in self.devices.values()]
|
|
|
|
output = {"devices": dev_list}
|
2020-07-27 21:08:48 +03:00
|
|
|
return output
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _handle_single_power_request(self,
|
|
|
|
web_request: WebRequest
|
|
|
|
) -> Dict[str, Any]:
|
|
|
|
dev_name: str = web_request.get_str('device')
|
2021-05-10 03:01:35 +03:00
|
|
|
req_action = web_request.get_action()
|
|
|
|
if dev_name not in self.devices:
|
|
|
|
raise self.server.error(f"No valid device named {dev_name}")
|
|
|
|
dev = self.devices[dev_name]
|
|
|
|
if req_action == 'GET':
|
|
|
|
action = "status"
|
|
|
|
elif req_action == "POST":
|
|
|
|
action = web_request.get_str('action').lower()
|
|
|
|
if action not in ["on", "off", "toggle"]:
|
|
|
|
raise self.server.error(
|
|
|
|
f"Invalid requested action '{action}'")
|
|
|
|
result = await self._process_request(dev, action)
|
|
|
|
return {dev_name: result}
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _handle_batch_power_request(self,
|
|
|
|
web_request: WebRequest
|
|
|
|
) -> Dict[str, Any]:
|
2020-11-09 15:02:22 +03:00
|
|
|
args = web_request.get_args()
|
|
|
|
ep = web_request.get_endpoint()
|
2020-11-16 16:27:09 +03:00
|
|
|
if not args:
|
|
|
|
raise self.server.error("No arguments provided")
|
2021-04-22 15:47:40 +03:00
|
|
|
requested_devs = {k: self.devices.get(k, None) for k in args}
|
2020-07-27 21:08:48 +03:00
|
|
|
result = {}
|
2020-11-09 15:02:22 +03:00
|
|
|
req = ep.split("/")[-1]
|
2021-04-22 15:47:40 +03:00
|
|
|
for name, device in requested_devs.items():
|
2020-11-16 16:27:09 +03:00
|
|
|
if device is not None:
|
|
|
|
result[name] = await self._process_request(device, req)
|
2020-11-07 21:00:59 +03:00
|
|
|
else:
|
2020-11-16 16:27:09 +03:00
|
|
|
result[name] = "device_not_found"
|
2020-07-27 21:08:48 +03:00
|
|
|
return result
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _process_request(self,
|
|
|
|
device: PowerDevice,
|
|
|
|
req: str
|
|
|
|
) -> str:
|
2021-05-10 02:36:31 +03:00
|
|
|
ret = device.refresh_status()
|
2021-05-15 13:53:34 +03:00
|
|
|
if ret is not None:
|
2021-05-10 02:36:31 +03:00
|
|
|
await ret
|
|
|
|
dev_info = device.get_device_info()
|
2021-05-10 03:01:35 +03:00
|
|
|
if req == "toggle":
|
|
|
|
req = "on" if dev_info['status'] == "off" else "off"
|
2020-11-01 19:44:54 +03:00
|
|
|
if req in ["on", "off"]:
|
2021-05-15 13:53:34 +03:00
|
|
|
cur_state: str = dev_info['status']
|
2021-01-27 14:31:29 +03:00
|
|
|
if req == cur_state:
|
|
|
|
# device is already in requested state, do nothing
|
|
|
|
return cur_state
|
2021-01-22 04:40:09 +03:00
|
|
|
printing = await self._check_klippy_printing()
|
|
|
|
if device.get_locked_while_printing() and printing:
|
2021-01-22 19:20:36 +03:00
|
|
|
raise self.server.error(
|
|
|
|
f"Unable to change power for {device.get_name()} "
|
|
|
|
"while printing")
|
2020-11-16 16:27:09 +03:00
|
|
|
ret = device.set_power(req)
|
2021-05-15 13:53:34 +03:00
|
|
|
if ret is not None:
|
2020-11-15 19:08:25 +03:00
|
|
|
await ret
|
2020-11-16 16:27:09 +03:00
|
|
|
dev_info = device.get_device_info()
|
2021-02-17 16:16:49 +03:00
|
|
|
self.server.send_event("power:power_changed", dev_info)
|
2021-01-27 14:31:29 +03:00
|
|
|
device.run_power_changed_action()
|
2021-05-10 02:36:31 +03:00
|
|
|
elif req != "status":
|
2020-11-16 16:27:09 +03:00
|
|
|
raise self.server.error(f"Unsupported power request: {req}")
|
|
|
|
return dev_info['status']
|
2020-10-20 05:22:39 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def set_device_power(self, device: str, state: str) -> None:
|
|
|
|
status: Optional[str] = None
|
2020-11-01 19:44:54 +03:00
|
|
|
if isinstance(state, bool):
|
|
|
|
status = "on" if state else "off"
|
|
|
|
elif isinstance(state, str):
|
|
|
|
status = state.lower()
|
|
|
|
if status in ["true", "false"]:
|
|
|
|
status = "on" if status == "true" else "off"
|
|
|
|
if status not in ["on", "off"]:
|
|
|
|
logging.info(f"Invalid state received: {state}")
|
|
|
|
return
|
2020-11-16 16:27:09 +03:00
|
|
|
if device not in self.devices:
|
|
|
|
logging.info(f"No device found: {device}")
|
|
|
|
return
|
2021-07-10 18:20:05 +03:00
|
|
|
event_loop = self.server.get_event_loop()
|
|
|
|
event_loop.register_callback(
|
2020-11-16 16:27:09 +03:00
|
|
|
self._process_request, self.devices[device], status)
|
2020-11-01 19:44:54 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def add_device(self, name: str, device: PowerDevice) -> None:
|
2020-11-14 16:24:54 +03:00
|
|
|
if name in self.devices:
|
|
|
|
raise self.server.error(
|
|
|
|
f"Device [{name}] already configured")
|
2020-11-15 19:08:25 +03:00
|
|
|
ret = device.initialize()
|
2021-05-15 13:53:34 +03:00
|
|
|
if ret is not None:
|
2020-11-15 19:08:25 +03:00
|
|
|
await ret
|
2020-11-14 16:24:54 +03:00
|
|
|
self.devices[name] = device
|
2020-11-07 21:00:59 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def close(self) -> None:
|
2020-11-15 19:08:25 +03:00
|
|
|
for device in self.devices.values():
|
2021-05-15 13:53:34 +03:00
|
|
|
ret = device.close()
|
|
|
|
if ret is not None:
|
|
|
|
await ret
|
2020-11-15 19:08:25 +03:00
|
|
|
self.chip_factory.close()
|
2020-11-07 21:00:59 +03:00
|
|
|
|
2020-07-27 21:08:48 +03:00
|
|
|
|
2021-01-22 04:40:09 +03:00
|
|
|
class PowerDevice:
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self, config: ConfigHelper) -> None:
|
2021-01-22 04:40:09 +03:00
|
|
|
name_parts = config.get_name().split(maxsplit=1)
|
|
|
|
if len(name_parts) != 2:
|
|
|
|
raise config.error(f"Invalid Section Name: {config.get_name()}")
|
2021-01-27 14:31:29 +03:00
|
|
|
self.server = config.get_server()
|
2021-01-22 04:40:09 +03:00
|
|
|
self.name = name_parts[1]
|
2021-05-15 13:53:34 +03:00
|
|
|
self.type: str = config.get('type')
|
|
|
|
self.state: str = "init"
|
2021-01-22 19:20:36 +03:00
|
|
|
self.locked_while_printing = config.getboolean(
|
|
|
|
'locked_while_printing', False)
|
2021-01-22 04:40:09 +03:00
|
|
|
self.off_when_shutdown = config.getboolean('off_when_shutdown', False)
|
2021-01-27 14:31:29 +03:00
|
|
|
self.restart_delay = 1.
|
|
|
|
self.klipper_restart = config.getboolean(
|
2021-01-28 15:36:21 +03:00
|
|
|
'restart_klipper_when_powered', False)
|
2021-01-27 14:31:29 +03:00
|
|
|
if self.klipper_restart:
|
|
|
|
self.restart_delay = config.getfloat('restart_delay', 1.)
|
|
|
|
if self.restart_delay < .000001:
|
|
|
|
raise config.error("Option 'restart_delay' must be above 0.0")
|
2021-01-22 04:40:09 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def get_name(self) -> str:
|
2021-01-22 04:40:09 +03:00
|
|
|
return self.name
|
|
|
|
|
2021-07-18 19:28:40 +03:00
|
|
|
def get_state(self) -> str:
|
|
|
|
return self.state
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def get_device_info(self) -> Dict[str, Any]:
|
2021-01-22 04:40:09 +03:00
|
|
|
return {
|
|
|
|
'device': self.name,
|
2021-01-22 04:43:34 +03:00
|
|
|
'status': self.state,
|
2021-05-10 14:22:57 +03:00
|
|
|
'locked_while_printing': self.locked_while_printing,
|
|
|
|
'type': self.type
|
2021-01-22 04:40:09 +03:00
|
|
|
}
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def get_locked_while_printing(self) -> bool:
|
2021-01-22 04:40:09 +03:00
|
|
|
return self.locked_while_printing
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def run_power_changed_action(self) -> None:
|
2021-01-27 14:31:29 +03:00
|
|
|
if self.state == "on" and self.klipper_restart:
|
2021-07-10 18:20:05 +03:00
|
|
|
event_loop = self.server.get_event_loop()
|
2021-05-15 13:53:34 +03:00
|
|
|
kapis: APIComp = self.server.lookup_component("klippy_apis")
|
2021-07-10 18:20:05 +03:00
|
|
|
event_loop.delay_callback(
|
|
|
|
self.restart_delay, kapis.do_restart,
|
2021-05-15 13:53:34 +03:00
|
|
|
"FIRMWARE_RESTART")
|
|
|
|
|
|
|
|
def has_off_when_shutdown(self) -> bool:
|
|
|
|
return self.off_when_shutdown
|
|
|
|
|
|
|
|
def initialize(self) -> Optional[Coroutine]:
|
|
|
|
raise NotImplementedError
|
|
|
|
|
|
|
|
def refresh_status(self) -> Optional[Coroutine]:
|
|
|
|
raise NotImplementedError
|
|
|
|
|
|
|
|
def set_power(self, state: str) -> Optional[Coroutine]:
|
|
|
|
raise NotImplementedError
|
|
|
|
|
|
|
|
def close(self) -> Optional[Coroutine]:
|
|
|
|
pass
|
2021-01-27 14:31:29 +03:00
|
|
|
|
2021-05-10 14:22:57 +03:00
|
|
|
class HTTPDevice(PowerDevice):
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self,
|
|
|
|
config: ConfigHelper,
|
|
|
|
default_port: int = -1,
|
|
|
|
default_user: str = "",
|
2021-05-29 17:08:24 +03:00
|
|
|
default_password: str = "",
|
|
|
|
default_protocol: str = "http"
|
2021-05-15 13:53:34 +03:00
|
|
|
) -> None:
|
2021-05-10 14:22:57 +03:00
|
|
|
super().__init__(config)
|
|
|
|
self.client = AsyncHTTPClient()
|
2021-07-10 18:20:05 +03:00
|
|
|
self.request_mutex = asyncio.Lock()
|
2021-05-15 13:53:34 +03:00
|
|
|
self.addr: str = config.get("address")
|
2021-05-10 14:22:57 +03:00
|
|
|
self.port = config.getint("port", default_port)
|
|
|
|
self.user = config.get("user", default_user)
|
|
|
|
self.password = config.get("password", default_password)
|
2021-05-29 17:08:24 +03:00
|
|
|
self.protocol = config.get("protocol", default_protocol)
|
2021-05-10 14:22:57 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def initialize(self) -> None:
|
2021-05-10 14:22:57 +03:00
|
|
|
await self.refresh_status()
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_http_command(self,
|
|
|
|
url: str,
|
|
|
|
command: str
|
|
|
|
) -> Dict[str, Any]:
|
2021-05-10 14:22:57 +03:00
|
|
|
try:
|
|
|
|
response = await self.client.fetch(url)
|
|
|
|
data = json_decode(response.body)
|
|
|
|
except Exception:
|
|
|
|
msg = f"Error sending '{self.type}' command: {command}"
|
|
|
|
logging.exception(msg)
|
|
|
|
raise self.server.error(msg)
|
|
|
|
return data
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_power_request(self, state: str) -> str:
|
2021-05-10 14:22:57 +03:00
|
|
|
raise NotImplementedError(
|
|
|
|
"_send_power_request must be implemented by children")
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_status_request(self) -> str:
|
2021-05-10 14:22:57 +03:00
|
|
|
raise NotImplementedError(
|
|
|
|
"_send_status_request must be implemented by children")
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def refresh_status(self) -> None:
|
2021-05-10 14:25:56 +03:00
|
|
|
async with self.request_mutex:
|
|
|
|
try:
|
|
|
|
state = await self._send_status_request()
|
|
|
|
except Exception:
|
|
|
|
self.state = "error"
|
|
|
|
msg = f"Error Refeshing Device Status: {self.name}"
|
|
|
|
logging.exception(msg)
|
|
|
|
raise self.server.error(msg) from None
|
|
|
|
self.state = state
|
2021-05-10 14:22:57 +03:00
|
|
|
|
|
|
|
async def set_power(self, state):
|
2021-05-10 14:25:56 +03:00
|
|
|
async with self.request_mutex:
|
|
|
|
try:
|
|
|
|
state = await self._send_power_request(state)
|
|
|
|
except Exception:
|
|
|
|
self.state = "error"
|
|
|
|
msg = f"Error Setting Device Status: {self.name} to {state}"
|
|
|
|
logging.exception(msg)
|
|
|
|
raise self.server.error(msg) from None
|
|
|
|
self.state = state
|
2021-05-10 14:22:57 +03:00
|
|
|
|
|
|
|
|
2020-11-15 19:08:25 +03:00
|
|
|
class GpioChipFactory:
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self) -> None:
|
|
|
|
self.chips: Dict[str, gpiod.Chip] = {}
|
2020-07-27 21:08:48 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def get_gpio_chip(self, chip_name) -> gpiod.Chip:
|
2020-11-15 19:08:25 +03:00
|
|
|
if chip_name in self.chips:
|
|
|
|
return self.chips[chip_name]
|
|
|
|
chip = gpiod.Chip(chip_name, gpiod.Chip.OPEN_BY_NAME)
|
|
|
|
self.chips[chip_name] = chip
|
|
|
|
return chip
|
2020-07-27 21:08:48 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def close(self) -> None:
|
2020-11-15 19:08:25 +03:00
|
|
|
for chip in self.chips.values():
|
|
|
|
chip.close()
|
2020-07-27 21:08:48 +03:00
|
|
|
|
2021-01-22 04:40:09 +03:00
|
|
|
class GpioDevice(PowerDevice):
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self, config: ConfigHelper):
|
2021-01-22 04:40:09 +03:00
|
|
|
super().__init__(config)
|
2021-05-15 13:53:34 +03:00
|
|
|
self.initial_state = config.getboolean('initial_state', False)
|
2021-10-14 02:10:45 +03:00
|
|
|
self.timer: Optional[float] = config.getfloat('timer', None)
|
|
|
|
if self.timer is not None and self.timer < 0.000001:
|
|
|
|
raise config.error(
|
|
|
|
f"Option 'timer' in section [{config.get_name()}] must "
|
|
|
|
"be above 0.0")
|
|
|
|
self.timer_handle: Optional[asyncio.TimerHandle] = None
|
2021-05-15 13:53:34 +03:00
|
|
|
|
|
|
|
def configure_line(self,
|
|
|
|
config: ConfigHelper,
|
|
|
|
chip_factory: GpioChipFactory
|
|
|
|
) -> None:
|
2020-11-15 19:08:25 +03:00
|
|
|
pin, chip_id, invert = self._parse_pin(config)
|
|
|
|
try:
|
|
|
|
chip = chip_factory.get_gpio_chip(chip_id)
|
|
|
|
self.line = chip.get_line(pin)
|
|
|
|
if invert:
|
|
|
|
self.line.request(
|
|
|
|
consumer="moonraker", type=gpiod.LINE_REQ_DIR_OUT,
|
|
|
|
flags=gpiod.LINE_REQ_FLAG_ACTIVE_LOW)
|
|
|
|
else:
|
|
|
|
self.line.request(
|
|
|
|
consumer="moonraker", type=gpiod.LINE_REQ_DIR_OUT)
|
|
|
|
except Exception:
|
|
|
|
self.state = "error"
|
|
|
|
logging.exception(
|
|
|
|
f"Unable to init {pin}. Make sure the gpio is not in "
|
|
|
|
"use by another program or exported by sysfs.")
|
|
|
|
raise config.error("Power GPIO Config Error")
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
|
|
|
|
def _parse_pin(self, config: ConfigHelper) -> Tuple[int, str, bool]:
|
2020-11-15 19:08:25 +03:00
|
|
|
pin = cfg_pin = config.get("pin")
|
|
|
|
invert = False
|
2020-11-14 16:24:54 +03:00
|
|
|
if pin[0] == "!":
|
|
|
|
pin = pin[1:]
|
2020-11-15 19:08:25 +03:00
|
|
|
invert = True
|
2021-05-15 13:53:34 +03:00
|
|
|
chip_id: str = "gpiochip0"
|
2020-11-14 16:24:54 +03:00
|
|
|
pin_parts = pin.split("/")
|
|
|
|
if len(pin_parts) == 2:
|
2020-11-15 19:08:25 +03:00
|
|
|
chip_id, pin = pin_parts
|
2020-11-14 16:24:54 +03:00
|
|
|
elif len(pin_parts) == 1:
|
2020-11-15 19:08:25 +03:00
|
|
|
pin = pin_parts[0]
|
2020-11-14 16:24:54 +03:00
|
|
|
# Verify pin
|
2020-11-15 19:08:25 +03:00
|
|
|
if not chip_id.startswith("gpiochip") or \
|
|
|
|
not chip_id[-1].isdigit() or \
|
|
|
|
not pin.startswith("gpio") or \
|
|
|
|
not pin[4:].isdigit():
|
2020-11-14 16:24:54 +03:00
|
|
|
raise config.error(
|
|
|
|
f"Invalid Power Pin configuration: {cfg_pin}")
|
2021-05-15 13:53:34 +03:00
|
|
|
pin_id = int(pin[4:])
|
|
|
|
return pin_id, chip_id, invert
|
2020-11-07 21:00:59 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def initialize(self) -> None:
|
2021-01-06 22:39:33 +03:00
|
|
|
self.set_power("on" if self.initial_state else "off")
|
2020-11-07 21:00:59 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def refresh_status(self) -> None:
|
2021-05-17 23:53:28 +03:00
|
|
|
pass
|
2020-11-15 19:08:25 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def set_power(self, state) -> None:
|
2021-10-14 02:10:45 +03:00
|
|
|
if self.timer_handle is not None:
|
|
|
|
self.timer_handle.cancel()
|
|
|
|
self.timer_handle = None
|
2020-11-15 19:08:25 +03:00
|
|
|
try:
|
|
|
|
self.line.set_value(int(state == "on"))
|
|
|
|
except Exception:
|
|
|
|
self.state = "error"
|
|
|
|
msg = f"Error Toggling Device Power: {self.name}"
|
|
|
|
logging.exception(msg)
|
|
|
|
raise self.server.error(msg) from None
|
|
|
|
self.state = state
|
2021-10-14 02:10:45 +03:00
|
|
|
if self.state == "on" and self.timer is not None:
|
|
|
|
event_loop = self.server.get_event_loop()
|
|
|
|
power: PrinterPower = self.server.lookup_component("power")
|
|
|
|
self.timer_handle = event_loop.delay_callback(
|
|
|
|
self.timer, power.set_device_power, self.name, "off")
|
2020-11-15 19:08:25 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def close(self) -> None:
|
2020-11-15 19:08:25 +03:00
|
|
|
self.line.release()
|
2021-10-14 02:10:45 +03:00
|
|
|
if self.timer_handle is not None:
|
|
|
|
self.timer_handle.cancel()
|
|
|
|
self.timer_handle = None
|
2020-11-07 21:00:59 +03:00
|
|
|
|
2021-10-01 09:45:15 +03:00
|
|
|
class RFDevice(GpioDevice):
|
|
|
|
|
|
|
|
# Protocol definition
|
|
|
|
# [1, 3] means HIGH is set for 1x pulse_len and LOW for 3x pulse_len
|
|
|
|
ZERO_BIT = [1, 3] # zero bit
|
|
|
|
ONE_BIT = [3, 1] # one bit
|
|
|
|
SYNC_BIT = [1, 31] # sync between
|
|
|
|
PULSE_LEN = 0.00035 # length of a single pulse
|
|
|
|
RETRIES = 10 # send the code this many times
|
|
|
|
|
|
|
|
def __init__(self, config: ConfigHelper):
|
|
|
|
super().__init__(config)
|
|
|
|
self.on = config.get("on_code").zfill(24)
|
|
|
|
self.off = config.get("off_code").zfill(24)
|
|
|
|
|
|
|
|
def initialize(self) -> None:
|
|
|
|
self.set_power("on" if self.initial_state else "off")
|
|
|
|
|
|
|
|
def _transmit_digit(self, waveform) -> None:
|
|
|
|
self.line.set_value(1)
|
|
|
|
time.sleep(waveform[0]*RFDevice.PULSE_LEN)
|
|
|
|
self.line.set_value(0)
|
|
|
|
time.sleep(waveform[1]*RFDevice.PULSE_LEN)
|
|
|
|
|
|
|
|
def _transmit_code(self, code) -> None:
|
|
|
|
for _ in range(RFDevice.RETRIES):
|
|
|
|
for i in code:
|
|
|
|
if i == "1":
|
|
|
|
self._transmit_digit(RFDevice.ONE_BIT)
|
|
|
|
elif i == "0":
|
|
|
|
self._transmit_digit(RFDevice.ZERO_BIT)
|
|
|
|
self._transmit_digit(RFDevice.SYNC_BIT)
|
|
|
|
|
|
|
|
def set_power(self, state) -> None:
|
|
|
|
try:
|
|
|
|
if state == "on":
|
|
|
|
code = self.on
|
|
|
|
else:
|
|
|
|
code = self.off
|
|
|
|
self._transmit_code(code)
|
|
|
|
except Exception:
|
|
|
|
self.state = "error"
|
|
|
|
msg = f"Error Toggling Device Power: {self.name}"
|
|
|
|
logging.exception(msg)
|
|
|
|
raise self.server.error(msg) from None
|
|
|
|
self.state = state
|
|
|
|
|
2020-11-16 20:36:28 +03:00
|
|
|
|
|
|
|
# This implementation based off the work tplink_smartplug
|
|
|
|
# script by Lubomir Stroetmann available at:
|
|
|
|
#
|
|
|
|
# https://github.com/softScheck/tplink-smartplug
|
|
|
|
#
|
|
|
|
# Copyright 2016 softScheck GmbH
|
2021-01-22 04:40:09 +03:00
|
|
|
class TPLinkSmartPlug(PowerDevice):
|
2020-11-16 20:36:28 +03:00
|
|
|
START_KEY = 0xAB
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self, config: ConfigHelper) -> None:
|
2021-01-22 04:40:09 +03:00
|
|
|
super().__init__(config)
|
2021-10-12 13:35:32 +03:00
|
|
|
self.timer = config.get("timer", "")
|
2021-07-10 18:20:05 +03:00
|
|
|
self.request_mutex = asyncio.Lock()
|
2021-05-15 13:53:34 +03:00
|
|
|
self.addr: List[str] = config.get("address").split('/')
|
2020-11-16 20:36:28 +03:00
|
|
|
self.port = config.getint("port", 9999)
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_tplink_command(self,
|
|
|
|
command: str
|
|
|
|
) -> Dict[str, Any]:
|
|
|
|
out_cmd: Dict[str, Any] = {}
|
2020-11-16 20:36:28 +03:00
|
|
|
if command in ["on", "off"]:
|
2021-03-27 21:53:28 +03:00
|
|
|
out_cmd = {
|
|
|
|
'system': {'set_relay_state': {'state': int(command == "on")}}
|
|
|
|
}
|
2021-04-01 03:32:57 +03:00
|
|
|
# TPLink device controls multiple devices
|
|
|
|
if len(self.addr) == 2:
|
|
|
|
sysinfo = await self._send_tplink_command("info")
|
|
|
|
dev_id = sysinfo["system"]["get_sysinfo"]["deviceId"]
|
|
|
|
out_cmd["context"] = {
|
|
|
|
'child_ids': [f"{dev_id}{int(self.addr[1]):02}"]
|
|
|
|
}
|
2020-11-16 20:36:28 +03:00
|
|
|
elif command == "info":
|
|
|
|
out_cmd = {'system': {'get_sysinfo': {}}}
|
2021-10-12 13:35:32 +03:00
|
|
|
elif command == "clear_rules":
|
|
|
|
out_cmd = {'count_down': {'delete_all_rules': None}}
|
|
|
|
elif command == "count_off":
|
|
|
|
out_cmd = {
|
|
|
|
'count_down': {'add_rule':
|
|
|
|
{'enable': 1, 'delay': int(self.timer),
|
|
|
|
'act': 0, 'name': 'turn off'}}
|
|
|
|
}
|
2020-11-16 20:36:28 +03:00
|
|
|
else:
|
|
|
|
raise self.server.error(f"Invalid tplink command: {command}")
|
|
|
|
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
|
|
|
|
stream = IOStream(s)
|
|
|
|
try:
|
2021-03-27 21:53:28 +03:00
|
|
|
await stream.connect((self.addr[0], self.port))
|
2020-11-16 20:36:28 +03:00
|
|
|
await stream.write(self._encrypt(out_cmd))
|
|
|
|
data = await stream.read_bytes(2048, partial=True)
|
2021-05-15 13:53:34 +03:00
|
|
|
length: int = struct.unpack(">I", data[:4])[0]
|
2020-11-16 20:36:28 +03:00
|
|
|
data = data[4:]
|
|
|
|
retries = 5
|
|
|
|
remaining = length - len(data)
|
|
|
|
while remaining and retries:
|
|
|
|
data += await stream.read_bytes(remaining)
|
|
|
|
remaining = length - len(data)
|
|
|
|
retries -= 1
|
|
|
|
if not retries:
|
|
|
|
raise self.server.error("Unable to read tplink packet")
|
|
|
|
except Exception:
|
|
|
|
msg = f"Error sending tplink command: {command}"
|
|
|
|
logging.exception(msg)
|
|
|
|
raise self.server.error(msg)
|
|
|
|
finally:
|
|
|
|
stream.close()
|
|
|
|
return json.loads(self._decrypt(data))
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def _encrypt(self, outdata: Dict[str, Any]) -> bytes:
|
|
|
|
data = json.dumps(outdata)
|
2020-11-16 20:36:28 +03:00
|
|
|
key = self.START_KEY
|
|
|
|
res = struct.pack(">I", len(data))
|
|
|
|
for c in data:
|
|
|
|
val = key ^ ord(c)
|
|
|
|
key = val
|
|
|
|
res += bytes([val])
|
|
|
|
return res
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
def _decrypt(self, data: bytes) -> str:
|
|
|
|
key: int = self.START_KEY
|
|
|
|
res: str = ""
|
2020-11-16 20:36:28 +03:00
|
|
|
for c in data:
|
|
|
|
val = key ^ c
|
|
|
|
key = c
|
|
|
|
res += chr(val)
|
|
|
|
return res
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def initialize(self) -> None:
|
2020-11-16 20:36:28 +03:00
|
|
|
await self.refresh_status()
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def refresh_status(self) -> None:
|
2021-05-10 14:25:56 +03:00
|
|
|
async with self.request_mutex:
|
|
|
|
try:
|
2021-05-15 13:53:34 +03:00
|
|
|
state: str
|
2021-05-10 14:25:56 +03:00
|
|
|
res = await self._send_tplink_command("info")
|
|
|
|
if len(self.addr) == 2:
|
|
|
|
# TPLink device controls multiple devices
|
2021-05-15 13:53:34 +03:00
|
|
|
children: Dict[int, Any]
|
2021-05-10 14:25:56 +03:00
|
|
|
children = res['system']['get_sysinfo']['children']
|
|
|
|
state = children[int(self.addr[1])]['state']
|
|
|
|
else:
|
|
|
|
state = res['system']['get_sysinfo']['relay_state']
|
|
|
|
except Exception:
|
|
|
|
self.state = "error"
|
|
|
|
msg = f"Error Refeshing Device Status: {self.name}"
|
|
|
|
logging.exception(msg)
|
|
|
|
raise self.server.error(msg) from None
|
|
|
|
self.state = "on" if state else "off"
|
2020-11-16 20:36:28 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def set_power(self, state) -> None:
|
2021-05-10 14:25:56 +03:00
|
|
|
async with self.request_mutex:
|
2021-05-15 13:53:34 +03:00
|
|
|
err: int
|
2021-05-10 14:25:56 +03:00
|
|
|
try:
|
2021-10-12 13:35:32 +03:00
|
|
|
if self.timer != "" and state == "off":
|
|
|
|
await self._send_tplink_command("clear_rules")
|
|
|
|
res = await self._send_tplink_command("count_off")
|
|
|
|
err = res['count_down']['add_rule']['err_code']
|
|
|
|
else:
|
|
|
|
res = await self._send_tplink_command(state)
|
|
|
|
err = res['system']['set_relay_state']['err_code']
|
2021-05-10 14:25:56 +03:00
|
|
|
except Exception:
|
|
|
|
err = 1
|
|
|
|
logging.exception(f"Power Toggle Error: {self.name}")
|
|
|
|
if err:
|
|
|
|
self.state = "error"
|
|
|
|
raise self.server.error(
|
|
|
|
f"Error Toggling Device Power: {self.name}")
|
|
|
|
self.state = state
|
2020-11-16 20:36:28 +03:00
|
|
|
|
2020-11-21 00:44:16 +03:00
|
|
|
|
2021-05-10 14:22:57 +03:00
|
|
|
class Tasmota(HTTPDevice):
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self, config: ConfigHelper) -> None:
|
2021-05-10 14:22:57 +03:00
|
|
|
super().__init__(config, default_password="")
|
2020-11-21 00:44:16 +03:00
|
|
|
self.output_id = config.getint("output_id", 1)
|
2021-05-09 15:16:14 +03:00
|
|
|
self.timer = config.get("timer", "")
|
2020-11-21 00:44:16 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_tasmota_command(self,
|
|
|
|
command: str,
|
|
|
|
password: Optional[str] = None
|
|
|
|
) -> Dict[str, Any]:
|
2020-11-21 00:44:16 +03:00
|
|
|
if command in ["on", "off"]:
|
|
|
|
out_cmd = f"Power{self.output_id}%20{command}"
|
2021-04-07 00:58:51 +03:00
|
|
|
if self.timer != "" and command == "off":
|
|
|
|
out_cmd = f"Backlog%20Delay%20{self.timer}0%3B%20{out_cmd}"
|
2020-11-21 00:44:16 +03:00
|
|
|
elif command == "info":
|
2020-12-26 03:30:21 +03:00
|
|
|
out_cmd = f"Power{self.output_id}"
|
2020-11-21 00:44:16 +03:00
|
|
|
else:
|
|
|
|
raise self.server.error(f"Invalid tasmota command: {command}")
|
2020-12-26 03:30:21 +03:00
|
|
|
|
|
|
|
url = f"http://{self.addr}/cm?user=admin&password=" \
|
|
|
|
f"{self.password}&cmnd={out_cmd}"
|
2021-05-10 14:22:57 +03:00
|
|
|
return await self._send_http_command(url, command)
|
2020-11-21 00:44:16 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_status_request(self) -> str:
|
2021-05-10 14:22:57 +03:00
|
|
|
res = await self._send_tasmota_command("info")
|
2020-11-21 00:44:16 +03:00
|
|
|
try:
|
2021-05-15 13:53:34 +03:00
|
|
|
state: str = res[f"POWER{self.output_id}"].lower()
|
2021-05-10 14:22:57 +03:00
|
|
|
except KeyError as e:
|
|
|
|
if self.output_id == 1:
|
|
|
|
state = res[f"POWER"].lower()
|
|
|
|
else:
|
|
|
|
raise KeyError(e)
|
|
|
|
return state
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_power_request(self, state: str) -> str:
|
2021-05-10 14:22:57 +03:00
|
|
|
res = await self._send_tasmota_command(state)
|
|
|
|
if self.timer == "" or state != "off":
|
2021-05-09 15:16:14 +03:00
|
|
|
try:
|
2021-04-02 14:45:45 +03:00
|
|
|
state = res[f"POWER{self.output_id}"].lower()
|
|
|
|
except KeyError as e:
|
2021-05-09 15:16:14 +03:00
|
|
|
if self.output_id == 1:
|
2021-04-02 14:45:45 +03:00
|
|
|
state = res[f"POWER"].lower()
|
|
|
|
else:
|
|
|
|
raise KeyError(e)
|
2021-05-10 14:22:57 +03:00
|
|
|
return state
|
2020-11-21 00:44:16 +03:00
|
|
|
|
2021-02-07 13:02:09 +03:00
|
|
|
|
2021-05-10 14:22:57 +03:00
|
|
|
class Shelly(HTTPDevice):
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self, config: ConfigHelper) -> None:
|
2021-05-10 14:22:57 +03:00
|
|
|
super().__init__(config, default_user="admin", default_password="")
|
2021-02-07 13:02:09 +03:00
|
|
|
self.output_id = config.getint("output_id", 0)
|
2021-05-09 15:16:14 +03:00
|
|
|
self.timer = config.get("timer", "")
|
2021-02-07 13:02:09 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_shelly_command(self, command: str) -> Dict[str, Any]:
|
2021-04-22 15:47:40 +03:00
|
|
|
if command == "on":
|
|
|
|
out_cmd = f"relay/{self.output_id}?turn={command}"
|
|
|
|
elif command == "off":
|
2021-04-07 00:58:51 +03:00
|
|
|
if self.timer != "":
|
2021-04-22 15:47:40 +03:00
|
|
|
out_cmd = f"relay/{self.output_id}?turn=on&timer={self.timer}"
|
2021-04-07 00:58:51 +03:00
|
|
|
else:
|
|
|
|
out_cmd = f"relay/{self.output_id}?turn={command}"
|
2021-02-07 13:02:09 +03:00
|
|
|
elif command == "info":
|
|
|
|
out_cmd = f"relay/{self.output_id}"
|
|
|
|
else:
|
|
|
|
raise self.server.error(f"Invalid shelly command: {command}")
|
|
|
|
if self.password != "":
|
|
|
|
out_pwd = f"{self.user}:{self.password}@"
|
|
|
|
else:
|
|
|
|
out_pwd = f""
|
|
|
|
url = f"http://{out_pwd}{self.addr}/{out_cmd}"
|
2021-05-10 14:22:57 +03:00
|
|
|
return await self._send_http_command(url, command)
|
2021-02-07 13:02:09 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_status_request(self) -> str:
|
2021-05-10 14:22:57 +03:00
|
|
|
res = await self._send_shelly_command("info")
|
2021-05-15 13:53:34 +03:00
|
|
|
state: str = res[f"ison"]
|
2021-05-10 14:22:57 +03:00
|
|
|
timer_remaining = res[f"timer_remaining"] if self.timer != "" else 0
|
|
|
|
return "on" if state and timer_remaining == 0 else "off"
|
2021-02-07 13:02:09 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_power_request(self, state: str) -> str:
|
2021-05-10 14:22:57 +03:00
|
|
|
res = await self._send_shelly_command(state)
|
|
|
|
state = res[f"ison"]
|
|
|
|
timer_remaining = res[f"timer_remaining"] if self.timer != "" else 0
|
|
|
|
return "on" if state and timer_remaining == 0 else "off"
|
2021-02-07 13:02:09 +03:00
|
|
|
|
|
|
|
|
2021-05-10 14:22:57 +03:00
|
|
|
class HomeSeer(HTTPDevice):
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self, config: ConfigHelper) -> None:
|
2021-05-10 14:22:57 +03:00
|
|
|
super().__init__(config, default_user="admin", default_password="")
|
2021-03-12 02:54:16 +03:00
|
|
|
self.device = config.getint("device")
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_homeseer(self,
|
|
|
|
request: str,
|
|
|
|
additional: str = ""
|
|
|
|
) -> Dict[str, Any]:
|
2021-03-12 02:54:16 +03:00
|
|
|
url = (f"http://{self.user}:{self.password}@{self.addr}"
|
|
|
|
f"/JSON?user={self.user}&pass={self.password}"
|
|
|
|
f"&request={request}&ref={self.device}&{additional}")
|
2021-05-10 14:22:57 +03:00
|
|
|
return await self._send_http_command(url, request)
|
2021-03-12 02:54:16 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_status_request(self) -> str:
|
2021-05-10 14:22:57 +03:00
|
|
|
res = await self._send_homeseer("getstatus")
|
|
|
|
return res[f"Devices"][0]["status"].lower()
|
2021-03-12 02:54:16 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_power_request(self, state: str) -> str:
|
2021-05-10 14:22:57 +03:00
|
|
|
if state == "on":
|
|
|
|
state_hs = "On"
|
|
|
|
elif state == "off":
|
|
|
|
state_hs = "Off"
|
|
|
|
res = await self._send_homeseer("controldevicebylabel",
|
|
|
|
f"label={state_hs}")
|
|
|
|
return state
|
2021-03-12 02:54:16 +03:00
|
|
|
|
|
|
|
|
2021-05-10 14:22:57 +03:00
|
|
|
class HomeAssistant(HTTPDevice):
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self, config: ConfigHelper) -> None:
|
2021-05-10 14:22:57 +03:00
|
|
|
super().__init__(config, default_port=8123)
|
2021-05-15 13:53:34 +03:00
|
|
|
self.device: str = config.get("device")
|
|
|
|
self.token: str = config.get("token")
|
2021-06-13 21:37:01 +03:00
|
|
|
self.domain: str = config.get("domain", "switch")
|
2021-05-05 14:14:25 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_homeassistant_command(self,
|
|
|
|
command: str
|
|
|
|
) -> Dict[Union[str, int], Any]:
|
2021-05-05 14:14:25 +03:00
|
|
|
if command == "on":
|
2021-06-13 21:37:01 +03:00
|
|
|
out_cmd = f"api/services/{self.domain}/turn_on"
|
2021-05-05 14:14:25 +03:00
|
|
|
body = {"entity_id": self.device}
|
|
|
|
method = "POST"
|
|
|
|
elif command == "off":
|
2021-06-13 21:37:01 +03:00
|
|
|
out_cmd = f"api/services/{self.domain}/turn_off"
|
2021-05-05 14:14:25 +03:00
|
|
|
body = {"entity_id": self.device}
|
|
|
|
method = "POST"
|
|
|
|
elif command == "info":
|
|
|
|
out_cmd = f"api/states/{self.device}"
|
|
|
|
method = "GET"
|
|
|
|
else:
|
|
|
|
raise self.server.error(
|
|
|
|
f"Invalid homeassistant command: {command}")
|
2021-05-29 17:08:24 +03:00
|
|
|
url = f"{self.protocol}://{self.addr}:{self.port}/{out_cmd}"
|
2021-05-05 14:14:25 +03:00
|
|
|
headers = {
|
|
|
|
'Authorization': f'Bearer {self.token}',
|
|
|
|
'Content-Type': 'application/json'
|
|
|
|
}
|
|
|
|
try:
|
|
|
|
if (method == "POST"):
|
2021-05-10 14:22:57 +03:00
|
|
|
response = await self.client.fetch(
|
2021-05-05 14:14:25 +03:00
|
|
|
url, method="POST", body=json.dumps(body), headers=headers)
|
|
|
|
else:
|
2021-05-10 14:22:57 +03:00
|
|
|
response = await self.client.fetch(
|
2021-05-05 14:14:25 +03:00
|
|
|
url, method="GET", headers=headers)
|
2021-05-15 13:53:34 +03:00
|
|
|
data: Dict[Union[str, int], Any] = json_decode(response.body)
|
2021-05-05 14:14:25 +03:00
|
|
|
except Exception:
|
|
|
|
msg = f"Error sending homeassistant command: {command}"
|
|
|
|
logging.exception(msg)
|
|
|
|
raise self.server.error(msg)
|
|
|
|
return data
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_status_request(self) -> str:
|
2021-05-10 14:22:57 +03:00
|
|
|
res = await self._send_homeassistant_command("info")
|
|
|
|
return res[f"state"]
|
2021-05-05 14:14:25 +03:00
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_power_request(self, state: str) -> str:
|
2021-05-29 17:36:23 +03:00
|
|
|
await self._send_homeassistant_command(state)
|
|
|
|
res = await self._send_status_request()
|
|
|
|
return res
|
2021-05-05 14:14:25 +03:00
|
|
|
|
2021-05-10 14:41:33 +03:00
|
|
|
class Loxonev1(HTTPDevice):
|
2021-05-15 13:53:34 +03:00
|
|
|
def __init__(self, config: ConfigHelper) -> None:
|
2021-05-10 14:41:33 +03:00
|
|
|
super().__init__(config, default_user="admin",
|
|
|
|
default_password="admin")
|
|
|
|
self.output_id = config.get("output_id", "")
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_loxonev1_command(self, command: str) -> Dict[str, Any]:
|
2021-05-10 14:41:33 +03:00
|
|
|
if command in ["on", "off"]:
|
|
|
|
out_cmd = f"jdev/sps/io/{self.output_id}/{command}"
|
|
|
|
elif command == "info":
|
|
|
|
out_cmd = f"jdev/sps/io/{self.output_id}"
|
|
|
|
else:
|
|
|
|
raise self.server.error(f"Invalid loxonev1 command: {command}")
|
|
|
|
if self.password != "":
|
|
|
|
out_pwd = f"{self.user}:{self.password}@"
|
|
|
|
else:
|
|
|
|
out_pwd = f""
|
|
|
|
url = f"http://{out_pwd}{self.addr}/{out_cmd}"
|
|
|
|
return await self._send_http_command(url, command)
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_status_request(self) -> str:
|
2021-05-10 14:41:33 +03:00
|
|
|
res = await self._send_loxonev1_command("info")
|
|
|
|
state = res[f"LL"][f"value"]
|
|
|
|
return "on" if int(state) == 1 else "off"
|
|
|
|
|
2021-05-15 13:53:34 +03:00
|
|
|
async def _send_power_request(self, state: str) -> str:
|
2021-05-10 14:41:33 +03:00
|
|
|
res = await self._send_loxonev1_command(state)
|
|
|
|
state = res[f"LL"][f"value"]
|
|
|
|
return "on" if int(state) == 1 else "off"
|
|
|
|
|
2021-05-05 14:14:25 +03:00
|
|
|
|
2021-03-18 15:23:40 +03:00
|
|
|
# The power component has multiple configuration sections
|
2021-05-15 13:53:34 +03:00
|
|
|
def load_component_multi(config: ConfigHelper) -> PrinterPower:
|
2020-08-06 04:06:52 +03:00
|
|
|
return PrinterPower(config)
|