netcfg/
interface.rs

1// Copyright 2018 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 either::Either;
6use serde::{Deserialize, Deserializer};
7use std::collections::{HashMap, HashSet};
8use std::sync::atomic::{AtomicU32, Ordering};
9
10use crate::DeviceClass;
11
12const INTERFACE_PREFIX_WLAN: &str = "wlan";
13const INTERFACE_PREFIX_ETHERNET: &str = "eth";
14const INTERFACE_PREFIX_AP: &str = "ap";
15const INTERFACE_PREFIX_BLACKHOLE: &str = "blackhole";
16
17#[derive(PartialEq, Eq, Debug, Clone, Hash)]
18pub(crate) struct InterfaceNamingIdentifier {
19    pub(crate) mac: fidl_fuchsia_net_ext::MacAddress,
20}
21
22pub(crate) fn generate_identifier(
23    mac_address: &fidl_fuchsia_net_ext::MacAddress,
24) -> InterfaceNamingIdentifier {
25    InterfaceNamingIdentifier { mac: *mac_address }
26}
27
28// Get the NormalizedMac using the last octet of the MAC address. The offset
29// modifies the last_byte in an attempt to avoid naming conflicts.
30// For example, a MAC of `[0x1, 0x1, 0x1, 0x1, 0x1, 0x9]` with offset 0
31// becomes `9`.
32fn get_mac_identifier_from_octets(
33    octets: &[u8; 6],
34    interface_type: crate::InterfaceType,
35    offset: u8,
36) -> Result<u8, anyhow::Error> {
37    if offset == u8::MAX {
38        return Err(anyhow::format_err!(
39            "could not find unique identifier for mac={:?}, interface_type={:?}",
40            octets,
41            interface_type
42        ));
43    }
44
45    let last_byte = octets[octets.len() - 1];
46    let (identifier, _) = last_byte.overflowing_add(offset);
47    Ok(identifier)
48}
49
50// Get the normalized bus path for a topological path.
51// For example, a PCI device at `02:00.1` becomes `02001`.
52// At the time of writing, typical topological paths appear similar to:
53//
54// PCI:
55// "/dev/sys/platform/pt/PCI0/bus/02:00.0/02:00.0/e1000/ethernet"
56//
57// USB over PCI:
58// "/dev/sys/platform/pt/PCI0/bus/00:14.0/00:14.0/xhci/usb/007/ifc-000/<snip>/wlan/wlan-ethernet/ethernet"
59// 00:14:0 following "/PCI0/bus/" represents BDF (Bus Device Function)
60//
61// USB over DWC:
62// "/dev/sys/platform/05:00:18/usb-phy-composite/aml_usb_phy/dwc2/dwc2_phy/dwc2/usb-peripheral/function-000/cdc-eth-function/netdevice-migration/network-device"
63// 05:00:18 following "platform" represents
64// vid(vendor id):pid(product id):did(device id) and are defined in each board file
65//
66// SDIO
67// "/dev/sys/platform/05:00:6/aml-sd-emmc/sdio/broadcom-wlanphy/wlanphy"
68// 05:00:6 following "platform" represents
69// vid(vendor id):pid(product id):did(device id) and are defined in each board file
70//
71// Ethernet Jack for VIM2
72// "/dev/sys/platform/04:02:7/aml-ethernet/Designware-MAC/ethernet"
73//
74// VirtIo
75// "/dev/sys/platform/pt/PC00/bus/00:1e.0/00_1e_0/virtio-net/network-device"
76//
77// Since there is no real standard for topological paths, when no bus path can be found,
78// the function attempts to return one that is unlikely to conflict with any existing path
79// by assuming a bus path of ff:ff:ff, and decrementing from there. This permits
80// generating unique, well-formed names in cases where a matching path component can't be
81// found, while also being relatively recognizable as exceptional.
82fn get_normalized_bus_path_for_topo_path(topological_path: &str) -> String {
83    static PATH_UNIQ_MARKER: AtomicU32 = AtomicU32::new(0xffffff);
84    topological_path
85        .split("/")
86        .find(|pc| {
87            pc.len() >= 7 && pc.chars().all(|c| c.is_digit(16) || c == ':' || c == '.' || c == '_')
88        })
89        .and_then(|s| {
90            Some(s.replace(&[':', '.', '_'], "").trim_end_matches(|c| c == '0').to_string())
91        })
92        .unwrap_or_else(|| format!("{:01$x}", PATH_UNIQ_MARKER.fetch_sub(1, Ordering::SeqCst), 6))
93}
94
95#[derive(Debug)]
96pub struct InterfaceNamingConfig {
97    naming_rules: Vec<NamingRule>,
98    interfaces: HashMap<InterfaceNamingIdentifier, String>,
99}
100
101impl InterfaceNamingConfig {
102    pub(crate) fn from_naming_rules(naming_rules: Vec<NamingRule>) -> InterfaceNamingConfig {
103        InterfaceNamingConfig { naming_rules, interfaces: HashMap::new() }
104    }
105
106    /// Returns a stable interface name for the specified interface.
107    pub(crate) fn generate_stable_name(
108        &mut self,
109        topological_path: &str,
110        mac: &fidl_fuchsia_net_ext::MacAddress,
111        device_class: DeviceClass,
112    ) -> Result<(&str, InterfaceNamingIdentifier), NameGenerationError> {
113        let interface_naming_id = generate_identifier(mac);
114        let info = DeviceInfoRef { topological_path, mac, device_class };
115
116        // Interfaces that are named using the NormalizedMac naming rule are
117        // named to avoid MAC address final octet collisions. When a device
118        // with the same identifier is re-installed, re-attempt name generation
119        // since the MAC identifiers used may have changed.
120        match self.interfaces.remove(&interface_naming_id) {
121            Some(name) => log::info!(
122                "{name} already existed for this identifier\
123            {interface_naming_id:?}. inserting a new one."
124            ),
125            None => {
126                // This interface naming id will have a new entry
127            }
128        }
129
130        let generated_name = self.generate_name(&info)?;
131        if let Some(name) =
132            self.interfaces.insert(interface_naming_id.clone(), generated_name.clone())
133        {
134            log::error!(
135                "{name} was unexpectedly found for {interface_naming_id:?} \
136            when inserting a new name"
137            );
138        }
139
140        // Need to grab a reference to appease the borrow checker.
141        let generated_name = match self.interfaces.get(&interface_naming_id) {
142            Some(name) => Ok(name),
143            None => Err(NameGenerationError::GenerationError(anyhow::format_err!(
144                "expected to see name {generated_name} present since it was just added"
145            ))),
146        }?;
147
148        Ok((generated_name, interface_naming_id))
149    }
150
151    fn generate_name(&self, info: &DeviceInfoRef<'_>) -> Result<String, NameGenerationError> {
152        generate_name_from_naming_rules(&self.naming_rules, &self.interfaces, &info)
153    }
154}
155
156/// An error observed when generating a new name.
157#[derive(Debug)]
158pub enum NameGenerationError {
159    GenerationError(anyhow::Error),
160}
161
162#[derive(Copy, Clone, Debug, PartialEq, Eq, Hash, Deserialize)]
163#[serde(deny_unknown_fields, rename_all = "lowercase")]
164pub enum BusType {
165    PCI,
166    SDIO,
167    USB,
168    Unknown,
169    VirtIo,
170}
171
172impl BusType {
173    // Retrieve the list of composition rules that comprise the default name
174    // for the interface based on BusType.
175    // Example names for the following default rules:
176    // * USB device: "ethx5"
177    // * PCI/SDIO device: "wlans5009"
178    fn get_default_name_composition_rules(&self) -> Vec<NameCompositionRule> {
179        match *self {
180            BusType::USB | BusType::Unknown => vec![
181                NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::DeviceClass },
182                NameCompositionRule::Static { value: String::from("x") },
183                NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::NormalizedMac },
184            ],
185            BusType::PCI | BusType::SDIO | BusType::VirtIo => vec![
186                NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::DeviceClass },
187                NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::BusType },
188                NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::BusPath },
189            ],
190        }
191    }
192}
193
194impl std::fmt::Display for BusType {
195    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
196        let name = match *self {
197            Self::PCI => "p",
198            Self::SDIO => "s",
199            Self::USB => "u",
200            Self::Unknown => "unk",
201            Self::VirtIo => "v",
202        };
203        write!(f, "{}", name)
204    }
205}
206
207// Extract the `BusType` for a device given the topological path.
208fn get_bus_type_for_topological_path(topological_path: &str) -> BusType {
209    let p = topological_path;
210
211    if p.contains("/PCI0") {
212        // A USB bus will require a bridge over a PCI controller, so a
213        // topological path for a USB bus should contain strings to represent
214        // PCI and USB.
215        if p.contains("/usb/") {
216            return BusType::USB;
217        }
218        return BusType::PCI;
219    } else if p.contains("/usb-peripheral/") {
220        // On VIM3 targets, the USB bus does not require a bridge over a PCI
221        // controller, so the bus path represents the USB type with a
222        // different string.
223        return BusType::USB;
224    } else if p.contains("/sdio/") {
225        return BusType::SDIO;
226    } else if p.contains("/virtio-net/") {
227        return BusType::VirtIo;
228    }
229
230    BusType::Unknown
231}
232
233fn deserialize_glob_pattern<'de, D>(deserializer: D) -> Result<glob::Pattern, D::Error>
234where
235    D: Deserializer<'de>,
236{
237    let buf = String::deserialize(deserializer)?;
238    glob::Pattern::new(&buf).map_err(serde::de::Error::custom)
239}
240
241/// The matching rules available for a `NamingRule`.
242#[derive(Debug, Deserialize, Eq, Hash, PartialEq)]
243#[serde(deny_unknown_fields, rename_all = "snake_case")]
244pub enum MatchingRule {
245    BusTypes(Vec<BusType>),
246    // TODO(https://fxbug.dev/42085144): Use a lightweight regex crate with the basic
247    // regex features to allow for more configurations than glob.
248    #[serde(deserialize_with = "deserialize_glob_pattern")]
249    TopologicalPath(glob::Pattern),
250    DeviceClasses(Vec<DeviceClass>),
251    // Signals whether this rule should match any interface.
252    Any(bool),
253}
254
255/// The matching rules available for a `ProvisoningRule`.
256#[derive(Debug, Deserialize, Eq, Hash, PartialEq)]
257#[serde(untagged)]
258pub enum ProvisioningMatchingRule {
259    // TODO(github.com/serde-rs/serde/issues/912): Use `other` once it supports
260    // deserializing into non-unit variants. `untagged` can only be applied
261    // to the entire enum, so `interface_name` is used as a field to ensure
262    // stability across configuration matching rules.
263    InterfaceName {
264        #[serde(rename = "interface_name", deserialize_with = "deserialize_glob_pattern")]
265        pattern: glob::Pattern,
266    },
267    Common(MatchingRule),
268}
269
270impl MatchingRule {
271    fn does_interface_match(&self, info: &DeviceInfoRef<'_>) -> Result<bool, anyhow::Error> {
272        match &self {
273            MatchingRule::BusTypes(type_list) => {
274                // Match the interface if the interface under comparison
275                // matches any of the types included in the list.
276                let bus_type = get_bus_type_for_topological_path(info.topological_path);
277                Ok(type_list.contains(&bus_type))
278            }
279            MatchingRule::TopologicalPath(pattern) => {
280                // Match the interface if the provided pattern finds any
281                // matches in the interface under comparison's
282                // topological path.
283                Ok(pattern.matches(info.topological_path))
284            }
285            MatchingRule::DeviceClasses(class_list) => {
286                // Match the interface if the interface under comparison
287                // matches any of the types included in the list.
288                Ok(class_list.contains(&info.device_class))
289            }
290            MatchingRule::Any(matches_any_interface) => Ok(*matches_any_interface),
291        }
292    }
293}
294
295impl ProvisioningMatchingRule {
296    fn does_interface_match(
297        &self,
298        info: &DeviceInfoRef<'_>,
299        interface_name: &str,
300    ) -> Result<bool, anyhow::Error> {
301        match &self {
302            ProvisioningMatchingRule::InterfaceName { pattern } => {
303                // Match the interface if the provided pattern finds any
304                // matches in the interface under comparison's name.
305                Ok(pattern.matches(interface_name))
306            }
307            ProvisioningMatchingRule::Common(matching_rule) => {
308                // Handle the other `MatchingRule`s the same as the naming
309                // policy matchers.
310                matching_rule.does_interface_match(info)
311            }
312        }
313    }
314}
315
316// TODO(https://fxbug.dev/42084785): Create dynamic naming rules
317// A naming rule that uses device information to produce a component of
318// the interface's name.
319#[derive(Copy, Clone, Debug, Eq, Hash, PartialEq, Deserialize)]
320#[serde(deny_unknown_fields, rename_all = "snake_case")]
321pub enum DynamicNameCompositionRule {
322    BusPath,
323    BusType,
324    DeviceClass,
325    // A unique value seeded by the final octet of the interface's MAC address.
326    NormalizedMac,
327}
328
329impl DynamicNameCompositionRule {
330    // `true` when a rule can be re-tried to produce a different name.
331    fn supports_retry(&self) -> bool {
332        match *self {
333            DynamicNameCompositionRule::BusPath
334            | DynamicNameCompositionRule::BusType
335            | DynamicNameCompositionRule::DeviceClass => false,
336            DynamicNameCompositionRule::NormalizedMac => true,
337        }
338    }
339
340    fn get_name(&self, info: &DeviceInfoRef<'_>, attempt_num: u8) -> Result<String, anyhow::Error> {
341        Ok(match *self {
342            DynamicNameCompositionRule::BusPath => {
343                get_normalized_bus_path_for_topo_path(info.topological_path)
344            }
345            DynamicNameCompositionRule::BusType => {
346                get_bus_type_for_topological_path(info.topological_path).to_string()
347            }
348            DynamicNameCompositionRule::DeviceClass => match info.device_class.into() {
349                crate::InterfaceType::WlanClient => INTERFACE_PREFIX_WLAN,
350                crate::InterfaceType::Ethernet => INTERFACE_PREFIX_ETHERNET,
351                crate::InterfaceType::WlanAp => INTERFACE_PREFIX_AP,
352                crate::InterfaceType::Blackhole => INTERFACE_PREFIX_BLACKHOLE,
353            }
354            .to_string(),
355            DynamicNameCompositionRule::NormalizedMac => {
356                let fidl_fuchsia_net_ext::MacAddress { octets } = info.mac;
357                let mac_identifier =
358                    get_mac_identifier_from_octets(octets, info.device_class.into(), attempt_num)?;
359                format!("{mac_identifier:x}")
360            }
361        })
362    }
363}
364
365// A rule that dictates a component of an interface's name. An interface's name
366// is determined by extracting the name of each rule, in order, and
367// concatenating the results.
368#[derive(Clone, Debug, Deserialize, PartialEq)]
369#[serde(deny_unknown_fields, rename_all = "lowercase", tag = "type")]
370pub enum NameCompositionRule {
371    Static { value: String },
372    Dynamic { rule: DynamicNameCompositionRule },
373    // The default name composition rules based on the device's BusType.
374    // Defined in `BusType::get_default_name_composition_rules`.
375    Default,
376}
377
378/// A rule that dictates how interfaces that align with the property matching
379/// rules should be named.
380#[derive(Debug, Deserialize, PartialEq)]
381#[serde(deny_unknown_fields, rename_all = "lowercase")]
382pub struct NamingRule {
383    /// A set of rules to check against an interface's properties. All rules
384    /// must apply for the naming scheme to take effect.
385    pub matchers: HashSet<MatchingRule>,
386    /// The rules to apply to the interface to produce the interface's name.
387    pub naming_scheme: Vec<NameCompositionRule>,
388}
389
390impl NamingRule {
391    // An interface's name is determined by extracting the name of each rule,
392    // in order, and concatenating the results. Returns an error if the
393    // interface name cannot be generated.
394    fn generate_name(
395        &self,
396        interfaces: &HashMap<InterfaceNamingIdentifier, String>,
397        info: &DeviceInfoRef<'_>,
398    ) -> Result<String, NameGenerationError> {
399        // When a bus type cannot be found for a path, use the USB
400        // default naming policy which uses a MAC address.
401        let bus_type = get_bus_type_for_topological_path(&info.topological_path);
402
403        // Expand any `Default` rules into the `Static` and `Dynamic` rules in a single vector.
404        // If this was being consumed once, we could avoid the call to `collect`. However, since we
405        // want to use it twice, we need to convert it to a form where the items can be itererated
406        // over without consuming them.
407        let expanded_rules = self
408            .naming_scheme
409            .iter()
410            .map(|rule| {
411                if let NameCompositionRule::Default = rule {
412                    Either::Right(bus_type.get_default_name_composition_rules().into_iter())
413                } else {
414                    Either::Left(std::iter::once(rule.clone()))
415                }
416            })
417            .flatten()
418            .collect::<Vec<_>>();
419
420        // Determine whether any rules present support retrying for a unique name.
421        let should_reattempt_on_conflict = expanded_rules.iter().any(|rule| {
422            if let NameCompositionRule::Dynamic { rule } = rule {
423                rule.supports_retry()
424            } else {
425                false
426            }
427        });
428
429        let mut attempt_num = 0u8;
430        loop {
431            let name = expanded_rules
432                .iter()
433                .map(|rule| match rule {
434                    NameCompositionRule::Static { value } => Ok(value.clone()),
435                    // Dynamic rules require the knowledge of `DeviceInfo` properties.
436                    NameCompositionRule::Dynamic { rule } => rule
437                        .get_name(info, attempt_num)
438                        .map_err(NameGenerationError::GenerationError),
439                    NameCompositionRule::Default => {
440                        unreachable!(
441                            "Default naming rules should have been pre-expanded. \
442                             Nested default rules are not supported."
443                        );
444                    }
445                })
446                .collect::<Result<String, NameGenerationError>>()?;
447
448            if interfaces.values().any(|existing_name| existing_name == &name) {
449                if should_reattempt_on_conflict {
450                    attempt_num += 1;
451                    // Try to generate another name with the modified attempt number.
452                    continue;
453                }
454
455                log::warn!(
456                    "name ({name}) already used for an interface installed by netcfg. \
457                 using name since it is possible that the interface using this name is no \
458                 longer active"
459                );
460            }
461            return Ok(name);
462        }
463    }
464
465    // An interface must align with all specified `MatchingRule`s.
466    fn does_interface_match(&self, info: &DeviceInfoRef<'_>) -> bool {
467        self.matchers.iter().all(|rule| rule.does_interface_match(info).unwrap_or_default())
468    }
469}
470
471// Find the first `NamingRule` that matches the device and attempt to
472// construct a name from the provided `NameCompositionRule`s.
473fn generate_name_from_naming_rules(
474    naming_rules: &[NamingRule],
475    interfaces: &HashMap<InterfaceNamingIdentifier, String>,
476    info: &DeviceInfoRef<'_>,
477) -> Result<String, NameGenerationError> {
478    // TODO(https://fxbug.dev/42086002): Consider adding an option to the rules to allow
479    // fallback rules when name generation fails.
480    // Use the first naming rule that matches the interface to enforce consistent
481    // interface names, even if there are other matching rules.
482    let fallback_rule = fallback_naming_rule();
483    let first_matching_rule =
484        naming_rules.iter().find(|rule| rule.does_interface_match(&info)).unwrap_or(
485            // When there are no `NamingRule`s that match the device,
486            // use a fallback rule that has the Default naming scheme.
487            &fallback_rule,
488        );
489
490    first_matching_rule.generate_name(interfaces, &info)
491}
492
493// Matches any device and uses the default naming rule.
494fn fallback_naming_rule() -> NamingRule {
495    NamingRule {
496        matchers: HashSet::from([MatchingRule::Any(true)]),
497        naming_scheme: vec![NameCompositionRule::Default],
498    }
499}
500
501/// Whether the interface should be provisioned locally by netcfg, or
502/// delegated. Provisioning is the set of events that occurs after
503/// interface enumeration, such as starting a DHCP client and assigning
504/// an IP to the interface. Provisioning actions work to support
505/// Internet connectivity.
506#[derive(Copy, Clone, Debug, Deserialize, PartialEq)]
507#[serde(deny_unknown_fields, rename_all = "lowercase")]
508pub enum ProvisioningAction {
509    /// Netcfg will provision the interface
510    Local,
511    /// Netcfg will not provision the interface. The provisioning
512    /// of the interface will occur elsewhere
513    Delegated,
514}
515
516/// A rule that dictates how interfaces that align with the property matching
517/// rules should be provisioned.
518#[derive(Debug, Deserialize, PartialEq)]
519#[serde(deny_unknown_fields, rename_all = "lowercase")]
520pub struct ProvisioningRule {
521    /// A set of rules to check against an interface's properties. All rules
522    /// must apply for the provisioning action to take effect.
523    #[allow(unused)]
524    pub matchers: HashSet<ProvisioningMatchingRule>,
525    /// The provisioning policy that netcfg applies to a matching
526    /// interface.
527    #[allow(unused)]
528    pub provisioning: ProvisioningAction,
529}
530
531// A ref version of `devices::DeviceInfo` to avoid the need to clone data
532// unnecessarily. Devices without MAC are not supported yet, see
533// `add_new_device` in `lib.rs`. This makes mac into a required field for
534// ease of use.
535pub(super) struct DeviceInfoRef<'a> {
536    pub(super) device_class: DeviceClass,
537    pub(super) mac: &'a fidl_fuchsia_net_ext::MacAddress,
538    pub(super) topological_path: &'a str,
539}
540
541impl<'a> DeviceInfoRef<'a> {
542    pub(super) fn interface_type(&self) -> crate::InterfaceType {
543        let DeviceInfoRef { device_class, mac: _, topological_path: _ } = self;
544        (*device_class).into()
545    }
546
547    pub(super) fn is_wlan_ap(&self) -> bool {
548        let DeviceInfoRef { device_class, mac: _, topological_path: _ } = self;
549        match device_class {
550            DeviceClass::WlanAp => true,
551            DeviceClass::WlanClient
552            | DeviceClass::Virtual
553            | DeviceClass::Ethernet
554            | DeviceClass::Bridge
555            | DeviceClass::Ppp
556            | DeviceClass::Lowpan
557            | DeviceClass::Blackhole => false,
558        }
559    }
560}
561
562impl ProvisioningRule {
563    // An interface must align with all specified `MatchingRule`s.
564    fn does_interface_match(&self, info: &DeviceInfoRef<'_>, interface_name: &str) -> bool {
565        self.matchers
566            .iter()
567            .all(|rule| rule.does_interface_match(info, interface_name).unwrap_or_default())
568    }
569}
570
571// Find the first `ProvisioningRule` that matches the device and get
572// the associated `ProvisioningAction`. By default, use Local provisioning
573// so that Netcfg will provision interfaces unless configuration
574// indicates otherwise.
575pub(crate) fn find_provisioning_action_from_provisioning_rules(
576    provisioning_rules: &[ProvisioningRule],
577    info: &DeviceInfoRef<'_>,
578    interface_name: &str,
579) -> ProvisioningAction {
580    provisioning_rules
581        .iter()
582        .find_map(|rule| {
583            if rule.does_interface_match(&info, &interface_name) {
584                Some(rule.provisioning)
585            } else {
586                None
587            }
588        })
589        .unwrap_or(
590            // When there are no `ProvisioningRule`s that match the device,
591            // use Local provisioning.
592            ProvisioningAction::Local,
593        )
594}
595
596#[cfg(test)]
597mod tests {
598    use super::*;
599    use assert_matches::assert_matches;
600    use test_case::test_case;
601
602    // This is a lossy conversion between `InterfaceType` and `DeviceClass`
603    // that allows tests to use a `devices::DeviceInfo` struct instead of
604    // handling the fields individually.
605    fn device_class_from_interface_type(ty: crate::InterfaceType) -> DeviceClass {
606        match ty {
607            crate::InterfaceType::Ethernet => DeviceClass::Ethernet,
608            crate::InterfaceType::WlanClient => DeviceClass::WlanClient,
609            crate::InterfaceType::WlanAp => DeviceClass::WlanAp,
610            crate::InterfaceType::Blackhole => DeviceClass::Blackhole,
611        }
612    }
613
614    // usb interfaces
615    #[test_case(
616        "/dev/sys/platform/pt/PCI0/bus/00:14.0/00:14.0/xhci/usb/004/004/ifc-000/ax88179/ethernet",
617        [0x01, 0x01, 0x01, 0x01, 0x01, 0x01],
618        crate::InterfaceType::WlanClient,
619        "wlanx1";
620        "usb_wlan"
621    )]
622    #[test_case(
623        "/dev/sys/platform/pt/PCI0/bus/00:15.0/00:15.0/xhci/usb/004/004/ifc-000/ax88179/ethernet",
624        [0x02, 0x02, 0x02, 0x02, 0x02, 0x02],
625        crate::InterfaceType::Ethernet,
626        "ethx2";
627        "usb_eth"
628    )]
629    // pci interfaces
630    #[test_case(
631        "/dev/sys/platform/pt/PCI0/bus/00:14.0/00:14.0/ethernet",
632        [0x03, 0x03, 0x03, 0x03, 0x03, 0x03],
633        crate::InterfaceType::WlanClient,
634        "wlanp0014";
635        "pci_wlan"
636    )]
637    #[test_case(
638        "/dev/sys/platform/pt/PCI0/bus/00:15.0/00:14.0/ethernet",
639        [0x04, 0x04, 0x04, 0x04, 0x04, 0x04],
640        crate::InterfaceType::Ethernet,
641        "ethp0015";
642        "pci_eth"
643    )]
644    // platform interfaces (ethernet jack and sdio devices)
645    #[test_case(
646        "/dev/sys/platform/05:00:6/aml-sd-emmc/sdio/broadcom-wlanphy/wlanphy",
647        [0x05, 0x05, 0x05, 0x05, 0x05, 0x05],
648        crate::InterfaceType::WlanClient,
649        "wlans05006";
650        "platform_wlan"
651    )]
652    #[test_case(
653        "/dev/sys/platform/04:02:7/aml-ethernet/Designware-MAC/ethernet",
654        [0x07, 0x07, 0x07, 0x07, 0x07, 0x07],
655        crate::InterfaceType::Ethernet,
656        "ethx7";
657        "platform_eth"
658    )]
659    // unknown interfaces
660    #[test_case(
661        "/dev/sys/unknown",
662        [0x08, 0x08, 0x08, 0x08, 0x08, 0x08],
663        crate::InterfaceType::WlanClient,
664        "wlanx8";
665        "unknown_wlan1"
666    )]
667    #[test_case(
668        "unknown",
669        [0x09, 0x09, 0x09, 0x09, 0x09, 0x09],
670        crate::InterfaceType::WlanClient,
671        "wlanx9";
672        "unknown_wlan2"
673    )]
674    #[test_case(
675        "unknown",
676        [0x0a, 0x0a, 0x0a, 0x0a, 0x0a, 0x0a],
677        crate::InterfaceType::WlanAp,
678        "apxa";
679        "unknown_ap"
680    )]
681    #[test_case(
682        "/dev/sys/platform/pt/PC00/bus/00:1e.0/00_1e_0/virtio-net/network-device",
683        [0x0b, 0x0b, 0x0b, 0x0b, 0x0b, 0x0b],
684        crate::InterfaceType::Ethernet,
685        "ethv001e";
686        "virtio_attached_ethernet"
687    )]
688    // NB: name generation for blackhole interfaces is never expected to be invoked.
689    #[test_case(
690        "/dev/sys/platform/pt/PCI0/bus/00:15.0/00:15.0/xhci/usb/004/004/ifc-000/ax88179/ethernet",
691        [0x0c, 0x0c, 0x0c, 0x0c, 0x0c, 0x0c],
692        crate::InterfaceType::Blackhole,
693        "blackholexc";
694        "usb_blackhole")]
695    fn test_generate_name(
696        topological_path: &'static str,
697        mac: [u8; 6],
698        interface_type: crate::InterfaceType,
699        want_name: &'static str,
700    ) {
701        let interface_naming_config = InterfaceNamingConfig::from_naming_rules(vec![]);
702        let name = interface_naming_config
703            .generate_name(&DeviceInfoRef {
704                device_class: device_class_from_interface_type(interface_type),
705                mac: &fidl_fuchsia_net_ext::MacAddress { octets: mac },
706                topological_path,
707            })
708            .expect("failed to generate the name");
709        assert_eq!(name, want_name);
710    }
711
712    struct StableNameTestCase {
713        topological_path: &'static str,
714        mac: [u8; 6],
715        interface_type: crate::InterfaceType,
716        want_name: &'static str,
717        expected_size: usize,
718    }
719
720    // Base case. Interface should be added to config.
721    #[test_case([StableNameTestCase {
722        topological_path: "/dev/sys/platform/pt/PCI0/bus/00:14.0_/00:14.0/ethernet",
723        mac: [0x01, 0x01, 0x01, 0x01, 0x01, 0x01],
724        interface_type: crate::InterfaceType::WlanClient,
725        want_name: "wlanp0014",
726        expected_size: 1 }];
727        "single_interface"
728    )]
729    // Test case that shares the same topo path and different MAC, but same
730    // last octet. Expect to see second interface added with different name.
731    #[test_case([StableNameTestCase {
732        topological_path: "/dev/sys/platform/pt/PCI0/bus/00:14.0_/00:14.0/ethernet",
733        mac: [0x01, 0x01, 0x01, 0x01, 0x01, 0x01],
734        interface_type: crate::InterfaceType::WlanClient,
735        want_name: "wlanp0014",
736        expected_size: 1}, StableNameTestCase {
737        topological_path: "/dev/sys/platform/pt/PCI0/bus/00:14.0_/00:14.0/ethernet",
738        mac: [0xFE, 0x01, 0x01, 0x01, 0x01, 0x01],
739        interface_type: crate::InterfaceType::WlanAp,
740        want_name: "app0014",
741        expected_size: 2 }];
742        "two_interfaces_same_topo_path_different_mac"
743    )]
744    #[test_case([StableNameTestCase {
745        topological_path: "/dev/sys/platform/pt/PCI0/bus/00:14.0_/00:14.0/ethernet",
746        mac: [0x01, 0x01, 0x01, 0x01, 0x01, 0x01],
747        interface_type: crate::InterfaceType::WlanClient,
748        want_name: "wlanp0014",
749        expected_size: 1}, StableNameTestCase {
750        topological_path: "/dev/sys/platform/pt/PCI0/bus/01:00.0/01:00.0/iwlwifi-wlan-softmac/wlan-ethernet/ethernet",
751        mac: [0xFE, 0x01, 0x01, 0x01, 0x01, 0x01],
752        interface_type: crate::InterfaceType::Ethernet,
753        want_name: "ethp01",
754        expected_size: 2 }];
755        "two_distinct_interfaces"
756    )]
757    // Test case that labels iwilwifi as ethernet, then changes the device
758    // class to wlan. The test should detect that the device class doesn't
759    // match the interface name, and overwrite with the new interface name
760    // that does match.
761    #[test_case([StableNameTestCase {
762        topological_path: "/dev/sys/platform/pt/PCI0/bus/01:00.0/01:00.0/iwlwifi-wlan-softmac/wlan-ethernet/ethernet",
763        mac: [0x01, 0x01, 0x01, 0x01, 0x01, 0x01],
764        interface_type: crate::InterfaceType::Ethernet,
765        want_name: "ethp01",
766        expected_size: 1 }, StableNameTestCase {
767        topological_path: "/dev/sys/platform/pt/PCI0/bus/01:00.0/01:00.0/iwlwifi-wlan-softmac/wlan-ethernet/ethernet",
768        mac: [0x01, 0x01, 0x01, 0x01, 0x01, 0x01],
769        interface_type: crate::InterfaceType::WlanClient,
770        want_name: "wlanp01",
771        expected_size: 1 }];
772        "two_interfaces_different_device_class"
773    )]
774    fn test_generate_stable_name(test_cases: impl IntoIterator<Item = StableNameTestCase>) {
775        let mut interface_naming_config = InterfaceNamingConfig::from_naming_rules(vec![]);
776
777        // query an existing interface with the same topo path and a different mac address
778        for (
779            _i,
780            StableNameTestCase { topological_path, mac, interface_type, want_name, expected_size },
781        ) in test_cases.into_iter().enumerate()
782        {
783            let (name, _identifier) = interface_naming_config
784                .generate_stable_name(
785                    topological_path,
786                    &fidl_fuchsia_net_ext::MacAddress { octets: mac },
787                    device_class_from_interface_type(interface_type),
788                )
789                .expect("failed to get the interface name");
790            assert_eq!(name, want_name);
791            // Ensure the number of interfaces we expect are present.
792            assert_eq!(interface_naming_config.interfaces.len(), expected_size);
793        }
794    }
795
796    #[test]
797    fn test_get_usb_255() {
798        let topo_usb = "/dev/pci-00:14.0-fidl/xhci/usb/004/004/ifc-000/ax88179/ethernet";
799
800        // test cases for 256 usb interfaces
801        let mut config = InterfaceNamingConfig::from_naming_rules(vec![]);
802        for n in 0u8..255u8 {
803            let octets = [n, 0x01, 0x01, 0x01, 0x01, 00];
804
805            let interface_naming_id =
806                generate_identifier(&fidl_fuchsia_net_ext::MacAddress { octets });
807
808            let name = config
809                .generate_name(&DeviceInfoRef {
810                    device_class: device_class_from_interface_type(
811                        crate::InterfaceType::WlanClient,
812                    ),
813                    mac: &fidl_fuchsia_net_ext::MacAddress { octets },
814                    topological_path: topo_usb,
815                })
816                .expect("failed to generate the name");
817            assert_eq!(name, format!("{}{:x}", "wlanx", n));
818            assert_matches!(config.interfaces.insert(interface_naming_id, name), None);
819        }
820
821        let octets = [0x00, 0x00, 0x01, 0x01, 0x01, 00];
822        assert!(config
823            .generate_name(&DeviceInfoRef {
824                device_class: device_class_from_interface_type(crate::InterfaceType::WlanClient),
825                mac: &fidl_fuchsia_net_ext::MacAddress { octets },
826                topological_path: topo_usb
827            },)
828            .is_err());
829    }
830
831    #[test]
832    fn test_get_usb_255_with_naming_rule() {
833        let topo_usb = "/dev/pci-00:14.0-fidl/xhci/usb/004/004/ifc-000/ax88179/ethernet";
834
835        let naming_rule = NamingRule {
836            matchers: HashSet::new(),
837            naming_scheme: vec![
838                NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::NormalizedMac },
839                NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::NormalizedMac },
840            ],
841        };
842
843        // test cases for 256 usb interfaces
844        let mut config = InterfaceNamingConfig::from_naming_rules(vec![naming_rule]);
845        for n in 0u8..255u8 {
846            let octets = [n, 0x01, 0x01, 0x01, 0x01, 00];
847            let interface_naming_id =
848                generate_identifier(&fidl_fuchsia_net_ext::MacAddress { octets });
849
850            let info = DeviceInfoRef {
851                device_class: DeviceClass::Ethernet,
852                mac: &fidl_fuchsia_net_ext::MacAddress { octets },
853                topological_path: topo_usb,
854            };
855
856            let name = config.generate_name(&info).expect("failed to generate the name");
857            // With only NormalizedMac as a NameCompositionRule, the name
858            // should simply be the NormalizedMac itself.
859            assert_eq!(name, format!("{n:x}{n:x}"));
860
861            assert_matches!(config.interfaces.insert(interface_naming_id, name), None);
862        }
863
864        let octets = [0x00, 0x00, 0x01, 0x01, 0x01, 00];
865        assert!(config
866            .generate_name(&DeviceInfoRef {
867                device_class: DeviceClass::Ethernet,
868                mac: &fidl_fuchsia_net_ext::MacAddress { octets },
869                topological_path: topo_usb
870            })
871            .is_err());
872    }
873
874    // Arbitrary values for devices::DeviceInfo for cases where DeviceInfo has
875    // no impact on the test.
876    fn default_device_info() -> DeviceInfoRef<'static> {
877        DeviceInfoRef {
878            device_class: DeviceClass::Ethernet,
879            mac: &fidl_fuchsia_net_ext::MacAddress { octets: [0x1, 0x1, 0x1, 0x1, 0x1, 0x1] },
880            topological_path: "",
881        }
882    }
883
884    #[test_case(
885        "/dev/sys/platform/pt/PCI0/bus/00:14.0_/00:14.0/ethernet",
886        vec![BusType::PCI],
887        BusType::PCI,
888        true,
889        "0014";
890        "pci_match"
891    )]
892    #[test_case(
893        "/dev/sys/platform/pt/PCI0/bus/00:14.0_/00:14.0/ethernet",
894        vec![BusType::USB, BusType::SDIO],
895        BusType::PCI,
896        false,
897        "0014";
898        "pci_no_match"
899    )]
900    #[test_case(
901        "/dev/sys/platform/pt/PCI0/bus/00:14.0/00:14.0/xhci/usb/004/004/ifc-000/ax88179/ethernet",
902        vec![BusType::USB],
903        BusType::USB,
904        true,
905        "0014";
906        "pci_usb_match"
907    )]
908    #[test_case(
909        "/dev/sys/platform/05:00:18/usb-phy-composite/aml_usb_phy/dwc2/dwc2_phy/dwc2/usb-peripheral/function-000/cdc-eth-function/netdevice-migration/network-device",
910        vec![BusType::USB],
911        BusType::USB,
912        true,
913        "050018";
914        "dwc_usb_match"
915    )]
916    // Same topological path as the case for USB, but with
917    // non-matching bus types. Ensure that even though PCI is
918    // present in the topological path, it does not match a PCI
919    // controller.
920    #[test_case(
921        "/dev/sys/platform/pt/PCI0/bus/00:14.0/00:14.0/xhci/usb/004/004/ifc-000/ax88179/ethernet",
922        vec![BusType::PCI, BusType::SDIO],
923        BusType::USB,
924        false,
925        "0014";
926        "usb_no_match"
927    )]
928    #[test_case(
929        "/dev/sys/platform/05:00:6/aml-sd-emmc/sdio/broadcom-wlanphy/wlanphy",
930        vec![BusType::SDIO],
931        BusType::SDIO,
932        true,
933        "05006";
934        "sdio_match"
935    )]
936    #[test_case(
937        "/dev/sys/platform/pt/PC00/bus/00:1e.0/00_1e_0/virtio-net/network-device",
938        vec![BusType::VirtIo],
939        BusType::VirtIo,
940        true,
941        "001e";
942        "virtio_match_alternate_location"
943    )]
944    #[test_case(
945        "/dev/sys/platform/pt/PC00/bus/<malformed>/00_1e_0/virtio-net/network-device",
946        vec![BusType::VirtIo],
947        BusType::VirtIo,
948        true,
949        "001e";
950        "virtio_matches_underscore_path"
951    )]
952    #[test_case(
953        "/dev/sys/platform/pt/PC00/bus/00:1e.1/00_1e_1/virtio-net/network-device",
954        vec![BusType::VirtIo],
955        BusType::VirtIo,
956        true,
957        "001e1";
958        "virtio_match_alternate_no_trim"
959    )]
960    #[test_case(
961        "/dev/sys/platform/pt/PC00/bus/<unrecognized_bus_path>/network-device",
962        vec![BusType::Unknown],
963        BusType::Unknown,
964        true,
965        "ffffff";
966        "unknown_bus_match_unrecognized"
967    )]
968    fn test_interface_matching_and_naming_by_bus_properties(
969        topological_path: &'static str,
970        bus_types: Vec<BusType>,
971        expected_bus_type: BusType,
972        want_match: bool,
973        want_name: &'static str,
974    ) {
975        let device_info = DeviceInfoRef {
976            topological_path: topological_path,
977            // `device_class` and `mac` have no effect on `BusType`
978            // matching, so we use arbitrary values.
979            ..default_device_info()
980        };
981
982        // Verify the `BusType` determined from the device's
983        // topological path.
984        let bus_type = get_bus_type_for_topological_path(&device_info.topological_path);
985        assert_eq!(bus_type, expected_bus_type);
986
987        // Create a matching rule for the provided `BusType` list.
988        let matching_rule = MatchingRule::BusTypes(bus_types);
989        let does_interface_match = matching_rule.does_interface_match(&device_info).unwrap();
990        assert_eq!(does_interface_match, want_match);
991
992        let name = get_normalized_bus_path_for_topo_path(&device_info.topological_path);
993        assert_eq!(name, want_name);
994
995        // Ensure that calling again will decrement this. It's unfortunate to need to encode this
996        // in the test itself, but each test runs separately, so we can't rely on static storage
997        // between test invocations.
998        if want_name == "ffffff" {
999            let name = get_normalized_bus_path_for_topo_path(&device_info.topological_path);
1000            assert_eq!(name, "fffffe");
1001        }
1002    }
1003
1004    // Glob matches the number pattern of XX:XX in the path.
1005    #[test_case(
1006        "/dev/sys/platform/pt/PCI0/bus/00:14.0_/00:14.0/ethernet",
1007        r"*[0-9][0-9]:[0-9][0-9]*",
1008        true;
1009        "pattern_matches"
1010    )]
1011    #[test_case("pattern/will/match/anything", r"*", true; "pattern_matches_any")]
1012    // Glob checks for '00' after the colon but it will not find it.
1013    #[test_case(
1014        "/dev/sys/platform/pt/PCI0/bus/00:14.0_/00:14.0/ethernet",
1015        r"*[0-9][0-9]:00*",
1016        false;
1017        "no_matches"
1018    )]
1019    fn test_interface_matching_by_topological_path(
1020        topological_path: &'static str,
1021        glob_str: &'static str,
1022        want_match: bool,
1023    ) {
1024        let device_info = DeviceInfoRef {
1025            topological_path,
1026            // `device_class` and `mac` have no effect on `TopologicalPath`
1027            // matching, so we use arbitrary values.
1028            ..default_device_info()
1029        };
1030
1031        // Create a matching rule for the provided glob expression.
1032        let matching_rule = MatchingRule::TopologicalPath(glob::Pattern::new(glob_str).unwrap());
1033        let does_interface_match = matching_rule.does_interface_match(&device_info).unwrap();
1034        assert_eq!(does_interface_match, want_match);
1035    }
1036
1037    // Glob matches the default naming by MAC address.
1038    #[test_case(
1039        "ethx5",
1040        r"ethx[0-9]*",
1041        true;
1042        "pattern_matches"
1043    )]
1044    #[test_case("arbitraryname", r"*", true; "pattern_matches_any")]
1045    // Glob matches default naming by SDIO + bus path.
1046    #[test_case(
1047        "wlans1002",
1048        r"eths[0-9][0-9][0-9][0-9]*",
1049        false;
1050        "no_matches"
1051    )]
1052    fn test_interface_matching_by_interface_name(
1053        interface_name: &'static str,
1054        glob_str: &'static str,
1055        want_match: bool,
1056    ) {
1057        // Create a matching rule for the provided glob expression.
1058        let provisioning_matching_rule = ProvisioningMatchingRule::InterfaceName {
1059            pattern: glob::Pattern::new(glob_str).unwrap(),
1060        };
1061        let does_interface_match = provisioning_matching_rule
1062            .does_interface_match(&default_device_info(), interface_name)
1063            .unwrap();
1064        assert_eq!(does_interface_match, want_match);
1065    }
1066
1067    #[test_case(
1068        DeviceClass::Ethernet,
1069        vec![DeviceClass::Ethernet],
1070        true;
1071        "eth_match"
1072    )]
1073    #[test_case(
1074        DeviceClass::Ethernet,
1075        vec![DeviceClass::WlanClient, DeviceClass::WlanAp],
1076        false;
1077        "eth_no_match"
1078    )]
1079    #[test_case(
1080        DeviceClass::WlanClient,
1081        vec![DeviceClass::WlanClient],
1082        true;
1083        "wlan_match"
1084    )]
1085    #[test_case(
1086        DeviceClass::WlanClient,
1087        vec![DeviceClass::Ethernet, DeviceClass::WlanAp],
1088        false;
1089        "wlan_no_match"
1090    )]
1091    #[test_case(
1092        DeviceClass::WlanAp,
1093        vec![DeviceClass::WlanAp],
1094        true;
1095        "ap_match"
1096    )]
1097    #[test_case(
1098        DeviceClass::WlanAp,
1099        vec![DeviceClass::Ethernet, DeviceClass::WlanClient],
1100        false;
1101        "ap_no_match"
1102    )]
1103    fn test_interface_matching_by_device_class(
1104        device_class: DeviceClass,
1105        device_classes: Vec<DeviceClass>,
1106        want_match: bool,
1107    ) {
1108        let device_info = DeviceInfoRef { device_class, ..default_device_info() };
1109
1110        // Create a matching rule for the provided `DeviceClass` list.
1111        let matching_rule = MatchingRule::DeviceClasses(device_classes);
1112        let does_interface_match = matching_rule.does_interface_match(&device_info).unwrap();
1113        assert_eq!(does_interface_match, want_match);
1114    }
1115
1116    // The device information should not have any impact on whether the
1117    // interface matches, but we use Ethernet and Wlan as base cases
1118    // to ensure that all interfaces are accepted or all interfaces
1119    // are rejected.
1120    #[test_case(
1121        DeviceClass::Ethernet,
1122        "/dev/pci-00:15.0-fidl/xhci/usb/004/004/ifc-000/ax88179/ethernet"
1123    )]
1124    #[test_case(DeviceClass::WlanClient, "/dev/pci-00:14.0/ethernet")]
1125    fn test_interface_matching_by_any_matching_rule(
1126        device_class: DeviceClass,
1127        topological_path: &'static str,
1128    ) {
1129        let device_info = DeviceInfoRef {
1130            device_class,
1131            mac: &fidl_fuchsia_net_ext::MacAddress { octets: [0x1, 0x1, 0x1, 0x1, 0x1, 0x1] },
1132            topological_path,
1133        };
1134
1135        // Create a matching rule that should match any interface.
1136        let matching_rule = MatchingRule::Any(true);
1137        let does_interface_match = matching_rule.does_interface_match(&device_info).unwrap();
1138        assert!(does_interface_match);
1139
1140        // Create a matching rule that should reject any interface.
1141        let matching_rule = MatchingRule::Any(false);
1142        let does_interface_match = matching_rule.does_interface_match(&device_info).unwrap();
1143        assert!(!does_interface_match);
1144    }
1145
1146    #[test_case(
1147        DeviceInfoRef { device_class: DeviceClass::Ethernet, ..default_device_info() },
1148        vec![MatchingRule::DeviceClasses(vec![DeviceClass::WlanClient])],
1149        false;
1150        "false_single_rule"
1151    )]
1152    #[test_case(
1153        DeviceInfoRef { device_class: DeviceClass::Ethernet, ..default_device_info() },
1154        vec![MatchingRule::DeviceClasses(vec![DeviceClass::WlanClient]), MatchingRule::Any(true)],
1155        false;
1156        "false_one_rule_of_multiple"
1157    )]
1158    #[test_case(
1159        DeviceInfoRef { device_class: DeviceClass::Ethernet, ..default_device_info() },
1160        vec![MatchingRule::Any(true)],
1161        true;
1162        "true_single_rule"
1163    )]
1164    #[test_case(
1165        DeviceInfoRef { device_class: DeviceClass::Ethernet, ..default_device_info() },
1166        vec![MatchingRule::DeviceClasses(vec![DeviceClass::Ethernet]), MatchingRule::Any(true)],
1167        true;
1168        "true_multiple_rules"
1169    )]
1170    fn test_does_interface_match(
1171        info: DeviceInfoRef<'_>,
1172        matching_rules: Vec<MatchingRule>,
1173        want_match: bool,
1174    ) {
1175        let naming_rule =
1176            NamingRule { matchers: HashSet::from_iter(matching_rules), naming_scheme: Vec::new() };
1177        assert_eq!(naming_rule.does_interface_match(&info), want_match);
1178    }
1179
1180    #[test_case(
1181        DeviceInfoRef { device_class: DeviceClass::Ethernet, ..default_device_info() },
1182        "",
1183        vec![
1184            ProvisioningMatchingRule::Common(
1185                MatchingRule::DeviceClasses(vec![DeviceClass::WlanClient])
1186            )
1187        ],
1188        false;
1189        "false_single_rule"
1190    )]
1191    #[test_case(
1192        DeviceInfoRef { device_class: DeviceClass::WlanClient, ..default_device_info() },
1193        "wlanx5009",
1194        vec![
1195            ProvisioningMatchingRule::InterfaceName {
1196                pattern: glob::Pattern::new("ethx*").unwrap()
1197            },
1198            ProvisioningMatchingRule::Common(MatchingRule::Any(true))
1199        ],
1200        false;
1201        "false_one_rule_of_multiple"
1202    )]
1203    #[test_case(
1204        DeviceInfoRef { device_class: DeviceClass::Ethernet, ..default_device_info() },
1205        "",
1206        vec![ProvisioningMatchingRule::Common(MatchingRule::Any(true))],
1207        true;
1208        "true_single_rule"
1209    )]
1210    #[test_case(
1211        DeviceInfoRef { device_class: DeviceClass::Ethernet, ..default_device_info() },
1212        "wlanx5009",
1213        vec![
1214            ProvisioningMatchingRule::Common(
1215                MatchingRule::DeviceClasses(vec![DeviceClass::Ethernet])
1216            ),
1217            ProvisioningMatchingRule::InterfaceName {
1218                pattern: glob::Pattern::new("wlanx*").unwrap()
1219            }
1220        ],
1221        true;
1222        "true_multiple_rules"
1223    )]
1224    fn test_does_interface_match_provisioning_rule(
1225        info: DeviceInfoRef<'_>,
1226        interface_name: &str,
1227        matching_rules: Vec<ProvisioningMatchingRule>,
1228        want_match: bool,
1229    ) {
1230        let provisioning_rule = ProvisioningRule {
1231            matchers: HashSet::from_iter(matching_rules),
1232            provisioning: ProvisioningAction::Local,
1233        };
1234        assert_eq!(provisioning_rule.does_interface_match(&info, interface_name), want_match);
1235    }
1236
1237    #[test_case(
1238        vec![NameCompositionRule::Static { value: String::from("x") }],
1239        default_device_info(),
1240        "x";
1241        "single_static"
1242    )]
1243    #[test_case(
1244        vec![
1245            NameCompositionRule::Static { value: String::from("eth") },
1246            NameCompositionRule::Static { value: String::from("x") },
1247            NameCompositionRule::Static { value: String::from("100") },
1248        ],
1249        default_device_info(),
1250        "ethx100";
1251        "multiple_static"
1252    )]
1253    #[test_case(
1254        vec![NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::NormalizedMac }],
1255        DeviceInfoRef {
1256            mac: &fidl_fuchsia_net_ext::MacAddress { octets: [0x1, 0x1, 0x1, 0x1, 0x1, 0x1] },
1257            ..default_device_info()
1258        },
1259        "1";
1260        "normalized_mac"
1261    )]
1262    #[test_case(
1263        vec![
1264            NameCompositionRule::Static { value: String::from("eth") },
1265            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::NormalizedMac },
1266        ],
1267        DeviceInfoRef {
1268            mac: &fidl_fuchsia_net_ext::MacAddress { octets: [0x1, 0x1, 0x1, 0x1, 0x1, 0x9] },
1269            ..default_device_info()
1270        },
1271        "eth9";
1272        "normalized_mac_with_static"
1273    )]
1274    #[test_case(
1275        vec![NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::DeviceClass }],
1276        DeviceInfoRef { device_class: DeviceClass::Ethernet, ..default_device_info() },
1277        "eth";
1278        "eth_device_class"
1279    )]
1280    #[test_case(
1281        vec![NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::DeviceClass }],
1282        DeviceInfoRef { device_class: DeviceClass::WlanClient, ..default_device_info() },
1283        "wlan";
1284        "wlan_device_class"
1285    )]
1286    #[test_case(
1287        vec![
1288            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::DeviceClass },
1289            NameCompositionRule::Static { value: String::from("x") },
1290        ],
1291        DeviceInfoRef { device_class: DeviceClass::Ethernet, ..default_device_info() },
1292        "ethx";
1293        "device_class_with_static"
1294    )]
1295    #[test_case(
1296        vec![
1297            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::DeviceClass },
1298            NameCompositionRule::Static { value: String::from("x") },
1299            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::NormalizedMac },
1300        ],
1301        DeviceInfoRef {
1302            device_class: DeviceClass::WlanClient,
1303            mac: &fidl_fuchsia_net_ext::MacAddress { octets: [0x1, 0x1, 0x1, 0x1, 0x1, 0x8] },
1304            ..default_device_info()
1305        },
1306        "wlanx8";
1307        "device_class_with_static_with_normalized_mac"
1308    )]
1309    #[test_case(
1310        vec![
1311            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::DeviceClass },
1312            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::BusType },
1313            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::BusPath },
1314        ],
1315        DeviceInfoRef {
1316            device_class: DeviceClass::Ethernet,
1317            topological_path: "/dev/sys/platform/pt/PCI0/bus/00:14.0_/00:14.0/ethernet",
1318            ..default_device_info()
1319        },
1320        "ethp0014";
1321        "device_class_with_pci_bus_type_with_bus_path"
1322    )]
1323    #[test_case(
1324        vec![
1325            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::DeviceClass },
1326            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::BusType },
1327            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::BusPath },
1328        ],
1329        DeviceInfoRef {
1330            device_class: DeviceClass::Ethernet,
1331            topological_path: "/dev/sys/platform/pt/PCI0/bus/00:14.0/00:14.0/xhci/usb/004/004/ifc-000/ax88179/ethernet",
1332            ..default_device_info()
1333        },
1334        "ethu0014";
1335        "device_class_with_pci_usb_bus_type_with_bus_path"
1336    )]
1337    #[test_case(
1338        vec![
1339            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::DeviceClass },
1340            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::BusType },
1341            NameCompositionRule::Dynamic { rule: DynamicNameCompositionRule::BusPath },
1342        ],
1343        DeviceInfoRef {
1344            device_class: DeviceClass::Ethernet,
1345            topological_path: "/dev/sys/platform/05:00:18/usb-phy-composite/aml_usb_phy/dwc2/dwc2_phy/dwc2/usb-peripheral/function-000/cdc-eth-function/netdevice-migration/network-device",
1346            ..default_device_info()
1347        },
1348        "ethu050018";
1349        "device_class_with_dwc_usb_bus_type_with_bus_path"
1350    )]
1351    #[test_case(
1352        vec![NameCompositionRule::Default],
1353        DeviceInfoRef {
1354            device_class: DeviceClass::Ethernet,
1355            topological_path: "/dev/sys/platform/pt/PCI0/bus/00:14.0/00:14.0/xhci/usb/004/004/ifc-000/ax88179/ethernet",
1356            mac: &fidl_fuchsia_net_ext::MacAddress { octets: [0x1, 0x1, 0x1, 0x1, 0x1, 0x2] },
1357        },
1358        "ethx2";
1359        "default_usb_pci"
1360    )]
1361    #[test_case(
1362        vec![NameCompositionRule::Default],
1363        DeviceInfoRef {
1364            device_class: DeviceClass::Ethernet,
1365            topological_path: "/dev/sys/platform/05:00:18/usb-phy-composite/aml_usb_phy/dwc2/dwc2_phy/dwc2/usb-peripheral/function-000/cdc-eth-function/netdevice-migration/network-device",
1366            mac: &fidl_fuchsia_net_ext::MacAddress { octets: [0x1, 0x1, 0x1, 0x1, 0x1, 0x3] },
1367        },
1368        "ethx3";
1369        "default_usb_dwc"
1370    )]
1371    #[test_case(
1372        vec![NameCompositionRule::Default],
1373        DeviceInfoRef {
1374            device_class: DeviceClass::Ethernet,
1375            topological_path: "/dev/sys/platform/05:00:6/aml-sd-emmc/sdio/broadcom-wlanphy/wlanphy",
1376            ..default_device_info()
1377        },
1378        "eths05006";
1379        "default_sdio"
1380    )]
1381    fn test_naming_rules(
1382        composition_rules: Vec<NameCompositionRule>,
1383        info: DeviceInfoRef<'_>,
1384        expected_name: &'static str,
1385    ) {
1386        let naming_rule = NamingRule { matchers: HashSet::new(), naming_scheme: composition_rules };
1387
1388        let name = naming_rule.generate_name(&HashMap::new(), &info);
1389        assert_eq!(name.unwrap(), expected_name.to_owned());
1390    }
1391
1392    #[test]
1393    fn test_generate_name_from_naming_rule_interface_name_exists_no_reattempt() {
1394        let shared_interface_name = "x".to_owned();
1395        let mut interfaces = HashMap::new();
1396        assert_matches!(
1397            interfaces.insert(
1398                InterfaceNamingIdentifier {
1399                    mac: fidl_fuchsia_net_ext::MacAddress {
1400                        octets: [0x1, 0x1, 0x1, 0x1, 0x1, 0x1]
1401                    },
1402                },
1403                shared_interface_name.clone(),
1404            ),
1405            None
1406        );
1407
1408        let naming_rule = NamingRule {
1409            matchers: HashSet::new(),
1410            naming_scheme: vec![NameCompositionRule::Static {
1411                value: shared_interface_name.clone(),
1412            }],
1413        };
1414
1415        let name = naming_rule.generate_name(&interfaces, &default_device_info()).unwrap();
1416        assert_eq!(name, shared_interface_name);
1417    }
1418
1419    // This test is different from `test_get_usb_255_with_naming_rule` as this
1420    // test increments the last byte, ensuring that the offset is reset prior
1421    // to each name being generated.
1422    #[test]
1423    fn test_generate_name_from_naming_rule_many_unique_macs() {
1424        let topo_usb = "/dev/pci-00:14.0-fidl/xhci/usb/004/004/ifc-000/ax88179/ethernet";
1425
1426        let naming_rule = NamingRule {
1427            matchers: HashSet::new(),
1428            naming_scheme: vec![NameCompositionRule::Dynamic {
1429                rule: DynamicNameCompositionRule::NormalizedMac,
1430            }],
1431        };
1432
1433        // test cases for 256 usb interfaces
1434        let mut interfaces = HashMap::new();
1435
1436        for n in 0u8..255u8 {
1437            let octets = [0x01, 0x01, 0x01, 0x01, 0x01, n];
1438            let interface_naming_id =
1439                generate_identifier(&fidl_fuchsia_net_ext::MacAddress { octets });
1440            let info = DeviceInfoRef {
1441                device_class: DeviceClass::Ethernet,
1442                mac: &fidl_fuchsia_net_ext::MacAddress { octets },
1443                topological_path: topo_usb,
1444            };
1445
1446            let name =
1447                naming_rule.generate_name(&interfaces, &info).expect("failed to generate the name");
1448            assert_eq!(name, format!("{n:x}"));
1449
1450            assert_matches!(interfaces.insert(interface_naming_id, name.clone()), None);
1451        }
1452    }
1453
1454    #[test_case(true, "x"; "matches_first_rule")]
1455    #[test_case(false, "ethx1"; "fallback_default")]
1456    fn test_generate_name_from_naming_rules(match_first_rule: bool, expected_name: &'static str) {
1457        // Use an Ethernet device that is determined to have a USB bus type
1458        // from the topological path.
1459        let info = DeviceInfoRef {
1460            device_class: DeviceClass::Ethernet,
1461            mac: &fidl_fuchsia_net_ext::MacAddress { octets: [0x1, 0x1, 0x1, 0x1, 0x1, 0x1] },
1462            topological_path: "/dev/sys/platform/pt/PCI0/bus/00:14.0/00:14.0/xhci/usb/004/004/ifc-000/ax88179/ethernet"
1463        };
1464        let name = generate_name_from_naming_rules(
1465            &[
1466                NamingRule {
1467                    matchers: HashSet::from([MatchingRule::Any(match_first_rule)]),
1468                    naming_scheme: vec![NameCompositionRule::Static { value: String::from("x") }],
1469                },
1470                // Include an arbitrary rule that matches no interface
1471                // to ensure that it has no impact on the test.
1472                NamingRule {
1473                    matchers: HashSet::from([MatchingRule::Any(false)]),
1474                    naming_scheme: vec![NameCompositionRule::Static { value: String::from("y") }],
1475                },
1476            ],
1477            &HashMap::new(),
1478            &info,
1479        )
1480        .unwrap();
1481        assert_eq!(name, expected_name.to_owned());
1482    }
1483
1484    #[test_case(true, ProvisioningAction::Delegated; "matches_first_rule")]
1485    #[test_case(false, ProvisioningAction::Local; "fallback_default")]
1486    fn test_find_provisioning_action_from_provisioning_rules(
1487        match_first_rule: bool,
1488        expected: ProvisioningAction,
1489    ) {
1490        let provisioning_action = find_provisioning_action_from_provisioning_rules(
1491            &[ProvisioningRule {
1492                matchers: HashSet::from([ProvisioningMatchingRule::Common(MatchingRule::Any(
1493                    match_first_rule,
1494                ))]),
1495                provisioning: ProvisioningAction::Delegated,
1496            }],
1497            &DeviceInfoRef {
1498                device_class: DeviceClass::WlanClient,
1499                mac: &fidl_fuchsia_net_ext::MacAddress { octets: [0x1, 0x1, 0x1, 0x1, 0x1, 0x1] },
1500                topological_path: "",
1501            },
1502            "wlans5009",
1503        );
1504        assert_eq!(provisioning_action, expected);
1505    }
1506}