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
use std::fmt::Display;
use futures::{Future, Stream};
use log::LogLevel;
use void::Void;

use until::Until;
use first_ok::FirstOk;
use log_errors::LogErrors;
use infallible::Infallible;
use next_or_else::NextOrElse;
use BoxStream;

/// Extension trait for `Stream`.
pub trait StreamExt: Stream + Sized {
    /// Wraps a stream into a boxed stream, making type-checking easier at the expense of an extra
    /// layer of indirection at runtime.
    fn into_boxed(self) -> BoxStream<Self::Item, Self::Error>
    where
        Self: 'static
    {
        Box::new(self)
    }

    /// Run this stream until some condition is met. `condition` is a future which returns `()`,
    /// after which this stream will be finished.
    ///
    /// # Example
    /// ```rust
    /// let my_stream_with_timeout = my_stream.until(Timeout::new(Duration::from_secs(1)));
    /// ```
    fn until<C>(self, condition: C) -> Until<Self, C>
    where
        C: Future<Item=()>,
        Self::Error: From<C::Error>
    {
        Until::new(self, condition)
    }

    /// Adapts a stream to a future by taking the first successful item yielded by the stream. If
    /// the stream ends before yielding an `Ok` then all the errors that were yielded by the stream
    /// are returned in a vector.
    fn first_ok(self) -> FirstOk<Self> {
        FirstOk::new(self)
    }

    /// Removes the errors from this stream and log them. `description` is prepended to the log
    /// messages. The returned stream has error type `Void` since the errors have been removed.
    fn log_errors(self, level: LogLevel, description: &'static str) -> LogErrors<Self>
    where
        Self::Error: Display
    {
        LogErrors::new(self, level, description)
    }

    /// For streams which can't fail (ie. which have error type `Void`), cast the error type to
    /// some inferred type.
    fn infallible<E>(self) -> Infallible<Self, E>
    where
        Self: Stream<Error=Void>
    {
        Infallible::new(self)
    }

    /// Returns a future which returns the next item from the stream, along with the stream itself.
    /// If the stream errors then just the error is returned. If the stream ends then the provided
    /// closure is used to produce an error value.
    fn next_or_else<F, E>(self, f: F) -> NextOrElse<Self, F>
    where
        F: FnOnce() -> E,
        E: From<Self::Error>,
    {
        NextOrElse::new(self, f)
    }
}

impl<T: Stream + Sized> StreamExt for T {}