netstack3_base/
frame.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
5//! Common traits and types for dealing with abstracted frames.
6
7use net_types::ethernet::Mac;
8use net_types::ip::{Ip, IpVersionMarker};
9use net_types::{BroadcastAddr, MulticastAddr};
10
11use core::convert::Infallible as Never;
12use core::fmt::Debug;
13use packet::{BufferMut, SerializeError, Serializer};
14use thiserror::Error;
15
16use crate::error::ErrorAndSerializer;
17
18/// A context for receiving frames.
19///
20/// Note: Use this trait as trait bounds, but always implement
21/// [`ReceivableFrameMeta`] instead, which generates a `RecvFrameContext`
22/// implementation.
23pub trait RecvFrameContext<Meta, BC> {
24    /// Receive a frame.
25    ///
26    /// `receive_frame` receives a frame with the given metadata.
27    fn receive_frame<B: BufferMut + Debug>(
28        &mut self,
29        bindings_ctx: &mut BC,
30        metadata: Meta,
31        frame: B,
32    );
33}
34
35impl<CC, BC> ReceivableFrameMeta<CC, BC> for Never {
36    fn receive_meta<B: BufferMut + Debug>(
37        self,
38        _core_ctx: &mut CC,
39        _bindings_ctx: &mut BC,
40        _frame: B,
41    ) {
42        match self {}
43    }
44}
45
46/// A trait providing the receive implementation for some frame identified by a
47/// metadata type.
48///
49/// This trait sidesteps orphan rules by allowing [`RecvFrameContext`] to be
50/// implemented by the multiple core crates, given it can always be implemented
51/// for a local metadata type. `ReceivableFrameMeta` should always be used for
52/// trait implementations, while [`RecvFrameContext`] is used for trait bounds.
53pub trait ReceivableFrameMeta<CC, BC> {
54    /// Receives this frame using the provided contexts.
55    fn receive_meta<B: BufferMut + Debug>(self, core_ctx: &mut CC, bindings_ctx: &mut BC, frame: B);
56}
57
58impl<CC, BC, Meta> RecvFrameContext<Meta, BC> for CC
59where
60    Meta: ReceivableFrameMeta<CC, BC>,
61{
62    fn receive_frame<B: BufferMut + Debug>(
63        &mut self,
64        bindings_ctx: &mut BC,
65        metadata: Meta,
66        frame: B,
67    ) {
68        metadata.receive_meta(self, bindings_ctx, frame)
69    }
70}
71
72/// The error type for [`SendFrameError`].
73#[derive(Error, Debug, PartialEq)]
74pub enum SendFrameErrorReason {
75    /// Serialization failed due to failed size constraints.
76    #[error("size constraints violated")]
77    SizeConstraintsViolation,
78    /// Couldn't allocate space to serialize the frame.
79    #[error("failed to allocate")]
80    Alloc,
81    /// The transmit queue is full.
82    #[error("transmit queue is full")]
83    QueueFull,
84}
85
86impl<A> From<SerializeError<A>> for SendFrameErrorReason {
87    fn from(e: SerializeError<A>) -> Self {
88        match e {
89            SerializeError::Alloc(_) => Self::Alloc,
90            SerializeError::SizeLimitExceeded => Self::SizeConstraintsViolation,
91        }
92    }
93}
94
95/// Errors returned by [`SendFrameContext::send_frame`].
96pub type SendFrameError<S> = ErrorAndSerializer<SendFrameErrorReason, S>;
97
98/// A context for sending frames.
99pub trait SendFrameContext<BC, Meta> {
100    /// Send a frame.
101    ///
102    /// `send_frame` sends a frame with the given metadata. The frame itself is
103    /// passed as a [`Serializer`] which `send_frame` is responsible for
104    /// serializing. If serialization fails for any reason, the original,
105    /// unmodified `Serializer` is returned.
106    ///
107    /// [`Serializer`]: packet::Serializer
108    fn send_frame<S>(
109        &mut self,
110        bindings_ctx: &mut BC,
111        metadata: Meta,
112        frame: S,
113    ) -> Result<(), SendFrameError<S>>
114    where
115        S: Serializer,
116        S::Buffer: BufferMut;
117}
118
119/// A trait providing the send implementation for some frame identified by a
120/// metadata type.
121///
122/// This trait sidesteps orphan rules by allowing [`SendFrameContext`] to be
123/// implemented by the multiple core crates, given it can always be implemented
124/// for a local metadata type. `SendableFrameMeta` should always be used for
125/// trait implementations, while [`SendFrameContext`] is used for trait bounds.
126pub trait SendableFrameMeta<CC, BC> {
127    /// Sends this frame metadata to the provided contexts.
128    fn send_meta<S>(
129        self,
130        core_ctx: &mut CC,
131        bindings_ctx: &mut BC,
132        frame: S,
133    ) -> Result<(), SendFrameError<S>>
134    where
135        S: Serializer,
136        S::Buffer: BufferMut;
137}
138
139impl<CC, BC, Meta> SendFrameContext<BC, Meta> for CC
140where
141    Meta: SendableFrameMeta<CC, BC>,
142{
143    fn send_frame<S>(
144        &mut self,
145        bindings_ctx: &mut BC,
146        metadata: Meta,
147        frame: S,
148    ) -> Result<(), SendFrameError<S>>
149    where
150        S: Serializer,
151        S::Buffer: BufferMut,
152    {
153        metadata.send_meta(self, bindings_ctx, frame)
154    }
155}
156
157/// The type of address used as the destination address in a device-layer frame.
158///
159/// `FrameDestination` is used to implement RFC 1122 section 3.2.2 and RFC 4443
160/// section 2.4.e, which govern when to avoid sending an ICMP error message for
161/// ICMP and ICMPv6 respectively.
162#[derive(Copy, Clone, Debug, Eq, PartialEq)]
163pub enum FrameDestination {
164    /// A unicast address - one which is neither multicast nor broadcast.
165    Individual {
166        /// Whether the frame's destination address belongs to the receiver.
167        local: bool,
168    },
169    /// A multicast address; if the addressing scheme supports overlap between
170    /// multicast and broadcast, then broadcast addresses should use the
171    /// `Broadcast` variant.
172    Multicast,
173    /// A broadcast address; if the addressing scheme supports overlap between
174    /// multicast and broadcast, then broadcast addresses should use the
175    /// `Broadcast` variant.
176    Broadcast,
177}
178
179impl FrameDestination {
180    /// Is this `FrameDestination::Broadcast`?
181    pub fn is_broadcast(self) -> bool {
182        self == FrameDestination::Broadcast
183    }
184
185    /// Creates a `FrameDestination` from a `mac` and `local_mac` destination.
186    pub fn from_dest(destination: Mac, local_mac: Mac) -> Self {
187        BroadcastAddr::new(destination)
188            .map(Into::into)
189            .or_else(|| MulticastAddr::new(destination).map(Into::into))
190            .unwrap_or_else(|| FrameDestination::Individual { local: destination == local_mac })
191    }
192}
193
194impl From<BroadcastAddr<Mac>> for FrameDestination {
195    fn from(_value: BroadcastAddr<Mac>) -> Self {
196        Self::Broadcast
197    }
198}
199
200impl From<MulticastAddr<Mac>> for FrameDestination {
201    fn from(_value: MulticastAddr<Mac>) -> Self {
202        Self::Multicast
203    }
204}
205
206/// The metadata required for a packet to get into the IP layer.
207pub struct RecvIpFrameMeta<D, M, I: Ip> {
208    /// The device on which the IP frame was received.
209    pub device: D,
210    /// The link-layer destination address from the link-layer frame, if any.
211    /// `None` if the IP frame originated above the link-layer (e.g. pure IP
212    /// devices).
213    // NB: In the future, this field may also be `None` to represent link-layer
214    // protocols without destination addresses (i.e. PPP), but at the moment no
215    // such protocols are supported.
216    pub frame_dst: Option<FrameDestination>,
217    /// Metadata that is produced and consumed by the IP layer but which traverses
218    /// the device layer through the loopback device.
219    pub ip_layer_metadata: M,
220    /// A marker for the Ip version in this frame.
221    pub marker: IpVersionMarker<I>,
222}
223
224impl<D, M, I: Ip> RecvIpFrameMeta<D, M, I> {
225    /// Creates a new `RecvIpFrameMeta` originating from `device` and `frame_dst`
226    /// option.
227    pub fn new(
228        device: D,
229        frame_dst: Option<FrameDestination>,
230        ip_layer_metadata: M,
231    ) -> RecvIpFrameMeta<D, M, I> {
232        RecvIpFrameMeta { device, frame_dst, ip_layer_metadata, marker: IpVersionMarker::new() }
233    }
234}
235
236/// A trait abstracting TX frame metadata when traversing the stack.
237///
238/// This trait allows for stack integration crate to define a single concrete
239/// enumeration for all the types of transport metadata that a socket can
240/// generate. Metadata is carried with all TX frames until they hit the device
241/// layer.
242///
243/// NOTE: This trait is implemented by *bindings*. Although the tx metadata
244/// never really leaves core, abstraction over bindings types are substantially
245/// more common so delegating this implementation to bindings avoids type
246/// parameter explosion.
247pub trait TxMetadataBindingsTypes {
248    /// The metadata associated with a TX frame.
249    ///
250    /// The `Default` impl yields the default, i.e. unspecified, metadata
251    /// instance.
252    type TxMetadata: Default + Debug + Send + Sync + 'static;
253}
254
255/// A core context providing tx metadata type conversion.
256///
257/// This trait is used to convert from a core-internal tx metadata type `T` to
258/// the metadata supported by bindings in `BT::TxMetadata`.
259pub trait CoreTxMetadataContext<T, BT: TxMetadataBindingsTypes> {
260    /// Converts the tx metadata `T` into the type set by bindings.
261    ///
262    /// Note that this method takes a `self` receiver so it's easily
263    /// implementable with uninstantiable types. The conversion is expected to
264    /// be stateless otherwise in all implementers.
265    fn convert_tx_meta(&self, tx_meta: T) -> BT::TxMetadata;
266}
267
268#[cfg(any(test, feature = "testutils"))]
269pub(crate) mod testutil {
270    use super::*;
271    use alloc::boxed::Box;
272    use alloc::vec::Vec;
273
274    use crate::testutil::FakeBindingsCtx;
275
276    /// A fake [`FrameContext`].
277    pub struct FakeFrameCtx<Meta> {
278        frames: Vec<(Meta, Vec<u8>)>,
279        should_error_for_frame:
280            Option<Box<dyn FnMut(&Meta) -> Option<SendFrameErrorReason> + Send>>,
281    }
282
283    impl<Meta> FakeFrameCtx<Meta> {
284        /// Closure which can decide to cause an error to be thrown when
285        /// handling a frame, based on the metadata.
286        pub fn set_should_error_for_frame<
287            F: Fn(&Meta) -> Option<SendFrameErrorReason> + Send + 'static,
288        >(
289            &mut self,
290            f: F,
291        ) {
292            self.should_error_for_frame = Some(Box::new(f));
293        }
294    }
295
296    impl<Meta> Default for FakeFrameCtx<Meta> {
297        fn default() -> FakeFrameCtx<Meta> {
298            FakeFrameCtx { frames: Vec::new(), should_error_for_frame: None }
299        }
300    }
301
302    impl<Meta> FakeFrameCtx<Meta> {
303        /// Take all frames sent so far.
304        pub fn take_frames(&mut self) -> Vec<(Meta, Vec<u8>)> {
305            core::mem::take(&mut self.frames)
306        }
307
308        /// Get the frames sent so far.
309        pub fn frames(&self) -> &[(Meta, Vec<u8>)] {
310            self.frames.as_slice()
311        }
312
313        /// Pushes a frame to the context.
314        pub fn push(&mut self, meta: Meta, frame: Vec<u8>) {
315            self.frames.push((meta, frame))
316        }
317    }
318
319    impl<Meta, BC> SendableFrameMeta<FakeFrameCtx<Meta>, BC> for Meta {
320        fn send_meta<S>(
321            self,
322            core_ctx: &mut FakeFrameCtx<Meta>,
323            _bindings_ctx: &mut BC,
324            frame: S,
325        ) -> Result<(), SendFrameError<S>>
326        where
327            S: Serializer,
328            S::Buffer: BufferMut,
329        {
330            if let Some(error) = core_ctx.should_error_for_frame.as_mut().and_then(|f| f(&self)) {
331                return Err(SendFrameError { serializer: frame, error });
332            }
333
334            let buffer = frame
335                .serialize_vec_outer()
336                .map_err(|(e, serializer)| SendFrameError { error: e.into(), serializer })?;
337            core_ctx.push(self, buffer.as_ref().to_vec());
338            Ok(())
339        }
340    }
341
342    /// A trait for abstracting contexts that may contain a [`FakeFrameCtx`].
343    pub trait WithFakeFrameContext<SendMeta> {
344        /// Calls the callback with a mutable reference to the [`FakeFrameCtx`].
345        fn with_fake_frame_ctx_mut<O, F: FnOnce(&mut FakeFrameCtx<SendMeta>) -> O>(
346            &mut self,
347            f: F,
348        ) -> O;
349    }
350
351    impl<SendMeta> WithFakeFrameContext<SendMeta> for FakeFrameCtx<SendMeta> {
352        fn with_fake_frame_ctx_mut<O, F: FnOnce(&mut FakeFrameCtx<SendMeta>) -> O>(
353            &mut self,
354            f: F,
355        ) -> O {
356            f(self)
357        }
358    }
359
360    impl<TimerId, Event: Debug, State, FrameMeta> TxMetadataBindingsTypes
361        for FakeBindingsCtx<TimerId, Event, State, FrameMeta>
362    {
363        type TxMetadata = FakeTxMetadata;
364    }
365
366    /// The fake metadata supported by [`FakeBindingsCtx`].
367    #[derive(Default, Debug, Copy, Clone, Eq, PartialEq, Ord, PartialOrd)]
368    pub struct FakeTxMetadata;
369}
370
371#[cfg(test)]
372mod tests {
373    use super::*;
374
375    use net_declare::net_mac;
376    use net_types::{UnicastAddr, Witness as _};
377
378    #[test]
379    fn frame_destination_from_dest() {
380        const LOCAL_ADDR: Mac = net_mac!("88:88:88:88:88:88");
381
382        assert_eq!(
383            FrameDestination::from_dest(
384                UnicastAddr::new(net_mac!("00:11:22:33:44:55")).unwrap().get(),
385                LOCAL_ADDR
386            ),
387            FrameDestination::Individual { local: false }
388        );
389        assert_eq!(
390            FrameDestination::from_dest(LOCAL_ADDR, LOCAL_ADDR),
391            FrameDestination::Individual { local: true }
392        );
393        assert_eq!(
394            FrameDestination::from_dest(Mac::BROADCAST, LOCAL_ADDR),
395            FrameDestination::Broadcast,
396        );
397        assert_eq!(
398            FrameDestination::from_dest(
399                MulticastAddr::new(net_mac!("11:11:11:11:11:11")).unwrap().get(),
400                LOCAL_ADDR
401            ),
402            FrameDestination::Multicast
403        );
404    }
405}