Skip to content

Commit 8b62c19

Browse files
authored
Merge pull request #431 from ikalchev/v4.6.0
V4.6.0
2 parents fbd1f4b + 666c3c1 commit 8b62c19

19 files changed

+270
-33
lines changed

.gitignore

+1-1
Original file line numberDiff line numberDiff line change
@@ -33,4 +33,4 @@ pip-selfcheck.json
3333

3434
# HAP-python-generated files
3535
accessory.pickle
36-
accessory.state
36+
/*.state

CHANGELOG.md

+8
Original file line numberDiff line numberDiff line change
@@ -16,6 +16,14 @@ Sections
1616
### Developers
1717
-->
1818

19+
## [4.6.0] - 2022-12-10
20+
21+
- Patch for [WinError 5] Access Denied. [#421](https://github.com/ikalchev/HAP-python/pull/421)
22+
- Add support for a custom iid manager. [#423](https://github.com/ikalchev/HAP-python/pull/423)
23+
- Fix pairing with iOS 16. [#424](https://github.com/ikalchev/HAP-python/pull/424)
24+
- Fix error logging when `get_characteristics` fails. [#425](https://github.com/ikalchev/HAP-python/pull/425)
25+
- Add necessary support for Adaptive Lightning. [#428](https://github.com/ikalchev/HAP-python/pull/428)
26+
1927
## [4.5.0] - 2022-06-28
2028

2129
- Speed up "get accessories". [#418](https://github.com/ikalchev/HAP-python/pull/418)

adaptive_lightbulb.py

+93
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,93 @@
1+
"""This virtual lightbulb implements the bare minimum needed for HomeKit
2+
controller to recognize it as having AdaptiveLightning
3+
"""
4+
import logging
5+
import signal
6+
import random
7+
import tlv8
8+
import base64
9+
10+
from pyhap.accessory import Accessory
11+
from pyhap.accessory_driver import AccessoryDriver
12+
from pyhap.const import (CATEGORY_LIGHTBULB,
13+
HAP_REPR_IID)
14+
from pyhap.loader import get_loader
15+
16+
# Define tlv8 Keys and Values
17+
SUPPORTED_TRANSITION_CONFIGURATION = 1
18+
CHARACTERISTIC_IID = 1
19+
TRANSITION_TYPE = 2
20+
21+
BRIGHTNESS = 1
22+
COLOR_TEMPERATURE = 2
23+
24+
logging.basicConfig(level=logging.DEBUG, format="[%(module)s] %(message)s")
25+
26+
def bytes_to_base64_string(value: bytes) -> str:
27+
return base64.b64encode(value).decode('ASCII')
28+
29+
class LightBulb(Accessory):
30+
"""Fake lightbulb, logs what the client sets."""
31+
32+
category = CATEGORY_LIGHTBULB
33+
34+
def __init__(self, *args, **kwargs):
35+
super().__init__(*args, **kwargs)
36+
37+
serv_light = self.add_preload_service('Lightbulb', [
38+
# The names here refer to the Characteristic name defined
39+
# in characteristic.json
40+
"Brightness",
41+
"ColorTemperature",
42+
"ActiveTransitionCount",
43+
"TransitionControl",
44+
"SupportedTransitionConfiguration"])
45+
46+
self.char_on = serv_light.configure_char(
47+
'On', setter_callback=self.set_on)
48+
self.char_br = serv_light.configure_char(
49+
'Brightness', setter_callback=self.set_brightness)
50+
self.char_ct = serv_light.configure_char(
51+
'ColorTemperature', setter_callback=self.set_ct, value=140)
52+
53+
# Via this structure we advertise to the controller that we are
54+
# capable of autonomous transitions between states on brightness
55+
# and color temperature.
56+
supported_transitions = [tlv8.Entry(SUPPORTED_TRANSITION_CONFIGURATION, [
57+
tlv8.Entry(CHARACTERISTIC_IID, self.char_br.to_HAP()[HAP_REPR_IID]),
58+
tlv8.Entry(TRANSITION_TYPE, BRIGHTNESS),
59+
tlv8.Entry(CHARACTERISTIC_IID, self.char_ct.to_HAP()[HAP_REPR_IID]),
60+
tlv8.Entry(TRANSITION_TYPE, COLOR_TEMPERATURE)
61+
])]
62+
63+
bytes_data = tlv8.encode(supported_transitions)
64+
b64str = bytes_to_base64_string(bytes_data)
65+
66+
self.char_atc = serv_light.configure_char(
67+
'ActiveTransitionCount', setter_callback=self.set_atc)
68+
self.char_tc = serv_light.configure_char(
69+
'TransitionControl', setter_callback=self.set_tc)
70+
self.char_stc = serv_light.configure_char(
71+
'SupportedTransitionConfiguration',
72+
value=b64str)
73+
74+
def set_on(self, value):
75+
logging.info("Write On State: %s", value)
76+
77+
def set_ct(self, value):
78+
logging.info("Bulb color temp: %s", value)
79+
80+
def set_atc(self, value):
81+
logging.info("Write to ActiveTransactionCount: %s", value)
82+
83+
def set_tc(self, value):
84+
logging.info("Write to TransitionControl: %s", value)
85+
86+
def set_brightness(self, value):
87+
logging.info("Bulb brightness: %s", value)
88+
89+
driver = AccessoryDriver(port=51826, persist_file='adaptive_lightbulb.state')
90+
driver.add_accessory(accessory=LightBulb(driver, 'Lightbulb'))
91+
signal.signal(signal.SIGTERM, driver.signal_handler)
92+
driver.start()
93+

pyhap/accessory.py

+11-7
Original file line numberDiff line numberDiff line change
@@ -35,7 +35,7 @@ class Accessory:
3535

3636
category = CATEGORY_OTHER
3737

38-
def __init__(self, driver, display_name, aid=None):
38+
def __init__(self, driver, display_name, aid=None, iid_manager=None):
3939
"""Initialise with the given properties.
4040
4141
:param display_name: Name to be displayed in the Home app.
@@ -51,7 +51,7 @@ def __init__(self, driver, display_name, aid=None):
5151
self.display_name = display_name
5252
self.driver = driver
5353
self.services = []
54-
self.iid_manager = IIDManager()
54+
self.iid_manager = iid_manager or IIDManager()
5555
self.setter_callback = None
5656

5757
self.add_info_service()
@@ -116,9 +116,11 @@ def set_info_service(
116116
self.display_name,
117117
)
118118

119-
def add_preload_service(self, service, chars=None):
119+
def add_preload_service(self, service, chars=None, unique_id=None):
120120
"""Create a service with the given name and add it to this acc."""
121121
service = self.driver.loader.get_service(service)
122+
if unique_id is not None:
123+
service.unique_id = unique_id
122124
if chars:
123125
chars = chars if isinstance(chars, list) else [chars]
124126
for char_name in chars:
@@ -144,12 +146,12 @@ def add_service(self, *servs):
144146
:type: Service
145147
"""
146148
for s in servs:
149+
s.broker = self
147150
self.services.append(s)
148151
self.iid_manager.assign(s)
149-
s.broker = self
150152
for c in s.characteristics:
151-
self.iid_manager.assign(c)
152153
c.broker = self
154+
self.iid_manager.assign(c)
153155

154156
def get_service(self, name):
155157
"""Return a Service with the given name.
@@ -323,8 +325,10 @@ class Bridge(Accessory):
323325

324326
category = CATEGORY_BRIDGE
325327

326-
def __init__(self, driver, display_name):
327-
super().__init__(driver, display_name, aid=STANDALONE_AID)
328+
def __init__(self, driver, display_name, iid_manager=None):
329+
super().__init__(
330+
driver, display_name, aid=STANDALONE_AID, iid_manager=iid_manager
331+
)
328332
self.accessories = {} # aid: acc
329333

330334
def add_accessory(self, acc):

pyhap/accessory_driver.py

+19-3
Original file line numberDiff line numberDiff line change
@@ -626,13 +626,15 @@ def async_persist(self):
626626
Must be run in the event loop.
627627
"""
628628
loop = asyncio.get_event_loop()
629+
logger.debug("Scheduling write of accessory state to disk")
629630
asyncio.ensure_future(loop.run_in_executor(None, self.persist))
630631

631632
def persist(self):
632633
"""Saves the state of the accessory.
633634
634635
Must run in executor.
635636
"""
637+
logger.debug("Writing of accessory state to disk")
636638
tmp_filename = None
637639
try:
638640
temp_dir = os.path.dirname(self.persist_file)
@@ -641,7 +643,13 @@ def persist(self):
641643
) as file_handle:
642644
tmp_filename = file_handle.name
643645
self.encoder.persist(file_handle, self.state)
646+
if os.name == 'nt': # Or `[WinError 5] Access Denied` will be raised on Windows
647+
os.chmod(tmp_filename, 0o644)
648+
os.chmod(self.persist_file, 0o644)
644649
os.replace(tmp_filename, self.persist_file)
650+
except Exception: # pylint: disable=broad-except
651+
logger.exception("Failed to persist accessory state")
652+
raise
645653
finally:
646654
if tmp_filename and os.path.exists(tmp_filename):
647655
os.remove(tmp_filename)
@@ -672,7 +680,9 @@ def pair(self, client_uuid, client_public, client_permissions):
672680
:return: Whether the pairing is successful.
673681
:rtype: bool
674682
"""
675-
logger.info("Paired with %s.", client_uuid)
683+
logger.info(
684+
"Paired with %s with permissions %s.", client_uuid, client_permissions
685+
)
676686
self.state.add_paired_client(client_uuid, client_public, client_permissions)
677687
self.async_persist()
678688
return True
@@ -801,10 +811,16 @@ def get_characteristics(self, char_ids):
801811
rep[HAP_REPR_VALUE] = char.get_value()
802812
rep[HAP_REPR_STATUS] = HAP_SERVER_STATUS.SUCCESS
803813
except CharacteristicError:
804-
logger.error("Error getting value for characteristic %s.", id)
814+
logger.error(
815+
"%s: Error getting value for characteristic %s.",
816+
self.accessory.display_name,
817+
(aid, iid),
818+
)
805819
except Exception: # pylint: disable=broad-except
806820
logger.exception(
807-
"Unexpected error getting value for characteristic %s.", id
821+
"%s: Unexpected error getting value for characteristic %s.",
822+
self.accessory.display_name,
823+
(aid, iid),
808824
)
809825

810826
chars.append(rep)

pyhap/camera.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -441,7 +441,7 @@ def _setup_stream_management(self, options):
441441

442442
def _create_stream_management(self, stream_idx, options):
443443
"""Create a stream management service."""
444-
management = self.add_preload_service("CameraRTPStreamManagement")
444+
management = self.add_preload_service("CameraRTPStreamManagement", unique_id=stream_idx)
445445
management.configure_char(
446446
"StreamingStatus",
447447
getter_callback=lambda: self._get_streaming_status(stream_idx),

pyhap/characteristic.py

+12-4
Original file line numberDiff line numberDiff line change
@@ -5,10 +5,8 @@
55
a temperature measuring or a device status.
66
"""
77
import logging
8-
98
from uuid import UUID
109

11-
1210
from pyhap.const import (
1311
HAP_PERMISSION_READ,
1412
HAP_REPR_DESC,
@@ -133,10 +131,16 @@ class Characteristic:
133131
"_uuid_str",
134132
"_loader_display_name",
135133
"allow_invalid_client_values",
134+
"unique_id",
136135
)
137136

138137
def __init__(
139-
self, display_name, type_id, properties, allow_invalid_client_values=False
138+
self,
139+
display_name,
140+
type_id,
141+
properties,
142+
allow_invalid_client_values=False,
143+
unique_id=None,
140144
):
141145
"""Initialise with the given properties.
142146
@@ -169,12 +173,16 @@ def __init__(
169173
self.getter_callback = None
170174
self.setter_callback = None
171175
self.service = None
176+
self.unique_id = unique_id
172177
self._uuid_str = uuid_to_hap_type(type_id)
173178
self._loader_display_name = None
174179

175180
def __repr__(self):
176181
"""Return the representation of the characteristic."""
177-
return f"<characteristic display_name={self.display_name} value={self.value} properties={self.properties}>"
182+
return (
183+
f"<characteristic display_name={self.display_name} unique_id={self.unique_id} "
184+
f"value={self.value} properties={self.properties}>"
185+
)
178186

179187
def _get_default_value(self):
180188
"""Return default value for format."""

pyhap/const.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
"""This module contains constants used by other modules."""
22
MAJOR_VERSION = 4
3-
MINOR_VERSION = 5
3+
MINOR_VERSION = 6
44
PATCH_VERSION = 0
55
__short_version__ = f"{MAJOR_VERSION}.{MINOR_VERSION}"
66
__version__ = f"{__short_version__}.{PATCH_VERSION}"

pyhap/hap_handler.py

+28-6
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@
1414
from chacha20poly1305_reuseable import ChaCha20Poly1305Reusable as ChaCha20Poly1305
1515

1616
from pyhap import tlv
17+
1718
from pyhap.const import (
1819
CATEGORY_BRIDGE,
1920
HAP_PERMISSIONS,
@@ -416,7 +417,11 @@ def _pairing_five(self, client_username, client_ltpk, encryption_key):
416417
cipher = ChaCha20Poly1305(encryption_key)
417418
aead_message = bytes(cipher.encrypt(self.PAIRING_5_NONCE, bytes(message), b""))
418419

419-
client_uuid = uuid.UUID(str(client_username, "utf-8"))
420+
client_username_str = str(client_username, "utf-8")
421+
client_uuid = uuid.UUID(client_username_str)
422+
logger.debug(
423+
"Finishing pairing with admin %s uuid=%s", client_username_str, client_uuid
424+
)
420425
should_confirm = self.accessory_handler.pair(
421426
client_uuid, client_ltpk, HAP_PERMISSIONS.ADMIN
422427
)
@@ -668,11 +673,18 @@ def handle_pairings(self):
668673

669674
def _handle_add_pairing(self, tlv_objects):
670675
"""Update client information."""
671-
logger.debug("%s: Adding client pairing.", self.client_address)
672676
client_username = tlv_objects[HAP_TLV_TAGS.USERNAME]
677+
client_username_str = str(client_username, "utf-8")
673678
client_public = tlv_objects[HAP_TLV_TAGS.PUBLIC_KEY]
674679
permissions = tlv_objects[HAP_TLV_TAGS.PERMISSIONS]
675-
client_uuid = uuid.UUID(str(client_username, "utf-8"))
680+
client_uuid = uuid.UUID(client_username_str)
681+
logger.debug(
682+
"%s: Adding client pairing for %s uuid=%s with permissions %s.",
683+
self.client_address,
684+
client_username_str,
685+
client_uuid,
686+
permissions,
687+
)
676688
should_confirm = self.accessory_handler.pair(
677689
client_uuid, client_public, permissions
678690
)
@@ -685,10 +697,17 @@ def _handle_add_pairing(self, tlv_objects):
685697

686698
def _handle_remove_pairing(self, tlv_objects):
687699
"""Remove pairing with the client."""
688-
logger.debug("%s: Removing client pairing.", self.client_address)
689700
client_username = tlv_objects[HAP_TLV_TAGS.USERNAME]
690-
client_uuid = uuid.UUID(str(client_username, "utf-8"))
701+
client_username_str = str(client_username, "utf-8")
702+
client_uuid = uuid.UUID(client_username_str)
691703
was_paired = self.state.paired
704+
logger.debug(
705+
"%s: Removing client pairing (%s) uuid=%s (was previously paired=%s).",
706+
self.client_address,
707+
client_username_str,
708+
client_uuid,
709+
was_paired,
710+
)
692711
# If the client does not exist, we must
693712
# respond with success per the spec
694713
if client_uuid in self.state.paired_clients:
@@ -713,7 +732,10 @@ def _handle_list_pairings(self):
713732
response.extend(
714733
[
715734
HAP_TLV_TAGS.USERNAME,
716-
str(client_uuid).encode("utf-8"),
735+
# iOS 16+ requires the username to be uppercase
736+
# or it will unpair the accessory because it thinks
737+
# the username is invalid
738+
str(client_uuid).encode("utf-8").upper(),
717739
HAP_TLV_TAGS.PUBLIC_KEY,
718740
client_public,
719741
HAP_TLV_TAGS.PERMISSIONS,

pyhap/iid_manager.py

+10-2
Original file line numberDiff line numberDiff line change
@@ -28,9 +28,17 @@ def assign(self, obj):
2828
)
2929
return
3030

31+
iid = self.get_iid_for_obj(obj)
32+
self.iids[obj] = iid
33+
self.objs[iid] = obj
34+
35+
def get_iid_for_obj(self, obj):
36+
"""Get the IID for the given object.
37+
38+
Override this method to provide custom IID assignment.
39+
"""
3140
self.counter += 1
32-
self.iids[obj] = self.counter
33-
self.objs[self.counter] = obj
41+
return self.counter
3442

3543
def get_obj(self, iid):
3644
"""Get the object that is assigned the given IID."""

0 commit comments

Comments
 (0)