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