postcard_rpc/host_client/serial.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
use std::{collections::VecDeque, future::Future};
use cobs::encode_vec;
use postcard_schema::Schema;
use serde::de::DeserializeOwned;
use tokio::io::{AsyncReadExt, AsyncWriteExt, ReadHalf, WriteHalf};
use tokio_serial::{SerialPortBuilderExt, SerialStream};
use crate::{
accumulator::raw::{CobsAccumulator, FeedResult},
header::VarSeqKind,
host_client::{HostClient, WireRx, WireSpawn, WireTx},
};
/// # Serial Constructor Methods
///
/// These methods are used to create a new [HostClient] instance for use with tokio serial and cobs encoding.
///
/// **Requires feature**: `cobs-serial`
impl<WireErr> HostClient<WireErr>
where
WireErr: DeserializeOwned + Schema,
{
/// Create a new [HostClient]
///
/// `serial_path` is the path to the serial port used. `err_uri_path` is
/// the path associated with the `WireErr` message type.
///
/// This constructor is available when the `cobs-serial` feature is enabled.
///
/// ## Example
///
/// ```rust,no_run
/// use postcard_rpc::host_client::HostClient;
/// use postcard_rpc::header::VarSeqKind;
/// use serde::{Serialize, Deserialize};
/// use postcard_schema::Schema;
///
/// /// A "wire error" type your server can use to respond to any
/// /// kind of request, for example if deserializing a request fails
/// #[derive(Debug, PartialEq, Schema, Serialize, Deserialize)]
/// pub enum Error {
/// SomethingBad
/// }
///
/// let client = HostClient::<Error>::new_serial_cobs(
/// // the serial port path
/// "/dev/ttyACM0",
/// // the URI/path for `Error` messages
/// "error",
/// // Outgoing queue depth in messages
/// 8,
/// // Baud rate of serial (does not generally matter for
/// // USB UART/CDC-ACM serial connections)
/// 115_200,
/// // Use one-byte sequence numbers
/// VarSeqKind::Seq1,
/// );
/// ```
pub fn try_new_serial_cobs(
serial_path: &str,
err_uri_path: &str,
outgoing_depth: usize,
baud: u32,
seq_no_kind: VarSeqKind,
) -> Result<Self, String> {
let port = tokio_serial::new(serial_path, baud)
.open_native_async()
.map_err(|e| format!("Open Error: {e:?}"))?;
let (rx, tx) = tokio::io::split(port);
Ok(HostClient::new_with_wire(
SerialWireTx { tx },
SerialWireRx {
rx,
buf: Box::new([0u8; 1024]),
acc: Box::new(CobsAccumulator::new()),
pending: VecDeque::new(),
},
SerialSpawn,
seq_no_kind,
err_uri_path,
outgoing_depth,
))
}
/// Create a new [HostClient]
///
/// Panics if we couldn't open the serial port.
///
/// See [`HostClient::try_new_serial_cobs`] for more details
pub fn new_serial_cobs(
serial_path: &str,
err_uri_path: &str,
outgoing_depth: usize,
baud: u32,
seq_no_kind: VarSeqKind,
) -> Self {
Self::try_new_serial_cobs(serial_path, err_uri_path, outgoing_depth, baud, seq_no_kind)
.unwrap()
}
}
//////////////////////////////////////////////////////////////////////////////
// Wire Interface Implementation
//////////////////////////////////////////////////////////////////////////////
/// Tokio Serial Wire Interface Implementor
///
/// Uses Tokio for spawning tasks
struct SerialSpawn;
impl WireSpawn for SerialSpawn {
fn spawn(&mut self, fut: impl Future<Output = ()> + Send + 'static) {
// Explicitly drop the joinhandle as it impls Future and this makes
// clippy mad if you just let it drop implicitly
core::mem::drop(tokio::task::spawn(fut));
}
}
/// Tokio Serial Wire Transmit Interface Implementor
struct SerialWireTx {
// boq: Queue<Vec<u8>>,
tx: WriteHalf<SerialStream>,
}
#[derive(thiserror::Error, Debug)]
enum SerialWireTxError {
#[error("Transfer Error on Send")]
Transfer(#[from] std::io::Error),
}
impl WireTx for SerialWireTx {
type Error = SerialWireTxError;
#[inline]
fn send(&mut self, data: Vec<u8>) -> impl Future<Output = Result<(), Self::Error>> + Send {
self.send_inner(data)
}
}
impl SerialWireTx {
async fn send_inner(&mut self, data: Vec<u8>) -> Result<(), SerialWireTxError> {
// Turn the serialized message into a COBS encoded message
//
// TODO: this is a little wasteful, data is already a vec,
// then we encode that to a second cobs-encoded vec. Oh well.
let mut msg = encode_vec(&data);
msg.push(0);
// And send it!
self.tx.write_all(&msg).await?;
Ok(())
}
}
/// NUSB Wire Receive Interface Implementor
struct SerialWireRx {
rx: ReadHalf<SerialStream>,
buf: Box<[u8; 1024]>,
acc: Box<CobsAccumulator<1024>>,
pending: VecDeque<Vec<u8>>,
}
#[derive(thiserror::Error, Debug)]
enum SerialWireRxError {
#[error("Transfer Error on Recv")]
Transfer(#[from] std::io::Error),
}
impl WireRx for SerialWireRx {
type Error = SerialWireRxError;
#[inline]
fn receive(&mut self) -> impl Future<Output = Result<Vec<u8>, Self::Error>> + Send {
self.recv_inner()
}
}
impl SerialWireRx {
async fn recv_inner(&mut self) -> Result<Vec<u8>, SerialWireRxError> {
// Receive until we've gotten AT LEAST one message, though we will continue
// consuming and buffering any read (partial) messages, to ensure they are not lost.
loop {
// Do we have any messages already prepared?
if let Some(p) = self.pending.pop_front() {
return Ok(p);
}
// Nothing in the pending queue, do a read to see if we can pull more
// data from the serial port
let used = self.rx.read(self.buf.as_mut_slice()).await?;
let mut window = &self.buf[..used];
// This buffering loop is necessary as a single `read()` might include
// more than one message
'cobs: while !window.is_empty() {
window = match self.acc.feed(window) {
// Consumed the whole USB frame
FeedResult::Consumed => break 'cobs,
// Ignore line errors
FeedResult::OverFull(new_wind) => {
tracing::warn!("Overflowed COBS accumulator");
new_wind
}
FeedResult::DeserError(new_wind) => {
tracing::warn!("COBS formatting error");
new_wind
}
// We got a message! Attempt to dispatch it
FeedResult::Success { data, remaining } => {
// TODO hacky check: the minimum size of a message is 9 bytes,
// 8 for the header and one for the seq_no. Discard any "obviously"
// malformed messages.
if data.len() >= 9 {
self.pending.push_back(data.to_vec());
} else {
tracing::warn!("Ignoring too-short message: {} bytes", data.len());
}
remaining
}
};
}
}
}
}