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
#![no_std]
use ach_pubsub as ach;
use ach_pubsub::Ref;
use ach_util::Error;
use async_ach_notify::{Listener, Notify};
use core::future::Future;
use core::pin::Pin;
use core::task::{Context, Poll};
use futures_util::Stream;
pub struct Subscriber<'a, T, const N: usize, const MP: usize, const MC: usize> {
parent: &'a Publisher<T, N, MP, MC>,
ch: Ref<'a, ach::Subscriber<T, N>>,
}
impl<'a, T, const N: usize, const MP: usize, const MC: usize> Subscriber<'a, T, N, MP, MC> {
pub fn try_recv(&self) -> Result<T, Error<()>> {
let data = self.ch.try_recv()?;
self.parent.consumer.notify_one();
Ok(data)
}
pub fn recv<'b>(&'b self) -> Recv<'a, 'b, T, N, MP, MC> {
Recv {
parent: self,
wait: self.parent.producer.listen(),
}
}
}
pub struct Recv<'a, 'b, T, const N: usize, const MP: usize, const MC: usize> {
parent: &'b Subscriber<'a, T, N, MP, MC>,
wait: Listener<'b, MC>,
}
impl<'a, 'b, T, const N: usize, const MP: usize, const MC: usize> Stream
for Recv<'a, 'b, T, N, MP, MC>
{
type Item = T;
fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> {
if let Ok(data) = self.parent.try_recv() {
Poll::Ready(Some(data))
} else {
let _ = Pin::new(&mut self.wait).poll_next(cx);
if let Ok(data) = self.parent.try_recv() {
Poll::Ready(Some(data))
} else {
Poll::Pending
}
}
}
}
impl<'a, 'b, T, const N: usize, const MP: usize, const MC: usize> Future
for Recv<'a, 'b, T, N, MP, MC>
{
type Output = T;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
match self.poll_next(cx) {
Poll::Ready(Some(val)) => Poll::Ready(val),
Poll::Ready(None) => Poll::Pending,
Poll::Pending => Poll::Pending,
}
}
}
pub struct Publisher<T, const N: usize, const MP: usize, const MC: usize> {
ch: ach::Publisher<T, N, MC>,
consumer: Notify<MP>,
producer: Notify<MC>,
}
impl<T, const N: usize, const MP: usize, const MC: usize> Publisher<T, N, MP, MC> {
pub const fn new(strict: bool) -> Self {
Self {
ch: ach::Publisher::new(strict),
consumer: Notify::new(),
producer: Notify::new(),
}
}
pub fn subscribe(&self) -> Option<Subscriber<T, N, MP, MC>> {
if let Some(sub) = self.ch.subscribe() {
Some(Subscriber {
parent: self,
ch: sub,
})
} else {
None
}
}
}
impl<T: Clone, const N: usize, const MP: usize, const MC: usize> Publisher<T, N, MP, MC> {
pub fn send(&self, val: T) -> usize {
let num = self.ch.send(val);
if num != 0 {
self.producer.notify_waiters();
}
num
}
}