bt_test_harness/
emulator.rs

1// Copyright 2020 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5/// This module defines common primitives for building and working with Harness types that rely on
6/// interacting with bt-hci-emulator state.
7///
8/// There is no single 'EmulatorHarness' type; instead many different harness types can be built
9/// that provide access to emulator behavior. To provide such harness functionality usually requires
10/// two things:
11///
12///    - Providing access to a value of type `EmulatorState` within the Harness's State type, by
13///      implementing `AsMut<EmulatorState>` on the state type
14///    - Providing access to a fidl proxy of type `EmulatorProxy`, by implementing
15///      `AsRef<EmulatorProxy>` on the auxiliary (Aux) type
16///
17/// This module defines the `EmulatorState` type, which represents the state common to the hci
18/// emulator. It also provides common functionality for working with emulator behavior via this
19/// state and via the EmulatorProxy.
20///
21/// The `expectation` submodule provides useful expectations (see `fuchsia_bluetooth::expectation`)
22/// that can be used to write idiomatic testcases using these harnesses.
23///
24/// An example implementation of an Emulator harness may look like the following:
25///
26/// First, define our state type, nesting the `EmulatorState` within:
27///
28///     ```
29///     #[derive(Clone, Debug, Default)]
30///     pub struct PeripheralState {
31///         emulator_state: EmulatorState,
32///         connections: Vec<(Peer, ConnectionProxy)>,
33///     }
34///     ```
35///
36/// Then, define `AsMut` and `AsRef` implementations to provide access to the inner EmulatorState
37///
38///     ```
39///     impl AsMut<EmulatorState> for PeripheralState {
40///         fn as_mut(&mut self) -> &mut EmulatorState {
41///             &mut self.emulator_state
42///         }
43///     }
44///     impl AsRef<EmulatorState> for PeripheralState {
45///         fn as_ref(&self) -> &EmulatorState {
46///             &self.emulator_state
47///         }
48///     }
49///     ```
50///
51/// Then, define an auxiliary type including the `EmulatorProxy`, and also implement `AsRef`:
52///
53///     ```
54///     pub struct Aux {
55///         peripheral: PeripheralProxy,
56///         emulator: EmulatorProxy,
57///     }
58///     impl AsRef<EmulatorProxy> for Aux {
59///         fn as_ref(&self) -> &EmulatorProxy {
60///             &self.emulator
61///         }
62///     }
63///     ```
64///
65/// Then we can build our harness by combining these two types:
66///
67///     ```
68///     #[derive(Clone)]
69///     pub struct PeripheralHarness(Expectable<PeripheralState, Aux>);
70///     ```
71///
72/// Then we can use this harness to track emulator state and trigger expectations:
73///
74///     ```
75///     // Start watching advertising events
76///     let harness = PeripheralHarness::new(...);
77///     fasync::Task::spawn(
78///         watch_advertising_states(harness.deref().clone()).unwrap_or_else(|_| ())).detach();
79///     let _ = harness.when_satisfied(emulator::expectation::advertising_is_enabled(true)).await?;
80///     ```
81use {
82    anyhow::{format_err, Error},
83    fidl_fuchsia_bluetooth::DeviceClass,
84    fidl_fuchsia_hardware_bluetooth::{
85        AdvertisingData, ConnectionState, EmulatorProxy, PeerParameters, PeerProxy,
86        PeerSetLeAdvertisementRequest,
87    },
88    fuchsia_bluetooth::{
89        expectation::asynchronous::{ExpectableExt, ExpectableState},
90        types::Address,
91    },
92    futures::Future,
93    hci_emulator_client::types::{ControllerParameters, LegacyAdvertisingState},
94    std::{collections::HashMap, convert::AsRef},
95};
96
97/// The URL of the platform bus driver. The bt-hci-emulator driver is a legacy driver, which binds
98/// under the platform-bus instead of the test-root driver. Because this is non-standard behavior,
99/// we have to provide this URL to the Driver Test Realm.
100pub(crate) const EMULATOR_ROOT_DRIVER_URL: &str =
101    "fuchsia-boot:///platform-bus#meta/platform-bus.cm";
102
103/// Used to maintain the state transitions that are observed from the emulator. This type can be
104/// used in test harness auxiliary types.
105#[derive(Clone, Debug)]
106pub struct EmulatorState {
107    /// Most recently observed controller parameters.
108    pub controller_parameters: Option<ControllerParameters>,
109
110    /// Observed changes to the controller's advertising state and parameters.
111    pub advertising_state_changes: Vec<LegacyAdvertisingState>,
112
113    /// List of observed peer connection states.
114    pub connection_states: HashMap<Address, Vec<ConnectionState>>,
115}
116
117impl Default for EmulatorState {
118    fn default() -> EmulatorState {
119        EmulatorState {
120            controller_parameters: None,
121            advertising_state_changes: vec![],
122            connection_states: HashMap::new(),
123        }
124    }
125}
126
127pub fn default_le_peer(addr: &Address) -> PeerParameters {
128    PeerParameters { address: Some(addr.into()), connectable: Some(true), ..Default::default() }
129}
130
131/// An emulated BR/EDR peer using default parameters commonly used in tests. The peer is set up to
132/// be connectable and has the "toy" device class.
133pub fn default_bredr_peer(addr: &Address) -> PeerParameters {
134    PeerParameters { address: Some(addr.into()), connectable: Some(true), ..Default::default() }
135}
136
137pub fn add_le_peer(
138    proxy: &EmulatorProxy,
139    mut parameters: PeerParameters,
140    adv_data: Option<Vec<u8>>,
141) -> impl Future<Output = Result<PeerProxy, Error>> {
142    let (local, remote) = fidl::endpoints::create_proxy();
143    let address = parameters.address.clone();
144    parameters.channel = Some(remote);
145    let fut = proxy.add_low_energy_peer(parameters);
146    async move {
147        let _ = fut.await?.map_err(|e| format_err!("Failed to add emulated LE peer: {:?}", e))?;
148
149        if adv_data.is_some() {
150            let request = PeerSetLeAdvertisementRequest {
151                le_address: Some(address.unwrap().into()),
152                advertisement: Some(AdvertisingData {
153                    data: Some(adv_data.unwrap()),
154                    __source_breaking: fidl::marker::SourceBreaking,
155                }),
156                scan_response: Some(AdvertisingData {
157                    data: None,
158                    __source_breaking: fidl::marker::SourceBreaking,
159                }),
160                __source_breaking: fidl::marker::SourceBreaking,
161            };
162            let _ = local.set_le_advertisement(&request).await.unwrap();
163        }
164        Ok::<PeerProxy, Error>(local)
165    }
166}
167
168pub fn add_bredr_peer(
169    proxy: &EmulatorProxy,
170    mut parameters: PeerParameters,
171) -> impl Future<Output = Result<PeerProxy, Error>> {
172    let (local, remote) = fidl::endpoints::create_proxy();
173    parameters.channel = Some(remote);
174    let fut = proxy.add_bredr_peer(parameters);
175    async {
176        let _ =
177            fut.await?.map_err(|e| format_err!("Failed to add emulated BR/EDR peer: {:?}", e))?;
178        Ok::<PeerProxy, Error>(local)
179    }
180}
181
182pub async fn watch_controller_parameters<H, S, A>(harness: H) -> Result<(), Error>
183where
184    H: ExpectableState<State = S> + ExpectableExt<S, A>,
185    S: AsMut<EmulatorState> + 'static,
186    A: AsRef<EmulatorProxy>,
187{
188    let proxy = EmulatorProxy::clone(harness.aux().as_ref());
189    loop {
190        let cp = proxy.watch_controller_parameters().await?;
191        harness.write_state().as_mut().controller_parameters = Some(cp.into());
192        harness.notify_state_changed();
193    }
194}
195
196/// Record advertising state changes. The asynchronous execution doesn't complete until the
197/// emulator channel gets closed or a FIDL error occurs.
198pub async fn watch_advertising_states<H, S, A>(harness: H) -> Result<(), Error>
199where
200    H: ExpectableState<State = S> + ExpectableExt<S, A>,
201    S: AsMut<EmulatorState> + 'static,
202    A: AsRef<EmulatorProxy>,
203{
204    let proxy = EmulatorProxy::clone(harness.aux().as_ref());
205    loop {
206        let states = proxy.watch_legacy_advertising_states().await?;
207        harness
208            .write_state()
209            .as_mut()
210            .advertising_state_changes
211            .append(&mut states.into_iter().map(|s| s.into()).collect());
212        harness.notify_state_changed();
213    }
214}
215
216/// Record connection state changes from the given emulated Peer. The returned Future doesn't
217/// run until the `proxy` channel gets closed or a FIDL error occurs.
218pub async fn watch_peer_connection_states<H, S, A>(
219    harness: H,
220    address: Address,
221    proxy: PeerProxy,
222) -> Result<(), Error>
223where
224    H: ExpectableState<State = S> + ExpectableExt<S, A>,
225    S: AsMut<EmulatorState> + 'static,
226    A: AsRef<EmulatorProxy>,
227{
228    loop {
229        let mut result = proxy.watch_connection_states().await?;
230        // Introduce a scope as it is important not to hold a mutable lock to the harness state when
231        // we call `harness.notify_state_changed()` below.
232        {
233            let mut s = harness.write_state();
234            let state_map = &mut s.as_mut().connection_states;
235            let states = state_map.entry(address).or_insert(vec![]);
236            states.append(&mut result);
237        }
238        harness.notify_state_changed();
239    }
240}
241
242/// Utilities used for setting up expectation predicates on the HCI emulator state transitions.
243pub mod expectation {
244    use super::*;
245    use fidl_fuchsia_hardware_bluetooth::LegacyAdvertisingType;
246    use fuchsia_bluetooth::expectation::Predicate;
247
248    pub fn local_name_is<S>(name: &'static str) -> Predicate<S>
249    where
250        S: 'static + AsRef<EmulatorState>,
251    {
252        Predicate::equal(Some(name.to_string())).over_value(
253            |state: &S| {
254                state
255                    .as_ref()
256                    .controller_parameters
257                    .as_ref()
258                    .and_then(|p| p.local_name.as_ref().map(|o| o.to_string()))
259            },
260            "controller_parameters.local_name",
261        )
262    }
263
264    pub fn device_class_is<S>(device_class: DeviceClass) -> Predicate<S>
265    where
266        S: 'static + AsRef<EmulatorState>,
267    {
268        Predicate::equal(Some(device_class)).over_value(
269            |state: &S| state.as_ref().controller_parameters.as_ref().and_then(|p| p.device_class),
270            "controller_parameters.device_class",
271        )
272    }
273
274    pub fn advertising_is_enabled<S>(enabled: bool) -> Predicate<S>
275    where
276        S: 'static + AsRef<EmulatorState>,
277    {
278        Predicate::equal(Some(enabled)).over_value(
279            |state: &S| state.as_ref().advertising_state_changes.last().map(|s| s.enabled),
280            "controller_parameters.device_class",
281        )
282    }
283
284    pub fn advertising_was_enabled<S>(enabled: bool) -> Predicate<S>
285    where
286        S: 'static + AsRef<EmulatorState>,
287    {
288        let descr = format!("advertising was (enabled: {})", enabled);
289        Predicate::predicate(
290            move |state: &S| -> bool {
291                state.as_ref().advertising_state_changes.iter().any(|s| s.enabled == enabled)
292            },
293            &descr,
294        )
295    }
296
297    pub fn advertising_type_is<S>(type_: LegacyAdvertisingType) -> Predicate<S>
298    where
299        S: 'static + AsRef<EmulatorState>,
300    {
301        let descr = format!("advertising type is: {:#?}", type_);
302        Predicate::predicate(
303            move |state: &S| -> bool {
304                state
305                    .as_ref()
306                    .advertising_state_changes
307                    .last()
308                    .and_then(|s| s.type_)
309                    .is_some_and(|t| t == type_)
310            },
311            &descr,
312        )
313    }
314
315    pub fn advertising_data_is<S>(data: AdvertisingData) -> Predicate<S>
316    where
317        S: 'static + AsRef<EmulatorState>,
318    {
319        let descr = format!("advertising data is: {:#?}", data);
320        Predicate::predicate(
321            move |state: &S| -> bool {
322                state
323                    .as_ref()
324                    .advertising_state_changes
325                    .last()
326                    .and_then(|s| s.advertising_data.as_ref())
327                    .is_some_and(|a| *a == data)
328            },
329            &descr,
330        )
331    }
332
333    pub fn scan_response_is<S>(data: AdvertisingData) -> Predicate<S>
334    where
335        S: 'static + AsRef<EmulatorState>,
336    {
337        let descr = format!("scan response data is: {:#?}", data);
338        Predicate::predicate(
339            move |state: &S| -> bool {
340                state
341                    .as_ref()
342                    .advertising_state_changes
343                    .last()
344                    .and_then(|s| s.scan_response.as_ref())
345                    .is_some_and(|s| *s == data)
346            },
347            &descr,
348        )
349    }
350
351    fn to_slices(ms: u16) -> u16 {
352        let slices = (ms as u32) * 1000 / 625;
353        slices as u16
354    }
355
356    pub fn advertising_max_interval_is<S>(interval_ms: u16) -> Predicate<S>
357    where
358        S: 'static + AsRef<EmulatorState>,
359    {
360        let descr = format!("advertising max interval is: {:#?} ms", interval_ms);
361        Predicate::predicate(
362            move |state: &S| -> bool {
363                state
364                    .as_ref()
365                    .advertising_state_changes
366                    .last()
367                    .and_then(|s| s.interval_max)
368                    .is_some_and(|i| i == to_slices(interval_ms))
369            },
370            &descr,
371        )
372    }
373
374    pub fn peer_connection_state_was<S>(address: Address, state: ConnectionState) -> Predicate<S>
375    where
376        S: 'static + AsRef<EmulatorState>,
377    {
378        let descr = format!("emulated peer connection state was: {:?}", state);
379        Predicate::predicate(
380            move |s: &S| -> bool {
381                s.as_ref().connection_states.get(&address).is_some_and(|s| s.contains(&state))
382            },
383            &descr,
384        )
385    }
386
387    pub fn peer_connection_state_is<S>(address: Address, state: ConnectionState) -> Predicate<S>
388    where
389        S: 'static + AsRef<EmulatorState>,
390    {
391        let descr = format!("emulated peer connection state is: {:?}", state);
392        Predicate::predicate(
393            move |s: &S| -> bool {
394                s.as_ref().connection_states.get(&address).is_some_and(|s| s.last() == Some(&state))
395            },
396            &descr,
397        )
398    }
399}