wlan_mlme/
device.rs

1// Copyright 2021 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
5use crate::common::mac::WlanGi;
6use crate::error::Error;
7use anyhow::format_err;
8use fdf::ArenaStaticBox;
9use futures::channel::mpsc;
10use futures::Future;
11use ieee80211::MacAddr;
12use log::error;
13use std::fmt::Display;
14use std::mem;
15use std::sync::Arc;
16use trace::Id as TraceId;
17use wlan_common::mac::FrameControl;
18use wlan_common::{tx_vector, TimeUnit};
19use wlan_ffi_transport::{EthernetRx, EthernetTx, FfiEthernetTx, FfiWlanRx, WlanRx, WlanTx};
20use {
21    fidl_fuchsia_wlan_common as fidl_common, fidl_fuchsia_wlan_mlme as fidl_mlme,
22    fidl_fuchsia_wlan_softmac as fidl_softmac, fuchsia_trace as trace, wlan_trace as wtrace,
23};
24
25pub use test_utils::*;
26
27#[derive(Debug, PartialEq)]
28pub struct LinkStatus(u32);
29impl LinkStatus {
30    pub const DOWN: Self = Self(0);
31    pub const UP: Self = Self(1);
32}
33
34impl From<fidl_mlme::ControlledPortState> for LinkStatus {
35    fn from(state: fidl_mlme::ControlledPortState) -> Self {
36        match state {
37            fidl_mlme::ControlledPortState::Open => Self::UP,
38            fidl_mlme::ControlledPortState::Closed => Self::DOWN,
39        }
40    }
41}
42
43pub struct Device {
44    ethernet_rx: EthernetRx,
45    ethernet_tx: Option<EthernetTx>,
46    wlan_rx: Option<WlanRx>,
47    wlan_tx: WlanTx,
48    wlan_softmac_bridge_proxy: fidl_softmac::WlanSoftmacBridgeProxy,
49    minstrel: Option<crate::MinstrelWrapper>,
50    event_receiver: Option<mpsc::UnboundedReceiver<fidl_mlme::MlmeEvent>>,
51    event_sink: mpsc::UnboundedSender<fidl_mlme::MlmeEvent>,
52}
53
54impl Device {
55    pub fn new(
56        wlan_softmac_bridge_proxy: fidl_softmac::WlanSoftmacBridgeProxy,
57        ethernet_rx: EthernetRx,
58        wlan_tx: WlanTx,
59    ) -> Device {
60        let (event_sink, event_receiver) = mpsc::unbounded();
61        Device {
62            ethernet_rx,
63            ethernet_tx: None,
64            wlan_rx: None,
65            wlan_tx,
66            wlan_softmac_bridge_proxy,
67            minstrel: None,
68            event_receiver: Some(event_receiver),
69            event_sink,
70        }
71    }
72
73    // TODO(https://fxbug.dev/356119431): Share this with fullmac.
74    fn flatten_and_log_error<T>(
75        method_name: impl Display,
76        result: Result<Result<T, zx::sys::zx_status_t>, fidl::Error>,
77    ) -> Result<T, zx::Status> {
78        result
79            .map_err(|fidl_error| {
80                error!("FIDL error during {}: {:?}", method_name, fidl_error);
81                zx::Status::INTERNAL
82            })?
83            .map_err(|status| {
84                error!("{} failed: {:?}", method_name, status);
85                zx::Status::from_raw(status)
86            })
87    }
88}
89
90const REQUIRED_WLAN_HEADER_LEN: usize = 10;
91const PEER_ADDR_OFFSET: usize = 4;
92
93/// This trait abstracts operations performed by the vendor driver and ethernet device.
94pub trait DeviceOps {
95    fn wlan_softmac_query_response(
96        &mut self,
97    ) -> impl Future<Output = Result<fidl_softmac::WlanSoftmacQueryResponse, zx::Status>>;
98    fn discovery_support(
99        &mut self,
100    ) -> impl Future<Output = Result<fidl_softmac::DiscoverySupport, zx::Status>>;
101    fn mac_sublayer_support(
102        &mut self,
103    ) -> impl Future<Output = Result<fidl_common::MacSublayerSupport, zx::Status>>;
104    fn security_support(
105        &mut self,
106    ) -> impl Future<Output = Result<fidl_common::SecuritySupport, zx::Status>>;
107    fn spectrum_management_support(
108        &mut self,
109    ) -> impl Future<Output = Result<fidl_common::SpectrumManagementSupport, zx::Status>>;
110    fn start(
111        &mut self,
112        ifc_bridge: fidl::endpoints::ClientEnd<fidl_softmac::WlanSoftmacIfcBridgeMarker>,
113        ethernet_tx: EthernetTx,
114        wlan_rx: WlanRx,
115    ) -> impl Future<Output = Result<fidl::Channel, zx::Status>>;
116    fn deliver_eth_frame(&mut self, packet: &[u8]) -> Result<(), zx::Status>;
117    /// Sends the slice corresponding to |buffer| as a frame over the air. If the
118    /// caller does not pass an |async_id| to this function, then this function will
119    /// generate its own |async_id| and end the trace if an error occurs.
120    fn send_wlan_frame(
121        &mut self,
122        buffer: ArenaStaticBox<[u8]>,
123        tx_flags: fidl_softmac::WlanTxInfoFlags,
124        async_id: Option<TraceId>,
125    ) -> Result<(), zx::Status>;
126
127    fn set_ethernet_status(
128        &mut self,
129        status: LinkStatus,
130    ) -> impl Future<Output = Result<(), zx::Status>>;
131    fn set_ethernet_up(&mut self) -> impl Future<Output = Result<(), zx::Status>> {
132        self.set_ethernet_status(LinkStatus::UP)
133    }
134    fn set_ethernet_down(&mut self) -> impl Future<Output = Result<(), zx::Status>> {
135        self.set_ethernet_status(LinkStatus::DOWN)
136    }
137    fn set_channel(
138        &mut self,
139        channel: fidl_common::WlanChannel,
140    ) -> impl Future<Output = Result<(), zx::Status>>;
141    fn start_passive_scan(
142        &mut self,
143        request: &fidl_softmac::WlanSoftmacBaseStartPassiveScanRequest,
144    ) -> impl Future<Output = Result<fidl_softmac::WlanSoftmacBaseStartPassiveScanResponse, zx::Status>>;
145    fn start_active_scan(
146        &mut self,
147        request: &fidl_softmac::WlanSoftmacStartActiveScanRequest,
148    ) -> impl Future<Output = Result<fidl_softmac::WlanSoftmacBaseStartActiveScanResponse, zx::Status>>;
149    fn cancel_scan(
150        &mut self,
151        request: &fidl_softmac::WlanSoftmacBaseCancelScanRequest,
152    ) -> impl Future<Output = Result<(), zx::Status>>;
153    fn join_bss(
154        &mut self,
155        request: &fidl_common::JoinBssRequest,
156    ) -> impl Future<Output = Result<(), zx::Status>>;
157    fn enable_beaconing(
158        &mut self,
159        request: fidl_softmac::WlanSoftmacBaseEnableBeaconingRequest,
160    ) -> impl Future<Output = Result<(), zx::Status>>;
161    fn disable_beaconing(&mut self) -> impl Future<Output = Result<(), zx::Status>>;
162    fn install_key(
163        &mut self,
164        key_configuration: &fidl_softmac::WlanKeyConfiguration,
165    ) -> impl Future<Output = Result<(), zx::Status>>;
166    fn notify_association_complete(
167        &mut self,
168        assoc_cfg: fidl_softmac::WlanAssociationConfig,
169    ) -> impl Future<Output = Result<(), zx::Status>>;
170    fn clear_association(
171        &mut self,
172        request: &fidl_softmac::WlanSoftmacBaseClearAssociationRequest,
173    ) -> impl Future<Output = Result<(), zx::Status>>;
174    fn update_wmm_parameters(
175        &mut self,
176        request: &fidl_softmac::WlanSoftmacBaseUpdateWmmParametersRequest,
177    ) -> impl Future<Output = Result<(), zx::Status>>;
178    fn take_mlme_event_stream(&mut self) -> Option<mpsc::UnboundedReceiver<fidl_mlme::MlmeEvent>>;
179    fn send_mlme_event(&mut self, event: fidl_mlme::MlmeEvent) -> Result<(), anyhow::Error>;
180    fn set_minstrel(&mut self, minstrel: crate::MinstrelWrapper);
181    fn minstrel(&mut self) -> Option<crate::MinstrelWrapper>;
182    fn tx_vector_idx(
183        &mut self,
184        frame_control: &FrameControl,
185        peer_addr: &MacAddr,
186        flags: fidl_softmac::WlanTxInfoFlags,
187    ) -> tx_vector::TxVecIdx {
188        self.minstrel()
189            .as_ref()
190            .and_then(|minstrel| {
191                minstrel.lock().get_tx_vector_idx(frame_control, &peer_addr, flags)
192            })
193            .unwrap_or_else(|| {
194                // We either don't have minstrel, or minstrel failed to generate a tx vector.
195                // Use a reasonable default value instead.
196                // Note: This is only effective if the underlying device meets both criteria below:
197                // 1. Does not support tx status report.
198                // 2. Honors our instruction on tx_vector to use.
199                // TODO(https://fxbug.dev/42103583): Choose an optimal MCS for management frames
200                // TODO(https://fxbug.dev/42119762): Log stats about minstrel usage vs default tx vector.
201                let mcs_idx = if frame_control.is_data() { 7 } else { 3 };
202                tx_vector::TxVector::new(
203                    fidl_common::WlanPhyType::Erp,
204                    WlanGi::G_800NS,
205                    fidl_common::ChannelBandwidth::Cbw20,
206                    mcs_idx,
207                )
208                .unwrap()
209                .to_idx()
210            })
211    }
212}
213
214pub async fn try_query(
215    device: &mut impl DeviceOps,
216) -> Result<fidl_softmac::WlanSoftmacQueryResponse, Error> {
217    device
218        .wlan_softmac_query_response()
219        .await
220        .map_err(|status| Error::Status(String::from("Failed to query device."), status))
221}
222
223pub async fn try_query_iface_mac(device: &mut impl DeviceOps) -> Result<MacAddr, Error> {
224    try_query(device).await.and_then(|query_response| {
225        query_response.sta_addr.map(From::from).ok_or_else(|| {
226            Error::Internal(format_err!(
227                "Required field not set in device query response: iface MAC"
228            ))
229        })
230    })
231}
232
233pub async fn try_query_discovery_support(
234    device: &mut impl DeviceOps,
235) -> Result<fidl_softmac::DiscoverySupport, Error> {
236    device.discovery_support().await.map_err(|status| {
237        Error::Status(String::from("Failed to query discovery support for device."), status)
238    })
239}
240
241pub async fn try_query_mac_sublayer_support(
242    device: &mut impl DeviceOps,
243) -> Result<fidl_common::MacSublayerSupport, Error> {
244    device.mac_sublayer_support().await.map_err(|status| {
245        Error::Status(String::from("Failed to query MAC sublayer support for device."), status)
246    })
247}
248
249pub async fn try_query_security_support(
250    device: &mut impl DeviceOps,
251) -> Result<fidl_common::SecuritySupport, Error> {
252    device.security_support().await.map_err(|status| {
253        Error::Status(String::from("Failed to query security support for device."), status)
254    })
255}
256
257pub async fn try_query_spectrum_management_support(
258    device: &mut impl DeviceOps,
259) -> Result<fidl_common::SpectrumManagementSupport, Error> {
260    device.spectrum_management_support().await.map_err(|status| {
261        Error::Status(
262            String::from("Failed to query spectrum management support for device."),
263            status,
264        )
265    })
266}
267
268impl DeviceOps for Device {
269    async fn wlan_softmac_query_response(
270        &mut self,
271    ) -> Result<fidl_softmac::WlanSoftmacQueryResponse, zx::Status> {
272        Self::flatten_and_log_error("Query", self.wlan_softmac_bridge_proxy.query().await)
273    }
274
275    async fn discovery_support(&mut self) -> Result<fidl_softmac::DiscoverySupport, zx::Status> {
276        Self::flatten_and_log_error(
277            "QueryDiscoverySupport",
278            self.wlan_softmac_bridge_proxy.query_discovery_support().await,
279        )
280    }
281
282    async fn mac_sublayer_support(
283        &mut self,
284    ) -> Result<fidl_common::MacSublayerSupport, zx::Status> {
285        Self::flatten_and_log_error(
286            "QueryMacSublayerSupport",
287            self.wlan_softmac_bridge_proxy.query_mac_sublayer_support().await,
288        )
289    }
290
291    async fn security_support(&mut self) -> Result<fidl_common::SecuritySupport, zx::Status> {
292        Self::flatten_and_log_error(
293            "QuerySecuritySupport",
294            self.wlan_softmac_bridge_proxy.query_security_support().await,
295        )
296    }
297
298    async fn spectrum_management_support(
299        &mut self,
300    ) -> Result<fidl_common::SpectrumManagementSupport, zx::Status> {
301        Self::flatten_and_log_error(
302            "QuerySpectrumManagementSupport",
303            self.wlan_softmac_bridge_proxy.query_spectrum_management_support().await,
304        )
305    }
306
307    async fn start(
308        &mut self,
309        ifc_bridge: fidl::endpoints::ClientEnd<fidl_softmac::WlanSoftmacIfcBridgeMarker>,
310        ethernet_tx: EthernetTx,
311        wlan_rx: WlanRx,
312    ) -> Result<fidl::Channel, zx::Status> {
313        // Safety: These calls are safe because `ethernet_tx` and
314        // `wlan_rx` will outlive all uses of the constructed
315        // `FfiEthernetTx` and `FfiWlanRx` across the FFI boundary. This includes
316        // during unbind when the C++ portion of wlansoftmac will
317        // ensure no additional calls will be made through
318        // `FfiEthernetTx` and `FfiWlanRx` after unbind begins.
319        let mut ffi_ethernet_tx = unsafe { ethernet_tx.to_ffi() };
320        let mut ffi_wlan_rx = unsafe { wlan_rx.to_ffi() };
321
322        // Re-bind `ffi_ethernet_tx` and `ffi_wlan_rx` to exclusive references that stay in scope across the
323        // await. The exclusive references guarantees the consumer of the references across the FIDL
324        // hop is the only accessor and that the references are valid during the await.
325        let ffi_ethernet_tx = &mut ffi_ethernet_tx;
326        let ffi_wlan_rx = &mut ffi_wlan_rx;
327
328        self.ethernet_tx = Some(ethernet_tx);
329        self.wlan_rx = Some(wlan_rx);
330
331        self.wlan_softmac_bridge_proxy
332            .start(
333                ifc_bridge,
334                ffi_ethernet_tx as *mut FfiEthernetTx as u64,
335                ffi_wlan_rx as *mut FfiWlanRx as u64,
336            )
337            .await
338            .map_err(|error| {
339                error!("Start failed with FIDL error: {:?}", error);
340                zx::Status::INTERNAL
341            })?
342            .map_err(zx::Status::from_raw)
343    }
344
345    fn deliver_eth_frame(&mut self, packet: &[u8]) -> Result<(), zx::Status> {
346        wtrace::duration!(c"Device::deliver_eth_frame");
347        self.ethernet_rx.transfer(&fidl_softmac::EthernetRxTransferRequest {
348            packet_address: Some(packet.as_ptr() as u64),
349            packet_size: Some(packet.len() as u64),
350            ..Default::default()
351        })
352    }
353
354    fn send_wlan_frame(
355        &mut self,
356        buffer: ArenaStaticBox<[u8]>,
357        mut tx_flags: fidl_softmac::WlanTxInfoFlags,
358        async_id: Option<TraceId>,
359    ) -> Result<(), zx::Status> {
360        let async_id_provided = async_id.is_some();
361        let async_id = async_id.unwrap_or_else(|| {
362            let async_id = TraceId::new();
363            wtrace::async_begin_wlansoftmac_tx(async_id, "mlme");
364            async_id
365        });
366        wtrace::duration!(c"Device::send_data_frame");
367
368        let (arena, mut buffer) = ArenaStaticBox::into_raw(buffer);
369
370        // Safety: buffer points to a valid allocation of a slice, and arena remains
371        // is always in scope while buffer is in use.
372        let buffer = unsafe { buffer.as_mut() };
373        if buffer.len() < REQUIRED_WLAN_HEADER_LEN {
374            let status = zx::Status::BUFFER_TOO_SMALL;
375            if !async_id_provided {
376                wtrace::async_end_wlansoftmac_tx(async_id, status);
377            }
378            return Err(status);
379        }
380        // Unwrap is safe because FrameControl is the correct size.
381        const _: () =
382            assert!(mem::size_of::<FrameControl>() == 2, "Size of FrameControl is not 2 bytes");
383        let frame_control = zerocopy::Ref::into_ref(
384            zerocopy::Ref::<&[u8], FrameControl>::from_bytes(&buffer[0..=1]).unwrap(),
385        );
386        if frame_control.protected() {
387            tx_flags |= fidl_softmac::WlanTxInfoFlags::PROTECTED;
388        }
389        let peer_addr: MacAddr = {
390            let mut peer_addr = [0u8; 6];
391            // Safety: buffer is points to a slice of sufficient length
392            peer_addr.copy_from_slice(&buffer[PEER_ADDR_OFFSET..PEER_ADDR_OFFSET + 6]);
393            peer_addr.into()
394        };
395        let tx_vector_idx = self.tx_vector_idx(frame_control, &peer_addr, tx_flags);
396
397        let tx_info = wlan_common::tx_vector::TxVector::from_idx(tx_vector_idx)
398            .to_fidl_tx_info(tx_flags, self.minstrel.is_some());
399        let packet_address = Some(buffer.as_ptr() as *mut u8 as u64);
400        let packet_size = Some(buffer.len() as u64);
401
402        self.wlan_tx
403            .transfer(&fidl_softmac::WlanTxTransferRequest {
404                arena: Some(arena.as_ptr() as u64),
405                packet_size,
406                packet_address,
407                packet_info: Some(tx_info),
408                async_id: Some(async_id.into()),
409                ..Default::default()
410            })
411            .map_err(|s| {
412                if !async_id_provided {
413                    wtrace::async_end_wlansoftmac_tx(async_id, s);
414                }
415                s
416            })
417    }
418
419    async fn set_ethernet_status(&mut self, status: LinkStatus) -> Result<(), zx::Status> {
420        self.wlan_softmac_bridge_proxy.set_ethernet_status(status.0).await.map_err(|error| {
421            error!("SetEthernetStatus failed with FIDL error: {:?}", error);
422            zx::Status::INTERNAL
423        })
424    }
425
426    async fn set_channel(&mut self, channel: fidl_common::WlanChannel) -> Result<(), zx::Status> {
427        self.wlan_softmac_bridge_proxy
428            .set_channel(&fidl_softmac::WlanSoftmacBaseSetChannelRequest {
429                channel: Some(channel),
430                ..Default::default()
431            })
432            .await
433            .map_err(|error| {
434                error!("SetChannel failed with FIDL error: {:?}", error);
435                zx::Status::INTERNAL
436            })?
437            .map_err(zx::Status::from_raw)
438    }
439
440    async fn start_passive_scan(
441        &mut self,
442        request: &fidl_softmac::WlanSoftmacBaseStartPassiveScanRequest,
443    ) -> Result<fidl_softmac::WlanSoftmacBaseStartPassiveScanResponse, zx::Status> {
444        Self::flatten_and_log_error(
445            "StartPassiveScan",
446            self.wlan_softmac_bridge_proxy.start_passive_scan(request).await,
447        )
448    }
449
450    async fn start_active_scan(
451        &mut self,
452        request: &fidl_softmac::WlanSoftmacStartActiveScanRequest,
453    ) -> Result<fidl_softmac::WlanSoftmacBaseStartActiveScanResponse, zx::Status> {
454        Self::flatten_and_log_error(
455            "StartActiveScan",
456            self.wlan_softmac_bridge_proxy.start_active_scan(request).await,
457        )
458    }
459
460    async fn cancel_scan(
461        &mut self,
462        request: &fidl_softmac::WlanSoftmacBaseCancelScanRequest,
463    ) -> Result<(), zx::Status> {
464        Self::flatten_and_log_error(
465            "CancelScan",
466            self.wlan_softmac_bridge_proxy.cancel_scan(request).await,
467        )
468    }
469
470    async fn join_bss(&mut self, request: &fidl_common::JoinBssRequest) -> Result<(), zx::Status> {
471        Self::flatten_and_log_error(
472            "JoinBss",
473            self.wlan_softmac_bridge_proxy.join_bss(request).await,
474        )
475    }
476
477    async fn enable_beaconing(
478        &mut self,
479        request: fidl_softmac::WlanSoftmacBaseEnableBeaconingRequest,
480    ) -> Result<(), zx::Status> {
481        self.wlan_softmac_bridge_proxy
482            .enable_beaconing(&request)
483            .await
484            .map_err(|error| {
485                error!("FIDL error during EnableBeaconing: {:?}", error);
486                zx::Status::INTERNAL
487            })?
488            .map_err(zx::Status::from_raw)
489    }
490
491    async fn disable_beaconing(&mut self) -> Result<(), zx::Status> {
492        self.wlan_softmac_bridge_proxy
493            .disable_beaconing()
494            .await
495            .map_err(|error| {
496                error!("DisableBeaconing failed with FIDL error: {:?}", error);
497                zx::Status::INTERNAL
498            })?
499            .map_err(zx::Status::from_raw)
500    }
501
502    async fn install_key(
503        &mut self,
504        key_configuration: &fidl_softmac::WlanKeyConfiguration,
505    ) -> Result<(), zx::Status> {
506        self.wlan_softmac_bridge_proxy
507            .install_key(&key_configuration)
508            .await
509            .map_err(|error| {
510                error!("FIDL error during InstallKey: {:?}", error);
511                zx::Status::INTERNAL
512            })?
513            .map_err(zx::Status::from_raw)
514    }
515
516    async fn notify_association_complete(
517        &mut self,
518        assoc_cfg: fidl_softmac::WlanAssociationConfig,
519    ) -> Result<(), zx::Status> {
520        if let Some(minstrel) = &self.minstrel {
521            minstrel.lock().add_peer(&assoc_cfg)?;
522        }
523        Self::flatten_and_log_error(
524            "NotifyAssociationComplete",
525            self.wlan_softmac_bridge_proxy.notify_association_complete(&assoc_cfg).await,
526        )
527    }
528
529    async fn clear_association(
530        &mut self,
531        request: &fidl_softmac::WlanSoftmacBaseClearAssociationRequest,
532    ) -> Result<(), zx::Status> {
533        let addr: MacAddr = request
534            .peer_addr
535            .ok_or_else(|| {
536                error!("ClearAssociation called with no peer_addr field.");
537                zx::Status::INVALID_ARGS
538            })?
539            .into();
540        if let Some(minstrel) = &self.minstrel {
541            minstrel.lock().remove_peer(&addr);
542        }
543        Self::flatten_and_log_error(
544            "ClearAssociation",
545            self.wlan_softmac_bridge_proxy.clear_association(request).await,
546        )
547    }
548
549    async fn update_wmm_parameters(
550        &mut self,
551        request: &fidl_softmac::WlanSoftmacBaseUpdateWmmParametersRequest,
552    ) -> Result<(), zx::Status> {
553        Self::flatten_and_log_error(
554            "UpdateWmmParameters",
555            self.wlan_softmac_bridge_proxy.update_wmm_parameters(request).await,
556        )
557    }
558
559    fn take_mlme_event_stream(&mut self) -> Option<mpsc::UnboundedReceiver<fidl_mlme::MlmeEvent>> {
560        self.event_receiver.take()
561    }
562
563    fn send_mlme_event(&mut self, event: fidl_mlme::MlmeEvent) -> Result<(), anyhow::Error> {
564        self.event_sink.unbounded_send(event).map_err(|e| e.into())
565    }
566
567    fn set_minstrel(&mut self, minstrel: crate::MinstrelWrapper) {
568        self.minstrel.replace(minstrel);
569    }
570
571    fn minstrel(&mut self) -> Option<crate::MinstrelWrapper> {
572        self.minstrel.as_ref().map(Arc::clone)
573    }
574}
575
576pub mod test_utils {
577    use super::*;
578    use crate::ddk_converter;
579    use fuchsia_sync::Mutex;
580    use paste::paste;
581    use std::collections::VecDeque;
582    use {
583        fidl_fuchsia_wlan_common as fidl_common, fidl_fuchsia_wlan_ieee80211 as fidl_ieee80211,
584        fidl_fuchsia_wlan_internal as fidl_internal, fidl_fuchsia_wlan_sme as fidl_sme,
585    };
586
587    pub trait FromMlmeEvent {
588        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self>
589        where
590            Self: std::marker::Sized;
591    }
592
593    impl FromMlmeEvent for fidl_mlme::AuthenticateIndication {
594        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
595            event.into_authenticate_ind()
596        }
597    }
598
599    impl FromMlmeEvent for fidl_mlme::AssociateIndication {
600        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
601            event.into_associate_ind()
602        }
603    }
604
605    impl FromMlmeEvent for fidl_mlme::ConnectConfirm {
606        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
607            event.into_connect_conf()
608        }
609    }
610
611    impl FromMlmeEvent for fidl_mlme::StartConfirm {
612        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
613            event.into_start_conf()
614        }
615    }
616
617    impl FromMlmeEvent for fidl_mlme::StopConfirm {
618        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
619            event.into_stop_conf()
620        }
621    }
622
623    impl FromMlmeEvent for fidl_mlme::ScanResult {
624        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
625            event.into_on_scan_result()
626        }
627    }
628
629    impl FromMlmeEvent for fidl_mlme::ScanEnd {
630        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
631            event.into_on_scan_end()
632        }
633    }
634
635    impl FromMlmeEvent for fidl_mlme::EapolConfirm {
636        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
637            event.into_eapol_conf()
638        }
639    }
640
641    impl FromMlmeEvent for fidl_mlme::EapolIndication {
642        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
643            event.into_eapol_ind()
644        }
645    }
646
647    impl FromMlmeEvent for fidl_mlme::DeauthenticateConfirm {
648        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
649            event.into_deauthenticate_conf()
650        }
651    }
652
653    impl FromMlmeEvent for fidl_mlme::DeauthenticateIndication {
654        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
655            event.into_deauthenticate_ind()
656        }
657    }
658
659    impl FromMlmeEvent for fidl_mlme::DisassociateIndication {
660        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
661            event.into_disassociate_ind()
662        }
663    }
664
665    impl FromMlmeEvent for fidl_mlme::SetKeysConfirm {
666        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
667            event.into_set_keys_conf()
668        }
669    }
670
671    impl FromMlmeEvent for fidl_internal::SignalReportIndication {
672        fn from_event(event: fidl_mlme::MlmeEvent) -> Option<Self> {
673            event.into_signal_report()
674        }
675    }
676
677    pub struct FakeDeviceConfig {
678        mock_query_response: Option<Result<fidl_softmac::WlanSoftmacQueryResponse, zx::Status>>,
679        mock_discovery_support: Option<Result<fidl_softmac::DiscoverySupport, zx::Status>>,
680        mock_mac_sublayer_support: Option<Result<fidl_common::MacSublayerSupport, zx::Status>>,
681        mock_security_support: Option<Result<fidl_common::SecuritySupport, zx::Status>>,
682        mock_spectrum_management_support:
683            Option<Result<fidl_common::SpectrumManagementSupport, zx::Status>>,
684        mock_start_result: Option<Result<fidl::Channel, zx::Status>>,
685        pub start_passive_scan_fails: bool,
686        pub start_active_scan_fails: bool,
687        pub send_wlan_frame_fails: bool,
688    }
689
690    impl Default for FakeDeviceConfig {
691        fn default() -> Self {
692            Self {
693                mock_start_result: None,
694                mock_query_response: None,
695                mock_discovery_support: None,
696                mock_mac_sublayer_support: None,
697                mock_security_support: None,
698                mock_spectrum_management_support: None,
699                start_passive_scan_fails: false,
700                start_active_scan_fails: false,
701                send_wlan_frame_fails: false,
702            }
703        }
704    }
705
706    /// Generates a public [<with_mock_ $mock_name>]() function to specify a mock value for corresponding
707    /// DeviceOps method. When called, the generated function will overwrite whatever mocked value already
708    /// exists, if any, including mocked fields.
709    macro_rules! with_mock_func {
710        ( $mock_name: ident, $mock_type: path ) => {
711            paste! {
712                pub fn [<with_mock_ $mock_name>](
713                    mut self,
714                    mock_value: Result<$mock_type, zx::Status>
715                ) -> Self {
716                    self.[<mock_ $mock_name>] = Some(mock_value);
717                    self
718                }
719            }
720        };
721    }
722
723    impl FakeDeviceConfig {
724        with_mock_func!(query_response, fidl_softmac::WlanSoftmacQueryResponse);
725        with_mock_func!(discovery_support, fidl_softmac::DiscoverySupport);
726        with_mock_func!(mac_sublayer_support, fidl_common::MacSublayerSupport);
727        with_mock_func!(security_support, fidl_common::SecuritySupport);
728        with_mock_func!(spectrum_management_support, fidl_common::SpectrumManagementSupport);
729        with_mock_func!(start_result, fidl::Channel);
730
731        pub fn with_mock_sta_addr(mut self, mock_field: [u8; 6]) -> Self {
732            if let None = self.mock_query_response {
733                let mut mock_value = Self::default_mock_query_response();
734                mock_value.as_mut().unwrap().sta_addr = Some(mock_field);
735                return self.with_mock_query_response(mock_value);
736            }
737            let mock_value = self
738                .mock_query_response
739                .as_mut()
740                .unwrap()
741                .as_mut()
742                .expect("Cannot overwrite an Err value mock");
743            mock_value.sta_addr = Some(mock_field);
744            self
745        }
746
747        pub fn with_mock_mac_role(mut self, mock_field: fidl_common::WlanMacRole) -> Self {
748            if let None = self.mock_query_response {
749                let mut mock_value = Self::default_mock_query_response();
750                mock_value.as_mut().unwrap().mac_role = Some(mock_field);
751                return self.with_mock_query_response(mock_value);
752            }
753            let mock_value = self
754                .mock_query_response
755                .as_mut()
756                .unwrap()
757                .as_mut()
758                .expect("Cannot overwrite an Err value mock");
759            mock_value.mac_role = Some(mock_field);
760            self
761        }
762
763        fn default_mock_query_response(
764        ) -> Result<fidl_softmac::WlanSoftmacQueryResponse, zx::Status> {
765            Ok(fidl_softmac::WlanSoftmacQueryResponse {
766                sta_addr: Some([7u8; 6]),
767                mac_role: Some(fidl_common::WlanMacRole::Client),
768                supported_phys: Some(vec![
769                    fidl_common::WlanPhyType::Dsss,
770                    fidl_common::WlanPhyType::Hr,
771                    fidl_common::WlanPhyType::Ofdm,
772                    fidl_common::WlanPhyType::Erp,
773                    fidl_common::WlanPhyType::Ht,
774                    fidl_common::WlanPhyType::Vht,
775                ]),
776                hardware_capability: Some(0),
777                band_caps: Some(fake_band_caps()),
778                ..Default::default()
779            })
780        }
781
782        pub fn with_mock_probe_response_offload(
783            mut self,
784            mock_field: fidl_softmac::ProbeResponseOffloadExtension,
785        ) -> Self {
786            if let None = self.mock_discovery_support {
787                let mut mock_value = Self::default_mock_discovery_support();
788                mock_value.as_mut().unwrap().probe_response_offload = mock_field;
789                return self.with_mock_discovery_support(mock_value);
790            }
791            let mock_value = self
792                .mock_discovery_support
793                .as_mut()
794                .unwrap()
795                .as_mut()
796                .expect("Cannot overwrite an Err value mock");
797            mock_value.probe_response_offload = mock_field;
798            self
799        }
800
801        fn default_mock_discovery_support() -> Result<fidl_softmac::DiscoverySupport, zx::Status> {
802            Ok(fidl_softmac::DiscoverySupport {
803                scan_offload: fidl_softmac::ScanOffloadExtension {
804                    supported: true,
805                    scan_cancel_supported: false,
806                },
807                probe_response_offload: fidl_softmac::ProbeResponseOffloadExtension {
808                    supported: false,
809                },
810            })
811        }
812
813        pub fn with_mock_mac_implementation_type(
814            mut self,
815            mock_field: fidl_common::MacImplementationType,
816        ) -> Self {
817            if let None = self.mock_mac_sublayer_support {
818                let mut mock_value = Self::default_mock_mac_sublayer_support();
819                mock_value.as_mut().unwrap().device.mac_implementation_type = mock_field;
820                return self.with_mock_mac_sublayer_support(mock_value);
821            }
822            let mock_value = self
823                .mock_mac_sublayer_support
824                .as_mut()
825                .unwrap()
826                .as_mut()
827                .expect("Cannot overwrite an Err value mock");
828            mock_value.device.mac_implementation_type = mock_field;
829            self
830        }
831
832        fn default_mock_mac_sublayer_support() -> Result<fidl_common::MacSublayerSupport, zx::Status>
833        {
834            Ok(fidl_common::MacSublayerSupport {
835                rate_selection_offload: fidl_common::RateSelectionOffloadExtension {
836                    supported: false,
837                },
838                data_plane: fidl_common::DataPlaneExtension {
839                    data_plane_type: fidl_common::DataPlaneType::EthernetDevice,
840                },
841                device: fidl_common::DeviceExtension {
842                    is_synthetic: true,
843                    mac_implementation_type: fidl_common::MacImplementationType::Softmac,
844                    tx_status_report_supported: true,
845                },
846            })
847        }
848    }
849
850    /// Wrapper struct that can share mutable access to the internal
851    /// FakeDeviceState.
852    #[derive(Clone)]
853    pub struct FakeDevice {
854        state: Arc<Mutex<FakeDeviceState>>,
855        mlme_event_sink: mpsc::UnboundedSender<fidl_mlme::MlmeEvent>,
856    }
857
858    pub struct FakeDeviceState {
859        pub config: FakeDeviceConfig,
860        pub minstrel: Option<crate::MinstrelWrapper>,
861        pub eth_queue: Vec<Vec<u8>>,
862        pub wlan_queue: Vec<(Vec<u8>, usize)>,
863        pub wlan_softmac_ifc_bridge_proxy: Option<fidl_softmac::WlanSoftmacIfcBridgeProxy>,
864        pub mlme_event_stream: Option<mpsc::UnboundedReceiver<fidl_mlme::MlmeEvent>>,
865        pub mlme_request_sink: mpsc::UnboundedSender<wlan_sme::MlmeRequest>,
866        pub mlme_request_stream: Option<mpsc::UnboundedReceiver<wlan_sme::MlmeRequest>>,
867        pub usme_bootstrap_client_end:
868            Option<fidl::endpoints::ClientEnd<fidl_sme::UsmeBootstrapMarker>>,
869        pub usme_bootstrap_server_end:
870            Option<fidl::endpoints::ServerEnd<fidl_sme::UsmeBootstrapMarker>>,
871        pub wlan_channel: fidl_common::WlanChannel,
872        pub keys: Vec<fidl_softmac::WlanKeyConfiguration>,
873        pub next_scan_id: u64,
874        pub captured_passive_scan_request:
875            Option<fidl_softmac::WlanSoftmacBaseStartPassiveScanRequest>,
876        pub captured_active_scan_request: Option<fidl_softmac::WlanSoftmacStartActiveScanRequest>,
877
878        pub join_bss_request: Option<fidl_common::JoinBssRequest>,
879        pub beacon_config: Option<(Vec<u8>, usize, TimeUnit)>,
880        pub link_status: LinkStatus,
881        pub assocs: std::collections::HashMap<MacAddr, fidl_softmac::WlanAssociationConfig>,
882        pub install_key_results: VecDeque<Result<(), zx::Status>>,
883        pub captured_update_wmm_parameters_request:
884            Option<fidl_softmac::WlanSoftmacBaseUpdateWmmParametersRequest>,
885    }
886
887    impl FakeDevice {
888        // TODO(https://fxbug.dev/327499461): This function is async to ensure MLME functions will
889        // run in an async context and not call `wlan_common::timer::Timer::now` without an
890        // executor.
891        pub async fn new() -> (FakeDevice, Arc<Mutex<FakeDeviceState>>) {
892            Self::new_with_config(FakeDeviceConfig::default()).await
893        }
894
895        // TODO(https://fxbug.dev/327499461): This function is async to ensure MLME functions will
896        // run in an async context and not call `wlan_common::timer::Timer::now` without an
897        // executor.
898        pub async fn new_with_config(
899            config: FakeDeviceConfig,
900        ) -> (FakeDevice, Arc<Mutex<FakeDeviceState>>) {
901            // Create a channel for SME requests, to be surfaced by start().
902            let (usme_bootstrap_client_end, usme_bootstrap_server_end) =
903                fidl::endpoints::create_endpoints::<fidl_sme::UsmeBootstrapMarker>();
904            let (mlme_event_sink, mlme_event_stream) = mpsc::unbounded();
905            let (mlme_request_sink, mlme_request_stream) = mpsc::unbounded();
906            let state = Arc::new(Mutex::new(FakeDeviceState {
907                config,
908                minstrel: None,
909                eth_queue: vec![],
910                wlan_queue: vec![],
911                wlan_softmac_ifc_bridge_proxy: None,
912                mlme_event_stream: Some(mlme_event_stream),
913                mlme_request_sink,
914                mlme_request_stream: Some(mlme_request_stream),
915                usme_bootstrap_client_end: Some(usme_bootstrap_client_end),
916                usme_bootstrap_server_end: Some(usme_bootstrap_server_end),
917                wlan_channel: fidl_common::WlanChannel {
918                    primary: 0,
919                    cbw: fidl_common::ChannelBandwidth::Cbw20,
920                    secondary80: 0,
921                },
922                next_scan_id: 0,
923                captured_passive_scan_request: None,
924                captured_active_scan_request: None,
925                keys: vec![],
926                join_bss_request: None,
927                beacon_config: None,
928                link_status: LinkStatus::DOWN,
929                assocs: std::collections::HashMap::new(),
930                install_key_results: VecDeque::new(),
931                captured_update_wmm_parameters_request: None,
932            }));
933            (FakeDevice { state: state.clone(), mlme_event_sink }, state)
934        }
935
936        pub fn state(&self) -> Arc<Mutex<FakeDeviceState>> {
937            self.state.clone()
938        }
939    }
940
941    impl FakeDeviceState {
942        #[track_caller]
943        pub fn next_mlme_msg<T: FromMlmeEvent>(&mut self) -> Result<T, Error> {
944            self.mlme_event_stream
945                .as_mut()
946                .expect("no mlme event stream available")
947                .try_next()
948                .map_err(|e| anyhow::format_err!("Failed to read mlme event stream: {}", e))
949                .and_then(|opt_next| {
950                    opt_next.ok_or_else(|| anyhow::format_err!("No message available"))
951                })
952                .and_then(|evt| {
953                    T::from_event(evt).ok_or_else(|| anyhow::format_err!("Unexpected mlme event"))
954                })
955                .map_err(|e| e.into())
956        }
957
958        pub fn reset(&mut self) {
959            self.eth_queue.clear();
960        }
961    }
962
963    impl DeviceOps for FakeDevice {
964        async fn wlan_softmac_query_response(
965            &mut self,
966        ) -> Result<fidl_softmac::WlanSoftmacQueryResponse, zx::Status> {
967            let state = self.state.lock();
968            match state.config.mock_query_response.as_ref() {
969                Some(query_response) => query_response.clone(),
970                None => FakeDeviceConfig::default_mock_query_response(),
971            }
972        }
973
974        async fn discovery_support(
975            &mut self,
976        ) -> Result<fidl_softmac::DiscoverySupport, zx::Status> {
977            let state = self.state.lock();
978            match state.config.mock_discovery_support.as_ref() {
979                Some(discovery_support) => discovery_support.clone(),
980                None => FakeDeviceConfig::default_mock_discovery_support(),
981            }
982        }
983
984        async fn mac_sublayer_support(
985            &mut self,
986        ) -> Result<fidl_common::MacSublayerSupport, zx::Status> {
987            let state = self.state.lock();
988            match state.config.mock_mac_sublayer_support.as_ref() {
989                Some(mac_sublayer_support) => mac_sublayer_support.clone(),
990                None => FakeDeviceConfig::default_mock_mac_sublayer_support(),
991            }
992        }
993
994        async fn security_support(&mut self) -> Result<fidl_common::SecuritySupport, zx::Status> {
995            let state = self.state.lock();
996            match state.config.mock_security_support.as_ref() {
997                Some(security_support) => security_support.clone(),
998                None => Ok(fidl_common::SecuritySupport {
999                    mfp: fidl_common::MfpFeature { supported: false },
1000                    sae: fidl_common::SaeFeature {
1001                        driver_handler_supported: false,
1002                        sme_handler_supported: false,
1003                    },
1004                }),
1005            }
1006        }
1007
1008        async fn spectrum_management_support(
1009            &mut self,
1010        ) -> Result<fidl_common::SpectrumManagementSupport, zx::Status> {
1011            let state = self.state.lock();
1012            match state.config.mock_spectrum_management_support.as_ref() {
1013                Some(spectrum_management_support) => spectrum_management_support.clone(),
1014                None => Ok(fidl_common::SpectrumManagementSupport {
1015                    dfs: fidl_common::DfsFeature { supported: true },
1016                }),
1017            }
1018        }
1019
1020        async fn start(
1021            &mut self,
1022            ifc_bridge: fidl::endpoints::ClientEnd<fidl_softmac::WlanSoftmacIfcBridgeMarker>,
1023            _ethernet_tx: EthernetTx,
1024            _wlan_rx: WlanRx,
1025        ) -> Result<fidl::Channel, zx::Status> {
1026            let mut state = self.state.lock();
1027
1028            if let Some(mock_start_result) = state.config.mock_start_result.take() {
1029                return mock_start_result;
1030            }
1031
1032            state.wlan_softmac_ifc_bridge_proxy = Some(ifc_bridge.into_proxy());
1033            Ok(state.usme_bootstrap_server_end.take().unwrap().into_channel())
1034        }
1035
1036        fn deliver_eth_frame(&mut self, packet: &[u8]) -> Result<(), zx::Status> {
1037            self.state.lock().eth_queue.push(packet.to_vec());
1038            Ok(())
1039        }
1040
1041        fn send_wlan_frame(
1042            &mut self,
1043            buffer: ArenaStaticBox<[u8]>,
1044            _tx_flags: fidl_softmac::WlanTxInfoFlags,
1045            _async_id: Option<TraceId>,
1046        ) -> Result<(), zx::Status> {
1047            let mut state = self.state.lock();
1048            if state.config.send_wlan_frame_fails {
1049                return Err(zx::Status::IO);
1050            }
1051            state.wlan_queue.push((buffer.to_vec(), 0));
1052            Ok(())
1053        }
1054
1055        async fn set_ethernet_status(&mut self, status: LinkStatus) -> Result<(), zx::Status> {
1056            self.state.lock().link_status = status;
1057            Ok(())
1058        }
1059
1060        async fn set_channel(
1061            &mut self,
1062            wlan_channel: fidl_common::WlanChannel,
1063        ) -> Result<(), zx::Status> {
1064            self.state.lock().wlan_channel = wlan_channel;
1065            Ok(())
1066        }
1067
1068        async fn start_passive_scan(
1069            &mut self,
1070            request: &fidl_softmac::WlanSoftmacBaseStartPassiveScanRequest,
1071        ) -> Result<fidl_softmac::WlanSoftmacBaseStartPassiveScanResponse, zx::Status> {
1072            let mut state = self.state.lock();
1073            if state.config.start_passive_scan_fails {
1074                return Err(zx::Status::NOT_SUPPORTED);
1075            }
1076            let scan_id = state.next_scan_id;
1077            state.next_scan_id += 1;
1078            state.captured_passive_scan_request.replace(request.clone());
1079            Ok(fidl_softmac::WlanSoftmacBaseStartPassiveScanResponse {
1080                scan_id: Some(scan_id),
1081                ..Default::default()
1082            })
1083        }
1084
1085        async fn start_active_scan(
1086            &mut self,
1087            request: &fidl_softmac::WlanSoftmacStartActiveScanRequest,
1088        ) -> Result<fidl_softmac::WlanSoftmacBaseStartActiveScanResponse, zx::Status> {
1089            let mut state = self.state.lock();
1090            if state.config.start_active_scan_fails {
1091                return Err(zx::Status::NOT_SUPPORTED);
1092            }
1093            let scan_id = state.next_scan_id;
1094            state.next_scan_id += 1;
1095            state.captured_active_scan_request.replace(request.clone());
1096            Ok(fidl_softmac::WlanSoftmacBaseStartActiveScanResponse {
1097                scan_id: Some(scan_id),
1098                ..Default::default()
1099            })
1100        }
1101
1102        async fn cancel_scan(
1103            &mut self,
1104            _request: &fidl_softmac::WlanSoftmacBaseCancelScanRequest,
1105        ) -> Result<(), zx::Status> {
1106            Err(zx::Status::NOT_SUPPORTED)
1107        }
1108
1109        async fn join_bss(
1110            &mut self,
1111            request: &fidl_common::JoinBssRequest,
1112        ) -> Result<(), zx::Status> {
1113            self.state.lock().join_bss_request.replace(request.clone());
1114            Ok(())
1115        }
1116
1117        async fn enable_beaconing(
1118            &mut self,
1119            request: fidl_softmac::WlanSoftmacBaseEnableBeaconingRequest,
1120        ) -> Result<(), zx::Status> {
1121            match (request.packet_template, request.tim_ele_offset, request.beacon_interval) {
1122                (Some(packet_template), Some(tim_ele_offset), Some(beacon_interval)) => Ok({
1123                    self.state.lock().beacon_config = Some((
1124                        packet_template.mac_frame,
1125                        usize::try_from(tim_ele_offset).map_err(|_| zx::Status::INTERNAL)?,
1126                        TimeUnit(beacon_interval),
1127                    ));
1128                }),
1129                _ => Err(zx::Status::INVALID_ARGS),
1130            }
1131        }
1132
1133        async fn disable_beaconing(&mut self) -> Result<(), zx::Status> {
1134            self.state.lock().beacon_config = None;
1135            Ok(())
1136        }
1137
1138        async fn install_key(
1139            &mut self,
1140            key_configuration: &fidl_softmac::WlanKeyConfiguration,
1141        ) -> Result<(), zx::Status> {
1142            let mut state = self.state.lock();
1143            state.keys.push(key_configuration.clone());
1144            state.install_key_results.pop_front().unwrap_or(Ok(()))
1145        }
1146
1147        async fn notify_association_complete(
1148            &mut self,
1149            cfg: fidl_softmac::WlanAssociationConfig,
1150        ) -> Result<(), zx::Status> {
1151            let mut state = self.state.lock();
1152            if let Some(minstrel) = &state.minstrel {
1153                minstrel.lock().add_peer(&cfg)?
1154            }
1155            state.assocs.insert(cfg.bssid.unwrap().into(), cfg);
1156            Ok(())
1157        }
1158
1159        async fn clear_association(
1160            &mut self,
1161            request: &fidl_softmac::WlanSoftmacBaseClearAssociationRequest,
1162        ) -> Result<(), zx::Status> {
1163            let addr: MacAddr = request.peer_addr.unwrap().into();
1164            let mut state = self.state.lock();
1165            if let Some(minstrel) = &state.minstrel {
1166                minstrel.lock().remove_peer(&addr);
1167            }
1168            state.assocs.remove(&addr);
1169            state.join_bss_request = None;
1170            Ok(())
1171        }
1172
1173        async fn update_wmm_parameters(
1174            &mut self,
1175            request: &fidl_softmac::WlanSoftmacBaseUpdateWmmParametersRequest,
1176        ) -> Result<(), zx::Status> {
1177            let mut state = self.state.lock();
1178            state.captured_update_wmm_parameters_request.replace(request.clone());
1179            Ok(())
1180        }
1181
1182        fn take_mlme_event_stream(
1183            &mut self,
1184        ) -> Option<mpsc::UnboundedReceiver<fidl_mlme::MlmeEvent>> {
1185            self.state.lock().mlme_event_stream.take()
1186        }
1187
1188        fn send_mlme_event(&mut self, event: fidl_mlme::MlmeEvent) -> Result<(), anyhow::Error> {
1189            self.mlme_event_sink.unbounded_send(event).map_err(|e| e.into())
1190        }
1191
1192        fn set_minstrel(&mut self, minstrel: crate::MinstrelWrapper) {
1193            self.state.lock().minstrel.replace(minstrel);
1194        }
1195
1196        fn minstrel(&mut self) -> Option<crate::MinstrelWrapper> {
1197            self.state.lock().minstrel.as_ref().map(Arc::clone)
1198        }
1199    }
1200
1201    pub fn fake_band_caps() -> Vec<fidl_softmac::WlanSoftmacBandCapability> {
1202        vec![
1203            fidl_softmac::WlanSoftmacBandCapability {
1204                band: Some(fidl_ieee80211::WlanBand::TwoGhz),
1205                basic_rates: Some(vec![
1206                    0x02, 0x04, 0x0b, 0x16, 0x0c, 0x12, 0x18, 0x24, 0x30, 0x48, 0x60, 0x6c,
1207                ]),
1208                operating_channels: Some(vec![1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14]),
1209                ht_supported: Some(true),
1210                ht_caps: Some(fidl_ieee80211::HtCapabilities {
1211                    bytes: [
1212                        0x63, 0x00, // HT capability info
1213                        0x17, // AMPDU params
1214                        0xff, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
1215                        0x00, // Rx MCS bitmask, Supported MCS values: 0-7
1216                        0x01, 0x00, 0x00, 0x00, // Tx parameters
1217                        0x00, 0x00, // HT extended capabilities
1218                        0x00, 0x00, 0x00, 0x00, // TX beamforming capabilities
1219                        0x00, // ASEL capabilities
1220                    ],
1221                }),
1222                vht_supported: Some(false),
1223                vht_caps: Some(fidl_ieee80211::VhtCapabilities { bytes: Default::default() }),
1224                ..Default::default()
1225            },
1226            fidl_softmac::WlanSoftmacBandCapability {
1227                band: Some(fidl_ieee80211::WlanBand::FiveGhz),
1228                basic_rates: Some(vec![0x02, 0x04, 0x0b, 0x16, 0x30, 0x60, 0x7e, 0x7f]),
1229                operating_channels: Some(vec![36, 40, 44, 48, 149, 153, 157, 161]),
1230                ht_supported: Some(true),
1231                ht_caps: Some(fidl_ieee80211::HtCapabilities {
1232                    bytes: [
1233                        0x63, 0x00, // HT capability info
1234                        0x17, // AMPDU params
1235                        0xff, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
1236                        0x00, // Rx MCS bitmask, Supported MCS values: 0-7
1237                        0x01, 0x00, 0x00, 0x00, // Tx parameters
1238                        0x00, 0x00, // HT extended capabilities
1239                        0x00, 0x00, 0x00, 0x00, // TX beamforming capabilities
1240                        0x00, // ASEL capabilities
1241                    ],
1242                }),
1243                vht_supported: Some(true),
1244                vht_caps: Some(fidl_ieee80211::VhtCapabilities {
1245                    bytes: [0x32, 0x50, 0x80, 0x0f, 0xfe, 0xff, 0x00, 0x00, 0xfe, 0xff, 0x00, 0x00],
1246                }),
1247                ..Default::default()
1248            },
1249        ]
1250    }
1251
1252    pub fn fake_mlme_band_caps() -> Vec<fidl_mlme::BandCapability> {
1253        fake_band_caps()
1254            .into_iter()
1255            .map(ddk_converter::mlme_band_cap_from_softmac)
1256            .collect::<Result<_, _>>()
1257            .expect("Failed to convert softmac driver band capabilities.")
1258    }
1259}
1260
1261#[cfg(test)]
1262mod tests {
1263    use super::*;
1264    use crate::{ddk_converter, WlanTxPacketExt as _};
1265    use fdf::Arena;
1266    use ieee80211::Ssid;
1267    use wlan_common::assert_variant;
1268    use {fidl_fuchsia_wlan_common as fidl_common, fidl_fuchsia_wlan_ieee80211 as fidl_ieee80211};
1269
1270    fn make_deauth_confirm_msg() -> fidl_mlme::DeauthenticateConfirm {
1271        fidl_mlme::DeauthenticateConfirm { peer_sta_address: [1; 6] }
1272    }
1273
1274    #[fuchsia::test(allow_stalls = false)]
1275    async fn state_method_returns_correct_pointer() {
1276        let (fake_device, fake_device_state) = FakeDevice::new().await;
1277        assert_eq!(Arc::as_ptr(&fake_device.state()), Arc::as_ptr(&fake_device_state));
1278    }
1279
1280    #[fuchsia::test(allow_stalls = false)]
1281    async fn fake_device_returns_expected_wlan_softmac_query_response() {
1282        let (mut fake_device, _) = FakeDevice::new().await;
1283        let query_response = fake_device.wlan_softmac_query_response().await.unwrap();
1284        assert_eq!(query_response.sta_addr, [7u8; 6].into());
1285        assert_eq!(query_response.mac_role, Some(fidl_common::WlanMacRole::Client));
1286        assert_eq!(
1287            query_response.supported_phys,
1288            Some(vec![
1289                fidl_common::WlanPhyType::Dsss,
1290                fidl_common::WlanPhyType::Hr,
1291                fidl_common::WlanPhyType::Ofdm,
1292                fidl_common::WlanPhyType::Erp,
1293                fidl_common::WlanPhyType::Ht,
1294                fidl_common::WlanPhyType::Vht,
1295            ]),
1296        );
1297        assert_eq!(query_response.hardware_capability, Some(0));
1298
1299        let expected_band_caps = [
1300            fidl_softmac::WlanSoftmacBandCapability {
1301                band: Some(fidl_ieee80211::WlanBand::TwoGhz),
1302                basic_rates: Some(vec![
1303                    0x02, 0x04, 0x0b, 0x16, 0x0c, 0x12, 0x18, 0x24, 0x30, 0x48, 0x60, 0x6c,
1304                ]),
1305                operating_channels: Some(vec![1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14]),
1306                ht_supported: Some(true),
1307                ht_caps: Some(fidl_ieee80211::HtCapabilities {
1308                    bytes: [
1309                        0x63, 0x00, // HT capability info
1310                        0x17, // AMPDU params
1311                        0xff, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
1312                        0x00, // Rx MCS bitmask, Supported MCS values: 0-7
1313                        0x01, 0x00, 0x00, 0x00, // Tx parameters
1314                        0x00, 0x00, // HT extended capabilities
1315                        0x00, 0x00, 0x00, 0x00, // TX beamforming capabilities
1316                        0x00, // ASEL capabilities
1317                    ],
1318                }),
1319                vht_supported: Some(false),
1320                vht_caps: Some(fidl_ieee80211::VhtCapabilities { bytes: Default::default() }),
1321                ..Default::default()
1322            },
1323            fidl_softmac::WlanSoftmacBandCapability {
1324                band: Some(fidl_ieee80211::WlanBand::FiveGhz),
1325                basic_rates: Some(vec![0x02, 0x04, 0x0b, 0x16, 0x30, 0x60, 0x7e, 0x7f]),
1326                operating_channels: Some(vec![36, 40, 44, 48, 149, 153, 157, 161]),
1327                ht_supported: Some(true),
1328                ht_caps: Some(fidl_ieee80211::HtCapabilities {
1329                    bytes: [
1330                        0x63, 0x00, // HT capability info
1331                        0x17, // AMPDU params
1332                        0xff, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
1333                        0x00, // Rx MCS bitmask, Supported MCS values: 0-7
1334                        0x01, 0x00, 0x00, 0x00, // Tx parameters
1335                        0x00, 0x00, // HT extended capabilities
1336                        0x00, 0x00, 0x00, 0x00, // TX beamforming capabilities
1337                        0x00, // ASEL capabilities
1338                    ],
1339                }),
1340                vht_supported: Some(true),
1341                vht_caps: Some(fidl_ieee80211::VhtCapabilities {
1342                    bytes: [0x32, 0x50, 0x80, 0x0f, 0xfe, 0xff, 0x00, 0x00, 0xfe, 0xff, 0x00, 0x00],
1343                }),
1344                ..Default::default()
1345            },
1346        ];
1347        let actual_band_caps = query_response.band_caps.as_ref().unwrap();
1348        for (actual_band_cap, expected_band_cap) in actual_band_caps.iter().zip(&expected_band_caps)
1349        {
1350            assert_eq!(actual_band_cap, expected_band_cap);
1351        }
1352    }
1353
1354    #[fuchsia::test(allow_stalls = false)]
1355    async fn fake_device_returns_expected_discovery_support() {
1356        let (mut fake_device, _) = FakeDevice::new().await;
1357        let discovery_support = fake_device.discovery_support().await.unwrap();
1358        assert_eq!(
1359            discovery_support,
1360            fidl_softmac::DiscoverySupport {
1361                scan_offload: fidl_softmac::ScanOffloadExtension {
1362                    supported: true,
1363                    scan_cancel_supported: false,
1364                },
1365                probe_response_offload: fidl_softmac::ProbeResponseOffloadExtension {
1366                    supported: false,
1367                },
1368            }
1369        );
1370    }
1371
1372    #[fuchsia::test(allow_stalls = false)]
1373    async fn fake_device_returns_expected_mac_sublayer_support() {
1374        let (mut fake_device, _) = FakeDevice::new().await;
1375        let mac_sublayer_support = fake_device.mac_sublayer_support().await.unwrap();
1376        assert_eq!(
1377            mac_sublayer_support,
1378            fidl_common::MacSublayerSupport {
1379                rate_selection_offload: fidl_common::RateSelectionOffloadExtension {
1380                    supported: false,
1381                },
1382                data_plane: fidl_common::DataPlaneExtension {
1383                    data_plane_type: fidl_common::DataPlaneType::EthernetDevice,
1384                },
1385                device: fidl_common::DeviceExtension {
1386                    is_synthetic: true,
1387                    mac_implementation_type: fidl_common::MacImplementationType::Softmac,
1388                    tx_status_report_supported: true,
1389                },
1390            }
1391        );
1392    }
1393
1394    #[fuchsia::test(allow_stalls = false)]
1395    async fn fake_device_returns_expected_security_support() {
1396        let (mut fake_device, _) = FakeDevice::new().await;
1397        let security_support = fake_device.security_support().await.unwrap();
1398        assert_eq!(
1399            security_support,
1400            fidl_common::SecuritySupport {
1401                mfp: fidl_common::MfpFeature { supported: false },
1402                sae: fidl_common::SaeFeature {
1403                    driver_handler_supported: false,
1404                    sme_handler_supported: false,
1405                },
1406            }
1407        );
1408    }
1409
1410    #[fuchsia::test(allow_stalls = false)]
1411    async fn fake_device_returns_expected_spectrum_management_support() {
1412        let (mut fake_device, _) = FakeDevice::new().await;
1413        let spectrum_management_support = fake_device.spectrum_management_support().await.unwrap();
1414        assert_eq!(
1415            spectrum_management_support,
1416            fidl_common::SpectrumManagementSupport {
1417                dfs: fidl_common::DfsFeature { supported: true },
1418            }
1419        );
1420    }
1421
1422    #[fuchsia::test(allow_stalls = false)]
1423    async fn test_can_dynamically_change_fake_device_state() {
1424        let (mut fake_device, fake_device_state) = FakeDevice::new_with_config(
1425            FakeDeviceConfig::default().with_mock_mac_role(fidl_common::WlanMacRole::Client),
1426        )
1427        .await;
1428        let query_response = fake_device.wlan_softmac_query_response().await.unwrap();
1429        assert_eq!(query_response.mac_role, Some(fidl_common::WlanMacRole::Client));
1430
1431        fake_device_state.lock().config =
1432            FakeDeviceConfig::default().with_mock_mac_role(fidl_common::WlanMacRole::Ap);
1433
1434        let query_response = fake_device.wlan_softmac_query_response().await.unwrap();
1435        assert_eq!(query_response.mac_role, Some(fidl_common::WlanMacRole::Ap));
1436    }
1437
1438    #[fuchsia::test(allow_stalls = false)]
1439    async fn send_mlme_message() {
1440        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1441        fake_device
1442            .send_mlme_event(fidl_mlme::MlmeEvent::DeauthenticateConf {
1443                resp: make_deauth_confirm_msg(),
1444            })
1445            .expect("error sending MLME message");
1446
1447        // Read message from channel.
1448        let msg = fake_device_state
1449            .lock()
1450            .next_mlme_msg::<fidl_mlme::DeauthenticateConfirm>()
1451            .expect("error reading message from channel");
1452        assert_eq!(msg, make_deauth_confirm_msg());
1453    }
1454
1455    #[fuchsia::test(allow_stalls = false)]
1456    async fn send_mlme_message_peer_already_closed() {
1457        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1458        fake_device_state.lock().mlme_event_stream.take();
1459
1460        fake_device
1461            .send_mlme_event(fidl_mlme::MlmeEvent::DeauthenticateConf {
1462                resp: make_deauth_confirm_msg(),
1463            })
1464            .expect_err("Mlme event should fail");
1465    }
1466
1467    #[fuchsia::test(allow_stalls = false)]
1468    async fn fake_device_deliver_eth_frame() {
1469        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1470        assert_eq!(fake_device_state.lock().eth_queue.len(), 0);
1471        let first_frame = [5; 32];
1472        let second_frame = [6; 32];
1473        assert_eq!(fake_device.deliver_eth_frame(&first_frame[..]), Ok(()));
1474        assert_eq!(fake_device.deliver_eth_frame(&second_frame[..]), Ok(()));
1475        assert_eq!(fake_device_state.lock().eth_queue.len(), 2);
1476        assert_eq!(&fake_device_state.lock().eth_queue[0], &first_frame);
1477        assert_eq!(&fake_device_state.lock().eth_queue[1], &second_frame);
1478    }
1479
1480    #[fuchsia::test(allow_stalls = false)]
1481    async fn set_channel() {
1482        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1483        fake_device
1484            .set_channel(fidl_common::WlanChannel {
1485                primary: 2,
1486                cbw: fidl_common::ChannelBandwidth::Cbw80P80,
1487                secondary80: 4,
1488            })
1489            .await
1490            .expect("set_channel failed?");
1491        // Check the internal state.
1492        assert_eq!(
1493            fake_device_state.lock().wlan_channel,
1494            fidl_common::WlanChannel {
1495                primary: 2,
1496                cbw: fidl_common::ChannelBandwidth::Cbw80P80,
1497                secondary80: 4
1498            }
1499        );
1500    }
1501
1502    #[fuchsia::test(allow_stalls = false)]
1503    async fn install_key() {
1504        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1505        fake_device
1506            .install_key(&fidl_softmac::WlanKeyConfiguration {
1507                protection: Some(fidl_softmac::WlanProtection::None),
1508                cipher_oui: Some([3, 4, 5]),
1509                cipher_type: Some(6),
1510                key_type: Some(fidl_ieee80211::KeyType::Pairwise),
1511                peer_addr: Some([8; 6]),
1512                key_idx: Some(9),
1513                key: Some(vec![11; 32]),
1514                rsc: Some(12),
1515                ..Default::default()
1516            })
1517            .await
1518            .expect("error setting key");
1519        assert_eq!(fake_device_state.lock().keys.len(), 1);
1520    }
1521
1522    #[fuchsia::test(allow_stalls = false)]
1523    async fn start_passive_scan() {
1524        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1525
1526        let result = fake_device
1527            .start_passive_scan(&fidl_softmac::WlanSoftmacBaseStartPassiveScanRequest {
1528                channels: Some(vec![1u8, 2, 3]),
1529                min_channel_time: Some(zx::MonotonicDuration::from_millis(0).into_nanos()),
1530                max_channel_time: Some(zx::MonotonicDuration::from_millis(200).into_nanos()),
1531                min_home_time: Some(0),
1532                ..Default::default()
1533            })
1534            .await;
1535        assert!(result.is_ok());
1536
1537        assert_eq!(
1538            fake_device_state.lock().captured_passive_scan_request,
1539            Some(fidl_softmac::WlanSoftmacBaseStartPassiveScanRequest {
1540                channels: Some(vec![1, 2, 3]),
1541                min_channel_time: Some(0),
1542                max_channel_time: Some(200_000_000),
1543                min_home_time: Some(0),
1544                ..Default::default()
1545            }),
1546        );
1547    }
1548
1549    #[fuchsia::test(allow_stalls = false)]
1550    async fn start_active_scan() {
1551        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1552
1553        let result = fake_device
1554            .start_active_scan(&fidl_softmac::WlanSoftmacStartActiveScanRequest {
1555                channels: Some(vec![1u8, 2, 3]),
1556                ssids: Some(vec![
1557                    ddk_converter::cssid_from_ssid_unchecked(
1558                        &Ssid::try_from("foo").unwrap().into(),
1559                    ),
1560                    ddk_converter::cssid_from_ssid_unchecked(
1561                        &Ssid::try_from("bar").unwrap().into(),
1562                    ),
1563                ]),
1564                mac_header: Some(vec![
1565                    0x40u8, 0x00, // Frame Control
1566                    0x00, 0x00, // Duration
1567                    0xff, 0xff, 0xff, 0xff, 0xff, 0xff, // Address 1
1568                    0x66, 0x66, 0x66, 0x66, 0x66, 0x66, // Address 2
1569                    0xff, 0xff, 0xff, 0xff, 0xff, 0xff, // Address 3
1570                    0x70, 0xdc, // Sequence Control
1571                ]),
1572                ies: Some(vec![
1573                    0x01u8, // Element ID for Supported Rates
1574                    0x08,   // Length
1575                    0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08, // Supported Rates
1576                ]),
1577                min_channel_time: Some(zx::MonotonicDuration::from_millis(0).into_nanos()),
1578                max_channel_time: Some(zx::MonotonicDuration::from_millis(200).into_nanos()),
1579                min_home_time: Some(0),
1580                min_probes_per_channel: Some(1),
1581                max_probes_per_channel: Some(3),
1582                ..Default::default()
1583            })
1584            .await;
1585        assert!(result.is_ok());
1586        assert_eq!(
1587            fake_device_state.lock().captured_active_scan_request,
1588            Some(fidl_softmac::WlanSoftmacStartActiveScanRequest {
1589                channels: Some(vec![1, 2, 3]),
1590                ssids: Some(vec![
1591                    ddk_converter::cssid_from_ssid_unchecked(
1592                        &Ssid::try_from("foo").unwrap().into()
1593                    ),
1594                    ddk_converter::cssid_from_ssid_unchecked(
1595                        &Ssid::try_from("bar").unwrap().into()
1596                    ),
1597                ]),
1598                mac_header: Some(vec![
1599                    0x40, 0x00, // Frame Control
1600                    0x00, 0x00, // Duration
1601                    0xff, 0xff, 0xff, 0xff, 0xff, 0xff, // Address 1
1602                    0x66, 0x66, 0x66, 0x66, 0x66, 0x66, // Address 2
1603                    0xff, 0xff, 0xff, 0xff, 0xff, 0xff, // Address 3
1604                    0x70, 0xdc, // Sequence Control
1605                ]),
1606                ies: Some(vec![
1607                    0x01, // Element ID for Supported Rates
1608                    0x08, // Length
1609                    0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08 // Supported Rates
1610                ]),
1611                min_channel_time: Some(0),
1612                max_channel_time: Some(200_000_000),
1613                min_home_time: Some(0),
1614                min_probes_per_channel: Some(1),
1615                max_probes_per_channel: Some(3),
1616                ..Default::default()
1617            }),
1618            "No active scan argument available."
1619        );
1620    }
1621
1622    #[fuchsia::test(allow_stalls = false)]
1623    async fn join_bss() {
1624        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1625        fake_device
1626            .join_bss(&fidl_common::JoinBssRequest {
1627                bssid: Some([1, 2, 3, 4, 5, 6]),
1628                bss_type: Some(fidl_common::BssType::Personal),
1629                remote: Some(true),
1630                beacon_period: Some(100),
1631                ..Default::default()
1632            })
1633            .await
1634            .expect("error configuring bss");
1635        assert!(fake_device_state.lock().join_bss_request.is_some());
1636    }
1637
1638    #[fuchsia::test(allow_stalls = false)]
1639    async fn enable_disable_beaconing() {
1640        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1641        let arena = Arena::new();
1642        let mut buffer = arena.insert_default_slice::<u8>(4);
1643        buffer.copy_from_slice(&[1, 2, 3, 4][..]);
1644        let mac_frame = buffer.to_vec();
1645
1646        fake_device
1647            .enable_beaconing(fidl_softmac::WlanSoftmacBaseEnableBeaconingRequest {
1648                packet_template: Some(fidl_softmac::WlanTxPacket::template(mac_frame)),
1649                tim_ele_offset: Some(1),
1650                beacon_interval: Some(2),
1651                ..Default::default()
1652            })
1653            .await
1654            .expect("error enabling beaconing");
1655        assert_variant!(
1656        fake_device_state.lock().beacon_config.as_ref(),
1657        Some((buffer, tim_ele_offset, beacon_interval)) => {
1658            assert_eq!(&buffer[..], &[1, 2, 3, 4][..]);
1659            assert_eq!(*tim_ele_offset, 1);
1660            assert_eq!(*beacon_interval, TimeUnit(2));
1661        });
1662        fake_device.disable_beaconing().await.expect("error disabling beaconing");
1663        assert_variant!(fake_device_state.lock().beacon_config.as_ref(), None);
1664    }
1665
1666    #[fuchsia::test(allow_stalls = false)]
1667    async fn set_ethernet_status() {
1668        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1669        fake_device.set_ethernet_up().await.expect("failed setting status");
1670        assert_eq!(fake_device_state.lock().link_status, LinkStatus::UP);
1671
1672        fake_device.set_ethernet_down().await.expect("failed setting status");
1673        assert_eq!(fake_device_state.lock().link_status, LinkStatus::DOWN);
1674    }
1675
1676    #[fuchsia::test(allow_stalls = false)]
1677    async fn notify_association_complete() {
1678        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1679        fake_device
1680            .notify_association_complete(fidl_softmac::WlanAssociationConfig {
1681                bssid: Some([1, 2, 3, 4, 5, 6]),
1682                aid: Some(1),
1683                listen_interval: Some(2),
1684                channel: Some(fidl_common::WlanChannel {
1685                    primary: 3,
1686                    cbw: fidl_common::ChannelBandwidth::Cbw20,
1687                    secondary80: 0,
1688                }),
1689                qos: Some(false),
1690                wmm_params: None,
1691                rates: None,
1692                capability_info: Some(0x0102),
1693                ht_cap: None,
1694                ht_op: None,
1695                vht_cap: None,
1696                vht_op: None,
1697                ..Default::default()
1698            })
1699            .await
1700            .expect("error configuring assoc");
1701        assert!(fake_device_state.lock().assocs.contains_key(&[1, 2, 3, 4, 5, 6].into()));
1702    }
1703
1704    #[fuchsia::test(allow_stalls = false)]
1705    async fn clear_association() {
1706        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1707        fake_device
1708            .join_bss(&fidl_common::JoinBssRequest {
1709                bssid: Some([1, 2, 3, 4, 5, 6]),
1710                bss_type: Some(fidl_common::BssType::Personal),
1711                remote: Some(true),
1712                beacon_period: Some(100),
1713                ..Default::default()
1714            })
1715            .await
1716            .expect("error configuring bss");
1717
1718        let assoc_cfg = fidl_softmac::WlanAssociationConfig {
1719            bssid: Some([1, 2, 3, 4, 5, 6]),
1720            aid: Some(1),
1721            channel: Some(fidl_common::WlanChannel {
1722                primary: 149,
1723                cbw: fidl_common::ChannelBandwidth::Cbw40,
1724                secondary80: 42,
1725            }),
1726            ..Default::default()
1727        };
1728
1729        assert!(fake_device_state.lock().join_bss_request.is_some());
1730        fake_device.notify_association_complete(assoc_cfg).await.expect("error configuring assoc");
1731        assert_eq!(fake_device_state.lock().assocs.len(), 1);
1732        fake_device
1733            .clear_association(&fidl_softmac::WlanSoftmacBaseClearAssociationRequest {
1734                peer_addr: Some([1, 2, 3, 4, 5, 6]),
1735                ..Default::default()
1736            })
1737            .await
1738            .expect("error clearing assoc");
1739        assert_eq!(fake_device_state.lock().assocs.len(), 0);
1740        assert!(fake_device_state.lock().join_bss_request.is_none());
1741    }
1742
1743    #[fuchsia::test(allow_stalls = false)]
1744    async fn fake_device_captures_update_wmm_parameters_request() {
1745        let (mut fake_device, fake_device_state) = FakeDevice::new().await;
1746
1747        let request = fidl_softmac::WlanSoftmacBaseUpdateWmmParametersRequest {
1748            ac: Some(fidl_ieee80211::WlanAccessCategory::Background),
1749            params: Some(fidl_common::WlanWmmParameters {
1750                apsd: true,
1751                ac_be_params: fidl_common::WlanWmmAccessCategoryParameters {
1752                    ecw_min: 10,
1753                    ecw_max: 100,
1754                    aifsn: 1,
1755                    txop_limit: 5,
1756                    acm: true,
1757                },
1758                ac_bk_params: fidl_common::WlanWmmAccessCategoryParameters {
1759                    ecw_min: 11,
1760                    ecw_max: 100,
1761                    aifsn: 1,
1762                    txop_limit: 5,
1763                    acm: true,
1764                },
1765                ac_vi_params: fidl_common::WlanWmmAccessCategoryParameters {
1766                    ecw_min: 12,
1767                    ecw_max: 100,
1768                    aifsn: 1,
1769                    txop_limit: 5,
1770                    acm: true,
1771                },
1772                ac_vo_params: fidl_common::WlanWmmAccessCategoryParameters {
1773                    ecw_min: 13,
1774                    ecw_max: 100,
1775                    aifsn: 1,
1776                    txop_limit: 5,
1777                    acm: true,
1778                },
1779            }),
1780            ..Default::default()
1781        };
1782        let result = fake_device.update_wmm_parameters(&request).await;
1783        assert!(result.is_ok());
1784
1785        assert_eq!(fake_device_state.lock().captured_update_wmm_parameters_request, Some(request),);
1786    }
1787}