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 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412
//! # Serial Multiplexor
//!
//! Allows the creation of virtual "ports" over a single serial link
//!
//! This module includes the service definition, client definition, as well
//! as a server definition that relies on the [`SimpleSerial`][crate::services::simple_serial]
//! service to provide the service implementation.
use core::time::Duration;
use crate::tracing::{debug, warn};
use crate::{
comms::{
bbq,
kchannel::{KChannel, KConsumer},
oneshot::Reusable,
},
registry::{Envelope, KernelHandle, Message, RegisteredDriver},
services::simple_serial::SimpleSerialClient,
Kernel,
};
use maitake::sync::Mutex;
use mnemos_alloc::containers::{Arc, FixedVec};
use sermux_proto::PortChunk;
use uuid::Uuid;
// Well known ports live in the sermux_proto crate
pub use sermux_proto::WellKnown;
////////////////////////////////////////////////////////////////////////////////
// Service Definition
////////////////////////////////////////////////////////////////////////////////
/// SerialMux is the registered driver type
pub struct SerialMuxService;
impl RegisteredDriver for SerialMuxService {
type Request = Request;
type Response = Response;
type Error = SerialMuxError;
const UUID: Uuid = crate::registry::known_uuids::kernel::SERIAL_MUX;
}
////////////////////////////////////////////////////////////////////////////////
// Message and Error Types
////////////////////////////////////////////////////////////////////////////////
pub enum Request {
RegisterPort { port_id: u16, capacity: usize },
}
pub enum Response {
PortRegistered(PortHandle),
}
#[derive(Debug, Eq, PartialEq)]
pub enum SerialMuxError {
DuplicateItem,
RegistryFull,
}
/// A `PortHandle` is the interface received after opening a virtual serial port
/// using a [`SerialMuxClient`].
pub struct PortHandle {
port: u16,
cons: bbq::Consumer,
outgoing: bbq::MpscProducer,
max_frame: usize,
}
////////////////////////////////////////////////////////////////////////////////
// Client Definition
////////////////////////////////////////////////////////////////////////////////
/// A `SerialMuxClient` is the client interface of the [`SerialMuxService`].
///
/// This client allows opening virtual serial ports, returning a [`PortHandle`]
/// representing the opened port.
pub struct SerialMuxClient {
prod: KernelHandle<SerialMuxService>,
reply: Reusable<Envelope<Result<Response, SerialMuxError>>>,
}
impl SerialMuxClient {
/// Obtain a `SerialMuxClient`
///
/// If the [`SerialMuxServer`] hasn't been registered yet, we will retry until it has been
pub async fn from_registry(kernel: &'static Kernel) -> Self {
loop {
match SerialMuxClient::from_registry_no_retry(kernel).await {
Some(port) => return port,
None => {
// SerialMux probably isn't registered yet. Try again in a bit
kernel.sleep(Duration::from_millis(10)).await;
}
}
}
}
/// Obtain a `SerialMuxClient`
///
/// Does NOT attempt to get a [`SerialMuxServer`] handle more than once.
///
/// Prefer [`SerialMuxClient::from_registry`] unless you will not be spawning one
/// around the same time as obtaining a client.
pub async fn from_registry_no_retry(kernel: &'static Kernel) -> Option<Self> {
let prod = kernel
.with_registry(|reg| reg.get::<SerialMuxService>())
.await?;
Some(SerialMuxClient {
prod,
reply: Reusable::new_async().await,
})
}
pub async fn open_port(&mut self, port_id: u16, capacity: usize) -> Option<PortHandle> {
let resp = self
.prod
.request_oneshot(Request::RegisterPort { port_id, capacity }, &self.reply)
.await
.ok()?;
let body = resp.body.ok()?;
let Response::PortRegistered(port) = body;
Some(port)
}
}
impl PortHandle {
/// Helper method if you only need to open one port.
///
/// Same as calling [SerialMuxClient::from_registry()] then immediately calling
/// [SerialMuxClient::open_port()].
///
/// If you need to open multiple ports at once, probably get a [SerialMuxClient] instead
/// to reuse it for both ports
pub async fn open(kernel: &'static Kernel, port_id: u16, capacity: usize) -> Option<Self> {
let mut client = SerialMuxClient::from_registry(kernel).await;
client.open_port(port_id, capacity).await
}
pub fn port(&self) -> u16 {
self.port
}
pub fn consumer(&self) -> &bbq::Consumer {
&self.cons
}
pub async fn send(&self, data: &[u8]) {
// This is lazy, and could probably be done with bigger chunks.
let msg_chunk = self.max_frame / 2;
for chunk in data.chunks(msg_chunk) {
let pc = PortChunk::new(self.port, chunk);
let needed = pc.buffer_required();
let mut wgr = self.outgoing.send_grant_exact(needed).await;
let used = pc
.encode_to(&mut wgr)
.expect("sermux encoding should not fail")
.len();
wgr.commit(used);
}
}
}
////////////////////////////////////////////////////////////////////////////////
// Server Definition
////////////////////////////////////////////////////////////////////////////////
/// Server implementation for the [`SerialMuxService`].
pub struct SerialMuxServer;
impl SerialMuxServer {
/// Register the `SerialMuxServer`.
///
/// Will retry to obtain a [`SimpleSerialClient`] until success.
pub async fn register(
kernel: &'static Kernel,
max_ports: usize,
max_frame: usize,
) -> Result<(), RegistrationError> {
loop {
match SerialMuxServer::register_no_retry(kernel, max_ports, max_frame).await {
Ok(_) => break,
Err(RegistrationError::SerialPortNotFound) => {
// Uart probably isn't registered yet. Try again in a bit
kernel.sleep(Duration::from_millis(10)).await;
}
Err(e) => {
panic!("uhhhh {e:?}");
}
}
}
Ok(())
}
/// Register the SerialMuxServer.
///
/// Does NOT attempt to obtain a [`SimpleSerialClient`] more than once.
///
/// Prefer [`SerialMuxServer::register`] unless you will not be spawning one around
/// the same time as registering this server.
pub async fn register_no_retry(
kernel: &'static Kernel,
max_ports: usize,
max_frame: usize,
) -> Result<(), RegistrationError> {
let mut serial_handle = SimpleSerialClient::from_registry(kernel)
.await
.ok_or(RegistrationError::SerialPortNotFound)?;
let serial_port = serial_handle
.get_port()
.await
.ok_or(RegistrationError::NoSerialPortAvailable)?;
let (sprod, scons) = serial_port.split();
let sprod = sprod.into_mpmc_producer().await;
let ports = FixedVec::new(max_ports).await;
let imutex = Arc::new(Mutex::new(MuxingInfo { ports, max_frame })).await;
let (cmd_prod, cmd_cons) = KChannel::new_async(max_ports).await.split();
let buf = FixedVec::new(max_frame).await;
let commander = CommanderTask {
cmd: cmd_cons,
out: sprod,
mux: imutex.clone(),
};
let muxer = IncomingMuxerTask {
incoming: scons,
mux: imutex,
buf,
};
kernel.spawn(commander.run()).await;
kernel
.spawn(async move {
muxer.run().await;
})
.await;
kernel
.with_registry(|reg| reg.register_konly::<SerialMuxService>(&cmd_prod))
.await
.map_err(|_| RegistrationError::MuxAlreadyRegistered)?;
Ok(())
}
}
#[derive(Debug, Eq, PartialEq)]
pub enum RegistrationError {
SerialPortNotFound,
NoSerialPortAvailable,
MuxAlreadyRegistered,
}
struct PortInfo {
port: u16,
upstream: bbq::SpscProducer,
}
struct MuxingInfo {
ports: FixedVec<PortInfo>,
max_frame: usize,
}
struct CommanderTask {
cmd: KConsumer<Message<SerialMuxService>>,
out: bbq::MpscProducer,
mux: Arc<Mutex<MuxingInfo>>,
}
struct IncomingMuxerTask {
buf: FixedVec<u8>,
incoming: bbq::Consumer,
mux: Arc<Mutex<MuxingInfo>>,
}
impl MuxingInfo {
async fn register_port(
&mut self,
port_id: u16,
capacity: usize,
outgoing: &bbq::MpscProducer,
) -> Result<PortHandle, SerialMuxError> {
if self.ports.is_full() {
return Err(SerialMuxError::RegistryFull);
}
if self.ports.as_slice().iter().any(|p| p.port == port_id) {
return Err(SerialMuxError::DuplicateItem);
}
let (prod, cons) = bbq::new_spsc_channel(capacity).await;
self.ports
.try_push(PortInfo {
port: port_id,
upstream: prod,
})
.map_err(|_| SerialMuxError::RegistryFull)?;
let ph = PortHandle {
port: port_id,
cons,
outgoing: outgoing.clone(),
max_frame: self.max_frame,
};
Ok(ph)
}
}
// impl CommanderTask
impl CommanderTask {
async fn run(self) {
loop {
let msg = self.cmd.dequeue_async().await.map_err(drop).unwrap();
let Message { msg: req, reply } = msg;
match req.body {
Request::RegisterPort { port_id, capacity } => {
let res = {
let mut mux = self.mux.lock().await;
mux.register_port(port_id, capacity, &self.out).await
}
.map(Response::PortRegistered);
let resp = req.reply_with(res);
reply.reply_konly(resp).await.map_err(drop).unwrap();
}
}
}
}
}
// impl IncomingMuxerTask
impl IncomingMuxerTask {
async fn run(mut self) {
loop {
let mut rgr = self.incoming.read_grant().await;
let mut used = 0;
for ch in rgr.split_inclusive_mut(|&num| num == 0) {
used += ch.len();
if ch.last() != Some(&0) {
// This is the last chunk, and it doesn't end with a zero.
// just add it to the accumulator, if we can.
if self.buf.try_extend_from_slice(ch).is_err() {
warn!("Overfilled accumulator");
self.buf.clear();
}
// Either we overfilled, or this was the last data. Move on.
continue;
}
// Okay, we know that we have a zero terminated item. Do we have anything residual?
let buf = if self.buf.as_slice().is_empty() {
// Yes, no pending data, just use the current chunk
ch
} else {
// We have residual data, we need to copy the chunk to the end of the buffer
if self.buf.try_extend_from_slice(ch).is_err() {
warn!("Overfilled accumulator");
self.buf.clear();
continue;
}
self.buf.as_slice_mut()
};
// Great! Now decode the cobs message in place.
let used = match cobs::decode_in_place(buf) {
Ok(u) if u < 3 => {
warn!("Cobs decode too short!");
continue;
}
Ok(u) => u,
Err(_) => {
warn!("Cobs decode failed!");
continue;
}
};
let mut port = [0u8; 2];
let (portb, datab) = buf[..used].split_at(2);
port.copy_from_slice(portb);
let port_id = u16::from_le_bytes(port);
// Great, now we have a message! Let's see if we have someone listening to this port
let mux = self.mux.lock().await;
if let Some(port) = mux.ports.as_slice().iter().find(|p| p.port == port_id) {
if let Some(mut wgr) = port.upstream.send_grant_exact_sync(datab.len()) {
wgr.copy_from_slice(datab);
wgr.commit(datab.len());
debug!(port_id, len = datab.len(), "Sent bytes to port");
} else {
warn!(port_id, len = datab.len(), "Discarded bytes, full buffer");
}
} else {
warn!(port_id, len = datab.len(), "Discarded bytes, no consumer");
}
}
rgr.release(used);
debug!(used, "processed incoming bytes");
}
}
}