Skip to content

Commit e281b36

Browse files
authored
Merge pull request #461 from ikalchev/v4.8.0
V4.8.0
2 parents 5f45a5e + 8b32d97 commit e281b36

18 files changed

+555
-67
lines changed

.github/workflows/ci.yaml

+1-1
Original file line numberDiff line numberDiff line change
@@ -9,7 +9,7 @@ jobs:
99
runs-on: ubuntu-latest
1010
strategy:
1111
matrix:
12-
python-version: [3.7, 3.8, 3.9, "3.10", "3.11"]
12+
python-version: [3.7, 3.8, 3.9, "3.10", "3.11", "3.12"]
1313

1414
steps:
1515
- uses: actions/checkout@v1

CHANGELOG.md

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

19+
## [4.8.0] - 2023-10-06
20+
21+
- Add AccessoryInformation:HardwareFinish and NFCAccess characteristics/services.
22+
[#454](https://github.com/ikalchev/HAP-python/pull/454)
23+
- Fix handling of multiple pairings. [#456](https://github.com/ikalchev/HAP-python/pull/456)
24+
- Save raw client username bytes if they are missing on successful pair verify.[#458](https://github.com/ikalchev/HAP-python/pull/458)
25+
- Add support for Write Responses. [#459](https://github.com/ikalchev/HAP-python/pull/459)
26+
- Ensure tasks are not garbage-collected before they finish. [#460](https://github.com/ikalchev/HAP-python/pull/460)
27+
1928
## [4.7.1] - 2023-07-31
2029

2130
- Improve encryption performance. [#448](https://github.com/ikalchev/HAP-python/pull/448)

pyhap/accessory_driver.py

+30-7
Original file line numberDiff line numberDiff line change
@@ -45,6 +45,7 @@
4545
HAP_REPR_STATUS,
4646
HAP_REPR_TTL,
4747
HAP_REPR_VALUE,
48+
HAP_REPR_WRITE_RESPONSE,
4849
STANDALONE_AID,
4950
)
5051
from pyhap.encoder import AccessoryEncoder
@@ -71,16 +72,16 @@
7172
def _wrap_char_setter(char, value, client_addr):
7273
"""Process an characteristic setter callback trapping and logging all exceptions."""
7374
try:
74-
char.client_update_value(value, client_addr)
75+
result = char.client_update_value(value, client_addr)
7576
except Exception: # pylint: disable=broad-except
7677
logger.exception(
7778
"%s: Error while setting characteristic %s to %s",
7879
client_addr,
7980
char.display_name,
8081
value,
8182
)
82-
return HAP_SERVER_STATUS.SERVICE_COMMUNICATION_FAILURE
83-
return HAP_SERVER_STATUS.SUCCESS
83+
return HAP_SERVER_STATUS.SERVICE_COMMUNICATION_FAILURE, None
84+
return HAP_SERVER_STATUS.SUCCESS, result
8485

8586

8687
def _wrap_acc_setter(acc, updates_by_service, client_addr):
@@ -615,7 +616,7 @@ def async_update_advertisement(self):
615616
self.mdns_service_info = AccessoryMDNSServiceInfo(
616617
self.accessory, self.state, self.zeroconf_server
617618
)
618-
asyncio.ensure_future(
619+
util.async_create_background_task(
619620
self.advertiser.async_update_service(self.mdns_service_info)
620621
)
621622

@@ -627,7 +628,7 @@ def async_persist(self):
627628
"""
628629
loop = asyncio.get_event_loop()
629630
logger.debug("Scheduling write of accessory state to disk")
630-
asyncio.ensure_future(loop.run_in_executor(None, self.persist))
631+
util.async_create_background_task(loop.run_in_executor(None, self.persist))
631632

632633
def persist(self):
633634
"""Saves the state of the accessory.
@@ -851,6 +852,7 @@ def set_characteristics(self, chars_query, client_addr):
851852
"iid": 2,
852853
"value": False, # Value to set
853854
"ev": True # (Un)subscribe for events from this characteristics.
855+
"r": True # Request write response
854856
}]
855857
}
856858
@@ -859,7 +861,9 @@ def set_characteristics(self, chars_query, client_addr):
859861
# TODO: Add support for chars that do no support notifications.
860862
updates = {}
861863
setter_results = {}
864+
setter_responses = {}
862865
had_error = False
866+
had_write_response = False
863867
expired = False
864868

865869
if HAP_REPR_PID in chars_query:
@@ -872,6 +876,10 @@ def set_characteristics(self, chars_query, client_addr):
872876
aid, iid = cq[HAP_REPR_AID], cq[HAP_REPR_IID]
873877
setter_results.setdefault(aid, {})
874878

879+
if HAP_REPR_WRITE_RESPONSE in cq:
880+
setter_responses.setdefault(aid, {})
881+
had_write_response = True
882+
875883
if expired:
876884
setter_results[aid][iid] = HAP_SERVER_STATUS.INVALID_VALUE_IN_REQUEST
877885
had_error = True
@@ -904,11 +912,21 @@ def set_characteristics(self, chars_query, client_addr):
904912
# Characteristic level setter callbacks
905913
char = acc.get_characteristic(aid, iid)
906914

907-
set_result = _wrap_char_setter(char, value, client_addr)
915+
set_result, set_result_value = _wrap_char_setter(char, value, client_addr)
908916
if set_result != HAP_SERVER_STATUS.SUCCESS:
909917
had_error = True
918+
910919
setter_results[aid][iid] = set_result
911920

921+
if set_result_value is not None:
922+
if setter_responses.get(aid, None) is None:
923+
logger.warning(
924+
"Returning write response '%s' when it wasn't requested for %s %s",
925+
set_result_value, aid, iid
926+
)
927+
had_write_response = True
928+
setter_responses.setdefault(aid, {})[iid] = set_result_value
929+
912930
if not char.service or (
913931
not acc.setter_callback and not char.service.setter_callback
914932
):
@@ -934,7 +952,7 @@ def set_characteristics(self, chars_query, client_addr):
934952
for char in chars:
935953
setter_results[aid][char_to_iid[char]] = set_result
936954

937-
if not had_error:
955+
if not had_error and not had_write_response:
938956
return None
939957

940958
return {
@@ -943,6 +961,11 @@ def set_characteristics(self, chars_query, client_addr):
943961
HAP_REPR_AID: aid,
944962
HAP_REPR_IID: iid,
945963
HAP_REPR_STATUS: status,
964+
**(
965+
{HAP_REPR_VALUE: setter_responses[aid][iid]}
966+
if setter_responses.get(aid, {}).get(iid, None) is not None
967+
else {}
968+
)
946969
}
947970
for aid, iid_status in setter_results.items()
948971
for iid, status in iid_status.items()

pyhap/characteristic.py

+3-1
Original file line numberDiff line numberDiff line change
@@ -321,14 +321,16 @@ def client_update_value(self, value, sender_client_addr=None):
321321
)
322322
previous_value = self.value
323323
self.value = value
324+
response = None
324325
if self.setter_callback:
325326
# pylint: disable=not-callable
326-
self.setter_callback(value)
327+
response = self.setter_callback(value)
327328
changed = self.value != previous_value
328329
if changed:
329330
self.notify(sender_client_addr)
330331
if self.type_id in ALWAYS_NULL:
331332
self.value = None
333+
return response
332334

333335
def notify(self, sender_client_addr=None):
334336
"""Notify clients about a value change. Sends the value.

pyhap/const.py

+3-2
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
"""This module contains constants used by other modules."""
22
MAJOR_VERSION = 4
3-
MINOR_VERSION = 7
4-
PATCH_VERSION = 1
3+
MINOR_VERSION = 8
4+
PATCH_VERSION = 0
55
__short_version__ = f"{MAJOR_VERSION}.{MINOR_VERSION}"
66
__version__ = f"{__short_version__}.{PATCH_VERSION}"
77
REQUIRED_PYTHON_VER = (3, 7)
@@ -78,6 +78,7 @@
7878
HAP_REPR_TYPE = "type"
7979
HAP_REPR_VALUE = "value"
8080
HAP_REPR_VALID_VALUES = "valid-values"
81+
HAP_REPR_WRITE_RESPONSE = "r"
8182

8283
HAP_PROTOCOL_VERSION = "01.01.00"
8384
HAP_PROTOCOL_SHORT_VERSION = "1.1"

pyhap/hap_handler.py

+29-14
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@
55
import asyncio
66
from http import HTTPStatus
77
import logging
8-
from typing import TYPE_CHECKING, Dict, Optional
8+
from typing import TYPE_CHECKING, Dict, Optional, Any
99
from urllib.parse import ParseResult, parse_qs, urlparse
1010
import uuid
1111

@@ -88,6 +88,7 @@ class HAP_TLV_TAGS:
8888
ERROR_CODE = b"\x07"
8989
PROOF = b"\x0A"
9090
PERMISSIONS = b"\x0B"
91+
SEPARATOR = b"\xFF"
9192

9293

9394
class UnprivilegedRequestException(Exception):
@@ -148,7 +149,7 @@ def __init__(self, accessory_handler, client_address):
148149
"""
149150
self.accessory_handler: AccessoryDriver = accessory_handler
150151
self.state: State = self.accessory_handler.state
151-
self.enc_context = None
152+
self.enc_context: Optional[Dict[str, Any]] = None
152153
self.client_address = client_address
153154
self.is_encrypted = False
154155
self.client_uuid: Optional[uuid.UUID] = None
@@ -567,33 +568,33 @@ def _pair_verify_two(self, tlv_objects: Dict[bytes, bytes]) -> None:
567568

568569
dec_tlv_objects = tlv.decode(bytes(decrypted_data))
569570
client_username = dec_tlv_objects[HAP_TLV_TAGS.USERNAME]
570-
material = (
571-
self.enc_context["client_public"]
572-
+ client_username
573-
+ self.enc_context["public_key"].public_bytes(
574-
encoding=serialization.Encoding.Raw,
575-
format=serialization.PublicFormat.Raw,
576-
)
571+
public_key: x25519.X25519PublicKey = self.enc_context["public_key"]
572+
raw_public_key = public_key.public_bytes(
573+
encoding=serialization.Encoding.Raw,
574+
format=serialization.PublicFormat.Raw,
577575
)
576+
material = self.enc_context["client_public"] + client_username + raw_public_key
578577

579578
client_uuid = uuid.UUID(str(client_username, "utf-8"))
580579
perm_client_public = self.state.paired_clients.get(client_uuid)
581580
if perm_client_public is None:
582581
logger.error(
583-
"%s: Client %s with uuid %s attempted pair verify without being paired first (paired clients=%s).",
582+
"%s: Client %s with uuid %s attempted pair verify "
583+
"without being paired first (public_key=%s, paired clients=%s).",
584+
self.accessory_handler.accessory.display_name,
584585
self.client_address,
585586
client_uuid,
586-
self.state.paired_clients,
587-
self.accessory_handler.accessory.display_name,
587+
raw_public_key.hex(),
588+
{uuid: key.hex() for uuid, key in self.state.paired_clients.items()},
588589
)
589590
self._send_authentication_error_tlv_response(HAP_TLV_STATES.M4)
590591
return
591592

592593
verifying_key = ed25519.Ed25519PublicKey.from_public_bytes(perm_client_public)
593594
try:
594595
verifying_key.verify(dec_tlv_objects[HAP_TLV_TAGS.PROOF], material)
595-
except InvalidSignature:
596-
logger.error("%s: Bad signature, abort.", self.client_address)
596+
except (InvalidSignature, KeyError) as ex:
597+
logger.error("%s: %s, abort.", self.client_address, ex)
597598
self._send_authentication_error_tlv_response(HAP_TLV_STATES.M4)
598599
return
599600

@@ -605,6 +606,13 @@ def _pair_verify_two(self, tlv_objects: Dict[bytes, bytes]) -> None:
605606

606607
data = tlv.encode(HAP_TLV_TAGS.SEQUENCE_NUM, HAP_TLV_STATES.M4)
607608
self._send_tlv_pairing_response(data)
609+
610+
if client_uuid not in self.state.uuid_to_bytes:
611+
# We are missing the raw bytes for this client, so we need to
612+
# add them to the state and persist so list pairings works.
613+
self.state.uuid_to_bytes[client_uuid] = client_username
614+
self.accessory_handler.async_persist()
615+
608616
assert self.response is not None # nosec
609617
self.response.shared_key = self.enc_context["shared_key"]
610618
self.is_encrypted = True
@@ -781,9 +789,16 @@ def _handle_list_pairings(self) -> None:
781789
client_public,
782790
HAP_TLV_TAGS.PERMISSIONS,
783791
HAP_PERMISSIONS.ADMIN if admin else HAP_PERMISSIONS.USER,
792+
HAP_TLV_TAGS.SEPARATOR,
793+
b"",
784794
]
785795
)
786796

797+
if response[-2] == HAP_TLV_TAGS.SEPARATOR:
798+
# The last pairing should not have a separator
799+
response.pop()
800+
response.pop()
801+
787802
data = tlv.encode(*response)
788803
self._send_tlv_pairing_response(data)
789804

pyhap/hap_protocol.py

+2-1
Original file line numberDiff line numberDiff line change
@@ -15,6 +15,7 @@
1515
from .hap_crypto import HAPCrypto
1616
from .hap_event import create_hap_event
1717
from .hap_handler import HAPResponse, HAPServerHandler
18+
from .util import async_create_background_task
1819

1920
logger = logging.getLogger(__name__)
2021

@@ -270,7 +271,7 @@ def _process_response(self, response) -> None:
270271
self.hap_crypto = HAPCrypto(response.shared_key)
271272
# Only update mDNS after sending the response
272273
if response.pairing_changed:
273-
asyncio.ensure_future(
274+
async_create_background_task(
274275
self.loop.run_in_executor(None, self.accessory_driver.finish_pair)
275276
)
276277

pyhap/params.py

-1
Original file line numberDiff line numberDiff line change
@@ -25,7 +25,6 @@
2525

2626

2727
def get_srp_context(ng_group_len, hashfunc, salt_len=16, secret_len=32):
28-
2928
group = _ng_const[ng_order.index(ng_group_len)]
3029

3130
ctx = {

pyhap/resources/characteristics.json

+31
Original file line numberDiff line numberDiff line change
@@ -1664,5 +1664,36 @@
16641664
"maxValue": 100,
16651665
"minValue": 0,
16661666
"unit": "percentage"
1667+
},
1668+
"HardwareFinish": {
1669+
"Format": "tlv8",
1670+
"Permissions": [
1671+
"pr"
1672+
],
1673+
"UUID": "0000026C-0000-1000-8000-0026BB765291"
1674+
},
1675+
"ConfigurationState": {
1676+
"Format": "uint16",
1677+
"Permissions": [
1678+
"pr",
1679+
"ev"
1680+
],
1681+
"UUID": "00000263-0000-1000-8000-0026BB765291"
1682+
},
1683+
"NFCAccessControlPoint": {
1684+
"Format": "tlv8",
1685+
"Permissions": [
1686+
"pr",
1687+
"pw",
1688+
"wr"
1689+
],
1690+
"UUID": "00000264-0000-1000-8000-0026BB765291"
1691+
},
1692+
"NFCAccessSupportedConfiguration": {
1693+
"Format": "tlv8",
1694+
"Permissions": [
1695+
"pr"
1696+
],
1697+
"UUID": "00000265-0000-1000-8000-0026BB765291"
16671698
}
16681699
}

pyhap/resources/services.json

+11-1
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,8 @@
22
"AccessoryInformation": {
33
"OptionalCharacteristics": [
44
"HardwareRevision",
5-
"AccessoryFlags"
5+
"AccessoryFlags",
6+
"HardwareFinish"
67
],
78
"RequiredCharacteristics": [
89
"Identify",
@@ -576,5 +577,14 @@
576577
"PositionState"
577578
],
578579
"UUID": "0000008C-0000-1000-8000-0026BB765291"
580+
},
581+
"NFCAccess": {
582+
"OptionalCharacteristics": [],
583+
"RequiredCharacteristics": [
584+
"ConfigurationState",
585+
"NFCAccessControlPoint",
586+
"NFCAccessSupportedConfiguration"
587+
],
588+
"UUID": "00000266-0000-1000-8000-0026BB765291"
579589
}
580590
}

pyhap/state.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -42,13 +42,13 @@ def __init__(
4242
self.addresses = address
4343
else:
4444
self.addresses = [util.get_local_address()]
45-
self.mac = mac or util.generate_mac()
45+
self.mac: str = mac or util.generate_mac()
4646
self.pincode = pincode or util.generate_pincode()
4747
self.port = port or DEFAULT_PORT
4848
self.setup_id = util.generate_setup_id()
4949

5050
self.config_version = DEFAULT_CONFIG_VERSION
51-
self.paired_clients = {}
51+
self.paired_clients: Dict[UUID, bytes] = {}
5252
self.client_properties = {}
5353

5454
self.private_key = ed25519.Ed25519PrivateKey.generate()

0 commit comments

Comments
 (0)