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
//! #### Simple and fast lockless async channels
//! Lightweight async channel that can be used to implement futures, streams,
//! notifiers, and actors.
//!
//! Whisk defines a simple [`Channel`] type rather than splitting into sender /
//! receiver pairs. A [`Channel`] can both send and receive.
//!
//! # Optional Features
//! - **futures_core_3**: Implement [`Stream`](futures_core_3::Stream) for
//! [`Channel`] (generic `T` must be `Option<Item>`)
//! - **event_iterator**: Implement
//! [`EventIterator`](event_iterator::EventIterator) for [`Channel`]
//!
//! # Getting Started
//!
//! ```rust
//! use whisk::Channel;
//!
//! enum Cmd {
//! /// Tell messenger to add
//! Add(u32, u32, Channel<u32>),
//! }
//!
//! async fn worker_main(commands: Channel<Option<Cmd>>) {
//! while let Some(command) = commands.recv().await {
//! println!("Worker receiving command");
//! match command {
//! Cmd::Add(a, b, s) => s.send(a + b).await,
//! }
//! }
//!
//! println!("Worker stopping…");
//! }
//!
//! async fn tasker_main() {
//! // Create worker on new thread
//! println!("Spawning worker…");
//! let channel = Channel::new();
//! let worker_task = worker_main(channel.clone());
//! let worker_thread =
//! std::thread::spawn(|| pasts::Executor::default().block_on(worker_task));
//!
//! // Do an addition
//! println!("Sending command…");
//! let oneshot = Channel::new();
//! channel.send(Some(Cmd::Add(43, 400, oneshot.clone()))).await;
//! println!("Receiving response…");
//! let response = oneshot.recv().await;
//! assert_eq!(response, 443);
//!
//! // Tell worker to stop
//! println!("Stopping worker…");
//! channel.send(None).await;
//! println!("Waiting for worker to stop…");
//!
//! worker_thread.join().unwrap();
//! println!("Worker thread joined");
//! }
//!
//! # #[ntest::timeout(1000)]
//! fn main() {
//! // Call into executor of your choice
//! pasts::Executor::default().block_on(tasker_main());
//! }
//! ```
extern crate alloc;
pub use ;