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 362 363 364 365 366 367
// Licensed under the Apache License, Version 2.0 or the MIT License.
// SPDX-License-Identifier: Apache-2.0 OR MIT
// Copyright Tock Contributors 2022.
//! This file contains the definition and implementation for a virtualized UDP
//! sending interface. The [UDPSender](trait.UDPSender.html) trait provides
//! an interface for kernel capsules to send a UDP packet, and the
//! [UDPSendClient](trait.UDPSendClient.html) trait is implemented by
//! upper layer clients to allow them to receive `send_done` callbacks once
//! transmission has completed.
//! In order to virtualize between both apps and kernel capsules, this file
//! uses a MuxUdpSender which treats the userspace UDP driver as a kernel capsule
//! with a special capability that allows it to bind to arbitrary ports. Therefore
//! the correctness of port binding / packet transmission/delivery is also dependent
//! on the port binding logic in the driver being correct.
//! The MuxUdpSender acts as a FIFO queue for transmitted packets, with each capsule being allowed
//! a single outstanding / unsent packet at a time.
//! Because the userspace driver is viewed by the MuxUdpSender as being a single capsule,
//! the userspace driver must queue app packets on its own, as it can only pass a single
//! packet to the MuxUdpSender queue at a time.
use crate::net::ipv6::ip_utils::IPAddr;
use crate::net::ipv6::ipv6_send::{IP6SendClient, IP6Sender};
use crate::net::ipv6::TransportHeader;
use crate::net::network_capabilities::{NetworkCapability, UdpVisibilityCapability};
use crate::net::udp::udp_port_table::UdpPortBindingTx;
use crate::net::udp::UDPHeader;
use core::cell::Cell;
use kernel::capabilities::UdpDriverCapability;
use kernel::collections::list::{List, ListLink, ListNode};
use kernel::debug;
use kernel::utilities::cells::{MapCell, OptionalCell};
use kernel::utilities::leasable_buffer::SubSliceMut;
use kernel::ErrorCode;
pub struct MuxUdpSender<'a, T: IP6Sender<'a>> {
sender_list: List<'a, UDPSendStruct<'a, T>>,
ip_sender: &'a dyn IP6Sender<'a>,
}
impl<'a, T: IP6Sender<'a>> MuxUdpSender<'a, T> {
pub fn new(ip6_sender: &'a dyn IP6Sender<'a>) -> MuxUdpSender<'a, T> {
// similar to UdpSendStruct new()
MuxUdpSender {
sender_list: List::new(),
ip_sender: ip6_sender,
}
}
fn send_to(
&self,
dest: IPAddr,
transport_header: TransportHeader,
caller: &'a UDPSendStruct<'a, T>,
net_cap: &'static NetworkCapability,
) -> Result<(), ErrorCode> {
// Add this sender to the tail of the sender_list
let list_empty = self.sender_list.head().is_none();
self.add_client(caller);
let mut ret = Ok(());
// If list empty, initiate send immediately, and return result.
// Otherwise, packet is queued.
if list_empty {
ret = match caller.tx_buffer.take() {
Some(buf) => {
let ret = self
.ip_sender
.send_to(dest, transport_header, &buf, net_cap);
caller.tx_buffer.replace(buf); //Replace buffer as soon as sent.
ret
}
None => {
debug!("No buffer available to take.");
Err(ErrorCode::FAIL)
}
}
} else {
caller.net_cap.replace(net_cap); //store capability with sender
}
ret
}
fn add_client(&self, sender: &'a UDPSendStruct<'a, T>) {
self.sender_list.push_tail(sender);
}
}
/// This function implements the `IP6SendClient` trait for the `UDPSendStruct`,
/// and is necessary to receive callbacks from the lower (IP) layer. When
/// the UDP layer receives this callback, it forwards it to the `UDPSendClient`.
impl<'a, T: IP6Sender<'a>> IP6SendClient for MuxUdpSender<'a, T> {
fn send_done(&self, result: Result<(), ErrorCode>) {
let last_sender = self.sender_list.pop_head();
let next_sender_option = self.sender_list.head(); // must check here, because udp driver
// could queue addl. sends in response to
// send_done.
last_sender.map(|last_sender| {
last_sender
.client
.map(|client| match last_sender.tx_buffer.take() {
Some(buf) => {
client.send_done(result, buf);
}
None => {
debug!("ERROR: Missing buffer in send done.");
}
})
});
let success = match next_sender_option {
Some(next_sender) => {
//send next packet in queue
match next_sender.tx_buffer.take() {
Some(buf) => match next_sender.next_th.take() {
Some(th) => match next_sender.net_cap.take() {
Some(net_cap) => {
let ret = self.ip_sender.send_to(
next_sender.next_dest.get(),
th,
&buf,
net_cap,
);
next_sender.tx_buffer.replace(buf);
if ret != Ok(()) {
debug!("IP send_to failed: {:?}", ret);
}
ret
}
None => Err(ErrorCode::FAIL),
},
None => {
debug!("Missing transport header.");
Err(ErrorCode::FAIL)
}
},
None => {
debug!("No buffer available to take.");
Err(ErrorCode::FAIL)
}
}
}
None => Ok(()), //No more packets queued.
};
if success != Ok(()) {
debug!("Error in udp_send send_done() callback.");
}
}
}
/// The `send_done` function in this trait is invoked after the UDPSender
/// has completed sending the requested packet. Note that the
/// `UDPSender::set_client` method must be called to set the client.
pub trait UDPSendClient {
fn send_done(&self, result: Result<(), ErrorCode>, dgram: SubSliceMut<'static, u8>);
}
/// This trait represents the bulk of the UDP functionality. The two
/// variants of sending a packet (either via the `send_to` or `send` methods)
/// represent whether the caller wants to construct a custom `UDPHeader` or
/// not. Calling `send_to` tells the UDP layer to construct a default
/// `UDPHeader` and forward the payload to the respective destination and port.
pub trait UDPSender<'a> {
/// This function sets the client for the `UDPSender` instance
///
/// # Arguments
/// `client` - Implementation of `UDPSendClient` to be set as the client
/// for the `UDPSender` instance
fn set_client(&self, client: &'a dyn UDPSendClient);
/// This function constructs a `UDPHeader` and sends the payload to the
/// provided destination IP address and
/// destination port from the src port contained in the UdpPortBindingTx.
///
/// # Arguments
/// `dest` - IPv6 address to send the UDP packet to
/// `dst_port` - Destination port to send the packet to
/// `buf` - UDP payload
/// `binding` - type that specifies what port the sender is bound to.
///
/// # Return Value
/// Any synchronous errors are returned via the returned `Result<(), ErrorCode>`
/// value; asynchronous errors are delivered via the callback.
fn send_to(
&'a self,
dest: IPAddr,
dst_port: u16,
//src_port: u16,
buf: SubSliceMut<'static, u8>,
net_cap: &'static NetworkCapability,
) -> Result<(), SubSliceMut<'static, u8>>;
/// This function is identical to `send_to()` except that it takes in
/// an explicit src_port instead of a binding. This allows it to be used
/// by the userspace driver, above which apps are bound to multiple ports
///
/// # Arguments
/// `dest` - IPv6 address to send the UDP packet to
/// `dst_port` - Destination port to send the packet to
/// `src_port` - Port to send the packet from
/// `buf` - UDP payload
///
/// # Return Value
/// Any synchronous errors are returned via the returned `Result<(), ErrorCode>`
/// value; asynchronous errors are delivered via the callback.
fn driver_send_to(
&'a self,
dest: IPAddr,
dst_port: u16,
src_port: u16,
buf: SubSliceMut<'static, u8>,
driver_send_cap: &dyn UdpDriverCapability,
net_cap: &'static NetworkCapability,
) -> Result<(), SubSliceMut<'static, u8>>;
/// This function constructs an IP packet from the completed `UDPHeader`
/// and buffer, and sends it to the provided IP address
///
/// # Arguments
/// `dest` - IP address to send the UDP packet to
/// `udp_header` - Completed UDP header to be sent to the destination
/// `buf` - A byte array containing the UDP payload
///
/// # Return Value
/// Returns any synchronous errors or success. Note that any asynchrounous
/// errors are returned via the callback.
fn send(
&'a self,
dest: IPAddr,
udp_header: UDPHeader,
buf: SubSliceMut<'static, u8>,
net_cap: &'static NetworkCapability,
) -> Result<(), SubSliceMut<'static, u8>>;
fn get_binding(&self) -> Option<UdpPortBindingTx>;
fn is_bound(&self) -> bool;
fn set_binding(&self, binding: UdpPortBindingTx) -> Option<UdpPortBindingTx>;
}
/// This is a specific instantiation of the `UDPSender` trait. Note
/// that this struct contains a reference to an `IP6Sender` which it
/// forwards packets to (and receives callbacks from).
pub struct UDPSendStruct<'a, T: IP6Sender<'a>> {
udp_mux_sender: &'a MuxUdpSender<'a, T>,
client: OptionalCell<&'a dyn UDPSendClient>,
next: ListLink<'a, UDPSendStruct<'a, T>>,
tx_buffer: MapCell<SubSliceMut<'static, u8>>,
next_dest: Cell<IPAddr>,
next_th: OptionalCell<TransportHeader>,
binding: MapCell<UdpPortBindingTx>,
udp_vis: &'static UdpVisibilityCapability,
net_cap: OptionalCell<&'static NetworkCapability>,
}
impl<'a, T: IP6Sender<'a>> ListNode<'a, UDPSendStruct<'a, T>> for UDPSendStruct<'a, T> {
fn next(&'a self) -> &'a ListLink<'a, UDPSendStruct<'a, T>> {
&self.next
}
}
/// Below is the implementation of the `UDPSender` traits for the
/// `UDPSendStruct`.
impl<'a, T: IP6Sender<'a>> UDPSender<'a> for UDPSendStruct<'a, T> {
fn set_client(&self, client: &'a dyn UDPSendClient) {
self.client.set(client);
}
fn send_to(
&'a self,
dest: IPAddr,
dst_port: u16,
buf: SubSliceMut<'static, u8>,
net_cap: &'static NetworkCapability,
) -> Result<(), SubSliceMut<'static, u8>> {
let mut udp_header = UDPHeader::new();
udp_header.set_dst_port(dst_port);
match self.binding.take() {
Some(binding) => {
if !net_cap.remote_port_valid(dst_port, self.udp_vis)
|| !net_cap.local_port_valid(binding.get_port(), self.udp_vis)
{
self.binding.replace(binding);
Err(buf)
} else if binding.get_port() == 0 {
self.binding.replace(binding);
Err(buf)
} else {
udp_header.set_src_port(binding.get_port());
self.binding.replace(binding);
self.send(dest, udp_header, buf, net_cap)
}
}
None => Err(buf),
}
}
// TODO: different capabilities for driver_send_to?
fn driver_send_to(
&'a self,
dest: IPAddr,
dst_port: u16,
src_port: u16,
buf: SubSliceMut<'static, u8>,
_driver_send_cap: &dyn UdpDriverCapability,
net_cap: &'static NetworkCapability,
) -> Result<(), SubSliceMut<'static, u8>> {
let mut udp_header = UDPHeader::new();
udp_header.set_dst_port(dst_port);
udp_header.set_src_port(src_port);
self.send(dest, udp_header, buf, net_cap)
}
fn send(
&'a self,
dest: IPAddr,
mut udp_header: UDPHeader,
buf: SubSliceMut<'static, u8>,
net_cap: &'static NetworkCapability,
) -> Result<(), SubSliceMut<'static, u8>> {
udp_header.set_len((buf.len() + udp_header.get_hdr_size()) as u16);
let transport_header = TransportHeader::UDP(udp_header);
self.tx_buffer.replace(buf);
self.next_dest.replace(dest);
self.next_th.replace(transport_header); // th = transport header
match self
.udp_mux_sender
.send_to(dest, transport_header, self, net_cap)
{
Ok(()) => Ok(()),
_ => Err(self.tx_buffer.take().unwrap()),
}
}
fn get_binding(&self) -> Option<UdpPortBindingTx> {
self.binding.take()
}
fn is_bound(&self) -> bool {
self.binding.is_some()
}
fn set_binding(&self, binding: UdpPortBindingTx) -> Option<UdpPortBindingTx> {
self.binding.replace(binding)
}
}
impl<'a, T: IP6Sender<'a>> UDPSendStruct<'a, T> {
pub fn new(
udp_mux_sender: &'a MuxUdpSender<'a, T>, /*binding: UdpPortBindingTx*/
udp_vis: &'static UdpVisibilityCapability,
) -> UDPSendStruct<'a, T> {
UDPSendStruct {
udp_mux_sender,
client: OptionalCell::empty(),
next: ListLink::empty(),
tx_buffer: MapCell::empty(),
next_dest: Cell::new(IPAddr::new()),
next_th: OptionalCell::empty(),
binding: MapCell::empty(),
udp_vis,
net_cap: OptionalCell::empty(),
}
}
}