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
//! # sermux-proto
//!
//! Wire types used by the `SerialMuxService` in the kernel. Extracted as a
//! separate crate to allow external decoders (like `crowtty`) to share protocol
//! definitions
#![cfg_attr(not(any(test, feature = "use-std")), no_std)]
use core::{fmt::Display, mem::size_of};
////////////////////////////////////////////////////////////////////////////////
// Well Known Ports
////////////////////////////////////////////////////////////////////////////////
/// Well known `SerialMuxService` ports
#[repr(u16)]
#[non_exhaustive]
pub enum WellKnown {
/// A bidirectional loopback channel - echos all characters back
Loopback = 0,
/// An output-only channel for sending periodic sign of life messages
HelloWorld = 1,
/// An input-only channel to act as a keyboard for a GUI application
/// such as a forth console, when there is no hardware keyboard available.
///
/// Unlike the ForthShell ports, which serve as ssh/telnet like bidirectional
/// items, PseudoKeyboard is only used to receive the input, as the output is
/// shown on a graphical terminal
PseudoKeyboard = 2,
/// A bidirectional for binary encoded tracing messages
BinaryTracing = 3,
/// A bidirectional interactive forth shell (1/4)
ForthShell0 = 10,
/// A bidirectional interactive forth shell (2/4)
ForthShell1 = 11,
/// A bidirectional interactive forth shell (3/4)
ForthShell2 = 12,
/// A bidirectional interactive forth shell (4/4)
ForthShell3 = 13,
}
impl From<WellKnown> for u16 {
fn from(port: WellKnown) -> Self {
port as u16
}
}
#[derive(Debug, PartialEq, Copy, Clone)]
pub enum EncodeError {
/// The provided buffer is not suitable in size
InsufficientSize,
/// Ran out of room while filling a buffer, this is likely
/// an error in the `sermux-proto` library.
UnexpectedBufferFull,
}
impl Display for EncodeError {
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
let st = match self {
EncodeError::InsufficientSize => "InsufficientSize",
EncodeError::UnexpectedBufferFull => "UnexpectedBufferFull",
};
f.write_str(st)
}
}
#[derive(Debug, PartialEq, Copy, Clone)]
pub enum DecodeError {
/// The cobs decoding process failed. The message was likely
/// malformed or not a sermux-proto frame
CobsDecodeFailed,
/// Cobs decoding succeeded, but the resulting data was not
/// a valid sermux-proto frame
MalformedFrame,
}
impl Display for DecodeError {
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
let st = match self {
DecodeError::CobsDecodeFailed => "CobsDecodeFailed",
DecodeError::MalformedFrame => "MalformedFrame",
};
f.write_str(st)
}
}
#[derive(Debug, PartialEq)]
pub struct PortChunk<'a> {
pub port: u16,
pub chunk: &'a [u8],
}
impl<'a> PortChunk<'a> {
/// Create a new PortChunk from the given port and data
#[inline]
pub fn new(port: impl Into<u16>, chunk: &'a [u8]) -> Self {
Self {
port: port.into(),
chunk,
}
}
/// Calculate the size required to encode the given data payload size
#[inline]
#[must_use]
pub fn buffer_required(&self) -> usize {
// Room for COBS(port:u16 + data:[u8; len]) plus a terminating zero
cobs::max_encoding_length(self.chunk.len() + size_of::<u16>() + 1)
}
/// Encodes the current [PortChunk] into the given buffer
pub fn encode_to<'b>(&self, out_buf: &'b mut [u8]) -> Result<&'b mut [u8], EncodeError> {
let PortChunk { port, chunk } = self;
if out_buf.len() < self.buffer_required() {
return Err(EncodeError::InsufficientSize);
}
let mut encoder = cobs::CobsEncoder::new(out_buf);
encoder
.push(&port.to_le_bytes())
.map_err(|_| EncodeError::UnexpectedBufferFull)?;
encoder
.push(chunk)
.map_err(|_| EncodeError::UnexpectedBufferFull)?;
let used = encoder
.finalize()
.map_err(|_| EncodeError::UnexpectedBufferFull)?;
// Get the encoded amount, with room for an extra zero terminator
let res = out_buf
.get_mut(..used + 1)
.ok_or(EncodeError::UnexpectedBufferFull)?;
res[used] = 0;
Ok(res)
}
/// Decodes a [PortChunk] from the given buffer
///
/// NOTE: This MAY mutate `data`, even if the decoding fails.
pub fn decode_from(data: &'a mut [u8]) -> Result<Self, DecodeError> {
let dec_len = cobs::decode_in_place(data).map_err(|_| DecodeError::CobsDecodeFailed)?;
// Messages must have a port and at least one data byte to be
// well formed
if dec_len < (size_of::<u16>() + 1) {
return Err(DecodeError::MalformedFrame);
}
let frame = data.get(..dec_len).ok_or(DecodeError::MalformedFrame)?;
let mut port_bytes = [0u8; size_of::<u16>()];
let (port_data, chunk) = frame.split_at(size_of::<u16>());
port_bytes.copy_from_slice(port_data);
let port = u16::from_le_bytes(port_bytes);
Ok(PortChunk { port, chunk })
}
/// Convert into an [OwnedPortChunk]
///
/// Only available with the `use-std` feature active
#[cfg(feature = "use-std")]
pub fn into_owned(self) -> OwnedPortChunk {
OwnedPortChunk {
port: self.port,
chunk: self.chunk.to_vec(),
}
}
}
/// Like [PortChunk], but owns the storage instead
///
/// Only available with the `use-std` feature active
#[cfg(any(feature = "use-std", test))]
pub struct OwnedPortChunk {
pub port: u16,
pub chunk: Vec<u8>,
}
#[cfg(any(feature = "use-std", test))]
impl OwnedPortChunk {
/// Create a new OwnedPortChunk from the given port and data
#[inline]
#[must_use]
pub fn new(port: u16, chunk: Vec<u8>) -> Self {
Self { port, chunk }
}
/// Calculate the size required to encode the given data payload size
#[inline]
#[must_use]
pub fn buffer_required(&self) -> usize {
// Room for COBS(port:u16 + data:[u8; len]) plus a terminating zero
cobs::max_encoding_length(self.chunk.len() + size_of::<u16>() + 1)
}
/// Encodes the current [PortChunk] into the given buffer
pub fn encode_to<'b>(&self, out_buf: &'b mut [u8]) -> Result<&'b mut [u8], EncodeError> {
let pc = self.as_port_chunk();
pc.encode_to(out_buf)
}
/// Decodes an [OwnedPortChunk] from the given buffer
///
/// Unlike [PortChunk::decode_from], this will not mutate the given buffer.
pub fn decode(data: &[u8]) -> Result<Self, DecodeError> {
let mut data = data.to_vec();
let pc = PortChunk::decode_from(&mut data)?;
let port = pc.port;
Ok(OwnedPortChunk {
port,
chunk: pc.chunk.to_vec(),
})
}
/// Borrows self as a [PortChunk]
pub fn as_port_chunk(&self) -> PortChunk<'_> {
PortChunk {
port: self.port,
chunk: &self.chunk,
}
}
}
#[cfg(test)]
mod test {
use super::*;
use proptest::{arbitrary::any, collection::vec, prop_assert_eq, proptest};
#[test]
fn len_calc_right() {
let data = [1, 2, 3, 4];
let pc = PortChunk::new(0x4269u16, &data);
let reqd = pc.buffer_required();
assert_eq!(8, reqd);
let mut buf = [0u8; 8];
let res = pc.encode_to(&mut buf).unwrap();
assert_eq!(&[7, 0x69, 0x42, 1, 2, 3, 4, 0], res);
let data = [1u8; 256];
let pc = PortChunk::new(0x4269u16, &data);
let reqd = pc.buffer_required();
assert_eq!(261, reqd);
let mut buf = [0u8; 261];
let res = pc.encode_to(&mut buf).unwrap();
assert_eq!(res.len(), 261);
}
#[test]
fn too_short() {
// ONLY cobs delim (zero size)
let mut data = [0];
assert_eq!(
PortChunk::decode_from(&mut data),
Err(DecodeError::MalformedFrame)
);
// cobs header + delim (zero size)
let mut data = [1, 0];
assert_eq!(
PortChunk::decode_from(&mut data),
Err(DecodeError::MalformedFrame)
);
// cobs header + 1 data byte
let mut data = [1, 1, 0];
assert_eq!(
PortChunk::decode_from(&mut data),
Err(DecodeError::MalformedFrame)
);
// cobs header + 2 data byte
let mut data = [1, 1, 1, 0];
assert_eq!(
PortChunk::decode_from(&mut data),
Err(DecodeError::MalformedFrame)
);
// cobs header + 3 data byte (2 byte port, 1 byte chunk)
let mut data = [1, 1, 1, 1, 0];
let _ = PortChunk::decode_from(&mut data).unwrap();
}
#[test]
fn bad_cobs() {
// cobs pointer goes past the end
let mut data = [100, 2, 3, 0];
assert_eq!(
PortChunk::decode_from(&mut data),
Err(DecodeError::CobsDecodeFailed)
);
// secondary cobs pointer goes past the end
let mut data = [2, 2, 2, 0];
assert_eq!(
PortChunk::decode_from(&mut data),
Err(DecodeError::CobsDecodeFailed)
);
}
proptest! {
#[test]
fn round_trip(port in any::<u16>(), ref chunk in vec(any::<u8>(), 1..256)) {
let pc = PortChunk {
port,
chunk,
};
let mut buf = (0..pc.buffer_required()).map(|_| 0u8).collect::<Vec<_>>();
let enc = pc.encode_to(&mut buf).unwrap();
let dec = PortChunk::decode_from(enc).unwrap();
prop_assert_eq!(dec.port, port);
prop_assert_eq!(&dec.chunk, chunk);
}
#[test]
fn owned_round_trip(port in any::<u16>(), ref chunk in vec(any::<u8>(), 1..256)) {
let pc = PortChunk {
port,
chunk,
};
let mut buf = (0..pc.buffer_required()).map(|_| 0u8).collect::<Vec<_>>();
let enc = pc.encode_to(&mut buf).unwrap();
let dec = OwnedPortChunk::decode(enc).unwrap();
prop_assert_eq!(dec.port, port);
prop_assert_eq!(&dec.chunk, chunk);
}
}
}