pyh0n/pyhon/connection/api.py

322 lines
12 KiB
Python
Raw Normal View History

2023-02-13 06:11:38 +05:30
import json
import logging
from datetime import datetime
2023-06-25 20:59:04 +05:30
from pathlib import Path
2023-06-09 05:39:20 +05:30
from pprint import pformat
2023-06-28 22:32:11 +05:30
from types import TracebackType
from typing import Dict, Optional, Any, List, no_type_check, Type
2023-02-13 06:11:38 +05:30
2023-04-14 02:55:49 +05:30
from aiohttp import ClientSession
2023-04-16 02:32:37 +05:30
from typing_extensions import Self
2023-04-14 02:55:49 +05:30
from pyhon import const, exceptions
2023-04-09 21:43:50 +05:30
from pyhon.appliance import HonAppliance
2023-04-14 02:55:49 +05:30
from pyhon.connection.auth import HonAuth
2023-04-15 17:52:04 +05:30
from pyhon.connection.handler.anonym import HonAnonymousConnectionHandler
2023-04-16 02:32:37 +05:30
from pyhon.connection.handler.hon import HonConnectionHandler
2023-02-13 06:11:38 +05:30
2023-04-23 23:44:52 +05:30
_LOGGER = logging.getLogger(__name__)
2023-02-13 06:11:38 +05:30
2023-04-09 21:43:50 +05:30
class HonAPI:
2023-04-14 02:55:49 +05:30
def __init__(
self,
email: str = "",
password: str = "",
anonymous: bool = False,
session: Optional[ClientSession] = None,
) -> None:
2023-02-13 06:11:38 +05:30
super().__init__()
2023-04-14 02:55:49 +05:30
self._email: str = email
self._password: str = password
self._anonymous: bool = anonymous
self._hon_handler: Optional[HonConnectionHandler] = None
self._hon_anonymous_handler: Optional[HonAnonymousConnectionHandler] = None
self._session: Optional[ClientSession] = session
async def __aenter__(self) -> Self:
2023-04-10 00:20:28 +05:30
return await self.create()
2023-02-13 06:11:38 +05:30
2023-06-28 22:32:11 +05:30
async def __aexit__(
self,
exc_type: Optional[Type[BaseException]],
exc: Optional[BaseException],
traceback: Optional[TracebackType],
) -> None:
2023-04-10 10:04:19 +05:30
await self.close()
2023-02-13 06:11:38 +05:30
2023-04-14 02:55:49 +05:30
@property
def auth(self) -> HonAuth:
if self._hon is None or self._hon.auth is None:
raise exceptions.NoAuthenticationException
return self._hon.auth
@property
2023-06-28 22:32:11 +05:30
def _hon(self) -> HonConnectionHandler:
2023-04-14 02:55:49 +05:30
if self._hon_handler is None:
raise exceptions.NoAuthenticationException
return self._hon_handler
@property
2023-06-28 22:32:11 +05:30
def _hon_anonymous(self) -> HonAnonymousConnectionHandler:
2023-04-14 02:55:49 +05:30
if self._hon_anonymous_handler is None:
raise exceptions.NoAuthenticationException
return self._hon_anonymous_handler
async def create(self) -> Self:
self._hon_anonymous_handler = await HonAnonymousConnectionHandler(
2023-04-10 10:04:19 +05:30
self._session
).create()
2023-04-10 03:17:33 +05:30
if not self._anonymous:
2023-04-14 02:55:49 +05:30
self._hon_handler = await HonConnectionHandler(
2023-04-10 10:04:19 +05:30
self._email, self._password, self._session
).create()
2023-04-10 00:20:28 +05:30
return self
2023-02-13 06:11:38 +05:30
2023-06-25 20:59:04 +05:30
async def load_appliances(self) -> List[Dict[str, Any]]:
2023-04-09 21:43:50 +05:30
async with self._hon.get(f"{const.API_URL}/commands/v1/appliance") as resp:
2023-07-01 18:29:09 +05:30
result = await resp.json()
if result:
appliances: List[Dict[str, Any]] = result.get("payload", {}).get(
"appliances", {}
)
return appliances
2023-06-25 20:59:04 +05:30
return []
2023-04-10 00:20:28 +05:30
2023-06-25 20:59:04 +05:30
async def load_commands(self, appliance: HonAppliance) -> Dict[str, Any]:
2023-06-28 22:32:11 +05:30
params: Dict[str, str | int] = {
2023-04-10 00:20:28 +05:30
"applianceType": appliance.appliance_type,
"applianceModelId": appliance.appliance_model_id,
"macAddress": appliance.mac_address,
2023-02-13 06:11:38 +05:30
"os": const.OS,
"appVersion": const.APP_VERSION,
2023-05-20 16:54:24 +05:30
"code": appliance.code,
2023-02-13 06:11:38 +05:30
}
2023-04-23 18:10:39 +05:30
if firmware_id := appliance.info.get("eepromId"):
params["firmwareId"] = firmware_id
2023-04-23 22:58:56 +05:30
if firmware_version := appliance.info.get("fwVersion"):
params["fwVersion"] = firmware_version
2023-05-20 16:54:24 +05:30
if series := appliance.info.get("series"):
params["series"] = series
2023-04-14 02:55:49 +05:30
url: str = f"{const.API_URL}/commands/v1/retrieve"
2023-04-09 21:43:50 +05:30
async with self._hon.get(url, params=params) as response:
2023-06-28 22:32:11 +05:30
result: Dict[str, Any] = (await response.json()).get("payload", {})
2023-02-13 06:11:38 +05:30
if not result or result.pop("resultCode") != "0":
2023-05-20 16:54:24 +05:30
_LOGGER.error(await response.json())
2023-02-13 06:11:38 +05:30
return {}
return result
2023-06-25 20:59:04 +05:30
async def load_command_history(
self, appliance: HonAppliance
) -> List[Dict[str, Any]]:
2023-04-14 02:55:49 +05:30
url: str = (
f"{const.API_URL}/commands/v1/appliance/{appliance.mac_address}/history"
)
2023-04-09 21:43:50 +05:30
async with self._hon.get(url) as response:
2023-06-28 22:32:11 +05:30
result: Dict[str, Any] = await response.json()
2023-07-01 18:29:09 +05:30
if not result or not result.get("payload"):
return []
command_history: List[Dict[str, Any]] = result["payload"]["history"]
return command_history
2023-03-11 07:01:56 +05:30
2023-06-25 20:59:04 +05:30
async def load_favourites(self, appliance: HonAppliance) -> List[Dict[str, Any]]:
2023-05-15 02:34:36 +05:30
url: str = (
f"{const.API_URL}/commands/v1/appliance/{appliance.mac_address}/favourite"
)
async with self._hon.get(url) as response:
2023-06-28 22:32:11 +05:30
result: Dict[str, Any] = await response.json()
2023-07-01 18:29:09 +05:30
if not result or not result.get("payload"):
return []
favourites: List[Dict[str, Any]] = result["payload"]["favourites"]
return favourites
2023-05-15 02:34:36 +05:30
2023-06-25 20:59:04 +05:30
async def load_last_activity(self, appliance: HonAppliance) -> Dict[str, Any]:
2023-04-14 02:55:49 +05:30
url: str = f"{const.API_URL}/commands/v1/retrieve-last-activity"
2023-06-28 22:32:11 +05:30
params: Dict[str, str] = {"macAddress": appliance.mac_address}
2023-04-09 21:43:50 +05:30
async with self._hon.get(url, params=params) as response:
2023-06-28 22:32:11 +05:30
result: Dict[str, Any] = await response.json()
2023-07-01 18:29:09 +05:30
if result:
activity: Dict[str, Any] = result.get("attributes", "")
if activity:
return activity
2023-03-19 05:38:54 +05:30
return {}
2023-06-25 20:59:04 +05:30
async def load_appliance_data(self, appliance: HonAppliance) -> Dict[str, Any]:
2023-05-06 19:37:28 +05:30
url: str = f"{const.API_URL}/commands/v1/appliance-model"
2023-06-28 22:32:11 +05:30
params: Dict[str, str] = {
2023-06-25 20:59:04 +05:30
"code": appliance.code,
2023-05-06 19:37:28 +05:30
"macAddress": appliance.mac_address,
}
async with self._hon.get(url, params=params) as response:
2023-06-28 22:32:11 +05:30
result: Dict[str, Any] = await response.json()
2023-06-25 20:59:04 +05:30
if result:
2023-07-01 18:29:09 +05:30
appliance_data: Dict[str, Any] = result.get("payload", {}).get(
"applianceModel", {}
)
return appliance_data
2023-05-06 19:37:28 +05:30
return {}
2023-06-25 20:59:04 +05:30
async def load_attributes(self, appliance: HonAppliance) -> Dict[str, Any]:
2023-06-28 22:32:11 +05:30
params: Dict[str, str] = {
2023-04-10 00:20:28 +05:30
"macAddress": appliance.mac_address,
"applianceType": appliance.appliance_type,
2023-04-10 00:25:36 +05:30
"category": "CYCLE",
2023-02-13 06:11:38 +05:30
}
2023-04-14 02:55:49 +05:30
url: str = f"{const.API_URL}/commands/v1/context"
2023-04-09 21:43:50 +05:30
async with self._hon.get(url, params=params) as response:
2023-07-01 18:29:09 +05:30
attributes: Dict[str, Any] = (await response.json()).get("payload", {})
return attributes
2023-02-13 06:11:38 +05:30
2023-06-25 20:59:04 +05:30
async def load_statistics(self, appliance: HonAppliance) -> Dict[str, Any]:
2023-06-28 22:32:11 +05:30
params: Dict[str, str] = {
2023-04-10 00:20:28 +05:30
"macAddress": appliance.mac_address,
2023-04-10 00:25:36 +05:30
"applianceType": appliance.appliance_type,
2023-02-13 06:11:38 +05:30
}
2023-04-14 02:55:49 +05:30
url: str = f"{const.API_URL}/commands/v1/statistics"
2023-04-09 21:43:50 +05:30
async with self._hon.get(url, params=params) as response:
2023-07-01 18:29:09 +05:30
statistics: Dict[str, Any] = (await response.json()).get("payload", {})
return statistics
2023-02-13 06:11:38 +05:30
2023-06-25 20:59:04 +05:30
async def load_maintenance(self, appliance: HonAppliance) -> Dict[str, Any]:
2023-05-13 03:46:52 +05:30
url = f"{const.API_URL}/commands/v1/maintenance-cycle"
params = {"macAddress": appliance.mac_address}
async with self._hon.get(url, params=params) as response:
2023-07-01 18:29:09 +05:30
maintenance: Dict[str, Any] = (await response.json()).get("payload", {})
return maintenance
2023-05-13 03:46:52 +05:30
2023-04-14 02:55:49 +05:30
async def send_command(
self,
appliance: HonAppliance,
command: str,
2023-06-28 22:32:11 +05:30
parameters: Dict[str, Any],
ancillary_parameters: Dict[str, Any],
2023-04-14 02:55:49 +05:30
) -> bool:
now: str = datetime.utcnow().isoformat()
2023-06-28 22:32:11 +05:30
data: Dict[str, Any] = {
2023-04-10 00:20:28 +05:30
"macAddress": appliance.mac_address,
2023-02-13 06:11:38 +05:30
"timestamp": f"{now[:-3]}Z",
"commandName": command,
2023-04-10 00:20:28 +05:30
"transactionId": f"{appliance.mac_address}_{now[:-3]}Z",
2023-05-21 05:55:43 +05:30
"applianceOptions": appliance.options,
2023-04-15 03:59:24 +05:30
"device": self._hon.device.get(mobile=True),
2023-02-13 06:11:38 +05:30
"attributes": {
"channel": "mobileApp",
"origin": "standardProgram",
2023-04-10 00:25:36 +05:30
"energyLabel": "0",
2023-02-13 06:11:38 +05:30
},
"ancillaryParameters": ancillary_parameters,
"parameters": parameters,
2023-04-10 00:25:36 +05:30
"applianceType": appliance.appliance_type,
2023-02-13 06:11:38 +05:30
}
2023-04-14 02:55:49 +05:30
url: str = f"{const.API_URL}/commands/v1/send"
2023-04-15 03:59:24 +05:30
async with self._hon.post(url, json=data) as response:
2023-06-28 22:32:11 +05:30
json_data: Dict[str, Any] = await response.json()
2023-04-10 00:20:28 +05:30
if json_data.get("payload", {}).get("resultCode") == "0":
2023-02-13 06:11:38 +05:30
return True
2023-04-15 03:59:24 +05:30
_LOGGER.error(await response.text())
2023-06-09 05:39:20 +05:30
_LOGGER.error("%s - Payload:\n%s", url, pformat(data))
2023-02-13 06:11:38 +05:30
return False
2023-04-09 21:43:50 +05:30
2023-06-25 20:59:04 +05:30
async def appliance_configuration(self) -> Dict[str, Any]:
2023-05-06 19:37:28 +05:30
url: str = f"{const.API_URL}/config/v1/program-list-rules"
2023-04-09 21:43:50 +05:30
async with self._hon_anonymous.get(url) as response:
2023-06-28 22:32:11 +05:30
result: Dict[str, Any] = await response.json()
2023-07-01 18:29:09 +05:30
data: Dict[str, Any] = result.get("payload", {})
return data
2023-04-09 21:43:50 +05:30
2023-06-25 20:59:04 +05:30
async def app_config(
self, language: str = "en", beta: bool = True
) -> Dict[str, Any]:
2023-04-14 02:55:49 +05:30
url: str = f"{const.API_URL}/app-config"
2023-06-28 22:32:11 +05:30
payload_data: Dict[str, str | int] = {
2023-04-09 21:43:50 +05:30
"languageCode": language,
"beta": beta,
"appVersion": const.APP_VERSION,
2023-04-10 00:25:36 +05:30
"os": const.OS,
2023-04-09 21:43:50 +05:30
}
2023-04-14 02:55:49 +05:30
payload: str = json.dumps(payload_data, separators=(",", ":"))
2023-04-09 21:43:50 +05:30
async with self._hon_anonymous.post(url, data=payload) as response:
2023-07-01 18:29:09 +05:30
result = await response.json()
data: Dict[str, Any] = result.get("payload", {})
return data
2023-04-09 21:43:50 +05:30
2023-06-25 20:59:04 +05:30
async def translation_keys(self, language: str = "en") -> Dict[str, Any]:
2023-04-09 21:43:50 +05:30
config = await self.app_config(language=language)
2023-07-01 18:29:09 +05:30
if not (url := config.get("language", {}).get("jsonPath")):
return {}
async with self._hon_anonymous.get(url) as response:
result: Dict[str, Any] = await response.json()
return result
2023-04-10 00:20:28 +05:30
2023-04-14 02:55:49 +05:30
async def close(self) -> None:
if self._hon_handler is not None:
await self._hon_handler.close()
if self._hon_anonymous_handler is not None:
await self._hon_anonymous_handler.close()
2023-06-25 20:59:04 +05:30
class TestAPI(HonAPI):
2023-06-28 22:32:11 +05:30
def __init__(self, path: Path):
2023-06-25 20:59:04 +05:30
super().__init__()
self._anonymous = True
self._path: Path = path
2023-06-28 22:32:11 +05:30
def _load_json(self, appliance: HonAppliance, file: str) -> Dict[str, Any]:
2023-06-25 20:59:04 +05:30
directory = f"{appliance.appliance_type}_{appliance.appliance_model_id}".lower()
2023-07-01 18:29:09 +05:30
if not (path := self._path / directory / f"{file}.json").exists():
_LOGGER.warning("Can't open %s", str(path))
return {}
with open(path, "r", encoding="utf-8") as json_file:
2023-07-10 03:28:55 +05:30
text = json_file.read()
try:
data: Dict[str, Any] = json.loads(text)
return data
except json.decoder.JSONDecodeError as error:
_LOGGER.error("%s - %s", str(path), error)
return {}
2023-06-25 20:59:04 +05:30
async def load_appliances(self) -> List[Dict[str, Any]]:
result = []
for appliance in self._path.glob("*/"):
with open(
appliance / "appliance_data.json", "r", encoding="utf-8"
) as json_file:
result.append(json.loads(json_file.read()))
return result
async def load_commands(self, appliance: HonAppliance) -> Dict[str, Any]:
return self._load_json(appliance, "commands")
@no_type_check
async def load_command_history(
self, appliance: HonAppliance
) -> List[Dict[str, Any]]:
return self._load_json(appliance, "command_history")
async def load_favourites(self, appliance: HonAppliance) -> List[Dict[str, Any]]:
return []
async def load_last_activity(self, appliance: HonAppliance) -> Dict[str, Any]:
return {}
async def load_appliance_data(self, appliance: HonAppliance) -> Dict[str, Any]:
return self._load_json(appliance, "appliance_data")
async def load_attributes(self, appliance: HonAppliance) -> Dict[str, Any]:
return self._load_json(appliance, "attributes")
async def load_statistics(self, appliance: HonAppliance) -> Dict[str, Any]:
return self._load_json(appliance, "statistics")
async def load_maintenance(self, appliance: HonAppliance) -> Dict[str, Any]:
return self._load_json(appliance, "maintenance")
async def send_command(
self,
appliance: HonAppliance,
command: str,
2023-06-28 22:32:11 +05:30
parameters: Dict[str, Any],
ancillary_parameters: Dict[str, Any],
2023-06-25 20:59:04 +05:30
) -> bool:
return True