Skip to content

Commit 5265b54

Browse files
authored
Merge pull request #469 from ikalchev/v4.9.1
V4.9.1
2 parents 4398128 + ed94a26 commit 5265b54

7 files changed

+123
-33
lines changed

CHANGELOG.md

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

19+
## [4.9.1] - 2023-10-25
20+
21+
- Fix handling of explict close. [#467](https://github.com/ikalchev/HAP-python/pull/467)
22+
1923
## [4.9.0] - 2023-10-15
2024

2125
- Hashing of accessories no longer includes their values, resulting in more reliable syncs between

pyhap/accessory.py

+7-2
Original file line numberDiff line numberDiff line change
@@ -241,7 +241,9 @@ def to_HAP(self, include_value: bool = True) -> Dict[str, Any]:
241241
"""
242242
return {
243243
HAP_REPR_AID: self.aid,
244-
HAP_REPR_SERVICES: [s.to_HAP(include_value=include_value) for s in self.services],
244+
HAP_REPR_SERVICES: [
245+
s.to_HAP(include_value=include_value) for s in self.services
246+
],
245247
}
246248

247249
def setup_message(self):
@@ -391,7 +393,10 @@ def to_HAP(self, include_value: bool = True) -> List[Dict[str, Any]]:
391393
392394
.. seealso:: Accessory.to_HAP
393395
"""
394-
return [acc.to_HAP(include_value=include_value) for acc in (super(), *self.accessories.values())]
396+
return [
397+
acc.to_HAP(include_value=include_value)
398+
for acc in (super(), *self.accessories.values())
399+
]
395400

396401
def get_characteristic(self, aid: int, iid: int) -> Optional["Characteristic"]:
397402
""".. seealso:: Accessory.to_HAP"""

pyhap/const.py

+1-1
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
33
MINOR_VERSION = 9
4-
PATCH_VERSION = 0
4+
PATCH_VERSION = 1
55
__short_version__ = f"{MAJOR_VERSION}.{MINOR_VERSION}"
66
__version__ = f"{__short_version__}.{PATCH_VERSION}"
77
REQUIRED_PYTHON_VER = (3, 7)

pyhap/hap_protocol.py

+16-10
Original file line numberDiff line numberDiff line change
@@ -46,7 +46,7 @@ def __init__(
4646
connections: Dict[str, "HAPServerProtocol"],
4747
accessory_driver: "AccessoryDriver",
4848
) -> None:
49-
self.loop: asyncio.AbstractEventLoop = loop
49+
self.loop = loop
5050
self.conn = h11.Connection(h11.SERVER)
5151
self.connections = connections
5252
self.accessory_driver = accessory_driver
@@ -55,7 +55,7 @@ def __init__(
5555
self.transport: Optional[asyncio.Transport] = None
5656

5757
self.request: Optional[h11.Request] = None
58-
self.request_body: Optional[bytes] = None
58+
self.request_body: List[bytes] = []
5959
self.response: Optional[HAPResponse] = None
6060

6161
self.last_activity: Optional[float] = None
@@ -246,27 +246,33 @@ def _process_one_event(self) -> bool:
246246
logger.debug(
247247
"%s (%s): h11 Event: %s", self.peername, self.handler.client_uuid, event
248248
)
249-
if event in (h11.NEED_DATA, h11.ConnectionClosed):
249+
if event is h11.NEED_DATA:
250250
return False
251251

252252
if event is h11.PAUSED:
253253
self.conn.start_next_cycle()
254254
return True
255255

256-
if isinstance(event, h11.Request):
256+
event_type = type(event)
257+
if event_type is h11.ConnectionClosed:
258+
return False
259+
260+
if event_type is h11.Request:
257261
self.request = event
258-
self.request_body = b""
262+
self.request_body = []
259263
return True
260264

261-
if isinstance(event, h11.Data):
262-
self.request_body += event.data
265+
if event_type is h11.Data:
266+
if TYPE_CHECKING:
267+
assert isinstance(event, h11.Data) # nosec
268+
self.request_body.append(event.data)
263269
return True
264270

265-
if isinstance(event, h11.EndOfMessage):
266-
response = self.handler.dispatch(self.request, bytes(self.request_body))
271+
if event_type is h11.EndOfMessage:
272+
response = self.handler.dispatch(self.request, b"".join(self.request_body))
267273
self._process_response(response)
268274
self.request = None
269-
self.request_body = None
275+
self.request_body = []
270276
return True
271277

272278
return self._handle_invalid_conn_state(f"Unexpected event: {event}")

pyhap/hap_server.py

+19-11
Original file line numberDiff line numberDiff line change
@@ -3,12 +3,17 @@
33
The HAPServer is the point of contact to and from the world.
44
"""
55

6+
import asyncio
67
import logging
78
import time
9+
from typing import TYPE_CHECKING, Dict, Optional, Tuple
810

911
from .hap_protocol import HAPServerProtocol
1012
from .util import callback
1113

14+
if TYPE_CHECKING:
15+
from .accessory_driver import AccessoryDriver
16+
1217
logger = logging.getLogger(__name__)
1318

1419
IDLE_CONNECTION_CHECK_INTERVAL_SECONDS = 120
@@ -28,17 +33,18 @@ class HAPServer:
2833
implements exclusive access to the send methods.
2934
"""
3035

31-
def __init__(self, addr_port, accessory_handler):
36+
def __init__(
37+
self, addr_port: Tuple[str, int], accessory_handler: "AccessoryDriver"
38+
) -> None:
3239
"""Create a HAP Server."""
3340
self._addr_port = addr_port
34-
self.connections = {} # (address, port): socket
41+
self.connections: Dict[Tuple[str, int], HAPServerProtocol] = {}
3542
self.accessory_handler = accessory_handler
36-
self.server = None
37-
self._serve_task = None
38-
self._connection_cleanup = None
39-
self.loop = None
43+
self.server: Optional[asyncio.Server] = None
44+
self._connection_cleanup: Optional[asyncio.TimerHandle] = None
45+
self.loop: Optional[asyncio.AbstractEventLoop] = None
4046

41-
async def async_start(self, loop):
47+
async def async_start(self, loop: asyncio.AbstractEventLoop) -> None:
4248
"""Start the http-hap server."""
4349
self.loop = loop
4450
self.server = await loop.create_server(
@@ -49,7 +55,7 @@ async def async_start(self, loop):
4955
self.async_cleanup_connections()
5056

5157
@callback
52-
def async_cleanup_connections(self):
58+
def async_cleanup_connections(self) -> None:
5359
"""Cleanup stale connections."""
5460
now = time.time()
5561
for hap_proto in list(self.connections.values()):
@@ -59,7 +65,7 @@ def async_cleanup_connections(self):
5965
)
6066

6167
@callback
62-
def async_stop(self):
68+
def async_stop(self) -> None:
6369
"""Stop the server.
6470
6571
This method must be run in the event loop.
@@ -70,10 +76,12 @@ def async_stop(self):
7076
self.server.close()
7177
self.connections.clear()
7278

73-
def push_event(self, data, client_addr, immediate=False):
79+
def push_event(
80+
self, data: bytes, client_addr: Tuple[str, int], immediate: bool = False
81+
) -> bool:
7482
"""Queue an event to the current connection with the provided data.
7583
76-
:param data: The charateristic changes
84+
:param data: The characteristic changes
7785
:type data: dict
7886
7987
:param client_addr: A client (address, port) tuple to which to send the data.

pyhap/iid_manager.py

+16-9
Original file line numberDiff line numberDiff line change
@@ -1,19 +1,26 @@
11
"""Module for the IIDManager class."""
22
import logging
3+
from typing import TYPE_CHECKING, Dict, Optional, Union
4+
5+
if TYPE_CHECKING:
6+
from .characteristic import Characteristic
7+
from .service import Service
8+
9+
ServiceOrCharType = Union[Service, Characteristic]
310

411
logger = logging.getLogger(__name__)
512

613

714
class IIDManager:
815
"""Maintains a mapping between Service/Characteristic objects and IIDs."""
916

10-
def __init__(self):
17+
def __init__(self) -> None:
1118
"""Initialize an empty instance."""
1219
self.counter = 0
13-
self.iids = {}
14-
self.objs = {}
20+
self.iids: Dict["ServiceOrCharType", int] = {}
21+
self.objs: Dict[int, "ServiceOrCharType"] = {}
1522

16-
def assign(self, obj):
23+
def assign(self, obj: "ServiceOrCharType") -> None:
1724
"""Assign an IID to given object. Print warning if already assigned.
1825
1926
:param obj: The object that will be assigned an IID.
@@ -32,23 +39,23 @@ def assign(self, obj):
3239
self.iids[obj] = iid
3340
self.objs[iid] = obj
3441

35-
def get_iid_for_obj(self, obj):
42+
def get_iid_for_obj(self, obj: "ServiceOrCharType") -> int:
3643
"""Get the IID for the given object.
3744
3845
Override this method to provide custom IID assignment.
3946
"""
4047
self.counter += 1
4148
return self.counter
4249

43-
def get_obj(self, iid):
50+
def get_obj(self, iid: int) -> "ServiceOrCharType":
4451
"""Get the object that is assigned the given IID."""
4552
return self.objs.get(iid)
4653

47-
def get_iid(self, obj):
54+
def get_iid(self, obj: "ServiceOrCharType") -> int:
4855
"""Get the IID assigned to the given object."""
4956
return self.iids.get(obj)
5057

51-
def remove_obj(self, obj):
58+
def remove_obj(self, obj: "ServiceOrCharType") -> Optional[int]:
5259
"""Remove an object from the IID list."""
5360
iid = self.iids.pop(obj, None)
5461
if iid is None:
@@ -57,7 +64,7 @@ def remove_obj(self, obj):
5764
del self.objs[iid]
5865
return iid
5966

60-
def remove_iid(self, iid):
67+
def remove_iid(self, iid: int) -> Optional["ServiceOrCharType"]:
6168
"""Remove an object with an IID from the IID list."""
6269
obj = self.objs.pop(iid, None)
6370
if obj is None:

tests/test_hap_protocol.py

+60
Original file line numberDiff line numberDiff line change
@@ -8,9 +8,30 @@
88

99
from pyhap import hap_handler, hap_protocol
1010
from pyhap.accessory import Accessory, Bridge
11+
from pyhap.accessory_driver import AccessoryDriver
1112
from pyhap.hap_handler import HAPResponse
1213

1314

15+
class MockTransport(asyncio.Transport): # pylint: disable=abstract-method
16+
"""A mock transport."""
17+
18+
_is_closing: bool = False
19+
20+
def set_write_buffer_limits(self, high=None, low=None):
21+
"""Set the write buffer limits."""
22+
23+
def write_eof(self) -> None:
24+
"""Write EOF to the stream."""
25+
26+
def close(self) -> None:
27+
"""Close the stream."""
28+
self._is_closing = True
29+
30+
def is_closing(self) -> bool:
31+
"""Return True if the transport is closing or closed."""
32+
return self._is_closing
33+
34+
1435
class MockHAPCrypto:
1536
"""Mock HAPCrypto that only returns plaintext."""
1637

@@ -734,3 +755,42 @@ async def test_does_not_timeout(driver):
734755
assert writer.call_args_list[0][0][0].startswith(b"HTTP/1.1 200 OK\r\n") is True
735756
hap_proto.check_idle(time.time())
736757
assert hap_proto_close.called is False
758+
759+
760+
def test_explicit_close(driver: AccessoryDriver):
761+
"""Test an explicit connection close."""
762+
loop = MagicMock()
763+
764+
transport = MockTransport()
765+
connections = {}
766+
767+
acc = Accessory(driver, "TestAcc", aid=1)
768+
assert acc.aid == 1
769+
service = acc.driver.loader.get_service("TemperatureSensor")
770+
acc.add_service(service)
771+
driver.add_accessory(acc)
772+
773+
hap_proto = hap_protocol.HAPServerProtocol(loop, connections, driver)
774+
hap_proto.connection_made(transport)
775+
776+
hap_proto.hap_crypto = MockHAPCrypto()
777+
hap_proto.handler.is_encrypted = True
778+
assert hap_proto.transport.is_closing() is False
779+
780+
with patch.object(hap_proto.transport, "write") as writer:
781+
hap_proto.data_received(
782+
b"GET /characteristics?id=3762173001.7 HTTP/1.1\r\nHost: HASS\\032Bridge\\032YPHW\\032B223AD._hap._tcp.local\r\n\r\n" # pylint: disable=line-too-long
783+
)
784+
hap_proto.data_received(
785+
b"GET /characteristics?id=1.5 HTTP/1.1\r\nConnection: close\r\nHost: HASS\\032Bridge\\032YPHW\\032B223AD._hap._tcp.local\r\n\r\n" # pylint: disable=line-too-long
786+
)
787+
788+
assert b"Content-Length:" in writer.call_args_list[0][0][0]
789+
assert b"Transfer-Encoding: chunked\r\n\r\n" not in writer.call_args_list[0][0][0]
790+
assert b"-70402" in writer.call_args_list[0][0][0]
791+
792+
assert b"Content-Length:" in writer.call_args_list[1][0][0]
793+
assert b"Transfer-Encoding: chunked\r\n\r\n" not in writer.call_args_list[1][0][0]
794+
assert b"TestAcc" in writer.call_args_list[1][0][0]
795+
796+
assert hap_proto.transport.is_closing() is True

0 commit comments

Comments
 (0)