use crate::stream::Stream; use core::fmt; use core::pin::Pin; use core::task::{Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream returned by the [`filter`](super::StreamExt::filter) method. #[must_use = "streams do nothing unless polled"] pub struct Filter { #[pin] stream: St, f: F, } } impl fmt::Debug for Filter where St: fmt::Debug, { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("Filter") .field("stream", &self.stream) .finish() } } impl Filter { pub(super) fn new(stream: St, f: F) -> Self { Self { stream, f } } } impl Stream for Filter where St: Stream, F: FnMut(&St::Item) -> bool, { type Item = St::Item; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll> { loop { match ready!(self.as_mut().project().stream.poll_next(cx)) { Some(e) => { if (self.as_mut().project().f)(&e) { return Poll::Ready(Some(e)); } } None => return Poll::Ready(None), } } } fn size_hint(&self) -> (usize, Option) { (0, self.stream.size_hint().1) // can't know a lower bound, due to the predicate } }