async_stream_lite/
lib.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
#![allow(clippy::tabs_in_doc_comments)]
#![cfg_attr(feature = "unstable-thread-local", feature(thread_local))]
#![cfg_attr(all(not(test), feature = "unstable-thread-local"), no_std)]

extern crate core;

use core::{
	cell::Cell,
	future::Future,
	marker::PhantomData,
	pin::Pin,
	ptr,
	task::{Context, Poll}
};

use futures_core::stream::{FusedStream, Stream};

#[cfg(test)]
mod tests;
mod r#try;

#[cfg(not(feature = "unstable-thread-local"))]
thread_local! {
	static STORE: Cell<*mut ()> = const { Cell::new(ptr::null_mut()) };
}
#[cfg(feature = "unstable-thread-local")]
#[thread_local]
static STORE: Cell<*mut ()> = Cell::new(ptr::null_mut());

pub(crate) fn r#yield<T>(value: T) -> YieldFut<T> {
	YieldFut { value: Some(value) }
}

/// Future returned by an [`AsyncStream`]'s yield function.
///
/// This future must be `.await`ed inside the generator in order for the item to be yielded by the stream.
#[must_use = "stream will not yield this item unless the future returned by yield is awaited"]
pub struct YieldFut<T> {
	value: Option<T>
}

impl<T> Unpin for YieldFut<T> {}

impl<T> Future for YieldFut<T> {
	type Output = ();

	fn poll(mut self: Pin<&mut Self>, _cx: &mut Context<'_>) -> Poll<Self::Output> {
		if self.value.is_none() {
			return Poll::Ready(());
		}

		fn op<T>(cell: &Cell<*mut ()>, value: &mut Option<T>) {
			let ptr = cell.get().cast::<Option<T>>();
			let option_ref = unsafe { ptr.as_mut() }.expect("attempted to use async_stream yielder outside of stream context or across threads");
			if option_ref.is_none() {
				*option_ref = value.take();
			}
		}

		#[cfg(not(feature = "unstable-thread-local"))]
		return STORE.with(|cell| {
			op(cell, &mut self.value);
			Poll::Pending
		});
		#[cfg(feature = "unstable-thread-local")]
		{
			op(&STORE, &mut self.value);
			Poll::Pending
		}
	}
}

struct Enter<'a, T> {
	_p: PhantomData<&'a T>,
	prev: *mut ()
}

fn enter<T>(dst: &mut Option<T>) -> Enter<'_, T> {
	fn op<T>(cell: &Cell<*mut ()>, dst: &mut Option<T>) -> *mut () {
		let prev = cell.get();
		cell.set((dst as *mut Option<T>).cast::<()>());
		prev
	}
	#[cfg(not(feature = "unstable-thread-local"))]
	let prev = STORE.with(|cell| op(cell, dst));
	#[cfg(feature = "unstable-thread-local")]
	let prev = op(&STORE, dst);
	Enter { _p: PhantomData, prev }
}

impl<T> Drop for Enter<'_, T> {
	fn drop(&mut self) {
		#[cfg(not(feature = "unstable-thread-local"))]
		STORE.with(|cell| cell.set(self.prev));
		#[cfg(feature = "unstable-thread-local")]
		STORE.set(self.prev);
	}
}

pin_project_lite::pin_project! {
	/// A [`Stream`] created from an asynchronous generator-like function.
	///
	/// To create an [`AsyncStream`], use the [`async_stream`] function.
	#[derive(Debug)]
	pub struct AsyncStream<T, U> {
		_p: PhantomData<T>,
		done: bool,
		#[pin]
		generator: U
	}
}

impl<T, U> FusedStream for AsyncStream<T, U>
where
	U: Future<Output = ()>
{
	fn is_terminated(&self) -> bool {
		self.done
	}
}

impl<T, U> Stream for AsyncStream<T, U>
where
	U: Future<Output = ()>
{
	type Item = T;

	fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> {
		let me = self.project();
		if *me.done {
			return Poll::Ready(None);
		}

		let mut dst = None;
		let res = {
			let _enter = enter(&mut dst);
			me.generator.poll(cx)
		};

		*me.done = res.is_ready();

		if dst.is_some() {
			return Poll::Ready(dst.take());
		}

		if *me.done { Poll::Ready(None) } else { Poll::Pending }
	}

	fn size_hint(&self) -> (usize, Option<usize>) {
		if self.done { (0, Some(0)) } else { (0, None) }
	}
}

/// Create an asynchronous [`Stream`] from an asynchronous generator function.
///
/// The provided function will be given a "yielder" function, which, when called, causes the stream to yield an item:
/// ```
/// use async_stream_lite::async_stream;
/// use futures::{pin_mut, stream::StreamExt};
///
/// #[tokio::main]
/// async fn main() {
/// 	let stream = async_stream(|r#yield| async move {
/// 		for i in 0..3 {
/// 			r#yield(i).await;
/// 		}
/// 	});
/// 	pin_mut!(stream);
/// 	while let Some(value) = stream.next().await {
/// 		println!("{value}");
/// 	}
/// }
/// ```
///
/// Streams may be returned by using `impl Stream<Item = T>`:
/// ```
/// use async_stream_lite::async_stream;
/// use futures::{
/// 	pin_mut,
/// 	stream::{Stream, StreamExt}
/// };
///
/// fn zero_to_three() -> impl Stream<Item = u32> {
/// 	async_stream(|r#yield| async move {
/// 		for i in 0..3 {
/// 			r#yield(i).await;
/// 		}
/// 	})
/// }
///
/// #[tokio::main]
/// async fn main() {
/// 	let stream = zero_to_three();
/// 	pin_mut!(stream);
/// 	while let Some(value) = stream.next().await {
/// 		println!("{value}");
/// 	}
/// }
/// ```
///
/// or with [`futures::stream::BoxStream`]:
/// ```
/// use async_stream_lite::async_stream;
/// use futures::{
/// 	pin_mut,
/// 	stream::{BoxStream, StreamExt}
/// };
///
/// fn zero_to_three() -> BoxStream<'static, u32> {
/// 	Box::pin(async_stream(|r#yield| async move {
/// 		for i in 0..3 {
/// 			r#yield(i).await;
/// 		}
/// 	}))
/// }
///
/// #[tokio::main]
/// async fn main() {
/// 	let mut stream = zero_to_three();
/// 	while let Some(value) = stream.next().await {
/// 		println!("{value}");
/// 	}
/// }
/// ```
///
/// Streams may also be implemented in terms of other streams:
/// ```
/// use async_stream_lite::async_stream;
/// use futures::{
/// 	pin_mut,
/// 	stream::{Stream, StreamExt}
/// };
///
/// fn zero_to_three() -> impl Stream<Item = u32> {
/// 	async_stream(|r#yield| async move {
/// 		for i in 0..3 {
/// 			r#yield(i).await;
/// 		}
/// 	})
/// }
///
/// fn double<S: Stream<Item = u32>>(input: S) -> impl Stream<Item = u32> {
/// 	async_stream(|r#yield| async move {
/// 		pin_mut!(input);
/// 		while let Some(value) = input.next().await {
/// 			r#yield(value * 2).await;
/// 		}
/// 	})
/// }
///
/// #[tokio::main]
/// async fn main() {
/// 	let stream = double(zero_to_three());
/// 	pin_mut!(stream);
/// 	while let Some(value) = stream.next().await {
/// 		println!("{value}");
/// 	}
/// }
/// ```
///
/// See also [`try_async_stream`], a variant of [`async_stream`] which supports try notation (`?`).
pub fn async_stream<T, F, U>(generator: F) -> AsyncStream<T, U>
where
	F: FnOnce(fn(value: T) -> YieldFut<T>) -> U,
	U: Future<Output = ()>
{
	let generator = generator(r#yield::<T>);
	AsyncStream {
		_p: PhantomData,
		done: false,
		generator
	}
}

pub use self::r#try::{TryAsyncStream, try_async_stream};