Skip to content

Commit 341beee

Browse files
authored
Merge pull request #388 from ikalchev/v4.3.0
V4.3.0
2 parents 52e7659 + 7f14eb1 commit 341beee

14 files changed

+113
-62
lines changed

CHANGELOG.md

+7-1
Original file line numberDiff line numberDiff line change
@@ -16,7 +16,13 @@ Sections
1616
### Developers
1717
-->
1818

19-
## [4.2.1] - 2021-09-6
19+
## [4.3.0] - 2021-10-07
20+
21+
### Fixed
22+
- Only send the latest state in case of multiple events for the same characteristic. [#385](https://github.com/ikalchev/HAP-python/pull/385)
23+
- Handle invalid formats from clients. [#387](https://github.com/ikalchev/HAP- python/pull/387)
24+
25+
## [4.2.1] - 2021-09-06
2026

2127
### Fixed
2228
- Fix floating point values with minStep. [#382](https://github.com/ikalchev/HAP-python/pull/382)

pyhap/accessory.py

+4-9
Original file line numberDiff line numberDiff line change
@@ -61,9 +61,7 @@ def __init__(self, driver, display_name, aid=None):
6161
def __repr__(self):
6262
"""Return the representation of the accessory."""
6363
services = [s.display_name for s in self.services]
64-
return "<accessory display_name='{}' services={}>".format(
65-
self.display_name, services
66-
)
64+
return f"<accessory display_name='{self.display_name}' services={services}>"
6765

6866
@property
6967
def available(self):
@@ -236,14 +234,13 @@ def setup_message(self):
236234
pincode = self.driver.state.pincode.decode()
237235
if SUPPORT_QR_CODE:
238236
xhm_uri = self.xhm_uri()
239-
print("Setup payload: {}".format(xhm_uri), flush=True)
237+
print(f"Setup payload: {xhm_uri}", flush=True)
240238
print(
241239
"Scan this code with your HomeKit app on your iOS device:", flush=True
242240
)
243241
print(QRCode(xhm_uri).terminal(quiet_zone=2), flush=True)
244242
print(
245-
"Or enter this code in your HomeKit app on your iOS device: "
246-
"{}".format(pincode),
243+
f"Or enter this code in your HomeKit app on your iOS device: {pincode}",
247244
flush=True,
248245
)
249246
else:
@@ -252,9 +249,7 @@ def setup_message(self):
252249
flush=True,
253250
)
254251
print(
255-
"Enter this code in your HomeKit app on your iOS device: {}".format(
256-
pincode
257-
),
252+
f"Enter this code in your HomeKit app on your iOS device: {pincode}",
258253
flush=True,
259254
)
260255

pyhap/accessory_driver.py

+5-10
Original file line numberDiff line numberDiff line change
@@ -125,17 +125,12 @@ def __init__(self, accessory, state, zeroconf_server=None):
125125
self.state = state
126126

127127
adv_data = self._get_advert_data()
128+
valid_name = self._valid_name()
129+
short_mac = self.state.mac[-8:].replace(":", "")
128130
# Append part of MAC address to prevent name conflicts
129-
name = "{} {}.{}".format(
130-
self._valid_name(),
131-
self.state.mac[-8:].replace(":", ""),
132-
HAP_SERVICE_TYPE,
133-
)
134-
server = zeroconf_server or "{}-{}.{}".format(
135-
self._valid_host_name(),
136-
self.state.mac[-8:].replace(":", ""),
137-
"local.",
138-
)
131+
name = f"{valid_name} {short_mac}.{HAP_SERVICE_TYPE}"
132+
valid_host_name = self._valid_host_name()
133+
server = zeroconf_server or f"{valid_host_name}-{short_mac}.local."
139134
super().__init__(
140135
HAP_SERVICE_TYPE,
141136
name=name,

pyhap/characteristic.py

+9-9
Original file line numberDiff line numberDiff line change
@@ -162,9 +162,7 @@ def __init__(self, display_name, type_id, properties):
162162

163163
def __repr__(self):
164164
"""Return the representation of the characteristic."""
165-
return "<characteristic display_name={} value={} properties={}>".format(
166-
self.display_name, self.value, self.properties
167-
)
165+
return f"<characteristic display_name={self.display_name} value={self.value} properties={self.properties}>"
168166

169167
def _get_default_value(self):
170168
"""Return default value for format."""
@@ -191,9 +189,7 @@ def to_valid_value(self, value):
191189
"""Perform validation and conversion to valid value."""
192190
if self.properties.get(PROP_VALID_VALUES):
193191
if value not in self.properties[PROP_VALID_VALUES].values():
194-
error_msg = "{}: value={} is an invalid value.".format(
195-
self.display_name, value
196-
)
192+
error_msg = f"{self.display_name}: value={value} is an invalid value."
197193
logger.error(error_msg)
198194
raise ValueError(error_msg)
199195
elif self.properties[PROP_FORMAT] == HAP_FORMAT_STRING:
@@ -204,8 +200,8 @@ def to_valid_value(self, value):
204200
value = bool(value)
205201
elif self.properties[PROP_FORMAT] in HAP_FORMAT_NUMERICS:
206202
if not isinstance(value, (int, float)):
207-
error_msg = "{}: value={} is not a numeric value.".format(
208-
self.display_name, value
203+
error_msg = (
204+
f"{self.display_name}: value={value} is not a numeric value."
209205
)
210206
logger.error(error_msg)
211207
raise ValueError(error_msg)
@@ -281,10 +277,14 @@ def client_update_value(self, value, sender_client_addr=None):
281277
282278
Change self.value to value and call callback.
283279
"""
280+
original_value = value
281+
if self.type_id not in ALWAYS_NULL or original_value is not None:
282+
value = self.to_valid_value(value)
284283
logger.debug(
285-
"client_update_value: %s to %s from client: %s",
284+
"client_update_value: %s to %s (original: %s) from client: %s",
286285
self.display_name,
287286
value,
287+
original_value,
288288
sender_client_addr,
289289
)
290290
changed = self.value != value

pyhap/const.py

+4-4
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,9 @@
11
"""This module contains constants used by other modules."""
22
MAJOR_VERSION = 4
3-
MINOR_VERSION = 2
4-
PATCH_VERSION = 1
5-
__short_version__ = "{}.{}".format(MAJOR_VERSION, MINOR_VERSION)
6-
__version__ = "{}.{}".format(__short_version__, PATCH_VERSION)
3+
MINOR_VERSION = 3
4+
PATCH_VERSION = 0
5+
__short_version__ = f"{MAJOR_VERSION}.{MINOR_VERSION}"
6+
__version__ = f"{__short_version__}.{PATCH_VERSION}"
77
REQUIRED_PYTHON_VER = (3, 6)
88

99
BASE_UUID = "-0000-1000-8000-0026BB765291"

pyhap/hap_handler.py

+5-7
Original file line numberDiff line numberDiff line change
@@ -50,8 +50,8 @@ def __init__(self):
5050

5151
def __repr__(self):
5252
"""Return a human readable view of the response."""
53-
return "<HAPResponse {} {} {} {}>".format(
54-
self.status_code, self.reason, self.headers, self.body
53+
return (
54+
f"<HAPResponse {self.status_code} {self.reason} {self.headers} {self.body}>"
5555
)
5656

5757

@@ -453,7 +453,7 @@ def handle_pair_verify(self):
453453
self._pair_verify_two(tlv_objects)
454454
else:
455455
raise ValueError(
456-
"Unknown pairing sequence of %s during pair verify" % (sequence)
456+
f"Unknown pairing sequence of {sequence} during pair verify"
457457
)
458458

459459
def _pair_verify_one(self, tlv_objects):
@@ -662,7 +662,7 @@ def handle_pairings(self):
662662
self._handle_list_pairings()
663663
else:
664664
raise ValueError(
665-
"Unknown pairing request type of %s during pair verify" % (request_type)
665+
f"Unknown pairing request type of {request_type} during pair verify"
666666
)
667667

668668
def _handle_add_pairing(self, tlv_objects):
@@ -747,9 +747,7 @@ def handle_resource(self):
747747
if self.accessory_handler.accessory.category == CATEGORY_BRIDGE:
748748
accessory = self.accessory_handler.accessory.accessories.get(data["aid"])
749749
if not accessory:
750-
raise ValueError(
751-
"Accessory with aid == {} not found".format(data["aid"])
752-
)
750+
raise ValueError(f"Accessory with aid == {data['aid']} not found")
753751
else:
754752
accessory = self.accessory_handler.accessory
755753

pyhap/hap_protocol.py

+5-5
Original file line numberDiff line numberDiff line change
@@ -48,7 +48,7 @@ def __init__(self, loop, connections, accessory_driver) -> None:
4848
self.last_activity = None
4949
self.hap_crypto = None
5050
self._event_timer = None
51-
self._event_queue = []
51+
self._event_queue = {}
5252

5353
self.start_time = None
5454

@@ -112,7 +112,7 @@ def close(self) -> None:
112112

113113
def queue_event(self, data: dict, immediate: bool) -> None:
114114
"""Queue an event for sending."""
115-
self._event_queue.append(data)
115+
self._event_queue[(data[HAP_REPR_AID], data[HAP_REPR_IID])] = data
116116
if immediate:
117117
self.loop.call_soon(self._send_events)
118118
elif not self._event_timer:
@@ -212,14 +212,14 @@ def _send_events(self):
212212
subscribed_events = self._event_queue_with_active_subscriptions()
213213
if subscribed_events:
214214
self.write(create_hap_event(subscribed_events))
215-
self._event_queue = []
215+
self._event_queue.clear()
216216

217217
def _event_queue_with_active_subscriptions(self):
218218
"""Remove any topics that have been unsubscribed after the event was generated."""
219219
topics = self.accessory_driver.topics
220220
return [
221221
event
222-
for event in self._event_queue
222+
for event in self._event_queue.values()
223223
if self.peername
224224
in topics.get(get_topic(event[HAP_REPR_AID], event[HAP_REPR_IID]), [])
225225
]
@@ -253,7 +253,7 @@ def _process_one_event(self) -> bool:
253253
self.request_body = None
254254
return True
255255

256-
return self._handle_invalid_conn_state("Unexpected event: {}".format(event))
256+
return self._handle_invalid_conn_state(f"Unexpected event: {event}")
257257

258258
def _process_response(self, response) -> None:
259259
"""Process a response from the handler."""

pyhap/loader.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -44,14 +44,14 @@ def get_char(self, name):
4444
or "Permissions" not in char_dict
4545
or "UUID" not in char_dict
4646
):
47-
raise KeyError("Could not load char {}!".format(name))
47+
raise KeyError(f"Could not load char {name}!")
4848
return Characteristic.from_dict(name, char_dict, from_loader=True)
4949

5050
def get_service(self, name):
5151
"""Return new service object."""
5252
service_dict = self.serv_types[name].copy()
5353
if "RequiredCharacteristics" not in service_dict or "UUID" not in service_dict:
54-
raise KeyError("Could not load service {}!".format(name))
54+
raise KeyError(f"Could not load service {name}!")
5555
return Service.from_dict(name, service_dict, self)
5656

5757
@classmethod

pyhap/service.py

+2-3
Original file line numberDiff line numberDiff line change
@@ -42,9 +42,8 @@ def __init__(self, type_id, display_name=None):
4242

4343
def __repr__(self):
4444
"""Return the representation of the service."""
45-
return "<service display_name={} chars={}>".format(
46-
self.display_name, {c.display_name: c.value for c in self.characteristics}
47-
)
45+
chars_dict = {c.display_name: c.value for c in self.characteristics}
46+
return f"<service display_name={self.display_name} chars={chars_dict}>"
4847

4948
def add_linked_service(self, service):
5049
"""Add the given service as "linked" to this Service."""

pyhap/tlv.py

+3-2
Original file line numberDiff line numberDiff line change
@@ -17,8 +17,9 @@ def encode(*args, to_base64=False):
1717
:return: The args in TLV format
1818
:rtype: ``bytes`` if ``toBase64`` is False and ``str`` otherwise.
1919
"""
20-
if len(args) % 2 != 0:
21-
raise ValueError("Even number of args expected (%d given)" % len(args))
20+
arg_len = len(args)
21+
if arg_len % 2 != 0:
22+
raise ValueError(f"Even number of args expected ({arg_len} given)")
2223

2324
pieces = []
2425
for x in range(0, len(args), 2):

pyhap/util.py

+4-4
Original file line numberDiff line numberDiff line change
@@ -80,7 +80,7 @@ def generate_mac():
8080
:return: MAC address in format XX:XX:XX:XX:XX:XX
8181
:rtype: str
8282
"""
83-
return "{}{}:{}{}:{}{}:{}{}:{}{}:{}{}".format(
83+
return "{}{}:{}{}:{}{}:{}{}:{}{}:{}{}".format( # pylint: disable=consider-using-f-string
8484
*(rand.choice(HEX_DIGITS) for _ in range(12))
8585
)
8686

@@ -104,9 +104,9 @@ def generate_pincode():
104104
:return: pincode in format ``xxx-xx-xxx``
105105
:rtype: bytearray
106106
"""
107-
return "{}{}{}-{}{}-{}{}{}".format(*(rand.randint(0, 9) for i in range(8))).encode(
108-
"ascii"
109-
)
107+
return "{}{}{}-{}{}-{}{}{}".format( # pylint: disable=consider-using-f-string
108+
*(rand.randint(0, 9) for i in range(8))
109+
).encode("ascii")
110110

111111

112112
def to_base64_str(bytes_input) -> str:

tests/test_accessory.py

+11-1
Original file line numberDiff line numberDiff line change
@@ -101,7 +101,7 @@ def test_bridge_add_accessory(mock_driver):
101101
bridge.add_accessory(acc)
102102
acc2 = Accessory(mock_driver, "Test Accessory 2")
103103
bridge.add_accessory(acc2)
104-
assert acc2.aid != STANDALONE_AID and acc2.aid != acc.aid
104+
assert acc2.aid not in (STANDALONE_AID, acc.aid)
105105

106106

107107
def test_bridge_n_add_accessory_bridge_aid(mock_driver):
@@ -550,3 +550,13 @@ def test_acc_with_(mock_driver):
550550
assert char_doorbell_detected_switch.to_HAP()[HAP_REPR_VALUE] is None
551551
char_doorbell_detected_switch.client_update_value(None)
552552
assert char_doorbell_detected_switch.to_HAP()[HAP_REPR_VALUE] is None
553+
554+
555+
def test_client_sends_invalid_value(mock_driver):
556+
"""Test cleaning up invalid client value."""
557+
acc = Accessory(mock_driver, "Test Accessory")
558+
serv_switch = acc.add_preload_service("Switch")
559+
char_on = serv_switch.configure_char("On", value=False)
560+
# Client sends 1, but it should be True
561+
char_on.client_update_value(1)
562+
assert char_on.to_HAP()[HAP_REPR_VALUE] is True

tests/test_accessory_driver.py

+5-5
Original file line numberDiff line numberDiff line change
@@ -199,7 +199,7 @@ def test_service_callbacks(driver):
199199
mock_callback.assert_called_with({"On": True, "Brightness": 88})
200200

201201
get_chars = driver.get_characteristics(
202-
["{}.{}".format(acc.aid, char_on_iid), "{}.{}".format(acc2.aid, char_on2_iid)]
202+
[f"{acc.aid}.{char_on_iid}", f"{acc2.aid}.{char_on2_iid}"]
203203
)
204204
assert get_chars == {
205205
"characteristics": [
@@ -214,10 +214,10 @@ def _fail_func():
214214
char_brightness.getter_callback = _fail_func
215215
get_chars = driver.get_characteristics(
216216
[
217-
"{}.{}".format(acc.aid, char_on_iid),
218-
"{}.{}".format(acc2.aid, char_on2_iid),
219-
"{}.{}".format(acc2.aid, char_brightness_iid),
220-
"{}.{}".format(acc.aid, char_brightness2_iid),
217+
f"{acc.aid}.{char_on_iid}",
218+
f"{acc2.aid}.{char_on2_iid}",
219+
f"{acc2.aid}.{char_brightness_iid}",
220+
f"{acc.aid}.{char_brightness2_iid}",
221221
]
222222
)
223223
assert get_chars == {

tests/test_hap_server.py

+47
Original file line numberDiff line numberDiff line change
@@ -149,3 +149,50 @@ def _save_event(hap_event):
149149
b"EVENT/1.0 200 OK\r\nContent-Type: application/hap+json\r\nContent-Length: 87\r\n\r\n"
150150
b'{"characteristics":[{"aid":2,"iid":33,"value":false},{"aid":3,"iid":33,"value":false}]}'
151151
]
152+
153+
154+
@pytest.mark.asyncio
155+
async def test_push_event_overwrites_old_pending_events(driver):
156+
"""Test push event overwrites old events in the event queue.
157+
158+
iOS 15 had a breaking change where events are no longer processed
159+
in order. We want to make sure when we send an event message we
160+
only send the latest state and overwrite all the previous states
161+
for the same AID/IID that are in the queue when the state changes
162+
before the event is sent.
163+
"""
164+
addr_info = ("1.2.3.4", 1234)
165+
server = hap_server.HAPServer(("127.0.01", 5555), driver)
166+
server.loop = asyncio.get_event_loop()
167+
hap_events = []
168+
169+
def _save_event(hap_event):
170+
hap_events.append(hap_event)
171+
172+
hap_server_protocol = HAPServerProtocol(
173+
server.loop, server.connections, server.accessory_handler
174+
)
175+
hap_server_protocol.write = _save_event
176+
hap_server_protocol.peername = addr_info
177+
server.accessory_handler.topics["1.33"] = {addr_info}
178+
server.accessory_handler.topics["2.33"] = {addr_info}
179+
server.connections[addr_info] = hap_server_protocol
180+
181+
assert (
182+
server.push_event({"aid": 1, "iid": 33, "value": False}, addr_info, True)
183+
is True
184+
)
185+
assert (
186+
server.push_event({"aid": 1, "iid": 33, "value": True}, addr_info, True) is True
187+
)
188+
assert (
189+
server.push_event({"aid": 2, "iid": 33, "value": False}, addr_info, True)
190+
is True
191+
)
192+
193+
await asyncio.sleep(0)
194+
assert hap_events == [
195+
b"EVENT/1.0 200 OK\r\nContent-Type: application/hap+json\r\nContent-Length: 86\r\n\r\n"
196+
b'{"characteristics":[{"aid":1,"iid":33,"value":true},'
197+
b'{"aid":2,"iid":33,"value":false}]}'
198+
]

0 commit comments

Comments
 (0)