riot_wrappers/msg/v2.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 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
//! A safe-to-use interface for [RIOT messages](https://doc.riot-os.org/group__core__msg.html)
//!
//! This module's main contribution is [MessageSemantics], a chaining family of ZSTs that
//! represent which types a thread expects to come in on which message numbers. From that, pairs of
//! [SendPort]s (through which other threads send messages) and [ReceivePort]s (using which
//! received messages are decoded) are split off.
//!
//! For safety, the module relies on other components not tossing around messages indiscriminately.
//! In Rust, senders are told through the SendPort how the recipient will transmute the data back.
//! For C components, safe wrappers (TBD: will) require and consume appropriate tickets and from
//! there on rely on the C side to only send what is described in the API.
//!
//! ## Example
//!
//! A comprehensive example of how this is currently used is maintained in [the msg_tests
//! example](https://gitlab.com/etonomy/riot-examples/-/blob/master/msg_tests/src/lib.rs).
//!
//! ## Stability
//!
//! This module is still WIP and not subject to the semver-ish conduct upheld even in pre-1.0
//! versions of riot-wrappers. The module is hidden behind the `with_msg_v2` feature to make that
//! clear.
//!
//! ## Status vs. Road map
//!
//! Conceptually, this module is built for threads that can shut down again, or for receiving
//! messages only in defined times (eg. when ). All information is preserved to allow ports split
//! off from a thread's message number pool to be recombined, pending messages to be drained and
//! the thread set up to receive completely different messages on the same message type numbers.
//!
//! Practically, this is not implemented, because threads are not commonly used in a
//! run-and-shut-down pattern in RIOT. Some documentation refers to the process of recombination
//! already.
//!
//! It might still be tricky to actually perform that recombination safely, as there can be queued
//! up messages. One pattern that is anticipated to work here is to define a single channel on
//! which a SendPort can be returned through the message queue; thus, by the time it gets returned,
//! the receiver can be sure that nothing else is left in the queue.
use core::marker::PhantomData;
use core::mem::{ManuallyDrop, MaybeUninit};
use crate::thread;
/// Thread-bound information carrier that indicates that a given type number was reserved for this
/// given content type.
pub struct ReceivePort<TYPE: Send, const TYPENO: u16> {
// Can only be constructed by split_off()
_private: (),
// Regular PhantomData for information -- information is needd by several impl fns.
_types: PhantomData<TYPE>,
// Ensure ReceivePort is not Send or Sync -- it is specific to the one thread it's born in
// because it contains a statement about the current thread.
//
// (The alternative would be to brand the ReceivePort to the thread, but that only works well
// once there is a per-thread brand, eg. created along the mechanism described in the
// NoConfiguredMessages::new TBD).
_not_send: PhantomData<*const ()>,
}
// FIXME: Maybe implement Deref to SendPort so the port can be used to send to itself?
/// Object through which messages of a precise type can be sent to a precise thread.
///
/// Unlike the ReceivePort, the SendPort is Send and Sync by adding the runtime information of the
/// destination Kernel PID to it. That process / thread is guaranteed to be live (might have
/// crashed to a non-unwinding panic but not been reused) by the construction of SendPort: A
/// SendPort can only be created when the indicated thread gives the appropriate guarantees.
///
/// It is owned, but can be used through shared references (which are Send as well); ownership
/// matters if one ever wants to stop accepting a certain type of message again.
///
/// If it is desired that multiple callers send on a single typeno (where the callers can not just
/// share a shared reference), it would be possible to create a version of the SendPort
/// that counts its clones at runtime and can only be returned when all of them are recombined, or
/// just to create a version that can be cloned at will but never recombined any more. (One way to
/// do the latter would be to add a const boolean type parameter "CLONED"; a `.cloneable(self) ->
/// Self` would switch that from false to true, and then copy and clone would be implemented for
/// the result, whereas recombination would only be implemented for the CLONED = false version).
pub struct SendPort<TYPE: Send, const TYPENO: u16> {
destination: thread::KernelPID,
_phantom: PhantomData<TYPE>,
}
impl<TYPE: Send, const TYPENO: u16> SendPort<TYPE, TYPENO> {
/// Send a message to a given ticket.
///
/// On success, the data is received by (or enqueued in, if a queue is set up) the thread
/// indicated in the ticket. Otherwise, the data is returned.
///
/// Note that while the underlying `msg_try_send` function knows two error cases (thread is not
/// ready to receive, and invalid PID), the presence of a SendPort implies that the
/// thread promised to still be around (it may have crashed, but it can't have exited), so that
/// error can not happen here. (If it still does due to errors in unsafe code, trips up a debug
/// assert and else is handled like the other failure to send).
pub fn try_send(&self, data: TYPE) -> Result<(), TYPE> {
let mut msg: riot_sys::msg_t = Default::default();
msg.type_ = TYPENO;
// See extract(); this is the reverse
let mut incoming = ManuallyDrop::new(data);
core::mem::swap(&mut incoming, unsafe {
core::mem::transmute(&mut msg.content)
});
let result = unsafe { riot_sys::msg_try_send(&mut msg, self.destination.into()) };
// Outside debug, behaves like the thread isn't ready, which is quite accurate for an
// invalid one.
debug_assert!(
result >= 0,
"Target PID vanished even though a SendPort was still around"
);
match result {
1 => Ok(()),
_ => {
// Swap back to return; the raw msg will be dropped unceremoniously.
core::mem::swap(&mut incoming, unsafe {
core::mem::transmute(&mut msg.content)
});
Err(ManuallyDrop::into_inner(incoming))
}
}
}
/// Access the port's destination
///
/// This is particularly useful when messages are not sent directly through [`SendPort::try_send()`], but
/// the port is stored (or dropped) after having been typechecked to match the described API of
/// a C function that will send messages -- and after having extracted the destination for
/// these messages with this function.
pub fn destination(&self) -> thread::KernelPID {
self.destination
}
}
impl<TYPE: Send, const TYPENO: u16> core::fmt::Debug for ReceivePort<TYPE, TYPENO> {
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> Result<(), core::fmt::Error> {
write!(
f,
"ReceivePort<{}, {}> {{ }}",
core::any::type_name::<TYPE>(),
TYPENO,
)
}
}
impl<TYPE: Send, const TYPENO: u16> core::fmt::Debug for SendPort<TYPE, TYPENO> {
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> Result<(), core::fmt::Error> {
write!(
f,
"SendPort<{}, {}> {{ destination: {:?} }}",
core::any::type_name::<TYPE>(),
TYPENO,
self.destination
)
}
}
/// Trait for types that indicate the current thread's readiness to receive some set of messages
///
/// In a sense, a MessageSemantics is factory for mutually nonconflicting [ReceivePort]s, and a
/// tracker of what was alerady issued.
// TBD: seal? can still unseal later.
pub trait MessageSemantics: Sized {
// TBD: Would be great to be const
fn typeno_is_known(&self, typeno: u16) -> bool;
/// Reduce the type into a new MessageSemantics that knows about one more typeno, and a
/// ReceivePort that can be used to create a [SendPort] or to process incoming
/// messages.
///
/// ```
/// # #![no_std]
/// # #![no_main]
/// # fn f() {
/// use riot_wrappers::msg::v2::*;
/// # let message_semantics = NoConfiguredMessages; // FIXME: constructing this should not be possible publicly
/// type NumberReceived = ReceivePort<u32, 1>;
/// type BoolReceived = ReceivePort<bool, 2>;
/// let (message_semantics, receive_num, send_num): (_, NumberReceived, _) = message_semantics.split_off();
/// let (message_semantics, receive_bool, send_bool): (_, BoolReceived, _) = message_semantics.split_off();
/// # }
/// ```
///
/// # Panics
///
/// ... if the type number has already been used, or the type is too large to be sent in a
/// message.
///
/// The conditions for these panics should be evaluatable at build time (i.e. not be part of
/// optimized code); over time these will hopefully become static assertion errors.
// No override should be necessary for this, not even for internal impls (see sealing above)
fn split_off<NewType: Send, const NEW_TYPENO: u16>(
self,
) -> (
Processing<Self, NewType, NEW_TYPENO>,
ReceivePort<NewType, NEW_TYPENO>,
SendPort<NewType, NEW_TYPENO>,
) {
// Should ideally be a static assert (but that depends on const trait methods). Checks
// probably happen at build time anyway due to const propagation, but the panic only
// triggers at runtime :-(
assert!(
!self.typeno_is_known(NEW_TYPENO),
"Type number is already in use for this thread."
);
const {
assert!(
core::mem::size_of::<NewType>()
<= core::mem::size_of::<riot_sys::msg_t__bindgen_ty_1>(),
"Type is too large to be transported in a message"
)
};
// ... and the alignment must suffice because the data is moved in and outthrough a &mut
// SomethingTransparent<T>
const {
assert!(
core::mem::align_of::<NewType>()
<= core::mem::align_of::<riot_sys::msg_t__bindgen_ty_1>(),
"Type has stricter alignment requirements than the message content"
)
};
(
Processing {
tail: self,
_type: PhantomData,
},
ReceivePort {
_private: (),
_types: PhantomData,
_not_send: PhantomData,
},
SendPort {
destination: thread::get_pid(),
_phantom: PhantomData,
},
)
}
/// Block to receive a single message
// No override should be necessary for this, not even for internal impls (see sealing above)
#[doc(alias = "msg_receive")]
fn receive(&self) -> ReceivedMessage<'_, Self> {
let mut msg = MaybeUninit::uninit();
unsafe { riot_sys::msg_receive(msg.as_mut_ptr()) };
let msg = unsafe { msg.assume_init() };
ReceivedMessage {
msg,
_phantom: PhantomData,
}
}
/// Receive a single message if one is available in the queue (or another thread is blocking to
/// send a message, if no queue is used)
#[doc(alias = "msg_try_receive")]
fn try_receive(&self) -> Option<ReceivedMessage<'_, Self>> {
let mut msg = MaybeUninit::uninit();
if unsafe { riot_sys::msg_try_receive(msg.as_mut_ptr()) } == 1 {
let msg = unsafe { msg.assume_init() };
Some(ReceivedMessage {
msg,
_phantom: PhantomData,
})
} else {
None
}
}
/// Interpret a message according to these semantics, then drop it.
///
///
/// While not essential for safety this does ensure that droppable types are not forgotten when
/// sent and not handled, at least if they arrive. (Can't help if someone runs try_send and
/// does no error handling).
///
/// * If all drops are trivial, this (and the `<ReceivedMessage as Drop>::drop()` caller)
/// should all fold into no code.
/// * If code for a nontrivially dropped type comes after a decode(), the compiler should be
/// able to see that b/c that value was ruled out for .type_ just before.
///
/// This is unsafe for the same reasons you can't call Drop::drop(&mut T) (the compiler forbids
/// it).
unsafe fn drop(message: &mut ReceivedMessage<'_, Self>);
}
pub struct NoConfiguredMessages;
/// The MessageSemantics of a thread that has made no previous commitment to receive any
/// messages.
impl NoConfiguredMessages {
/// Create a new MessageSemantics object to split into [ReceivePort]s.
///
/// **Conditions**, violating which is a safety violation:
///
/// * The thread must currently not allow sending any messages to it, or even created an
/// otherwise unused NoConfiguredMessages
///
/// * The thread must not terminate.
///
/// TBD: Add a version of the thread spawner that comes with all kinds of once-per-thread
/// gadgets.
pub(crate) unsafe fn new() -> Self {
Self
}
}
impl MessageSemantics for NoConfiguredMessages {
fn typeno_is_known(&self, _typeno: u16) -> bool {
false
}
/// Panicking because if a thread receives unknown messages, it may for the same reason receive
/// mistyped messages, and that'd be a safety violation that's better shown in the most visible
/// way.
///
/// If this is undesired, think twice about whether the source of the message really can't
/// happen to send messages of a number this threads expects (and handles as something
/// different) as well. If it is still undesired, you can [core::mem::forget()] the message
/// after having decoded all desired types.
unsafe fn drop(_message: &mut ReceivedMessage<'_, Self>) {
panic!("Unexpected message received");
}
}
pub struct Processing<TAIL: MessageSemantics, TYPE, const TYPENO: u16> {
tail: TAIL,
// Carried around solely to be able to drop messages that did not get decoded. (Otherwise we'd
// take solace in the fact that the ReceivePort knows how to handle it, and there'll only be
// one ReceivePort of a given type in a thread, and either that one takes the message or nobody
// does and it'd get dropped).
_type: PhantomData<TYPE>,
}
impl<TAIL: MessageSemantics, TYPE, const TYPENO: u16> MessageSemantics
for Processing<TAIL, TYPE, TYPENO>
{
fn typeno_is_known(&self, typeno: u16) -> bool {
if typeno == TYPENO {
true
} else {
self.tail.typeno_is_known(typeno)
}
}
unsafe fn drop(message: &mut ReceivedMessage<'_, Self>) {
if message.msg.type_ == TYPENO {
let t: TYPE = message.extract();
drop(t);
} else {
TAIL::drop(core::mem::transmute(message))
}
}
}
pub use crate::msg::MsgSender as Sender;
/// A message that was received while S was the current thread's semantics.
///
/// By including a lifetime argument this ensures that messages are decoded (or dropped) before
/// the thread's message semantics change.
///
/// It may help to think of this as still holding a pointer to 's, just that it's a zero-sized
/// phantom pointer (no need to lug around a word-sized pointer to a ZST object that's just there
/// for typestate).
#[repr(transparent)]
pub struct ReceivedMessage<'a, S: MessageSemantics> {
msg: riot_sys::msg_t,
_phantom: PhantomData<&'a S>,
}
impl<'a, S: MessageSemantics> core::fmt::Debug for ReceivedMessage<'a, S> {
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> Result<(), core::fmt::Error> {
write!(
f,
"ReceivedMessage {{ type: {}, sender: {:?} }}",
self.msg.type_,
self.sender()
)
}
}
impl<'a, S: MessageSemantics> Drop for ReceivedMessage<'a, S> {
#[inline]
fn drop(&mut self) {
unsafe { S::drop(self) };
}
}
impl<'a, S: MessageSemantics> ReceivedMessage<'a, S> {
fn sender(&self) -> Sender {
Sender::from_pid(self.msg.sender_pid)
}
#[inline]
/// Move the T out of self, leaving the msg partially uninitialized
///
/// This can only be used on a type T that a ReceivePort was created for.
unsafe fn extract<T>(&mut self) -> T {
// This'd be easier if we'd constrain transmuted to Clone...
let mut transmuted = MaybeUninit::uninit();
// Hoping that the compiler is clever and doesn't *really* move data around ... then
// again, it's only 4 byte or a pointer...
core::mem::swap(&mut transmuted, core::mem::transmute(&mut self.msg.content));
transmuted.assume_init()
}
pub fn decode<R, F: FnOnce(Sender, TYPE) -> R, TYPE: Send, const TYPENO: u16>(
mut self,
_port: &'a ReceivePort<TYPE, TYPENO>,
f: F,
) -> Result<R, ReceivedMessage<S>> {
// Not actually using the port argument, it's just the ZST on whose presence the type
// constraint rides in. It's more for convenience of calling ("if it came on this port,
// do...") than for correctness: The presence of a ReceivedMessage<S> instance suffices to
// know from S's construction that TYPENO corresponds to TYPE (it can drop it too if not
// decoded, after all).
if self.msg.type_ == TYPENO {
let transmuted = unsafe { self.extract() };
let sender = self.sender();
core::mem::forget(self); // Or else the value would be double-dropped
Ok(f(sender, transmuted))
} else {
Err(self)
}
}
}