-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathmod.rs
88 lines (74 loc) · 2.39 KB
/
mod.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
use async_std::future::Future;
use async_std::task::{Context, Poll};
use std::pin::Pin;
use crate::FromParallelStream;
pub use for_each::ForEach;
pub use map::Map;
pub use next::NextFuture;
pub use take::Take;
pub use skip::Skip;
mod for_each;
mod map;
mod next;
mod take;
mod skip;
/// Parallel version of the standard `Stream` trait.
pub trait ParallelStream: Sized + Send + Sync + Unpin + 'static {
/// The type of items yielded by this stream.
type Item: Send;
/// Attempts to receive the next item from the stream.
fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>>;
/// Set a max concurrency limit
fn limit(self, limit: impl Into<Option<usize>>) -> Self;
/// Get the max concurrency limit
fn get_limit(&self) -> Option<usize>;
/// Applies `f` to each item of this stream in parallel, producing a new
/// stream with the results.
fn map<F, T, Fut>(self, f: F) -> Map<T>
where
F: FnMut(Self::Item) -> Fut + Send + Sync + Copy + 'static,
T: Send + 'static,
Fut: Future<Output = T> + Send,
{
Map::new(self, f)
}
/// Applies `f` to each item of this stream in parallel, producing a new
/// stream with the results.
fn next(&mut self) -> NextFuture<'_, Self> {
NextFuture::new(self)
}
/// Creates a stream that yields its first `n` elements.
fn take(self, n: usize) -> Take<Self>
where
Self: Sized,
{
Take::new(self, n)
}
/// Creates a stream that skips the first `n` elements.
fn skip(self, n: usize) -> Skip<Self>
where
Self: Sized
{
Skip::new(self, n)
}
/// Applies `f` to each item of this stream in parallel.
fn for_each<F, Fut>(self, f: F) -> ForEach
where
F: FnMut(Self::Item) -> Fut + Send + Sync + Copy + 'static,
Fut: Future<Output = ()> + Send,
{
ForEach::new(self, f)
}
/// Transforms a stream into a collection.
///
///`collect()` can take anything streamable, and turn it into a relevant
/// collection. This is one of the more powerful methods in the async
/// standard library, used in a variety of contexts.
fn collect<'a, B>(self) -> Pin<Box<dyn Future<Output = B> + 'a + Send>>
where
Self: Sized + 'a,
B: FromParallelStream<Self::Item>,
{
FromParallelStream::from_par_stream(self)
}
}