wlan_fullmac_mlme/convert/
fullmac_to_mlme.rs

1// Copyright 2024 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 anyhow::{bail, Context, Error, Result};
6use log::warn;
7use {
8    fidl_fuchsia_wlan_common as fidl_common, fidl_fuchsia_wlan_fullmac as fidl_fullmac,
9    fidl_fuchsia_wlan_ieee80211 as fidl_ieee80211, fidl_fuchsia_wlan_internal as fidl_internal,
10    fidl_fuchsia_wlan_mlme as fidl_mlme,
11};
12
13pub fn convert_device_info(
14    info: fidl_fullmac::WlanFullmacImplQueryResponse,
15) -> Result<fidl_mlme::DeviceInfo> {
16    let bands: Vec<fidl_mlme::BandCapability> = info
17        .band_caps
18        .context("missing band_caps")?
19        .into_iter()
20        .map(|band_cap| convert_band_cap(band_cap))
21        .collect::<Result<Vec<fidl_mlme::BandCapability>>>()
22        .context("could not convert band_cap")?;
23    Ok(fidl_mlme::DeviceInfo {
24        sta_addr: info.sta_addr.context("missing sta_addr")?,
25        role: info.role.context("missing role")?,
26        bands,
27        // TODO(https://fxbug.dev/42169534): This field will be replaced in the new driver features
28        // framework.
29        softmac_hardware_capability: 0,
30        // TODO(https://fxbug.dev/42120297): This field is stubbed out for future use.
31        qos_capable: false,
32    })
33}
34
35pub fn convert_set_keys_resp(
36    resp: fidl_fullmac::WlanFullmacSetKeysResp,
37    original_set_keys_req: &fidl_mlme::SetKeysRequest,
38) -> Result<fidl_mlme::SetKeysConfirm> {
39    if resp.statuslist.len() != original_set_keys_req.keylist.len() {
40        bail!(
41            "SetKeysReq and SetKeysResp num_keys count differ: {} != {}",
42            original_set_keys_req.keylist.len(),
43            resp.statuslist.len()
44        );
45    }
46    let mut results = vec![];
47    for i in 0..resp.statuslist.len() {
48        // Okay to index because `i` is less than the length of `resp.statuslist`, and we
49        // already checked that `keylist` is the same length as `resp.statuslist`
50        #[expect(clippy::indexing_slicing)]
51        results.push(fidl_mlme::SetKeyResult {
52            key_id: original_set_keys_req.keylist[i].key_id,
53            status: resp.statuslist[i],
54        });
55    }
56    Ok(fidl_mlme::SetKeysConfirm { results })
57}
58
59pub fn convert_scan_result(
60    result: fidl_fullmac::WlanFullmacImplIfcOnScanResultRequest,
61) -> Result<fidl_mlme::ScanResult> {
62    Ok(fidl_mlme::ScanResult {
63        txn_id: result.txn_id.context("missing txn_id")?,
64        timestamp_nanos: result.timestamp_nanos.context("missing timestamp_nanos")?,
65        bss: result.bss.context("missing bss")?,
66    })
67}
68
69pub fn convert_scan_end(
70    end: fidl_fullmac::WlanFullmacImplIfcOnScanEndRequest,
71) -> Result<fidl_mlme::ScanEnd> {
72    use fidl_fullmac::WlanScanResult;
73    let scan_result_code = end.code.context("missing code")?;
74    Ok(fidl_mlme::ScanEnd {
75        txn_id: end.txn_id.context("missing txn_id")?,
76        code: match scan_result_code {
77            WlanScanResult::Success => fidl_mlme::ScanResultCode::Success,
78            WlanScanResult::NotSupported => fidl_mlme::ScanResultCode::NotSupported,
79            WlanScanResult::InvalidArgs => fidl_mlme::ScanResultCode::InvalidArgs,
80            WlanScanResult::InternalError => fidl_mlme::ScanResultCode::InternalError,
81            WlanScanResult::ShouldWait => fidl_mlme::ScanResultCode::ShouldWait,
82            WlanScanResult::CanceledByDriverOrFirmware => {
83                fidl_mlme::ScanResultCode::CanceledByDriverOrFirmware
84            }
85            _ => {
86                warn!(
87                    "Invalid scan result code {}, defaulting to ScanResultCode::NotSupported",
88                    scan_result_code.into_primitive()
89                );
90                fidl_mlme::ScanResultCode::NotSupported
91            }
92        },
93    })
94}
95
96pub fn convert_connect_confirm(
97    conf: fidl_fullmac::WlanFullmacImplIfcConnectConfRequest,
98) -> Result<fidl_mlme::ConnectConfirm> {
99    Ok(fidl_mlme::ConnectConfirm {
100        peer_sta_address: conf.peer_sta_address.context("missing peer_sta_address")?,
101        result_code: conf.result_code.context("missing result_code")?,
102        association_id: if conf.result_code == Some(fidl_ieee80211::StatusCode::Success) {
103            conf.association_id.context("missing association_id")?
104        } else {
105            0
106        },
107        association_ies: if conf.result_code == Some(fidl_ieee80211::StatusCode::Success) {
108            conf.association_ies.context("missing association_ies")?
109        } else {
110            vec![]
111        },
112    })
113}
114
115pub fn convert_roam_confirm(
116    conf: fidl_fullmac::WlanFullmacImplIfcRoamConfRequest,
117) -> Result<fidl_mlme::RoamConfirm> {
118    match conf.status_code {
119        Some(status_code) => match status_code {
120            fidl_ieee80211::StatusCode::Success => Ok(fidl_mlme::RoamConfirm {
121                selected_bssid: conf.selected_bssid.context("missing selected BSSID")?,
122                status_code,
123                original_association_maintained: conf
124                    .original_association_maintained
125                    .context("missing original_association_maintained")?,
126                target_bss_authenticated: conf
127                    .target_bss_authenticated
128                    .context("missing target_bss_authenticated")?,
129                association_id: conf.association_id.context("missing association_id")?,
130                association_ies: conf.association_ies.context("missing association_ies")?,
131            }),
132            _ => Ok(fidl_mlme::RoamConfirm {
133                selected_bssid: conf.selected_bssid.context("missing selected BSSID")?,
134                status_code,
135                original_association_maintained: conf
136                    .original_association_maintained
137                    .context("missing original_association_maintained")?,
138                target_bss_authenticated: conf
139                    .target_bss_authenticated
140                    .context("missing target_bss_authenticated")?,
141                association_id: 0,
142                association_ies: Vec::new(),
143            }),
144        },
145        None => Err(Error::msg("Fullmac RoamConf is missing status_code")),
146    }
147}
148
149pub fn convert_roam_start_indication(
150    ind: fidl_fullmac::WlanFullmacImplIfcRoamStartIndRequest,
151) -> Result<fidl_mlme::RoamStartIndication> {
152    Ok(fidl_mlme::RoamStartIndication {
153        selected_bss: ind.selected_bss.context("missing selected_bss")?,
154        selected_bssid: ind.selected_bssid.context("missing selected bssid")?,
155        original_association_maintained: ind
156            .original_association_maintained
157            .context("missing original_association_maintained")?,
158    })
159}
160
161pub fn convert_roam_result_indication(
162    ind: fidl_fullmac::WlanFullmacImplIfcRoamResultIndRequest,
163) -> Result<fidl_mlme::RoamResultIndication> {
164    Ok(fidl_mlme::RoamResultIndication {
165        selected_bssid: ind.selected_bssid.context("missing selected_bss_id")?,
166        status_code: ind.status_code.context("missing status code")?,
167        original_association_maintained: ind
168            .original_association_maintained
169            .context("missing original_association_maintained")?,
170        target_bss_authenticated: ind
171            .target_bss_authenticated
172            .context("missing target_bss_authenticated")?,
173        association_id: ind.association_id.context("missing association_id")?,
174        association_ies: ind.association_ies.context("missing association_ies")?,
175    })
176}
177
178pub fn convert_authenticate_indication(
179    ind: fidl_fullmac::WlanFullmacImplIfcAuthIndRequest,
180) -> Result<fidl_mlme::AuthenticateIndication> {
181    use fidl_fullmac::WlanAuthType;
182    let auth_type = ind.auth_type.context("missing auth type")?;
183    Ok(fidl_mlme::AuthenticateIndication {
184        peer_sta_address: ind.peer_sta_address.context("missing peer_sta_address")?,
185        auth_type: match auth_type {
186            WlanAuthType::OpenSystem => fidl_mlme::AuthenticationTypes::OpenSystem,
187            WlanAuthType::SharedKey => fidl_mlme::AuthenticationTypes::SharedKey,
188            WlanAuthType::FastBssTransition => fidl_mlme::AuthenticationTypes::FastBssTransition,
189            WlanAuthType::Sae => fidl_mlme::AuthenticationTypes::Sae,
190            _ => {
191                warn!(
192                    "Invalid auth type {}, defaulting to AuthenticationTypes::OpenSystem",
193                    auth_type.into_primitive()
194                );
195                fidl_mlme::AuthenticationTypes::OpenSystem
196            }
197        },
198    })
199}
200
201pub fn convert_deauthenticate_confirm(
202    conf: fidl_fullmac::WlanFullmacImplIfcDeauthConfRequest,
203) -> fidl_mlme::DeauthenticateConfirm {
204    let peer_sta_address = conf.peer_sta_address.unwrap_or_else(|| {
205        warn!("Got None for peer_sta_address when converting DeauthConf. Substituting all zeros.");
206        [0 as u8; fidl_ieee80211::MAC_ADDR_LEN as usize]
207    });
208    fidl_mlme::DeauthenticateConfirm { peer_sta_address }
209}
210
211pub fn convert_deauthenticate_indication(
212    ind: fidl_fullmac::WlanFullmacImplIfcDeauthIndRequest,
213) -> Result<fidl_mlme::DeauthenticateIndication> {
214    Ok(fidl_mlme::DeauthenticateIndication {
215        peer_sta_address: ind.peer_sta_address.context("missing peer sta address")?,
216        reason_code: ind.reason_code.context("missing reason code")?,
217        locally_initiated: ind.locally_initiated.context("missing locally initiated")?,
218    })
219}
220pub fn convert_associate_indication(
221    ind: fidl_fullmac::WlanFullmacImplIfcAssocIndRequest,
222) -> Result<fidl_mlme::AssociateIndication> {
223    let ssid = ind.ssid.context("missing ssid")?;
224    let rsne = ind.rsne.context("missing rsne")?;
225    Ok(fidl_mlme::AssociateIndication {
226        peer_sta_address: ind.peer_sta_address.context("missing peer sta address")?,
227        // TODO(https://fxbug.dev/42068281): Fix the discrepancy between WlanFullmacAssocInd and
228        // fidl_mlme::AssociateIndication
229        capability_info: 0,
230        listen_interval: ind.listen_interval.context("missing listen interval")?,
231        ssid: if ssid.len() > 0 { Some(ssid) } else { None },
232        rates: vec![],
233        rsne: if rsne.len() > 0 { Some(rsne) } else { None },
234    })
235}
236
237pub fn convert_disassociate_confirm(
238    conf: fidl_fullmac::WlanFullmacImplIfcDisassocConfRequest,
239) -> fidl_mlme::DisassociateConfirm {
240    let status = conf.status.unwrap_or_else(|| {
241        warn!("Got None for status when converting DisassocConf. Using error INTERNAL.");
242        zx::Status::INTERNAL.into_raw()
243    });
244    fidl_mlme::DisassociateConfirm { status }
245}
246
247pub fn convert_disassociate_indication(
248    ind: fidl_fullmac::WlanFullmacImplIfcDisassocIndRequest,
249) -> Result<fidl_mlme::DisassociateIndication> {
250    Ok(fidl_mlme::DisassociateIndication {
251        peer_sta_address: ind.peer_sta_address.context("missing peer_sta_address")?,
252        reason_code: ind.reason_code.context("missing reason_code")?,
253        locally_initiated: ind.locally_initiated.context("missing locally_initiated")?,
254    })
255}
256
257pub fn convert_start_confirm(
258    conf: fidl_fullmac::WlanFullmacImplIfcStartConfRequest,
259) -> Result<fidl_mlme::StartConfirm> {
260    use fidl_fullmac::StartResult;
261    let result_code = conf.result_code.context("missing result_code")?;
262    Ok(fidl_mlme::StartConfirm {
263        result_code: match result_code {
264            StartResult::Success => fidl_mlme::StartResultCode::Success,
265            StartResult::BssAlreadyStartedOrJoined => {
266                fidl_mlme::StartResultCode::BssAlreadyStartedOrJoined
267            }
268            StartResult::ResetRequiredBeforeStart => {
269                fidl_mlme::StartResultCode::ResetRequiredBeforeStart
270            }
271            StartResult::NotSupported => fidl_mlme::StartResultCode::NotSupported,
272            _ => {
273                warn!(
274                    "Invalid start result {}, defaulting to StartResultCode::InternalError",
275                    result_code.into_primitive()
276                );
277                fidl_mlme::StartResultCode::InternalError
278            }
279        },
280    })
281}
282pub fn convert_stop_confirm(
283    conf: fidl_fullmac::WlanFullmacImplIfcStopConfRequest,
284) -> Result<fidl_mlme::StopConfirm> {
285    use fidl_fullmac::StopResult;
286    let result_code = conf.result_code.context("missing result_code")?;
287    Ok(fidl_mlme::StopConfirm {
288        result_code: match result_code {
289            StopResult::Success => fidl_mlme::StopResultCode::Success,
290            StopResult::BssAlreadyStopped => fidl_mlme::StopResultCode::BssAlreadyStopped,
291            StopResult::InternalError => fidl_mlme::StopResultCode::InternalError,
292            _ => {
293                warn!(
294                    "Invalid stop result {}, defaulting to StopResultCode::InternalError",
295                    result_code.into_primitive()
296                );
297                fidl_mlme::StopResultCode::InternalError
298            }
299        },
300    })
301}
302pub fn convert_eapol_confirm(
303    conf: fidl_fullmac::WlanFullmacImplIfcEapolConfRequest,
304) -> Result<fidl_mlme::EapolConfirm> {
305    use fidl_fullmac::EapolTxResult;
306    let result_code = conf.result_code.context("missing result_code")?;
307    Ok(fidl_mlme::EapolConfirm {
308        result_code: match result_code {
309            EapolTxResult::Success => fidl_mlme::EapolResultCode::Success,
310            EapolTxResult::TransmissionFailure => fidl_mlme::EapolResultCode::TransmissionFailure,
311            _ => {
312                warn!(
313                    "Invalid eapol result code {}, defaulting to EapolResultCode::TransmissionFailure",
314                    result_code.into_primitive()
315                );
316                fidl_mlme::EapolResultCode::TransmissionFailure
317            }
318        },
319        dst_addr: conf.dst_addr.context("missing dst_addr")?,
320    })
321}
322pub fn convert_channel_switch_info(
323    info: fidl_fullmac::WlanFullmacChannelSwitchInfo,
324) -> fidl_internal::ChannelSwitchInfo {
325    fidl_internal::ChannelSwitchInfo { new_channel: info.new_channel }
326}
327pub fn convert_signal_report_indication(
328    ind: fidl_fullmac::WlanFullmacSignalReportIndication,
329) -> fidl_internal::SignalReportIndication {
330    fidl_internal::SignalReportIndication { rssi_dbm: ind.rssi_dbm, snr_db: ind.snr_db }
331}
332pub fn convert_eapol_indication(
333    ind: fidl_fullmac::WlanFullmacImplIfcEapolIndRequest,
334) -> Result<fidl_mlme::EapolIndication> {
335    Ok(fidl_mlme::EapolIndication {
336        src_addr: ind.src_addr.context("missing src_addr")?,
337        dst_addr: ind.dst_addr.context("missing dst_addr")?,
338        data: ind.data.context("missing data")?,
339    })
340}
341pub fn convert_pmk_info(
342    info: fidl_fullmac::WlanFullmacImplIfcOnPmkAvailableRequest,
343) -> Result<fidl_mlme::PmkInfo> {
344    Ok(fidl_mlme::PmkInfo {
345        pmk: info.pmk.context("missing pmk")?,
346        pmkid: info.pmkid.context("missing pmkid")?,
347    })
348}
349pub fn convert_sae_handshake_indication(
350    ind: fidl_fullmac::WlanFullmacImplIfcSaeHandshakeIndRequest,
351) -> Result<fidl_mlme::SaeHandshakeIndication> {
352    Ok(fidl_mlme::SaeHandshakeIndication {
353        peer_sta_address: ind.peer_sta_address.context("missing peer_sta_address")?,
354    })
355}
356pub fn convert_sae_frame(frame: fidl_fullmac::SaeFrame) -> Result<fidl_mlme::SaeFrame> {
357    Ok(fidl_mlme::SaeFrame {
358        peer_sta_address: frame.peer_sta_address.context("missing peer_sta_address")?,
359        status_code: frame.status_code.context("missing status code")?,
360        seq_num: frame.seq_num.context("missing seq_num")?,
361        sae_fields: frame.sae_fields.context("missing sae_fields")?,
362    })
363}
364pub fn convert_wmm_params(
365    wmm_params: fidl_common::WlanWmmParameters,
366) -> fidl_internal::WmmStatusResponse {
367    fidl_internal::WmmStatusResponse {
368        apsd: wmm_params.apsd,
369        ac_be_params: convert_wmm_ac_params(wmm_params.ac_be_params),
370        ac_bk_params: convert_wmm_ac_params(wmm_params.ac_bk_params),
371        ac_vi_params: convert_wmm_ac_params(wmm_params.ac_vi_params),
372        ac_vo_params: convert_wmm_ac_params(wmm_params.ac_vo_params),
373    }
374}
375fn convert_wmm_ac_params(
376    params: fidl_common::WlanWmmAccessCategoryParameters,
377) -> fidl_internal::WmmAcParams {
378    fidl_internal::WmmAcParams {
379        ecw_min: params.ecw_min,
380        ecw_max: params.ecw_max,
381        aifsn: params.aifsn,
382        txop_limit: params.txop_limit,
383        acm: params.acm,
384    }
385}
386
387fn convert_band_cap(cap: fidl_fullmac::BandCapability) -> Result<fidl_mlme::BandCapability> {
388    Ok(fidl_mlme::BandCapability {
389        band: cap.band.context("missing band")?,
390        basic_rates: cap.basic_rates.context("missing basic_rates")?,
391        ht_cap: cap.ht_caps.map(Box::new),
392        vht_cap: cap.vht_caps.map(Box::new),
393        operating_channels: cap.operating_channels.context("missing operating_channels")?,
394    })
395}
396
397#[cfg(test)]
398mod tests {
399    use super::*;
400
401    fn fake_set_key_descriptor() -> fidl_mlme::SetKeyDescriptor {
402        fidl_mlme::SetKeyDescriptor {
403            key: vec![99, 100, 101, 102, 103, 14],
404            key_id: 23,
405            key_type: fidl_mlme::KeyType::Group,
406            address: [4u8; 6],
407            rsc: 123456,
408            cipher_suite_oui: [77, 88, 99],
409            cipher_suite_type: fidl_ieee80211::CipherSuiteType::Ccmp128,
410        }
411    }
412
413    #[test]
414    fn test_convert_set_keys_resp() {
415        let fullmac_resp =
416            fidl_fullmac::WlanFullmacSetKeysResp { statuslist: vec![zx::sys::ZX_ERR_INTERNAL; 1] };
417        let original_req =
418            fidl_mlme::SetKeysRequest { keylist: vec![fake_set_key_descriptor(); 1] };
419
420        assert_eq!(
421            convert_set_keys_resp(fullmac_resp, &original_req).unwrap(),
422            fidl_mlme::SetKeysConfirm {
423                results: vec![fidl_mlme::SetKeyResult {
424                    key_id: original_req.keylist[0].key_id,
425                    status: zx::sys::ZX_ERR_INTERNAL,
426                }],
427            }
428        );
429    }
430
431    #[test]
432    fn test_convert_set_keys_resp_mismatching_original_req_is_error() {
433        let fullmac_resp =
434            fidl_fullmac::WlanFullmacSetKeysResp { statuslist: vec![zx::sys::ZX_ERR_INTERNAL; 2] };
435        let original_req =
436            fidl_mlme::SetKeysRequest { keylist: vec![fake_set_key_descriptor(); 1] };
437        assert!(convert_set_keys_resp(fullmac_resp, &original_req).is_err());
438    }
439
440    #[test]
441    fn test_convert_authenticate_indication_with_unknown_auth_type_defaults_to_open_system() {
442        let fullmac = fidl_fullmac::WlanFullmacImplIfcAuthIndRequest {
443            peer_sta_address: Some([8; 6]),
444            auth_type: Some(fidl_fullmac::WlanAuthType::from_primitive_allow_unknown(100)),
445            ..Default::default()
446        };
447        assert_eq!(
448            convert_authenticate_indication(fullmac).unwrap(),
449            fidl_mlme::AuthenticateIndication {
450                peer_sta_address: [8; 6],
451                auth_type: fidl_mlme::AuthenticationTypes::OpenSystem,
452            }
453        );
454    }
455
456    #[test]
457    fn test_convert_deauthenticate_confirm_missing_address_defaults_to_zeros() {
458        let fullmac = fidl_fullmac::WlanFullmacImplIfcDeauthConfRequest {
459            peer_sta_address: None,
460            ..Default::default()
461        };
462        assert_eq!(
463            convert_deauthenticate_confirm(fullmac),
464            fidl_mlme::DeauthenticateConfirm { peer_sta_address: [0; 6] }
465        );
466    }
467
468    #[test]
469    fn test_convert_associate_indication_empty_vec_and_ssid_are_none() {
470        let fullmac = fidl_fullmac::WlanFullmacImplIfcAssocIndRequest {
471            peer_sta_address: Some([3; 6]),
472            listen_interval: Some(123),
473            ssid: vec![].into(),
474            rsne: vec![].into(),
475            vendor_ie: vec![].into(),
476            ..Default::default()
477        };
478
479        let mlme = convert_associate_indication(fullmac).unwrap();
480        assert!(mlme.ssid.is_none());
481        assert!(mlme.rsne.is_none());
482    }
483
484    #[test]
485    fn test_convert_start_confirm_unknown_result_code_defaults_to_internal_error() {
486        let fullmac = fidl_fullmac::WlanFullmacImplIfcStartConfRequest {
487            result_code: Some(fidl_fullmac::StartResult::from_primitive_allow_unknown(123)),
488            ..Default::default()
489        };
490        assert_eq!(
491            convert_start_confirm(fullmac).unwrap(),
492            fidl_mlme::StartConfirm { result_code: fidl_mlme::StartResultCode::InternalError }
493        );
494    }
495
496    #[test]
497    fn test_convert_stop_confirm_unknown_result_code_defaults_to_internal_error() {
498        let fullmac = fidl_fullmac::WlanFullmacImplIfcStopConfRequest {
499            result_code: Some(fidl_fullmac::StopResult::from_primitive_allow_unknown(123)),
500            ..Default::default()
501        };
502        assert_eq!(
503            convert_stop_confirm(fullmac).unwrap(),
504            fidl_mlme::StopConfirm { result_code: fidl_mlme::StopResultCode::InternalError }
505        );
506    }
507
508    #[test]
509    fn test_convert_eapol_confirm_unknown_result_code_defaults_to_transmission_failure() {
510        let fullmac = fidl_fullmac::WlanFullmacImplIfcEapolConfRequest {
511            dst_addr: Some([1; 6]),
512            result_code: Some(fidl_fullmac::EapolTxResult::from_primitive_allow_unknown(123)),
513            ..Default::default()
514        };
515        assert_eq!(
516            convert_eapol_confirm(fullmac).unwrap(),
517            fidl_mlme::EapolConfirm {
518                dst_addr: [1; 6],
519                result_code: fidl_mlme::EapolResultCode::TransmissionFailure,
520            }
521        );
522    }
523
524    //
525    // Tests for helper functions
526    //
527    #[test]
528    fn test_convert_band_cap() {
529        let fullmac = fidl_fullmac::BandCapability {
530            band: Some(fidl_ieee80211::WlanBand::FiveGhz),
531            basic_rates: Some(vec![123; 3]),
532            ht_caps: Some(fidl_ieee80211::HtCapabilities { bytes: [8; 26] }),
533            vht_caps: Some(fidl_ieee80211::VhtCapabilities { bytes: [9; 12] }),
534            operating_channels: Some(vec![21; 45]),
535            ..Default::default()
536        };
537
538        assert_eq!(
539            convert_band_cap(fullmac).unwrap(),
540            fidl_mlme::BandCapability {
541                band: fidl_ieee80211::WlanBand::FiveGhz,
542                basic_rates: vec![123; 3],
543                ht_cap: Some(Box::new(fidl_ieee80211::HtCapabilities { bytes: [8; 26] })),
544                vht_cap: Some(Box::new(fidl_ieee80211::VhtCapabilities { bytes: [9; 12] })),
545                operating_channels: vec![21; 45],
546            }
547        );
548    }
549
550    #[test]
551    fn test_convert_band_cap_no_ht_vht_become_none() {
552        let fullmac = fidl_fullmac::BandCapability {
553            band: Some(fidl_ieee80211::WlanBand::FiveGhz),
554            basic_rates: Some(vec![123; 3]),
555            ht_caps: None,
556            vht_caps: None,
557            operating_channels: Some(vec![21; 45]),
558            ..Default::default()
559        };
560
561        let mlme = convert_band_cap(fullmac).unwrap();
562        assert!(mlme.ht_cap.is_none());
563        assert!(mlme.vht_cap.is_none());
564    }
565}