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
|
#![allow(bare_trait_objects, unknown_lints)]
extern crate futures;
use std::any::Any;
use futures::sync::oneshot;
use futures::stream::futures_ordered;
use futures::prelude::*;
mod support;
#[test]
fn works_1() {
let (a_tx, a_rx) = oneshot::channel::<u32>();
let (b_tx, b_rx) = oneshot::channel::<u32>();
let (c_tx, c_rx) = oneshot::channel::<u32>();
let stream = futures_ordered(vec![a_rx, b_rx, c_rx]);
let mut spawn = futures::executor::spawn(stream);
b_tx.send(99).unwrap();
assert!(spawn.poll_stream_notify(&support::notify_noop(), 0).unwrap().is_not_ready());
a_tx.send(33).unwrap();
c_tx.send(33).unwrap();
assert_eq!(Some(Ok(33)), spawn.wait_stream());
assert_eq!(Some(Ok(99)), spawn.wait_stream());
assert_eq!(Some(Ok(33)), spawn.wait_stream());
assert_eq!(None, spawn.wait_stream());
}
#[test]
fn works_2() {
let (a_tx, a_rx) = oneshot::channel::<u32>();
let (b_tx, b_rx) = oneshot::channel::<u32>();
let (c_tx, c_rx) = oneshot::channel::<u32>();
let stream = futures_ordered(vec![
Box::new(a_rx) as Box<Future<Item = _, Error = _>>,
Box::new(b_rx.join(c_rx).map(|(a, b)| a + b)),
]);
let mut spawn = futures::executor::spawn(stream);
a_tx.send(33).unwrap();
b_tx.send(33).unwrap();
assert!(spawn.poll_stream_notify(&support::notify_noop(), 0).unwrap().is_ready());
assert!(spawn.poll_stream_notify(&support::notify_noop(), 0).unwrap().is_not_ready());
c_tx.send(33).unwrap();
assert!(spawn.poll_stream_notify(&support::notify_noop(), 0).unwrap().is_ready());
}
#[test]
fn from_iterator() {
use futures::future::ok;
use futures::stream::FuturesOrdered;
let stream = vec![
ok::<u32, ()>(1),
ok::<u32, ()>(2),
ok::<u32, ()>(3)
].into_iter().collect::<FuturesOrdered<_>>();
assert_eq!(stream.len(), 3);
assert_eq!(stream.collect().wait(), Ok(vec![1,2,3]));
}
#[test]
fn queue_never_unblocked() {
let (_a_tx, a_rx) = oneshot::channel::<Box<Any+Send>>();
let (b_tx, b_rx) = oneshot::channel::<Box<Any+Send>>();
let (c_tx, c_rx) = oneshot::channel::<Box<Any+Send>>();
let stream = futures_ordered(vec![
Box::new(a_rx) as Box<Future<Item = _, Error = _>>,
Box::new(b_rx.select(c_rx).then(|res| Ok(Box::new(res) as Box<Any+Send>))),
]);
let mut spawn = futures::executor::spawn(stream);
for _ in 0..10 {
assert!(spawn.poll_stream_notify(&support::notify_noop(), 0).unwrap().is_not_ready());
}
b_tx.send(Box::new(())).unwrap();
assert!(spawn.poll_stream_notify(&support::notify_noop(), 0).unwrap().is_not_ready());
c_tx.send(Box::new(())).unwrap();
assert!(spawn.poll_stream_notify(&support::notify_noop(), 0).unwrap().is_not_ready());
assert!(spawn.poll_stream_notify(&support::notify_noop(), 0).unwrap().is_not_ready());
}
|