netstack3_device/
base.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 alloc::collections::HashMap;
6use alloc::vec::Vec;
7use core::fmt::{Debug, Display};
8use core::num::NonZeroU64;
9
10use derivative::Derivative;
11use lock_order::lock::{OrderedLockAccess, OrderedLockRef};
12use net_types::ethernet::Mac;
13use net_types::ip::{Ip, IpVersion, Ipv4, Ipv6};
14use netstack3_base::sync::RwLock;
15use netstack3_base::{
16    Counter, Device, DeviceIdContext, HandleableTimer, Inspectable, Inspector, InspectorExt as _,
17    InstantContext, ReferenceNotifiers, TimerBindingsTypes, TimerHandler, TxMetadataBindingsTypes,
18};
19use netstack3_filter::FilterBindingsTypes;
20use netstack3_ip::device::Ipv6LinkLayerAddr;
21use netstack3_ip::nud::{LinkResolutionContext, NudCounters};
22use packet::Buf;
23
24use crate::blackhole::{BlackholeDeviceId, BlackholePrimaryDeviceId};
25use crate::internal::arp::ArpCounters;
26use crate::internal::ethernet::{EthernetLinkDevice, EthernetTimerId};
27use crate::internal::id::{
28    BaseDeviceId, BasePrimaryDeviceId, DeviceId, EthernetDeviceId, EthernetPrimaryDeviceId,
29    EthernetWeakDeviceId,
30};
31use crate::internal::loopback::{LoopbackDeviceId, LoopbackPrimaryDeviceId};
32use crate::internal::pure_ip::{PureIpDeviceId, PureIpPrimaryDeviceId};
33use crate::internal::queue::rx::ReceiveQueueBindingsContext;
34use crate::internal::queue::tx::TransmitQueueBindingsContext;
35use crate::internal::socket::{self, DeviceSocketCounters, HeldSockets};
36use crate::internal::state::DeviceStateSpec;
37
38/// Iterator over devices.
39///
40/// Implements `Iterator<Item=DeviceId<C>>` by pulling from provided loopback
41/// and ethernet device ID iterators. This struct only exists as a named type
42/// so it can be an associated type on impls of the [`IpDeviceContext`] trait.
43pub struct DevicesIter<'s, BT: DeviceLayerTypes> {
44    pub(super) ethernet:
45        alloc::collections::hash_map::Values<'s, EthernetDeviceId<BT>, EthernetPrimaryDeviceId<BT>>,
46    pub(super) pure_ip:
47        alloc::collections::hash_map::Values<'s, PureIpDeviceId<BT>, PureIpPrimaryDeviceId<BT>>,
48    pub(super) blackhole: alloc::collections::hash_map::Values<
49        's,
50        BlackholeDeviceId<BT>,
51        BlackholePrimaryDeviceId<BT>,
52    >,
53    pub(super) loopback: core::option::Iter<'s, LoopbackPrimaryDeviceId<BT>>,
54}
55
56impl<'s, BT: DeviceLayerTypes> Iterator for DevicesIter<'s, BT> {
57    type Item = DeviceId<BT>;
58
59    fn next(&mut self) -> Option<Self::Item> {
60        let Self { ethernet, pure_ip, blackhole, loopback } = self;
61        ethernet
62            .map(|primary| primary.clone_strong().into())
63            .chain(pure_ip.map(|primary| primary.clone_strong().into()))
64            .chain(blackhole.map(|primary| primary.clone_strong().into()))
65            .chain(loopback.map(|primary| primary.clone_strong().into()))
66            .next()
67    }
68}
69
70/// Supported link layer address types for IPv6.
71#[allow(missing_docs)]
72pub enum Ipv6DeviceLinkLayerAddr {
73    Mac(Mac),
74    // Add other link-layer address types as needed.
75}
76
77impl Ipv6LinkLayerAddr for Ipv6DeviceLinkLayerAddr {
78    fn as_bytes(&self) -> &[u8] {
79        match self {
80            Ipv6DeviceLinkLayerAddr::Mac(a) => a.as_ref(),
81        }
82    }
83
84    fn eui64_iid(&self) -> [u8; 8] {
85        match self {
86            Ipv6DeviceLinkLayerAddr::Mac(a) => a.to_eui64(),
87        }
88    }
89}
90
91/// The identifier for timer events in the device layer.
92#[derive(Derivative)]
93#[derivative(
94    Clone(bound = ""),
95    Eq(bound = ""),
96    PartialEq(bound = ""),
97    Hash(bound = ""),
98    Debug(bound = "")
99)]
100pub struct DeviceLayerTimerId<BT: DeviceLayerTypes>(DeviceLayerTimerIdInner<BT>);
101
102#[derive(Derivative)]
103#[derivative(
104    Clone(bound = ""),
105    Eq(bound = ""),
106    PartialEq(bound = ""),
107    Hash(bound = ""),
108    Debug(bound = "")
109)]
110#[allow(missing_docs)]
111enum DeviceLayerTimerIdInner<BT: DeviceLayerTypes> {
112    Ethernet(EthernetTimerId<EthernetWeakDeviceId<BT>>),
113}
114
115impl<BT: DeviceLayerTypes> From<EthernetTimerId<EthernetWeakDeviceId<BT>>>
116    for DeviceLayerTimerId<BT>
117{
118    fn from(id: EthernetTimerId<EthernetWeakDeviceId<BT>>) -> DeviceLayerTimerId<BT> {
119        DeviceLayerTimerId(DeviceLayerTimerIdInner::Ethernet(id))
120    }
121}
122
123impl<CC, BT> HandleableTimer<CC, BT> for DeviceLayerTimerId<BT>
124where
125    BT: DeviceLayerTypes,
126    CC: TimerHandler<BT, EthernetTimerId<EthernetWeakDeviceId<BT>>>,
127{
128    fn handle(self, core_ctx: &mut CC, bindings_ctx: &mut BT, timer: BT::UniqueTimerId) {
129        let Self(id) = self;
130        match id {
131            DeviceLayerTimerIdInner::Ethernet(id) => core_ctx.handle_timer(bindings_ctx, id, timer),
132        }
133    }
134}
135
136/// The collection of devices within [`DeviceLayerState`].
137#[derive(Derivative)]
138#[derivative(Default(bound = ""))]
139pub struct Devices<BT: DeviceLayerTypes> {
140    /// Collection of Ethernet devices.
141    pub ethernet: HashMap<EthernetDeviceId<BT>, EthernetPrimaryDeviceId<BT>>,
142    /// Collection of PureIP devices.
143    pub pure_ip: HashMap<PureIpDeviceId<BT>, PureIpPrimaryDeviceId<BT>>,
144    /// Collection of blackhole devices.
145    pub blackhole: HashMap<BlackholeDeviceId<BT>, BlackholePrimaryDeviceId<BT>>,
146    /// The loopback device, if installed.
147    pub loopback: Option<LoopbackPrimaryDeviceId<BT>>,
148}
149
150impl<BT: DeviceLayerTypes> Devices<BT> {
151    /// Gets an iterator over available devices.
152    pub fn iter(&self) -> DevicesIter<'_, BT> {
153        let Self { ethernet, pure_ip, blackhole, loopback } = self;
154        DevicesIter {
155            ethernet: ethernet.values(),
156            pure_ip: pure_ip.values(),
157            blackhole: blackhole.values(),
158            loopback: loopback.iter(),
159        }
160    }
161}
162
163/// The state associated with the device layer.
164#[derive(Derivative)]
165#[derivative(Default(bound = ""))]
166pub struct DeviceLayerState<BT: DeviceLayerTypes> {
167    devices: RwLock<Devices<BT>>,
168    /// Device layer origin tracker.
169    pub origin: OriginTracker,
170    /// Collection of all device sockets.
171    pub shared_sockets: HeldSockets<BT>,
172    /// Device socket counters.
173    pub device_socket_counters: DeviceSocketCounters,
174    /// Common device counters.
175    pub counters: DeviceCounters,
176    /// Ethernet counters.
177    pub ethernet_counters: EthernetDeviceCounters,
178    /// PureIp counters.
179    pub pure_ip_counters: PureIpDeviceCounters,
180    /// IPv4 NUD counters.
181    pub nud_v4_counters: NudCounters<Ipv4>,
182    /// IPv6 NUD counters.
183    pub nud_v6_counters: NudCounters<Ipv6>,
184    /// ARP counters.
185    pub arp_counters: ArpCounters,
186}
187
188impl<BT: DeviceLayerTypes> DeviceLayerState<BT> {
189    /// Helper to access NUD counters for an IP version.
190    pub fn nud_counters<I: Ip>(&self) -> &NudCounters<I> {
191        I::map_ip((), |()| &self.nud_v4_counters, |()| &self.nud_v6_counters)
192    }
193}
194
195impl<BT: DeviceLayerTypes> OrderedLockAccess<Devices<BT>> for DeviceLayerState<BT> {
196    type Lock = RwLock<Devices<BT>>;
197    fn ordered_lock_access(&self) -> OrderedLockRef<'_, Self::Lock> {
198        OrderedLockRef::new(&self.devices)
199    }
200}
201
202/// Counters for ethernet devices.
203#[derive(Default)]
204pub struct EthernetDeviceCounters {
205    /// Count of incoming frames dropped due to an unsupported ethertype.
206    pub recv_unsupported_ethertype: Counter,
207    /// Count of incoming frames dropped due to an empty ethertype.
208    pub recv_no_ethertype: Counter,
209}
210
211impl Inspectable for EthernetDeviceCounters {
212    fn record<I: Inspector>(&self, inspector: &mut I) {
213        inspector.record_child("Ethernet", |inspector| {
214            let Self { recv_no_ethertype, recv_unsupported_ethertype } = self;
215            inspector.record_child("Rx", |inspector| {
216                inspector.record_counter("NoEthertype", recv_no_ethertype);
217                inspector.record_counter("UnsupportedEthertype", recv_unsupported_ethertype);
218            });
219        })
220    }
221}
222
223/// Counters for pure IP devices.
224#[derive(Default)]
225pub struct PureIpDeviceCounters {}
226
227impl Inspectable for PureIpDeviceCounters {
228    fn record<I: Inspector>(&self, _inspector: &mut I) {}
229}
230
231/// Counters for blackhole devices.
232pub struct BlackholeDeviceCounters;
233
234impl Inspectable for BlackholeDeviceCounters {
235    fn record<I: Inspector>(&self, _inspector: &mut I) {}
236}
237
238/// Device layer counters.
239#[derive(Default)]
240pub struct DeviceCounters {
241    /// Count of outgoing frames which enter the device layer (but may or may
242    /// not have been dropped prior to reaching the wire).
243    pub send_total_frames: Counter,
244    /// Count of frames sent.
245    pub send_frame: Counter,
246    /// Count of frames that failed to send because of a full Tx queue.
247    pub send_queue_full: Counter,
248    /// Count of frames that failed to send because of a serialization error.
249    pub send_serialize_error: Counter,
250    /// Count of frames received.
251    pub recv_frame: Counter,
252    /// Count of incoming frames dropped due to a parsing error.
253    pub recv_parse_error: Counter,
254    /// Count of incoming frames containing an IPv4 packet delivered.
255    pub recv_ipv4_delivered: Counter,
256    /// Count of incoming frames containing an IPv6 packet delivered.
257    pub recv_ipv6_delivered: Counter,
258    /// Count of sent frames containing an IPv4 packet.
259    pub send_ipv4_frame: Counter,
260    /// Count of sent frames containing an IPv6 packet.
261    pub send_ipv6_frame: Counter,
262    /// Count of frames that failed to send because there was no Tx queue.
263    pub send_dropped_no_queue: Counter,
264    /// Count of frames that were dropped during Tx queue dequeuing.
265    pub send_dropped_dequeue: Counter,
266}
267
268impl DeviceCounters {
269    /// Either `send_ipv4_frame` or `send_ipv6_frame` depending on `I`.
270    pub fn send_frame<I: Ip>(&self) -> &Counter {
271        match I::VERSION {
272            IpVersion::V4 => &self.send_ipv4_frame,
273            IpVersion::V6 => &self.send_ipv6_frame,
274        }
275    }
276}
277
278impl Inspectable for DeviceCounters {
279    fn record<I: Inspector>(&self, inspector: &mut I) {
280        let Self {
281            recv_frame,
282            recv_ipv4_delivered,
283            recv_ipv6_delivered,
284            recv_parse_error,
285            send_dropped_no_queue,
286            send_frame,
287            send_ipv4_frame,
288            send_ipv6_frame,
289            send_queue_full,
290            send_serialize_error,
291            send_total_frames,
292            send_dropped_dequeue,
293        } = self;
294        inspector.record_child("Rx", |inspector| {
295            inspector.record_counter("TotalFrames", recv_frame);
296            inspector.record_counter("Malformed", recv_parse_error);
297            inspector.record_counter("Ipv4Delivered", recv_ipv4_delivered);
298            inspector.record_counter("Ipv6Delivered", recv_ipv6_delivered);
299        });
300        inspector.record_child("Tx", |inspector| {
301            inspector.record_counter("TotalFrames", send_total_frames);
302            inspector.record_counter("Sent", send_frame);
303            inspector.record_counter("SendIpv4Frame", send_ipv4_frame);
304            inspector.record_counter("SendIpv6Frame", send_ipv6_frame);
305            inspector.record_counter("NoQueue", send_dropped_no_queue);
306            inspector.record_counter("QueueFull", send_queue_full);
307            inspector.record_counter("SerializeError", send_serialize_error);
308            inspector.record_counter("DequeueDrop", send_dropped_dequeue);
309        });
310    }
311}
312/// Light-weight tracker for recording the source of some instance.
313///
314/// This should be held as a field in a parent type that is cloned into each
315/// child instance. Then, the origin of a child instance can be verified by
316/// asserting equality against the parent's field.
317///
318/// This is only enabled in debug builds; in non-debug builds, all
319/// `OriginTracker` instances are identical so all operations are no-ops.
320// TODO(https://fxbug.dev/320078167): Move this and OriginTrackerContext out of
321// the device module and apply to more places.
322#[derive(Clone, Debug, PartialEq)]
323pub struct OriginTracker(#[cfg(debug_assertions)] u64);
324
325impl Default for OriginTracker {
326    fn default() -> Self {
327        Self::new()
328    }
329}
330
331impl OriginTracker {
332    /// Creates a new `OriginTracker` that isn't derived from any other
333    /// instance.
334    ///
335    /// In debug builds, this creates a unique `OriginTracker` that won't be
336    /// equal to any instances except those cloned from it. In non-debug builds
337    /// all `OriginTracker` instances are identical.
338    #[cfg_attr(not(debug_assertions), inline)]
339    fn new() -> Self {
340        Self(
341            #[cfg(debug_assertions)]
342            {
343                static COUNTER: core::sync::atomic::AtomicU64 =
344                    core::sync::atomic::AtomicU64::new(0);
345                COUNTER.fetch_add(1, core::sync::atomic::Ordering::Relaxed)
346            },
347        )
348    }
349}
350
351/// A trait abstracting a context containing an [`OriginTracker`].
352///
353/// This allows API structs to extract origin from contexts when creating
354/// resources.
355pub trait OriginTrackerContext {
356    /// Gets the origin tracker for this context.
357    fn origin_tracker(&mut self) -> OriginTracker;
358}
359
360/// A context providing facilities to store and remove primary device IDs.
361///
362/// This allows the device layer APIs to be written generically on `D`.
363pub trait DeviceCollectionContext<D: Device + DeviceStateSpec, BT: DeviceLayerTypes>:
364    DeviceIdContext<D>
365{
366    /// Adds `device` to the device collection.
367    fn insert(&mut self, device: BasePrimaryDeviceId<D, BT>);
368
369    /// Removes `device` from the collection, if it exists.
370    fn remove(&mut self, device: &BaseDeviceId<D, BT>) -> Option<BasePrimaryDeviceId<D, BT>>;
371}
372
373/// Provides abstractions over the frame metadata received from bindings for
374/// implementers of [`Device`].
375///
376/// This trait allows [`api::DeviceApi`] to provide a single entrypoint for
377/// frames from bindings.
378pub trait DeviceReceiveFrameSpec {
379    /// The frame metadata for ingress frames, where `D` is a device identifier.
380    type FrameMetadata<D>;
381}
382
383/// Provides associated types used in the device layer.
384pub trait DeviceLayerStateTypes: InstantContext + FilterBindingsTypes {
385    /// The state associated with loopback devices.
386    type LoopbackDeviceState: Send + Sync + DeviceClassMatcher<Self::DeviceClass>;
387
388    /// The state associated with ethernet devices.
389    type EthernetDeviceState: Send + Sync + DeviceClassMatcher<Self::DeviceClass>;
390
391    /// The state associated with pure IP devices.
392    type PureIpDeviceState: Send + Sync + DeviceClassMatcher<Self::DeviceClass>;
393
394    /// The state associated with blackhole devices.
395    type BlackholeDeviceState: Send + Sync + DeviceClassMatcher<Self::DeviceClass>;
396
397    /// An opaque identifier that is available from both strong and weak device
398    /// references.
399    type DeviceIdentifier: Send + Sync + Debug + Display + DeviceIdAndNameMatcher;
400}
401
402/// Provides matching functionality for the device class of a device installed
403/// in the netstack.
404pub trait DeviceClassMatcher<DeviceClass> {
405    /// Returns whether the provided device class matches the class of the
406    /// device.
407    fn device_class_matches(&self, device_class: &DeviceClass) -> bool;
408}
409
410/// Provides matching functionality for the ID and name of a device installed in
411/// the netstack.
412pub trait DeviceIdAndNameMatcher {
413    /// Returns whether the provided ID matches the ID of the device.
414    fn id_matches(&self, id: &NonZeroU64) -> bool;
415
416    /// Returns whether the provided name matches the name of the device.
417    fn name_matches(&self, name: &str) -> bool;
418}
419
420/// Provides associated types used in the device layer.
421///
422/// This trait groups together state types used throughout the device layer. It
423/// is blanket-implemented for all types that implement
424/// [`socket::DeviceSocketTypes`] and [`DeviceLayerStateTypes`].
425pub trait DeviceLayerTypes:
426    DeviceLayerStateTypes
427    + socket::DeviceSocketTypes
428    + LinkResolutionContext<EthernetLinkDevice>
429    + TimerBindingsTypes
430    + ReferenceNotifiers
431    + TxMetadataBindingsTypes
432    + 'static
433{
434}
435impl<
436        BC: DeviceLayerStateTypes
437            + socket::DeviceSocketTypes
438            + LinkResolutionContext<EthernetLinkDevice>
439            + TimerBindingsTypes
440            + ReferenceNotifiers
441            + TxMetadataBindingsTypes
442            + 'static,
443    > DeviceLayerTypes for BC
444{
445}
446
447/// An event dispatcher for the device layer.
448pub trait DeviceLayerEventDispatcher:
449    DeviceLayerTypes
450    + ReceiveQueueBindingsContext<LoopbackDeviceId<Self>>
451    + TransmitQueueBindingsContext<EthernetDeviceId<Self>>
452    + TransmitQueueBindingsContext<LoopbackDeviceId<Self>>
453    + TransmitQueueBindingsContext<PureIpDeviceId<Self>>
454    + Sized
455{
456    /// The transmit queue dequeueing context used by bindings.
457    ///
458    /// `DequeueContext` is a passthrough type from bindings (i.e. entirely
459    /// opaque to core) when using `TransmitQueueApi` to trigger the transmit
460    /// queue to send frames to the underlying devices.
461    type DequeueContext;
462
463    /// Send a frame to an Ethernet device driver.
464    ///
465    /// See [`DeviceSendFrameError`] for the ways this call may fail; all other
466    /// errors are silently ignored and reported as success. Implementations are
467    /// expected to gracefully handle non-conformant but correctable input, e.g.
468    /// by padding too-small frames.
469    ///
470    /// `dequeue_context` is `Some` iff this is called from the context of
471    /// operating the transmit queue via `TransmitQueueApi`.
472    fn send_ethernet_frame(
473        &mut self,
474        device: &EthernetDeviceId<Self>,
475        frame: Buf<Vec<u8>>,
476        dequeue_context: Option<&mut Self::DequeueContext>,
477    ) -> Result<(), DeviceSendFrameError>;
478
479    /// Send an IP packet to an IP device driver.
480    ///
481    /// See [`DeviceSendFrameError`] for the ways this call may fail; all other
482    /// errors are silently ignored and reported as success. Implementations are
483    /// expected to gracefully handle non-conformant but correctable input, e.g.
484    /// by padding too-small frames.
485    ///
486    /// `dequeue_context` is `Some` iff this is called from the context of
487    /// operating the transmit queue via `TransmitQueueApi`.
488    fn send_ip_packet(
489        &mut self,
490        device: &PureIpDeviceId<Self>,
491        packet: Buf<Vec<u8>>,
492        ip_version: IpVersion,
493        dequeue_context: Option<&mut Self::DequeueContext>,
494    ) -> Result<(), DeviceSendFrameError>;
495}
496
497/// An error encountered when sending a frame.
498#[derive(Debug, PartialEq, Eq)]
499pub enum DeviceSendFrameError {
500    /// The device doesn't have available buffers to send frames.
501    NoBuffers,
502}
503
504#[cfg(test)]
505mod tests {
506    use super::*;
507
508    #[test]
509    fn origin_tracker() {
510        let tracker = OriginTracker::new();
511        if cfg!(debug_assertions) {
512            assert_ne!(tracker, OriginTracker::new());
513        } else {
514            assert_eq!(tracker, OriginTracker::new());
515        }
516        assert_eq!(tracker.clone(), tracker);
517    }
518}