lock.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359
  1. """Library to handle connection with Switchbot Lock."""
  2. from __future__ import annotations
  3. import logging
  4. import time
  5. from typing import Any
  6. import aiohttp
  7. import asyncio
  8. from bleak.backends.device import BLEDevice
  9. from cryptography.hazmat.primitives.ciphers import Cipher, algorithms, modes
  10. from ..api_config import SWITCHBOT_APP_API_BASE_URL, SWITCHBOT_APP_CLIENT_ID
  11. from ..const import (
  12. LockStatus,
  13. SwitchbotAccountConnectionError,
  14. SwitchbotApiError,
  15. SwitchbotAuthenticationError,
  16. )
  17. from .device import SwitchbotDevice, SwitchbotOperationError
  18. COMMAND_HEADER = "57"
  19. COMMAND_GET_CK_IV = f"{COMMAND_HEADER}0f2103"
  20. COMMAND_LOCK_INFO = f"{COMMAND_HEADER}0f4f8101"
  21. COMMAND_UNLOCK = f"{COMMAND_HEADER}0f4e01011080"
  22. COMMAND_UNLOCK_WITHOUT_UNLATCH = f"{COMMAND_HEADER}0f4e010110a0"
  23. COMMAND_LOCK = f"{COMMAND_HEADER}0f4e01011000"
  24. COMMAND_ENABLE_NOTIFICATIONS = f"{COMMAND_HEADER}0e01001e00008101"
  25. COMMAND_DISABLE_NOTIFICATIONS = f"{COMMAND_HEADER}0e00"
  26. MOVING_STATUSES = {LockStatus.LOCKING, LockStatus.UNLOCKING}
  27. BLOCKED_STATUSES = {LockStatus.LOCKING_STOP, LockStatus.UNLOCKING_STOP}
  28. REST_STATUSES = {LockStatus.LOCKED, LockStatus.UNLOCKED, LockStatus.NOT_FULLY_LOCKED}
  29. _LOGGER = logging.getLogger(__name__)
  30. COMMAND_RESULT_EXPECTED_VALUES = {1, 6}
  31. # The return value of the command is 1 when the command is successful.
  32. # The return value of the command is 6 when the command is successful but the battery is low.
  33. class SwitchbotLock(SwitchbotDevice):
  34. """Representation of a Switchbot Lock."""
  35. def __init__(
  36. self,
  37. device: BLEDevice,
  38. key_id: str,
  39. encryption_key: str,
  40. interface: int = 0,
  41. **kwargs: Any,
  42. ) -> None:
  43. if len(key_id) == 0:
  44. raise ValueError("key_id is missing")
  45. elif len(key_id) != 2:
  46. raise ValueError("key_id is invalid")
  47. if len(encryption_key) == 0:
  48. raise ValueError("encryption_key is missing")
  49. elif len(encryption_key) != 32:
  50. raise ValueError("encryption_key is invalid")
  51. self._iv = None
  52. self._cipher = None
  53. self._key_id = key_id
  54. self._encryption_key = bytearray.fromhex(encryption_key)
  55. self._notifications_enabled: bool = False
  56. super().__init__(device, None, interface, **kwargs)
  57. @staticmethod
  58. async def verify_encryption_key(
  59. device: BLEDevice, key_id: str, encryption_key: str
  60. ) -> bool:
  61. try:
  62. lock = SwitchbotLock(
  63. device=device, key_id=key_id, encryption_key=encryption_key
  64. )
  65. except ValueError:
  66. return False
  67. try:
  68. lock_info = await lock.get_basic_info()
  69. except SwitchbotOperationError:
  70. return False
  71. return lock_info is not None
  72. @staticmethod
  73. async def api_request(subdomain: str, path: str, data: dict = None, headers: dict = None):
  74. async with aiohttp.ClientSession(headers=headers, timeout=aiohttp.ClientTimeout(total=10)) as session:
  75. url = f"https://{subdomain}.{SWITCHBOT_APP_API_BASE_URL}/{path}"
  76. async with session.post(url, json=data) as result:
  77. if result.status > 299:
  78. raise SwitchbotApiError(
  79. f"Unexpected status code returned by SwitchBot API: {result.status}"
  80. )
  81. response = await result.json()
  82. if response["statusCode"] != 100:
  83. raise SwitchbotApiError(
  84. f"{response['message']}, status code: {response['statusCode']}"
  85. )
  86. return response["body"]
  87. @staticmethod
  88. def retrieve_encryption_key(device_mac: str, username: str, password: str):
  89. return asyncio.run(SwitchbotLock.async_retrieve_encryption_key(device_mac, username, password))
  90. @staticmethod
  91. async def async_retrieve_encryption_key(device_mac: str, username: str, password: str):
  92. """Retrieve lock key from internal SwitchBot API."""
  93. device_mac = device_mac.replace(":", "").replace("-", "").upper()
  94. try:
  95. auth_result = await SwitchbotLock.api_request(
  96. "account",
  97. "account/api/v1/user/login",
  98. {
  99. "clientId": SWITCHBOT_APP_CLIENT_ID,
  100. "username": username,
  101. "password": password,
  102. "grantType": "password",
  103. "verifyCode": "",
  104. },
  105. )
  106. auth_headers = {"authorization": auth_result["access_token"]}
  107. except Exception as err:
  108. raise SwitchbotAuthenticationError(f"Authentication failed: {err}") from err
  109. try:
  110. userinfo = await SwitchbotLock.api_request(
  111. "account", "account/api/v1/user/userinfo", {}, auth_headers
  112. )
  113. if "botRegion" in userinfo and userinfo["botRegion"] != "":
  114. region = userinfo["botRegion"]
  115. else:
  116. region = "us"
  117. except Exception as err:
  118. raise SwitchbotAccountConnectionError(
  119. f"Failed to retrieve SwitchBot Account user details: {err}"
  120. ) from err
  121. try:
  122. device_info = await SwitchbotLock.api_request(
  123. f"wonderlabs.{region}",
  124. "wonder/keys/v1/communicate",
  125. {
  126. "device_mac": device_mac,
  127. "keyType": "user",
  128. },
  129. auth_headers,
  130. )
  131. return {
  132. "key_id": device_info["communicationKey"]["keyId"],
  133. "encryption_key": device_info["communicationKey"]["key"],
  134. }
  135. except Exception as err:
  136. raise SwitchbotAccountConnectionError(
  137. f"Failed to retrieve encryption key from SwitchBot Account: {err}"
  138. ) from err
  139. async def lock(self) -> bool:
  140. """Send lock command."""
  141. return await self._lock_unlock(
  142. COMMAND_LOCK, {LockStatus.LOCKED, LockStatus.LOCKING}
  143. )
  144. async def unlock(self) -> bool:
  145. """Send unlock command. If unlatch feature is enabled in EU firmware, also unlatches door"""
  146. return await self._lock_unlock(
  147. COMMAND_UNLOCK, {LockStatus.UNLOCKED, LockStatus.UNLOCKING}
  148. )
  149. async def unlock_without_unlatch(self) -> bool:
  150. """Send unlock command. This command will not unlatch the door."""
  151. return await self._lock_unlock(
  152. COMMAND_UNLOCK_WITHOUT_UNLATCH,
  153. {LockStatus.UNLOCKED, LockStatus.UNLOCKING, LockStatus.NOT_FULLY_LOCKED},
  154. )
  155. def _parse_basic_data(self, basic_data: bytes) -> dict[str, Any]:
  156. """Parse basic data from lock."""
  157. return {
  158. "battery": basic_data[1],
  159. "firmware": basic_data[2] / 10.0,
  160. }
  161. async def _lock_unlock(
  162. self, command: str, ignore_statuses: set[LockStatus]
  163. ) -> bool:
  164. status = self.get_lock_status()
  165. if status is None:
  166. await self.update()
  167. status = self.get_lock_status()
  168. if status in ignore_statuses:
  169. return True
  170. await self._enable_notifications()
  171. result = await self._send_command(command)
  172. status = self._check_command_result(result, 0, COMMAND_RESULT_EXPECTED_VALUES)
  173. # Also update the battery and firmware version
  174. if basic_data := await self._get_basic_info():
  175. self._last_full_update = time.monotonic()
  176. if len(basic_data) >= 3:
  177. self._update_parsed_data(self._parse_basic_data(basic_data))
  178. else:
  179. _LOGGER.warning("Invalid basic data received: %s", basic_data)
  180. self._fire_callbacks()
  181. return status
  182. async def get_basic_info(self) -> dict[str, Any] | None:
  183. """Get device basic status."""
  184. lock_raw_data = await self._get_lock_info()
  185. if not lock_raw_data:
  186. return None
  187. basic_data = await self._get_basic_info()
  188. if not basic_data:
  189. return None
  190. return self._parse_lock_data(lock_raw_data[1:]) | self._parse_basic_data(
  191. basic_data
  192. )
  193. def is_calibrated(self) -> Any:
  194. """Return True if lock is calibrated."""
  195. return self._get_adv_value("calibration")
  196. def get_lock_status(self) -> LockStatus:
  197. """Return lock status."""
  198. return self._get_adv_value("status")
  199. def is_door_open(self) -> bool:
  200. """Return True if door is open."""
  201. return self._get_adv_value("door_open")
  202. def is_unclosed_alarm_on(self) -> bool:
  203. """Return True if unclosed door alarm is on."""
  204. return self._get_adv_value("unclosed_alarm")
  205. def is_unlocked_alarm_on(self) -> bool:
  206. """Return True if lock unlocked alarm is on."""
  207. return self._get_adv_value("unlocked_alarm")
  208. def is_auto_lock_paused(self) -> bool:
  209. """Return True if auto lock is paused."""
  210. return self._get_adv_value("auto_lock_paused")
  211. def is_night_latch_enabled(self) -> bool:
  212. """Return True if Night Latch is enabled on EU firmware."""
  213. return self._get_adv_value("night_latch")
  214. async def _get_lock_info(self) -> bytes | None:
  215. """Return lock info of device."""
  216. _data = await self._send_command(key=COMMAND_LOCK_INFO, retry=self._retry_count)
  217. if not self._check_command_result(_data, 0, COMMAND_RESULT_EXPECTED_VALUES):
  218. _LOGGER.error("Unsuccessful, please try again")
  219. return None
  220. return _data
  221. async def _enable_notifications(self) -> bool:
  222. if self._notifications_enabled:
  223. return True
  224. result = await self._send_command(COMMAND_ENABLE_NOTIFICATIONS)
  225. if self._check_command_result(result, 0, COMMAND_RESULT_EXPECTED_VALUES):
  226. self._notifications_enabled = True
  227. return self._notifications_enabled
  228. async def _disable_notifications(self) -> bool:
  229. if not self._notifications_enabled:
  230. return True
  231. result = await self._send_command(COMMAND_DISABLE_NOTIFICATIONS)
  232. if self._check_command_result(result, 0, COMMAND_RESULT_EXPECTED_VALUES):
  233. self._notifications_enabled = False
  234. return not self._notifications_enabled
  235. def _notification_handler(self, _sender: int, data: bytearray) -> None:
  236. if self._notifications_enabled and self._check_command_result(data, 0, {0xF}):
  237. self._update_lock_status(data)
  238. else:
  239. super()._notification_handler(_sender, data)
  240. def _update_lock_status(self, data: bytearray) -> None:
  241. lock_data = self._parse_lock_data(self._decrypt(data[4:]))
  242. if self._update_parsed_data(lock_data):
  243. # We leave notifications enabled in case
  244. # the lock is operated manually before we
  245. # disconnect.
  246. self._reset_disconnect_timer()
  247. self._fire_callbacks()
  248. @staticmethod
  249. def _parse_lock_data(data: bytes) -> dict[str, Any]:
  250. return {
  251. "calibration": bool(data[0] & 0b10000000),
  252. "status": LockStatus((data[0] & 0b01110000) >> 4),
  253. "door_open": bool(data[0] & 0b00000100),
  254. "unclosed_alarm": bool(data[1] & 0b00100000),
  255. "unlocked_alarm": bool(data[1] & 0b00010000),
  256. }
  257. async def _send_command(
  258. self, key: str, retry: int | None = None, encrypt: bool = True
  259. ) -> bytes | None:
  260. if not encrypt:
  261. return await super()._send_command(key[:2] + "000000" + key[2:], retry)
  262. result = await self._ensure_encryption_initialized()
  263. if not result:
  264. _LOGGER.error("Failed to initialize encryption")
  265. return None
  266. encrypted = (
  267. key[:2] + self._key_id + self._iv[0:2].hex() + self._encrypt(key[2:])
  268. )
  269. result = await super()._send_command(encrypted, retry)
  270. return result[:1] + self._decrypt(result[4:])
  271. async def _ensure_encryption_initialized(self) -> bool:
  272. if self._iv is not None:
  273. return True
  274. result = await self._send_command(
  275. COMMAND_GET_CK_IV + self._key_id, encrypt=False
  276. )
  277. ok = self._check_command_result(result, 0, COMMAND_RESULT_EXPECTED_VALUES)
  278. if ok:
  279. self._iv = result[4:]
  280. return ok
  281. async def _execute_disconnect(self) -> None:
  282. await super()._execute_disconnect()
  283. self._iv = None
  284. self._cipher = None
  285. self._notifications_enabled = False
  286. def _get_cipher(self) -> Cipher:
  287. if self._cipher is None:
  288. self._cipher = Cipher(
  289. algorithms.AES128(self._encryption_key), modes.CTR(self._iv)
  290. )
  291. return self._cipher
  292. def _encrypt(self, data: str) -> str:
  293. if len(data) == 0:
  294. return ""
  295. encryptor = self._get_cipher().encryptor()
  296. return (encryptor.update(bytearray.fromhex(data)) + encryptor.finalize()).hex()
  297. def _decrypt(self, data: bytearray) -> bytes:
  298. if len(data) == 0:
  299. return b""
  300. decryptor = self._get_cipher().decryptor()
  301. return decryptor.update(data) + decryptor.finalize()