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 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463
//! A postcard-rpc host client
//!
//! This library is meant to be used with the `Dispatch` type and the
//! postcard-rpc wire protocol.
use std::{
collections::HashMap,
marker::PhantomData,
sync::{
atomic::{AtomicU32, Ordering},
Arc,
},
};
use crate::{
accumulator::raw::{CobsAccumulator, FeedResult},
headered::extract_header_from_bytes,
Endpoint, Key, Topic, WireHeader,
};
use cobs::encode_vec;
use maitake_sync::{
wait_map::{WaitError, WakeOutcome},
WaitMap,
};
use postcard::experimental::schema::Schema;
use serde::{de::DeserializeOwned, Serialize};
use tokio::{
io::{AsyncReadExt, AsyncWriteExt},
select,
sync::mpsc::{Receiver, Sender},
};
use tokio_serial::{SerialPortBuilderExt, SerialStream};
/// Host Error Kind
#[derive(Debug, PartialEq)]
pub enum HostErr<WireErr> {
/// An error of the user-specified wire error type
Wire(WireErr),
/// We got a response that didn't match the expected value or the
/// user specified wire error type
BadResponse,
/// Deserialization of the message failed
Postcard(postcard::Error),
/// The interface has been closed, and no further messages are possible
Closed,
}
impl<T> From<postcard::Error> for HostErr<T> {
fn from(value: postcard::Error) -> Self {
Self::Postcard(value)
}
}
impl<T> From<WaitError> for HostErr<T> {
fn from(_: WaitError) -> Self {
Self::Closed
}
}
async fn cobs_wire_worker(mut port: SerialStream, ctx: WireContext) {
let mut buf = [0u8; 1024];
let mut acc = CobsAccumulator::<1024>::new();
let mut subs: HashMap<Key, Sender<RpcFrame>> = HashMap::new();
let WireContext {
mut outgoing,
incoming,
mut new_subs,
} = ctx;
loop {
// Wait for EITHER a serialized request, OR some data from the embedded device
select! {
sub = new_subs.recv() => {
let Some(si) = sub else {
return;
};
subs.insert(si.key, si.tx);
}
out = outgoing.recv() => {
// Receiver returns None when all Senders have hung up
let Some(msg) = out else {
return;
};
// Turn the serialized message into a COBS encoded message
//
// TODO: this is a little wasteful, payload is already a vec,
// then we serialize it to a second vec, then encode that to
// a third cobs-encoded vec. Oh well.
let msg = msg.to_bytes();
let mut msg = encode_vec(&msg);
msg.push(0);
// And send it!
if port.write_all(&msg).await.is_err() {
// I guess the serial port hung up.
return;
}
}
inc = port.read(&mut buf) => {
// if read errored, we're done
let Ok(used) = inc else {
return;
};
let mut window = &buf[..used];
'cobs: while !window.is_empty() {
window = match acc.feed(window) {
// Consumed the whole USB frame
FeedResult::Consumed => break 'cobs,
// Silently ignore line errors
// TODO: probably add tracing here
FeedResult::OverFull(new_wind) => new_wind,
FeedResult::DeserError(new_wind) => new_wind,
// We got a message! Attempt to dispatch it
FeedResult::Success { data, remaining } => {
// Attempt to extract a header so we can get the sequence number
if let Ok((hdr, body)) = extract_header_from_bytes(data) {
// Got a header, turn it into a frame
let frame = RpcFrame { header: hdr.clone(), body: body.to_vec() };
// Give priority to subscriptions. TBH I only do this because I know a hashmap
// lookup is cheaper than a waitmap search.
if let Some(tx) = subs.get_mut(&hdr.key) {
// Yup, we have a subscription
if tx.send(frame).await.is_err() {
// But if sending failed, the listener is gone, so drop it
subs.remove(&hdr.key);
}
} else {
// Wake the given sequence number. If the WaitMap is closed, we're done here
if let Err(ProcessError::Closed) = incoming.process(frame) {
return;
}
}
}
remaining
}
};
}
}
}
}
}
/// The [HostClient] is the primary PC-side interface.
///
/// It is generic over a single type, `WireErr`, which can be used by the
/// embedded system when a request was not understood, or some other error
/// has occurred.
///
/// [HostClient]s can be cloned, and used across multiple tasks/threads.
pub struct HostClient<WireErr> {
ctx: Arc<HostContext>,
out: Sender<RpcFrame>,
subber: Sender<SubInfo>,
err_key: Key,
_pd: PhantomData<fn() -> WireErr>,
}
/// # Constructor Methods
impl<WireErr> HostClient<WireErr>
where
WireErr: DeserializeOwned + Schema,
{
/// Create a new manually implemented [HostClient].
///
/// This allows you to implement your own "Wire" abstraction, if you
/// aren't using a COBS-encoded serial port.
///
/// This is temporary solution until Rust 1.76 when async traits are
/// stable, and we can have users provide a `Wire` trait that acts as
/// a bidirectional [RpcFrame] sink/source.
pub fn new_manual(err_uri_path: &str, outgoing_depth: usize) -> (Self, WireContext) {
let (tx_pc, rx_pc) = tokio::sync::mpsc::channel(outgoing_depth);
let (tx_si, rx_si) = tokio::sync::mpsc::channel(outgoing_depth);
let ctx = Arc::new(HostContext {
map: WaitMap::new(),
seq: AtomicU32::new(0),
});
let err_key = Key::for_path::<WireErr>(err_uri_path);
let me = HostClient {
ctx: ctx.clone(),
out: tx_pc,
err_key,
_pd: PhantomData,
subber: tx_si.clone(),
};
let wire = WireContext {
outgoing: rx_pc,
incoming: ctx,
new_subs: rx_si,
};
(me, wire)
}
/// 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.
///
/// Panics if we couldn't open the serial port
///
/// ## Example
///
/// ```rust,no_run
/// use postcard_rpc::host_client::HostClient;
/// use serde::{Serialize, Deserialize};
/// use postcard::experimental::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,
/// );
/// ```
///
pub fn new_serial_cobs(
serial_path: &str,
err_uri_path: &str,
outgoing_depth: usize,
baud: u32,
) -> Self {
let (me, wire) = Self::new_manual(err_uri_path, outgoing_depth);
let port = tokio_serial::new(serial_path, baud)
.open_native_async()
.unwrap();
tokio::task::spawn(async move { cobs_wire_worker(port, wire).await });
me
}
/// Create a new instance
///
/// Same as [HostClient::new_serial_cobs] with baudrate of 115_200 and
/// outgoing depth of 8.
#[deprecated = "use `Self::new_serial_cobs`"]
pub fn new(serial_path: &str, err_uri_path: &str) -> Self {
Self::new_serial_cobs(serial_path, err_uri_path, 8, 115_200)
}
}
/// # Interface Methods
impl<WireErr> HostClient<WireErr>
where
WireErr: DeserializeOwned + Schema,
{
/// Send a message of type [Endpoint::Request][Endpoint] to `path`, and await
/// a response of type [Endpoint::Response][Endpoint] (or WireErr) to `path`.
///
/// This function will wait potentially forever. Consider using with a timeout.
pub async fn send_resp<E: Endpoint>(
&self,
t: &E::Request,
) -> Result<E::Response, HostErr<WireErr>>
where
E::Request: Serialize + Schema,
E::Response: DeserializeOwned + Schema,
{
let seq_no = self.ctx.seq.fetch_add(1, Ordering::Relaxed);
let msg = postcard::to_stdvec(&t).expect("Allocations should not ever fail");
let frame = RpcFrame {
header: WireHeader {
key: E::REQ_KEY,
seq_no,
},
body: msg,
};
self.out.send(frame).await.map_err(|_| HostErr::Closed)?;
let ok_resp = self.ctx.map.wait(WireHeader {
seq_no,
key: E::RESP_KEY,
});
let err_resp = self.ctx.map.wait(WireHeader {
seq_no,
key: self.err_key,
});
select! {
o = ok_resp => {
let resp = o?;
let r = postcard::from_bytes::<E::Response>(&resp)?;
Ok(r)
},
e = err_resp => {
let resp = e?;
let r = postcard::from_bytes::<WireErr>(&resp)?;
Err(HostErr::Wire(r))
},
}
}
/// Publish a [Topic] [Message][Topic::Message].
///
/// There is no feedback if the server received our message. If the I/O worker is
/// closed, an error is returned.
pub async fn publish<T: Topic>(&self, seq_no: u32, msg: &T::Message) -> Result<(), IoClosed>
where
T::Message: Serialize,
{
let smsg = postcard::to_stdvec(msg).expect("alloc should never fail");
self.out
.send(RpcFrame {
header: WireHeader {
key: T::TOPIC_KEY,
seq_no,
},
body: smsg,
})
.await
.map_err(|_| IoClosed)
}
/// Begin listening to a [Topic], receiving a [Subscription] that will give a
/// stream of [Message][Topic::Message]s.
///
/// If you subscribe to the same topic multiple times, the previous subscription
/// will be closed (there can be only one).
///
/// Returns an Error if the I/O worker is closed.
pub async fn subscribe<T: Topic>(
&self,
depth: usize,
) -> Result<Subscription<T::Message>, IoClosed>
where
T::Message: DeserializeOwned,
{
let (tx, rx) = tokio::sync::mpsc::channel(depth);
self.subber
.send(SubInfo {
key: T::TOPIC_KEY,
tx,
})
.await
.map_err(|_| IoClosed)?;
Ok(Subscription {
rx,
_pd: PhantomData,
})
}
}
/// A structure that represents a subscription to the given topic
pub struct Subscription<M> {
rx: Receiver<RpcFrame>,
_pd: PhantomData<M>,
}
impl<M> Subscription<M>
where
M: DeserializeOwned,
{
/// Await a message for the given subscription.
///
/// Returns [None]` if the subscription was closed
pub async fn recv(&mut self) -> Option<M> {
loop {
let frame = self.rx.recv().await?;
if let Ok(m) = postcard::from_bytes(&frame.body) {
return Some(m);
}
}
}
}
// Manual Clone impl because WireErr may not impl Clone
impl<WireErr> Clone for HostClient<WireErr> {
fn clone(&self) -> Self {
Self {
ctx: self.ctx.clone(),
out: self.out.clone(),
err_key: self.err_key,
_pd: PhantomData,
subber: self.subber.clone(),
}
}
}
/// A new subscription that should be accounted for
pub struct SubInfo {
pub key: Key,
pub tx: Sender<RpcFrame>,
}
/// Items necessary for implementing a custom I/O Task
pub struct WireContext {
/// This is a stream of frames that should be placed on the
/// wire towards the server.
pub outgoing: Receiver<RpcFrame>,
/// This shared information contains the WaitMap used for replying to
/// open requests.
pub incoming: Arc<HostContext>,
/// This is a stream of new subscriptions that should be tracked
pub new_subs: Receiver<SubInfo>,
}
/// A single postcard-rpc frame
pub struct RpcFrame {
/// The wire header
pub header: WireHeader,
/// The serialized message payload
pub body: Vec<u8>,
}
impl RpcFrame {
/// Serialize the `RpcFrame` into a Vec of bytes
pub fn to_bytes(&self) -> Vec<u8> {
let mut out = postcard::to_stdvec(&self.header).expect("Alloc should never fail");
out.extend_from_slice(&self.body);
out
}
}
/// Shared context between [HostClient] and the I/O worker task
pub struct HostContext {
map: WaitMap<WireHeader, Vec<u8>>,
seq: AtomicU32,
}
/// The I/O worker has closed.
#[derive(Debug)]
pub struct IoClosed;
/// Error for [HostContext::process].
#[derive(Debug, PartialEq)]
pub enum ProcessError {
/// All [HostClient]s have been dropped, no further requests
/// will be made and no responses will be processed.
Closed,
}
impl HostContext {
pub fn process(&self, frame: RpcFrame) -> Result<(), ProcessError> {
if let WakeOutcome::Closed(_) = self.map.wake(&frame.header, frame.body) {
Err(ProcessError::Closed)
} else {
Ok(())
}
}
}