aboutsummaryrefslogtreecommitdiffstats
path: root/tests/errors.rs
blob: 646c64de2c1aa3d0f0331e49f64e472909391707 (plain) (blame)
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
// this fails because once there are no more events actively being processed,
// the stream doesn't have anything else to do (so it can't return Ready), but
// also no underlying future or stream has returned NotReady (so it can't
// return NotReady), so it has no valid action to take.

mod run;

#[derive(Debug, PartialEq, Eq)]
struct InputEvent(u32);
#[derive(Debug, PartialEq, Eq)]
struct OutputEvent(u32);

impl InputEvent {
    fn into_output_event(
        self,
    ) -> impl futures::future::Future<Item = OutputEvent, Error = String>
    {
        let InputEvent(i) = self;
        futures::future::ok(OutputEvent(i))
    }
}

enum State {
    Waiting,
    Processing(
        Box<
            dyn futures::future::Future<Item = OutputEvent, Error = String>
                + Send,
        >,
    ),
}

struct IdleStream {
    state: State,
}

impl IdleStream {
    fn new() -> Self {
        Self {
            state: State::Waiting,
        }
    }

    fn process(&mut self, event: InputEvent) {
        self.state = State::Processing(Box::new(event.into_output_event()));
    }
}

impl IdleStream {
    #[allow(clippy::type_complexity)]
    const POLL_FNS:
        &'static [&'static dyn for<'a> Fn(
            &'a mut Self,
        )
            -> component_future::Poll<
            Option<OutputEvent>,
            String,
        >] = &[&Self::poll_state];

    fn poll_state(
        &mut self,
    ) -> component_future::Poll<Option<OutputEvent>, String> {
        if let State::Processing(fut) = &mut self.state {
            let output_event = component_future::try_ready!(fut.poll());
            self.state = State::Waiting;
            Ok(component_future::Async::Ready(Some(output_event)))
        } else {
            Ok(component_future::Async::NothingToDo)
        }
    }
}

impl futures::stream::Stream for IdleStream {
    type Item = OutputEvent;
    type Error = String;

    fn poll(&mut self) -> futures::Poll<Option<Self::Item>, Self::Error> {
        component_future::poll_stream(self, Self::POLL_FNS)
    }
}

#[test]
#[should_panic]
fn test_panic() {
    let mut stream = IdleStream::new();
    stream.process(InputEvent(1));
    let _ = run::stream(stream);
}