mirror of
https://github.com/python-kasa/python-kasa.git
synced 2025-05-30 21:51:24 +00:00
Add childsetup module to smartcam hubs (#1469)
Add the `childsetup` module for `smartcam` hubs to allow pairing and unpairing child devices.
This commit is contained in:
parent
bd43e0f7d2
commit
5e57f8bd6c
@ -48,7 +48,10 @@ class ChildSetup(SmartModule):
|
|||||||
detected = await self._get_detected_devices()
|
detected = await self._get_detected_devices()
|
||||||
|
|
||||||
if not detected["child_device_list"]:
|
if not detected["child_device_list"]:
|
||||||
_LOGGER.info("No devices found.")
|
_LOGGER.warning(
|
||||||
|
"No devices found, make sure to activate pairing "
|
||||||
|
"mode on the devices to be added."
|
||||||
|
)
|
||||||
return []
|
return []
|
||||||
|
|
||||||
_LOGGER.info(
|
_LOGGER.info(
|
||||||
@ -63,7 +66,7 @@ class ChildSetup(SmartModule):
|
|||||||
|
|
||||||
async def unpair(self, device_id: str) -> dict:
|
async def unpair(self, device_id: str) -> dict:
|
||||||
"""Remove device from the hub."""
|
"""Remove device from the hub."""
|
||||||
_LOGGER.debug("Going to unpair %s from %s", device_id, self)
|
_LOGGER.info("Going to unpair %s from %s", device_id, self)
|
||||||
|
|
||||||
payload = {"child_device_list": [{"device_id": device_id}]}
|
payload = {"child_device_list": [{"device_id": device_id}]}
|
||||||
return await self.call("remove_child_device_list", payload)
|
return await self.call("remove_child_device_list", payload)
|
||||||
|
@ -691,12 +691,8 @@ class SmartDevice(Device):
|
|||||||
"""
|
"""
|
||||||
self._info = info
|
self._info = info
|
||||||
|
|
||||||
async def _query_helper(
|
async def _query_helper(self, method: str, params: dict | None = None) -> dict:
|
||||||
self, method: str, params: dict | None = None, child_ids: None = None
|
return await self.protocol.query({method: params})
|
||||||
) -> dict:
|
|
||||||
res = await self.protocol.query({method: params})
|
|
||||||
|
|
||||||
return res
|
|
||||||
|
|
||||||
@property
|
@property
|
||||||
def ssid(self) -> str:
|
def ssid(self) -> str:
|
||||||
|
@ -5,6 +5,7 @@ from .babycrydetection import BabyCryDetection
|
|||||||
from .battery import Battery
|
from .battery import Battery
|
||||||
from .camera import Camera
|
from .camera import Camera
|
||||||
from .childdevice import ChildDevice
|
from .childdevice import ChildDevice
|
||||||
|
from .childsetup import ChildSetup
|
||||||
from .device import DeviceModule
|
from .device import DeviceModule
|
||||||
from .homekit import HomeKit
|
from .homekit import HomeKit
|
||||||
from .led import Led
|
from .led import Led
|
||||||
@ -23,6 +24,7 @@ __all__ = [
|
|||||||
"Battery",
|
"Battery",
|
||||||
"Camera",
|
"Camera",
|
||||||
"ChildDevice",
|
"ChildDevice",
|
||||||
|
"ChildSetup",
|
||||||
"DeviceModule",
|
"DeviceModule",
|
||||||
"Led",
|
"Led",
|
||||||
"PanTilt",
|
"PanTilt",
|
||||||
|
107
kasa/smartcam/modules/childsetup.py
Normal file
107
kasa/smartcam/modules/childsetup.py
Normal file
@ -0,0 +1,107 @@
|
|||||||
|
"""Implementation for child device setup.
|
||||||
|
|
||||||
|
This module allows pairing and disconnecting child devices.
|
||||||
|
"""
|
||||||
|
|
||||||
|
from __future__ import annotations
|
||||||
|
|
||||||
|
import asyncio
|
||||||
|
import logging
|
||||||
|
|
||||||
|
from ...feature import Feature
|
||||||
|
from ..smartcammodule import SmartCamModule
|
||||||
|
|
||||||
|
_LOGGER = logging.getLogger(__name__)
|
||||||
|
|
||||||
|
|
||||||
|
class ChildSetup(SmartCamModule):
|
||||||
|
"""Implementation for child device setup."""
|
||||||
|
|
||||||
|
REQUIRED_COMPONENT = "childQuickSetup"
|
||||||
|
QUERY_GETTER_NAME = "getSupportChildDeviceCategory"
|
||||||
|
QUERY_MODULE_NAME = "childControl"
|
||||||
|
_categories: list[str] = []
|
||||||
|
|
||||||
|
def _initialize_features(self) -> None:
|
||||||
|
"""Initialize features."""
|
||||||
|
self._add_feature(
|
||||||
|
Feature(
|
||||||
|
self._device,
|
||||||
|
id="pair",
|
||||||
|
name="Pair",
|
||||||
|
container=self,
|
||||||
|
attribute_setter="pair",
|
||||||
|
category=Feature.Category.Config,
|
||||||
|
type=Feature.Type.Action,
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
async def _post_update_hook(self) -> None:
|
||||||
|
if not self._categories:
|
||||||
|
self._categories = [
|
||||||
|
cat["category"].replace("ipcamera", "camera")
|
||||||
|
for cat in self.data["device_category_list"]
|
||||||
|
]
|
||||||
|
|
||||||
|
@property
|
||||||
|
def supported_child_device_categories(self) -> list[str]:
|
||||||
|
"""Supported child device categories."""
|
||||||
|
return self._categories
|
||||||
|
|
||||||
|
async def pair(self, *, timeout: int = 10) -> list[dict]:
|
||||||
|
"""Scan for new devices and pair after discovering first new device."""
|
||||||
|
await self.call(
|
||||||
|
"startScanChildDevice", {"childControl": {"category": self._categories}}
|
||||||
|
)
|
||||||
|
|
||||||
|
_LOGGER.info("Waiting %s seconds for discovering new devices", timeout)
|
||||||
|
|
||||||
|
await asyncio.sleep(timeout)
|
||||||
|
res = await self.call(
|
||||||
|
"getScanChildDeviceList", {"childControl": {"category": self._categories}}
|
||||||
|
)
|
||||||
|
|
||||||
|
detected_list = res["getScanChildDeviceList"]["child_device_list"]
|
||||||
|
if not detected_list:
|
||||||
|
_LOGGER.warning(
|
||||||
|
"No devices found, make sure to activate pairing "
|
||||||
|
"mode on the devices to be added."
|
||||||
|
)
|
||||||
|
return []
|
||||||
|
|
||||||
|
_LOGGER.info(
|
||||||
|
"Discovery done, found %s devices: %s",
|
||||||
|
len(detected_list),
|
||||||
|
detected_list,
|
||||||
|
)
|
||||||
|
return await self._add_devices(detected_list)
|
||||||
|
|
||||||
|
async def _add_devices(self, detected_list: list[dict]) -> list:
|
||||||
|
"""Add devices based on getScanChildDeviceList response."""
|
||||||
|
await self.call(
|
||||||
|
"addScanChildDeviceList",
|
||||||
|
{"childControl": {"child_device_list": detected_list}},
|
||||||
|
)
|
||||||
|
|
||||||
|
await self._device.update()
|
||||||
|
|
||||||
|
successes = []
|
||||||
|
for detected in detected_list:
|
||||||
|
device_id = detected["device_id"]
|
||||||
|
|
||||||
|
result = "not added"
|
||||||
|
if device_id in self._device._children:
|
||||||
|
result = "added"
|
||||||
|
successes.append(detected)
|
||||||
|
|
||||||
|
msg = f"{detected['device_model']} - {device_id} - {result}"
|
||||||
|
_LOGGER.info("Adding child to %s: %s", self._device.host, msg)
|
||||||
|
|
||||||
|
return successes
|
||||||
|
|
||||||
|
async def unpair(self, device_id: str) -> dict:
|
||||||
|
"""Remove device from the hub."""
|
||||||
|
_LOGGER.info("Going to unpair %s from %s", device_id, self)
|
||||||
|
|
||||||
|
payload = {"childControl": {"child_device_list": [{"device_id": device_id}]}}
|
||||||
|
return await self.call("removeChildDeviceList", payload)
|
@ -188,13 +188,6 @@ class SmartCamDevice(SmartDevice):
|
|||||||
|
|
||||||
return res
|
return res
|
||||||
|
|
||||||
async def _query_getter_helper(
|
|
||||||
self, method: str, module: str, sections: str | list[str]
|
|
||||||
) -> Any:
|
|
||||||
res = await self.protocol.query({method: {module: {"name": sections}}})
|
|
||||||
|
|
||||||
return res
|
|
||||||
|
|
||||||
@staticmethod
|
@staticmethod
|
||||||
def _parse_components(components_raw: ComponentsRaw) -> dict[str, int]:
|
def _parse_components(components_raw: ComponentsRaw) -> dict[str, int]:
|
||||||
return {
|
return {
|
||||||
|
@ -3,7 +3,7 @@
|
|||||||
from __future__ import annotations
|
from __future__ import annotations
|
||||||
|
|
||||||
import logging
|
import logging
|
||||||
from typing import TYPE_CHECKING, Any, Final, cast
|
from typing import TYPE_CHECKING, Final
|
||||||
|
|
||||||
from ..exceptions import DeviceError, KasaException, SmartErrorCode
|
from ..exceptions import DeviceError, KasaException, SmartErrorCode
|
||||||
from ..modulemapping import ModuleName
|
from ..modulemapping import ModuleName
|
||||||
@ -68,21 +68,7 @@ class SmartCamModule(SmartModule):
|
|||||||
|
|
||||||
Just a helper method.
|
Just a helper method.
|
||||||
"""
|
"""
|
||||||
if params:
|
return await self._device._query_helper(method, params)
|
||||||
module = next(iter(params))
|
|
||||||
section = next(iter(params[module]))
|
|
||||||
else:
|
|
||||||
module = "system"
|
|
||||||
section = "null"
|
|
||||||
|
|
||||||
if method[:3] == "get":
|
|
||||||
return await self._device._query_getter_helper(method, module, section)
|
|
||||||
|
|
||||||
if TYPE_CHECKING:
|
|
||||||
params = cast(dict[str, dict[str, Any]], params)
|
|
||||||
return await self._device._query_setter_helper(
|
|
||||||
method, module, section, params[module][section]
|
|
||||||
)
|
|
||||||
|
|
||||||
@property
|
@property
|
||||||
def data(self) -> dict:
|
def data(self) -> dict:
|
||||||
|
@ -153,7 +153,33 @@ class FakeSmartCamTransport(BaseTransport):
|
|||||||
"setup_code": "00000000000",
|
"setup_code": "00000000000",
|
||||||
"setup_payload": "00:0000000-0000.00.000",
|
"setup_payload": "00:0000000-0000.00.000",
|
||||||
},
|
},
|
||||||
)
|
),
|
||||||
|
"getSupportChildDeviceCategory": (
|
||||||
|
"childQuickSetup",
|
||||||
|
{
|
||||||
|
"device_category_list": [
|
||||||
|
{"category": "ipcamera"},
|
||||||
|
{"category": "subg.trv"},
|
||||||
|
{"category": "subg.trigger"},
|
||||||
|
{"category": "subg.plugswitch"},
|
||||||
|
]
|
||||||
|
},
|
||||||
|
),
|
||||||
|
"getScanChildDeviceList": (
|
||||||
|
"childQuickSetup",
|
||||||
|
{
|
||||||
|
"child_device_list": [
|
||||||
|
{
|
||||||
|
"device_id": "0000000000000000000000000000000000000000",
|
||||||
|
"category": "subg.trigger.button",
|
||||||
|
"device_model": "S200B",
|
||||||
|
"name": "I01BU0tFRF9OQU1FIw====",
|
||||||
|
}
|
||||||
|
],
|
||||||
|
"scan_wait_time": 55,
|
||||||
|
"scan_status": "scanning",
|
||||||
|
},
|
||||||
|
),
|
||||||
}
|
}
|
||||||
# Setters for when there's not a simple mapping of setters to getters
|
# Setters for when there's not a simple mapping of setters to getters
|
||||||
SETTERS = {
|
SETTERS = {
|
||||||
@ -179,6 +205,17 @@ class FakeSmartCamTransport(BaseTransport):
|
|||||||
],
|
],
|
||||||
}
|
}
|
||||||
|
|
||||||
|
def _hub_remove_device(self, info, params):
|
||||||
|
"""Remove hub device."""
|
||||||
|
items_to_remove = [dev["device_id"] for dev in params["child_device_list"]]
|
||||||
|
children = info["getChildDeviceList"]["child_device_list"]
|
||||||
|
new_children = [
|
||||||
|
dev for dev in children if dev["device_id"] not in items_to_remove
|
||||||
|
]
|
||||||
|
info["getChildDeviceList"]["child_device_list"] = new_children
|
||||||
|
|
||||||
|
return {"result": {}, "error_code": 0}
|
||||||
|
|
||||||
@staticmethod
|
@staticmethod
|
||||||
def _get_second_key(request_dict: dict[str, Any]) -> str:
|
def _get_second_key(request_dict: dict[str, Any]) -> str:
|
||||||
assert (
|
assert (
|
||||||
@ -269,6 +306,14 @@ class FakeSmartCamTransport(BaseTransport):
|
|||||||
return {**result, "error_code": 0}
|
return {**result, "error_code": 0}
|
||||||
else:
|
else:
|
||||||
return {"error_code": -1}
|
return {"error_code": -1}
|
||||||
|
elif method == "removeChildDeviceList":
|
||||||
|
return self._hub_remove_device(info, request_dict["params"]["childControl"])
|
||||||
|
# actions
|
||||||
|
elif method in [
|
||||||
|
"addScanChildDeviceList",
|
||||||
|
"startScanChildDevice",
|
||||||
|
]:
|
||||||
|
return {"result": {}, "error_code": 0}
|
||||||
|
|
||||||
# smartcam child devices do not make requests for getDeviceInfo as they
|
# smartcam child devices do not make requests for getDeviceInfo as they
|
||||||
# get updated from the parent's query. If this is being called from a
|
# get updated from the parent's query. If this is being called from a
|
||||||
|
103
tests/smartcam/modules/test_childsetup.py
Normal file
103
tests/smartcam/modules/test_childsetup.py
Normal file
@ -0,0 +1,103 @@
|
|||||||
|
from __future__ import annotations
|
||||||
|
|
||||||
|
import logging
|
||||||
|
|
||||||
|
import pytest
|
||||||
|
from pytest_mock import MockerFixture
|
||||||
|
|
||||||
|
from kasa import Feature, Module, SmartDevice
|
||||||
|
|
||||||
|
from ...device_fixtures import parametrize
|
||||||
|
|
||||||
|
childsetup = parametrize(
|
||||||
|
"supports pairing", component_filter="childQuickSetup", protocol_filter={"SMARTCAM"}
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
@childsetup
|
||||||
|
async def test_childsetup_features(dev: SmartDevice):
|
||||||
|
"""Test the exposed features."""
|
||||||
|
cs = dev.modules[Module.ChildSetup]
|
||||||
|
|
||||||
|
assert "pair" in cs._module_features
|
||||||
|
pair = cs._module_features["pair"]
|
||||||
|
assert pair.type == Feature.Type.Action
|
||||||
|
|
||||||
|
|
||||||
|
@childsetup
|
||||||
|
async def test_childsetup_pair(
|
||||||
|
dev: SmartDevice, mocker: MockerFixture, caplog: pytest.LogCaptureFixture
|
||||||
|
):
|
||||||
|
"""Test device pairing."""
|
||||||
|
caplog.set_level(logging.INFO)
|
||||||
|
mock_query_helper = mocker.spy(dev, "_query_helper")
|
||||||
|
mocker.patch("asyncio.sleep")
|
||||||
|
|
||||||
|
cs = dev.modules[Module.ChildSetup]
|
||||||
|
|
||||||
|
await cs.pair()
|
||||||
|
|
||||||
|
mock_query_helper.assert_has_awaits(
|
||||||
|
[
|
||||||
|
mocker.call(
|
||||||
|
"startScanChildDevice",
|
||||||
|
params={
|
||||||
|
"childControl": {
|
||||||
|
"category": [
|
||||||
|
"camera",
|
||||||
|
"subg.trv",
|
||||||
|
"subg.trigger",
|
||||||
|
"subg.plugswitch",
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
),
|
||||||
|
mocker.call(
|
||||||
|
"getScanChildDeviceList",
|
||||||
|
{
|
||||||
|
"childControl": {
|
||||||
|
"category": [
|
||||||
|
"camera",
|
||||||
|
"subg.trv",
|
||||||
|
"subg.trigger",
|
||||||
|
"subg.plugswitch",
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
),
|
||||||
|
mocker.call(
|
||||||
|
"addScanChildDeviceList",
|
||||||
|
{
|
||||||
|
"childControl": {
|
||||||
|
"child_device_list": [
|
||||||
|
{
|
||||||
|
"device_id": "0000000000000000000000000000000000000000",
|
||||||
|
"category": "subg.trigger.button",
|
||||||
|
"device_model": "S200B",
|
||||||
|
"name": "I01BU0tFRF9OQU1FIw====",
|
||||||
|
}
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
),
|
||||||
|
]
|
||||||
|
)
|
||||||
|
assert "Discovery done" in caplog.text
|
||||||
|
|
||||||
|
|
||||||
|
@childsetup
|
||||||
|
async def test_childsetup_unpair(
|
||||||
|
dev: SmartDevice, mocker: MockerFixture, caplog: pytest.LogCaptureFixture
|
||||||
|
):
|
||||||
|
"""Test unpair."""
|
||||||
|
mock_query_helper = mocker.spy(dev, "_query_helper")
|
||||||
|
DUMMY_ID = "dummy_id"
|
||||||
|
|
||||||
|
cs = dev.modules[Module.ChildSetup]
|
||||||
|
|
||||||
|
await cs.unpair(DUMMY_ID)
|
||||||
|
|
||||||
|
mock_query_helper.assert_awaited_with(
|
||||||
|
"removeChildDeviceList",
|
||||||
|
params={"childControl": {"child_device_list": [{"device_id": DUMMY_ID}]}},
|
||||||
|
)
|
@ -267,7 +267,11 @@ async def test_raw_command(dev, mocker, runner):
|
|||||||
from kasa.smart import SmartDevice
|
from kasa.smart import SmartDevice
|
||||||
|
|
||||||
if isinstance(dev, SmartCamDevice):
|
if isinstance(dev, SmartCamDevice):
|
||||||
params = ["na", "getDeviceInfo"]
|
params = [
|
||||||
|
"na",
|
||||||
|
"getDeviceInfo",
|
||||||
|
'{"device_info": {"name": ["basic_info", "info"]}}',
|
||||||
|
]
|
||||||
elif isinstance(dev, SmartDevice):
|
elif isinstance(dev, SmartDevice):
|
||||||
params = ["na", "get_device_info"]
|
params = ["na", "get_device_info"]
|
||||||
else:
|
else:
|
||||||
|
@ -191,12 +191,12 @@ async def test_feature_setters(dev: Device, mocker: MockerFixture):
|
|||||||
exceptions = []
|
exceptions = []
|
||||||
for feat in dev.features.values():
|
for feat in dev.features.values():
|
||||||
try:
|
try:
|
||||||
prot = (
|
patch_dev = feat.container._device if feat.container else feat.device
|
||||||
feat.container._device.protocol
|
with (
|
||||||
if feat.container
|
patch.object(patch_dev.protocol, "query", name=feat.id) as query,
|
||||||
else feat.device.protocol
|
# patch update in case feature setter does an update
|
||||||
)
|
patch.object(patch_dev, "update"),
|
||||||
with patch.object(prot, "query", name=feat.id) as query:
|
):
|
||||||
await _test_feature(feat, query)
|
await _test_feature(feat, query)
|
||||||
# we allow our own exceptions to avoid mocking valid responses
|
# we allow our own exceptions to avoid mocking valid responses
|
||||||
except KasaException:
|
except KasaException:
|
||||||
|
Loading…
x
Reference in New Issue
Block a user