esp_idf_svc/private/zerocopy.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
/// Zero-copy blocking SPSC primitive for sharing a mutable reference owned by one thread into another.
/// Useful as a rendezvous point between two threads: one - sharing, and the other - using the shared mutable reference.
///
/// The using thread can wait for the shared reference in an asynchronous way as well.
///
/// Note that - strictly speaking - the priitive is MPSC in the sense that multiple threads can share (i.e. produce) mutable references.
use super::mutex::{Condvar, Mutex};
extern crate alloc;
use alloc::sync::{Arc, Weak};
use esp_idf_hal::task::asynch::Notification;
use ::log::info;
pub struct Receiver<T>(Weak<Channel<T>>)
where
T: Send + 'static;
impl<T> Receiver<T>
where
T: Send + 'static,
{
pub fn get_shared(&mut self) -> Option<&mut T> {
if let Some(channel) = Weak::upgrade(&self.0) {
let mut guard = channel.state.lock();
loop {
match &mut *guard {
State::Empty => guard = channel.blocking_notify.wait(guard),
State::Quit => break None,
State::Data(data) => break unsafe { data.as_mut() },
}
}
} else {
None
}
}
pub async fn get_shared_async(&mut self) -> Option<&mut T> {
if let Some(channel) = Weak::upgrade(&self.0) {
loop {
{
let mut guard = channel.state.lock();
match &mut *guard {
State::Empty => (),
State::Quit => return None,
State::Data(data) => return unsafe { data.as_mut() },
}
}
channel.notify_full.wait().await;
}
} else {
None
}
}
pub fn done(&mut self) {
if let Some(channel) = Weak::upgrade(&self.0) {
let mut guard = channel.state.lock();
if matches!(&*guard, State::Data(_)) {
*guard = State::Empty;
channel.blocking_notify.notify_all();
}
}
}
}
impl<T> Drop for Receiver<T>
where
T: Send + 'static,
{
fn drop(&mut self) {
if let Some(channel) = Weak::upgrade(&self.0) {
let mut guard = channel.state.lock();
*guard = State::Quit;
channel.blocking_notify.notify_all();
}
}
}
/// SAFETY: The receiver will be able to access mutable state from other threads (even from their stack),
/// however, the channel will ensure that the state is only accessed by one receiver at a time,
/// and that the mutable state does not disappear while the receiver is using it.
///
/// Even though Receiver<T> requires T: 'static, we need to implement this for all lifetimes.
/// This is due to a rustc bug: https://github.com/rust-lang/rust/issues/110338
#[allow(clippy::extra_unused_lifetimes)]
#[allow(clippy::needless_lifetimes)]
unsafe impl<'a, T> Send for Receiver<T> where T: Send + 'a {}
pub struct QuitOnDrop<T>(Arc<Channel<T>>)
where
T: Send + 'static;
impl<T> QuitOnDrop<T>
where
T: Send + 'static,
{
pub const fn new(channel: Arc<Channel<T>>) -> Self {
Self(channel)
}
pub fn channel(&self) -> &Channel<T> {
&self.0
}
}
impl<T> Drop for QuitOnDrop<T>
where
T: Send + 'static,
{
fn drop(&mut self) {
self.0.set(State::Quit);
}
}
unsafe impl<T> Send for QuitOnDrop<T> where T: Send + 'static {}
pub struct Channel<T>
where
T: Send + 'static,
{
state: Mutex<State<T>>,
blocking_notify: Condvar,
notify_full: Notification,
}
impl<T> Channel<T>
where
T: Send + 'static,
{
pub fn new() -> (Arc<Self>, Receiver<T>) {
let this = Arc::new(Self {
state: Mutex::new(State::Empty),
blocking_notify: Condvar::new(),
notify_full: Notification::new(),
});
let receiver = Receiver(Arc::downgrade(&this));
(this, receiver)
}
/// Share a mutable reference, that the receiver can read or write to.
///
/// This will block until the receiver has processed the data, or the channel is closed.
///
/// Returns `true` if the data has been processed by a receiver, and `false` if the channel was closed.
///
/// This allows different threads to communicate without passing the data via the heap.
/// Instead, a sender can share a mutable reference *from its own stack* with a receiver.
pub fn share(&self, mut data: &mut T) -> bool {
self.set(State::Data(data))
}
fn set(&self, data: State<T>) -> bool {
let mut guard = self.state.lock();
loop {
match &*guard {
State::Empty => {
self.set_and_notify(&mut guard, data);
break;
}
State::Quit => return false,
State::Data(_) => guard = self.blocking_notify.wait(guard),
}
}
loop {
match &*guard {
State::Empty | State::Quit => break,
State::Data(_) => guard = self.blocking_notify.wait(guard),
}
}
true
}
fn set_and_notify(&self, cell: &mut State<T>, data: State<T>) {
*cell = data;
self.blocking_notify.notify_all();
self.notify_full.notify_lsb();
}
}
impl<T> Drop for Channel<T>
where
T: Send + 'static,
{
fn drop(&mut self) {
self.set(State::Quit);
}
}
/// SAFETY: The channel uses a mutex to synchronize access to the shared state.
/// The shared state also contain a raw pointer, which can point into the stack of the sender thread.
/// Despite this, the channel is constructed to be safe to send between threads.
///
/// Even though Channel<T> requires T: 'static, we need to implement this for all lifetimes.
/// This is due to a rustc bug: https://github.com/rust-lang/rust/issues/110338
#[allow(clippy::extra_unused_lifetimes)]
#[allow(clippy::needless_lifetimes)]
unsafe impl<'a, T> Send for Channel<T> where T: Send + 'a {}
/// SAFETY: The channel uses a mutex to synchronize access to the shared state.
/// The shared state also contain a raw pointer, which can point into the stack of the sender thread.
/// Despite this, the channel is constructed to be safe to shared between threads.
///
/// Even though Channel<T> requires T: 'static, we need to implement this for all lifetimes.
/// This is due to a rustc bug: https://github.com/rust-lang/rust/issues/110338
#[allow(clippy::extra_unused_lifetimes)]
#[allow(clippy::needless_lifetimes)]
unsafe impl<'a, T> Sync for Channel<T> where T: Send + 'a {}
#[derive(Copy, Clone, Debug)]
enum State<T> {
Empty,
Data(*mut T),
Quit,
}