1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
|
# Copyright 2023 The Android Open Source Project
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import asyncio
import collections
import enum
import hci_packets as hci
import link_layer_packets as ll
import llcp_packets as llcp
import py.bluetooth
import sys
import typing
import unittest
from typing import Optional, Tuple, Union
from hci_packets import ErrorCode
from ctypes import *
rootcanal = cdll.LoadLibrary("lib_rootcanal_ffi.so")
rootcanal.ffi_controller_new.restype = c_void_p
SEND_HCI_FUNC = CFUNCTYPE(None, c_int, POINTER(c_ubyte), c_size_t)
SEND_LL_FUNC = CFUNCTYPE(None, POINTER(c_ubyte), c_size_t, c_int, c_int)
class Idc(enum.IntEnum):
Cmd = 1
Acl = 2
Sco = 3
Evt = 4
Iso = 5
class Phy(enum.IntEnum):
LowEnergy = 0
BrEdr = 1
class LeFeatures:
def __init__(self, le_features: int):
self.mask = le_features
self.ll_privacy = (le_features & hci.LLFeaturesBits.LL_PRIVACY) != 0
self.le_extended_advertising = (le_features & hci.LLFeaturesBits.LE_EXTENDED_ADVERTISING) != 0
self.le_periodic_advertising = (le_features & hci.LLFeaturesBits.LE_PERIODIC_ADVERTISING) != 0
def generate_rpa(irk: bytes) -> hci.Address:
rpa = bytearray(6)
rpa_type = c_char * 6
rootcanal.ffi_generate_rpa(c_char_p(irk), rpa_type.from_buffer(rpa))
rpa.reverse()
return hci.Address(bytes(rpa))
class Controller:
"""Binder class over RootCanal's ffi interfaces.
The methods send_cmd, send_hci, send_ll are used to inject HCI or LL
packets into the controller, and receive_hci, receive_ll to
catch outgoing HCI packets of LL pdus."""
def __init__(self, address: hci.Address):
# Write the callbacks for handling HCI and LL send events.
@SEND_HCI_FUNC
def send_hci(idc: c_int, data: POINTER(c_ubyte), data_len: c_size_t):
packet = []
for n in range(data_len):
packet.append(data[n])
self.receive_hci_(int(idc), bytes(packet))
@SEND_LL_FUNC
def send_ll(data: POINTER(c_ubyte), data_len: c_size_t, phy: c_int, tx_power: c_int):
packet = []
for n in range(data_len):
packet.append(data[n])
self.receive_ll_(bytes(packet), int(phy), int(tx_power))
self.send_hci_callback = SEND_HCI_FUNC(send_hci)
self.send_ll_callback = SEND_LL_FUNC(send_ll)
# Create a c++ controller instance.
self.instance = rootcanal.ffi_controller_new(c_char_p(address.address), self.send_hci_callback,
self.send_ll_callback)
self.address = address
self.evt_queue = collections.deque()
self.acl_queue = collections.deque()
self.iso_queue = collections.deque()
self.ll_queue = collections.deque()
self.evt_queue_event = asyncio.Event()
self.acl_queue_event = asyncio.Event()
self.iso_queue_event = asyncio.Event()
self.ll_queue_event = asyncio.Event()
def __del__(self):
rootcanal.ffi_controller_delete(c_void_p(self.instance))
def receive_hci_(self, idc: int, packet: bytes):
if idc == Idc.Evt:
print(f"<-- received HCI event data={len(packet)}[..]")
self.evt_queue.append(packet)
self.evt_queue_event.set()
elif idc == Idc.Acl:
print(f"<-- received HCI ACL packet data={len(packet)}[..]")
self.acl_queue.append(packet)
self.acl_queue_event.set()
elif idc == Idc.Iso:
print(f"<-- received HCI ISO packet data={len(packet)}[..]")
self.iso_queue.append(packet)
self.iso_queue_event.set()
else:
print(f"ignoring HCI packet typ={idc}")
def receive_ll_(self, packet: bytes, phy: int, tx_power: int):
print(f"<-- received LL pdu data={len(packet)}[..]")
self.ll_queue.append(packet)
self.ll_queue_event.set()
def send_cmd(self, cmd: hci.Command):
print(f"--> sending HCI command {cmd.__class__.__name__}")
data = cmd.serialize()
rootcanal.ffi_controller_receive_hci(c_void_p(self.instance), c_int(Idc.Cmd), c_char_p(data), c_int(len(data)))
def send_iso(self, iso: hci.Iso):
print(f"--> sending HCI iso pdu data={len(iso.payload)}[..]")
data = iso.serialize()
rootcanal.ffi_controller_receive_hci(c_void_p(self.instance), c_int(Idc.Iso), c_char_p(data), c_int(len(data)))
def send_ll(self, pdu: ll.LinkLayerPacket, phy: Phy = Phy.LowEnergy, rssi: int = -90):
print(f"--> sending LL pdu {pdu.__class__.__name__}")
data = pdu.serialize()
rootcanal.ffi_controller_receive_ll(c_void_p(self.instance), c_char_p(data), c_int(len(data)), c_int(phy),
c_int(rssi))
def send_llcp(self,
source_address: hci.Address,
destination_address: hci.Address,
pdu: llcp.LlcpPacket,
phy: Phy = Phy.LowEnergy,
rssi: int = -90):
print(f"--> sending LLCP pdu {pdu.__class__.__name__}")
ll_pdu = ll.Llcp(source_address=source_address,
destination_address=destination_address,
payload=pdu.serialize())
data = ll_pdu.serialize()
rootcanal.ffi_controller_receive_ll(c_void_p(self.instance), c_char_p(data), c_int(len(data)), c_int(phy),
c_int(rssi))
async def start(self):
async def timer():
while True:
await asyncio.sleep(0.005)
rootcanal.ffi_controller_tick(c_void_p(self.instance))
# Spawn the controller timer task.
self.timer_task = asyncio.create_task(timer())
def stop(self):
# Cancel the controller timer task.
del self.timer_task
if self.evt_queue:
print("evt queue not empty at stop():")
for packet in self.evt_queue:
evt = hci.Event.parse_all(packet)
evt.show()
raise Exception("evt queue not empty at stop()")
if self.iso_queue:
print("iso queue not empty at stop():")
for packet in self.iso_queue:
iso = hci.Iso.parse_all(packet)
iso.show()
raise Exception("ll queue not empty at stop()")
if self.ll_queue:
for (packet, _) in self.ll_queue:
pdu = ll.LinkLayerPacket.parse_all(packet)
pdu.show()
raise Exception("ll queue not empty at stop()")
async def receive_evt(self):
while not self.evt_queue:
await self.evt_queue_event.wait()
self.evt_queue_event.clear()
return self.evt_queue.popleft()
async def receive_iso(self):
while not self.iso_queue:
await self.iso_queue_event.wait()
self.iso_queue_event.clear()
return self.iso_queue.popleft()
async def expect_evt(self, expected_evt: hci.Event):
packet = await self.receive_evt()
evt = hci.Event.parse_all(packet)
if evt != expected_evt:
print("received unexpected event")
print("expected event:")
expected_evt.show()
print("received event:")
evt.show()
raise Exception(f"unexpected evt {evt.__class__.__name__}")
async def receive_ll(self):
while not self.ll_queue:
await self.ll_queue_event.wait()
self.ll_queue_event.clear()
return self.ll_queue.popleft()
class Any:
"""Helper class that will match all other values.
Use an element of this class in expected packets to match any value
returned by the Controller stack."""
def __eq__(self, other) -> bool:
return True
def __format__(self, format_spec: str) -> str:
return "_"
class ControllerTest(unittest.IsolatedAsyncioTestCase):
"""Helper class for writing controller tests using the python bindings.
The test setups the controller sending the Reset command and configuring
the event masks to allow all events. The local device address is
always configured as 11:11:11:11:11:11."""
Any = Any()
def setUp(self):
self.controller = Controller(hci.Address('11:11:11:11:11:11'))
async def asyncSetUp(self):
controller = self.controller
# Start the controller timer.
await controller.start()
# Reset the controller and enable all events and LE events.
controller.send_cmd(hci.Reset())
await controller.expect_evt(hci.ResetComplete(status=ErrorCode.SUCCESS, num_hci_command_packets=1))
controller.send_cmd(hci.SetEventMask(event_mask=0xffffffffffffffff))
await controller.expect_evt(hci.SetEventMaskComplete(status=ErrorCode.SUCCESS, num_hci_command_packets=1))
controller.send_cmd(hci.LeSetEventMask(le_event_mask=0xffffffffffffffff))
await controller.expect_evt(hci.LeSetEventMaskComplete(status=ErrorCode.SUCCESS, num_hci_command_packets=1))
# Load the local supported features to be able to disable tests
# that rely on unsupported features.
controller.send_cmd(hci.LeReadLocalSupportedFeaturesPage0())
evt = await self.expect_cmd_complete(hci.LeReadLocalSupportedFeaturesPage0Complete)
controller.le_features = LeFeatures(evt.le_features)
async def expect_evt(self, expected_evt: typing.Union[hci.Event, type], timeout: int = 3) -> hci.Event:
packet = await asyncio.wait_for(self.controller.receive_evt(), timeout=timeout)
evt = hci.Event.parse_all(packet)
if isinstance(expected_evt, type) and not isinstance(evt, expected_evt):
print("received unexpected event")
print(f"expected event: {expected_evt.__class__.__name__}")
print("received event:")
evt.show()
self.assertTrue(False)
if isinstance(expected_evt, hci.Event) and evt != expected_evt:
print("received unexpected event")
print(f"expected event:")
expected_evt.show()
print("received event:")
evt.show()
self.assertTrue(False)
return evt
async def expect_cmd_complete(self, expected_evt: type, timeout: int = 3) -> hci.Event:
evt = await self.expect_evt(expected_evt, timeout=timeout)
assert evt.status == ErrorCode.SUCCESS
assert evt.num_hci_command_packets == 1
return evt
async def expect_iso(self, expected_iso: hci.Iso, timeout: int = 3):
packet = await asyncio.wait_for(self.controller.receive_iso(), timeout=timeout)
iso = hci.Iso.parse_all(packet)
if iso != expected_iso:
print("received unexpected iso packet")
print("expected packet:")
expected_iso.show()
print("received packet:")
iso.show()
self.assertTrue(False)
async def expect_ll(self,
expected_pdus: typing.Union[list, typing.Union[ll.LinkLayerPacket, type]],
ignored_pdus: typing.Union[list, type] = [],
timeout: int = 3) -> ll.LinkLayerPacket:
if not isinstance(ignored_pdus, list):
ignored_pdus = [ignored_pdus]
if not isinstance(expected_pdus, list):
expected_pdus = [expected_pdus]
async with asyncio.timeout(timeout):
while True:
packet = await self.controller.receive_ll()
pdu = ll.LinkLayerPacket.parse_all(packet)
for ignored_pdu in ignored_pdus:
if isinstance(pdu, ignored_pdu):
continue
for expected_pdu in expected_pdus:
if isinstance(expected_pdu, type) and isinstance(pdu, expected_pdu):
return pdu
if isinstance(expected_pdu, ll.LinkLayerPacket) and pdu == expected_pdu:
return pdu
print("received unexpected pdu:")
pdu.show()
print("expected pdus:")
for expected_pdu in expected_pdus:
if isinstance(expected_pdu, type):
print(f"- {expected_pdu.__name__}")
if isinstance(expected_pdu, ll.LinkLayerPacket):
print(f"- {expected_pdu.__class__.__name__}")
expected_pdu.show()
self.assertTrue(False)
async def expect_llcp(self,
source_address: hci.Address,
destination_address: hci.Address,
expected_pdu: llcp.LlcpPacket,
timeout: int = 3) -> llcp.LlcpPacket:
packet = await asyncio.wait_for(self.controller.receive_ll(), timeout=timeout)
pdu = ll.LinkLayerPacket.parse_all(packet)
if (pdu.type != ll.PacketType.LLCP or pdu.source_address != source_address or
pdu.destination_address != destination_address):
print("received unexpected pdu:")
pdu.show()
print(f"expected pdu: {source_address} -> {destination_address}")
expected_pdu.show()
self.assertTrue(False)
pdu = llcp.LlcpPacket.parse_all(pdu.payload)
if pdu != expected_pdu:
print("received unexpected pdu:")
pdu.show()
print("expected pdu:")
expected_pdu.show()
self.assertTrue(False)
return pdu
async def enable_connected_isochronous_stream_host_support(self):
"""Enable Connected Isochronous Stream Host Support in the LE Feature mask."""
self.controller.send_cmd(
hci.LeSetHostFeatureV1(bit_number=hci.LeHostFeatureBits.CONNECTED_ISO_STREAM_HOST_SUPPORT,
bit_value=hci.Enable.ENABLED))
await self.expect_evt(hci.LeSetHostFeatureV1Complete(status=ErrorCode.SUCCESS, num_hci_command_packets=1))
async def establish_le_connection_central(self, peer_address: hci.Address) -> int:
"""Establish a connection with the selected peer as Central.
Returns the ACL connection handle for the opened link."""
self.controller.send_cmd(
hci.LeExtendedCreateConnectionV1(initiator_filter_policy=hci.InitiatorFilterPolicy.USE_PEER_ADDRESS,
own_address_type=hci.OwnAddressType.PUBLIC_DEVICE_ADDRESS,
peer_address_type=hci.AddressType.PUBLIC_DEVICE_ADDRESS,
peer_address=peer_address,
initiating_phys=0x1,
initiating_phy_parameters=[
hci.InitiatingPhyParameters(
scan_interval=0x200,
scan_window=0x100,
connection_interval_min=0x200,
connection_interval_max=0x200,
max_latency=0x6,
supervision_timeout=0xc80,
min_ce_length=0,
max_ce_length=0,
)
]))
await self.expect_evt(
hci.LeExtendedCreateConnectionV1Status(status=ErrorCode.SUCCESS, num_hci_command_packets=1))
self.controller.send_ll(ll.LeLegacyAdvertisingPdu(source_address=peer_address,
advertising_address_type=ll.AddressType.PUBLIC,
advertising_type=ll.LegacyAdvertisingType.ADV_IND,
advertising_data=[]),
rssi=-16)
await self.expect_ll(
ll.LeConnect(source_address=self.controller.address,
destination_address=peer_address,
initiating_address_type=ll.AddressType.PUBLIC,
advertising_address_type=ll.AddressType.PUBLIC,
conn_interval=0x200,
conn_peripheral_latency=0x6,
conn_supervision_timeout=0xc80))
self.controller.send_ll(
ll.LeConnectComplete(source_address=peer_address,
destination_address=self.controller.address,
initiating_address_type=ll.AddressType.PUBLIC,
advertising_address_type=ll.AddressType.PUBLIC,
conn_interval=0x200,
conn_peripheral_latency=0x6,
conn_supervision_timeout=0xc80))
connection_complete = await self.expect_evt(
hci.LeEnhancedConnectionCompleteV1(status=ErrorCode.SUCCESS,
connection_handle=self.Any,
role=hci.Role.CENTRAL,
peer_address_type=hci.AddressType.PUBLIC_DEVICE_ADDRESS,
peer_address=peer_address,
connection_interval=0x200,
peripheral_latency=0x6,
supervision_timeout=0xc80,
central_clock_accuracy=hci.ClockAccuracy.PPM_500))
acl_connection_handle = connection_complete.connection_handle
await self.expect_evt(
hci.LeChannelSelectionAlgorithm(connection_handle=acl_connection_handle,
channel_selection_algorithm=hci.ChannelSelectionAlgorithm.ALGORITHM_1))
return acl_connection_handle
async def establish_le_connection_peripheral(self, peer_address: hci.Address) -> int:
"""Establish a connection with the selected peer as Peripheral.
Returns the ACL connection handle for the opened link."""
self.controller.send_cmd(
hci.LeSetAdvertisingParameters(advertising_interval_min=0x200,
advertising_interval_max=0x200,
advertising_type=hci.AdvertisingType.ADV_IND,
own_address_type=hci.OwnAddressType.PUBLIC_DEVICE_ADDRESS,
advertising_channel_map=0x7,
advertising_filter_policy=hci.AdvertisingFilterPolicy.ALL_DEVICES))
await self.expect_evt(
hci.LeSetAdvertisingParametersComplete(status=ErrorCode.SUCCESS, num_hci_command_packets=1))
self.controller.send_cmd(hci.LeSetAdvertisingEnable(advertising_enable=True))
await self.expect_evt(hci.LeSetAdvertisingEnableComplete(status=ErrorCode.SUCCESS, num_hci_command_packets=1))
self.controller.send_ll(ll.LeConnect(source_address=peer_address,
destination_address=self.controller.address,
initiating_address_type=ll.AddressType.PUBLIC,
advertising_address_type=ll.AddressType.PUBLIC,
conn_interval=0x200,
conn_peripheral_latency=0x200,
conn_supervision_timeout=0x200),
rssi=-16)
await self.expect_ll(
ll.LeConnectComplete(source_address=self.controller.address,
destination_address=peer_address,
conn_interval=0x200,
conn_peripheral_latency=0x200,
conn_supervision_timeout=0x200))
connection_complete = await self.expect_evt(
hci.LeEnhancedConnectionCompleteV1(status=ErrorCode.SUCCESS,
connection_handle=self.Any,
role=hci.Role.PERIPHERAL,
peer_address_type=hci.AddressType.PUBLIC_DEVICE_ADDRESS,
peer_address=peer_address,
connection_interval=0x200,
peripheral_latency=0x200,
supervision_timeout=0x200,
central_clock_accuracy=hci.ClockAccuracy.PPM_500))
return connection_complete.connection_handle
def tearDown(self):
self.controller.stop()
|