repo
stringlengths
6
65
file_url
stringlengths
81
311
file_path
stringlengths
6
227
content
stringlengths
0
32.8k
language
stringclasses
1 value
license
stringclasses
7 values
commit_sha
stringlengths
40
40
retrieved_at
stringdate
2026-01-04 15:31:58
2026-01-04 20:25:31
truncated
bool
2 classes
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/throttle.rs
tokio-stream/src/stream_ext/throttle.rs
//! Slow down a stream by enforcing a delay between items. use crate::Stream; use tokio::time::{Duration, Instant, Sleep}; use std::future::Future; use std::pin::Pin; use std::task::{self, ready, Poll}; use pin_project_lite::pin_project; pub(super) fn throttle<T>(duration: Duration, stream: T) -> Throttle<T> where T: Stream, { Throttle { delay: tokio::time::sleep_until(Instant::now() + duration), duration, has_delayed: true, stream, } } pin_project! { /// Stream for the [`throttle`](throttle) function. This object is `!Unpin`. If you need it to /// implement `Unpin` you can pin your throttle like this: `Box::pin(your_throttle)`. #[derive(Debug)] #[must_use = "streams do nothing unless polled"] pub struct Throttle<T> { #[pin] delay: Sleep, duration: Duration, // Set to true when `delay` has returned ready, but `stream` hasn't. has_delayed: bool, // The stream to throttle #[pin] stream: T, } } impl<T> Throttle<T> { /// Acquires a reference to the underlying stream that this combinator is /// pulling from. pub fn get_ref(&self) -> &T { &self.stream } /// Acquires a mutable reference to the underlying stream that this combinator /// is pulling from. /// /// Note that care must be taken to avoid tampering with the state of the stream /// which may otherwise confuse this combinator. pub fn get_mut(&mut self) -> &mut T { &mut self.stream } /// Consumes this combinator, returning the underlying stream. /// /// Note that this may discard intermediate state of this combinator, so care /// should be taken to avoid losing resources when this is called. pub fn into_inner(self) -> T { self.stream } } impl<T: Stream> Stream for Throttle<T> { type Item = T::Item; fn poll_next(self: Pin<&mut Self>, cx: &mut task::Context<'_>) -> Poll<Option<Self::Item>> { let mut me = self.project(); let dur = *me.duration; if !*me.has_delayed && !is_zero(dur) { ready!(me.delay.as_mut().poll(cx)); *me.has_delayed = true; } let value = ready!(me.stream.poll_next(cx)); if value.is_some() { if !is_zero(dur) { me.delay.reset(Instant::now() + dur); } *me.has_delayed = false; } Poll::Ready(value) } } fn is_zero(dur: Duration) -> bool { dur == Duration::from_millis(0) }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/timeout.rs
tokio-stream/src/stream_ext/timeout.rs
use crate::stream_ext::Fuse; use crate::Stream; use tokio::time::{Instant, Sleep}; use core::future::Future; use core::pin::Pin; use core::task::{ready, Context, Poll}; use pin_project_lite::pin_project; use std::fmt; use std::time::Duration; pin_project! { /// Stream returned by the [`timeout`](super::StreamExt::timeout) method. #[must_use = "streams do nothing unless polled"] #[derive(Debug)] pub struct Timeout<S> { #[pin] stream: Fuse<S>, #[pin] deadline: Sleep, duration: Duration, poll_deadline: bool, } } /// Error returned by `Timeout` and `TimeoutRepeating`. #[derive(Debug, PartialEq, Eq)] pub struct Elapsed(()); impl<S: Stream> Timeout<S> { pub(super) fn new(stream: S, duration: Duration) -> Self { let next = Instant::now() + duration; let deadline = tokio::time::sleep_until(next); Timeout { stream: Fuse::new(stream), deadline, duration, poll_deadline: true, } } } impl<S: Stream> Stream for Timeout<S> { type Item = Result<S::Item, Elapsed>; fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { let me = self.project(); match me.stream.poll_next(cx) { Poll::Ready(v) => { if v.is_some() { let next = Instant::now() + *me.duration; me.deadline.reset(next); *me.poll_deadline = true; } return Poll::Ready(v.map(Ok)); } Poll::Pending => {} }; if *me.poll_deadline { ready!(me.deadline.poll(cx)); *me.poll_deadline = false; return Poll::Ready(Some(Err(Elapsed::new()))); } Poll::Pending } fn size_hint(&self) -> (usize, Option<usize>) { let (lower, upper) = self.stream.size_hint(); // The timeout stream may insert an error before and after each message // from the underlying stream, but no more than one error between each // message. Hence the upper bound is computed as 2x+1. // Using a helper function to enable use of question mark operator. fn twice_plus_one(value: Option<usize>) -> Option<usize> { value?.checked_mul(2)?.checked_add(1) } (lower, twice_plus_one(upper)) } } // ===== impl Elapsed ===== impl Elapsed { pub(crate) fn new() -> Self { Elapsed(()) } } impl fmt::Display for Elapsed { fn fmt(&self, fmt: &mut fmt::Formatter<'_>) -> fmt::Result { "deadline has elapsed".fmt(fmt) } } impl std::error::Error for Elapsed {} impl From<Elapsed> for std::io::Error { fn from(_err: Elapsed) -> std::io::Error { std::io::ErrorKind::TimedOut.into() } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/all.rs
tokio-stream/src/stream_ext/all.rs
use crate::Stream; use core::future::Future; use core::marker::PhantomPinned; use core::pin::Pin; use core::task::{ready, Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Future for the [`all`](super::StreamExt::all) method. #[derive(Debug)] #[must_use = "futures do nothing unless you `.await` or poll them"] pub struct AllFuture<'a, St: ?Sized, F> { stream: &'a mut St, f: F, // Make this future `!Unpin` for compatibility with async trait methods. #[pin] _pin: PhantomPinned, } } impl<'a, St: ?Sized, F> AllFuture<'a, St, F> { pub(super) fn new(stream: &'a mut St, f: F) -> Self { Self { stream, f, _pin: PhantomPinned, } } } impl<St, F> Future for AllFuture<'_, St, F> where St: ?Sized + Stream + Unpin, F: FnMut(St::Item) -> bool, { type Output = bool; fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> { let me = self.project(); let mut stream = Pin::new(me.stream); // Take a maximum of 32 items from the stream before yielding. for _ in 0..32 { match ready!(stream.as_mut().poll_next(cx)) { Some(v) => { if !(me.f)(v) { return Poll::Ready(false); } } None => return Poll::Ready(true), } } cx.waker().wake_by_ref(); Poll::Pending } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/collect.rs
tokio-stream/src/stream_ext/collect.rs
use crate::Stream; use core::future::Future; use core::marker::{PhantomData, PhantomPinned}; use core::mem; use core::pin::Pin; use core::task::{ready, Context, Poll}; use pin_project_lite::pin_project; // Do not export this struct until `FromStream` can be unsealed. pin_project! { /// Future returned by the [`collect`](super::StreamExt::collect) method. #[must_use = "futures do nothing unless you `.await` or poll them"] #[derive(Debug)] pub struct Collect<T, U, C> { #[pin] stream: T, collection: C, _output: PhantomData<U>, // Make this future `!Unpin` for compatibility with async trait methods. #[pin] _pin: PhantomPinned, } } /// Convert from a [`Stream`]. /// /// This trait is not intended to be used directly. Instead, call /// [`StreamExt::collect()`](super::StreamExt::collect). /// /// # Implementing /// /// Currently, this trait may not be implemented by third parties. The trait is /// sealed in order to make changes in the future. Stabilization is pending /// enhancements to the Rust language. pub trait FromStream<T>: sealed::FromStreamPriv<T> {} impl<T, U> Collect<T, U, U::InternalCollection> where T: Stream, U: FromStream<T::Item>, { pub(super) fn new(stream: T) -> Collect<T, U, U::InternalCollection> { let (lower, upper) = stream.size_hint(); let collection = U::initialize(sealed::Internal, lower, upper); Collect { stream, collection, _output: PhantomData, _pin: PhantomPinned, } } } impl<T, U> Future for Collect<T, U, U::InternalCollection> where T: Stream, U: FromStream<T::Item>, { type Output = U; fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<U> { use Poll::Ready; loop { let me = self.as_mut().project(); let item = match ready!(me.stream.poll_next(cx)) { Some(item) => item, None => { return Ready(U::finalize(sealed::Internal, me.collection)); } }; if !U::extend(sealed::Internal, me.collection, item) { return Ready(U::finalize(sealed::Internal, me.collection)); } } } } // ===== FromStream implementations impl FromStream<()> for () {} impl sealed::FromStreamPriv<()> for () { type InternalCollection = (); fn initialize(_: sealed::Internal, _lower: usize, _upper: Option<usize>) {} fn extend(_: sealed::Internal, _collection: &mut (), _item: ()) -> bool { true } fn finalize(_: sealed::Internal, _collection: &mut ()) {} } impl<T: AsRef<str>> FromStream<T> for String {} impl<T: AsRef<str>> sealed::FromStreamPriv<T> for String { type InternalCollection = String; fn initialize(_: sealed::Internal, _lower: usize, _upper: Option<usize>) -> String { String::new() } fn extend(_: sealed::Internal, collection: &mut String, item: T) -> bool { collection.push_str(item.as_ref()); true } fn finalize(_: sealed::Internal, collection: &mut String) -> String { mem::take(collection) } } impl<T> FromStream<T> for Vec<T> {} impl<T> sealed::FromStreamPriv<T> for Vec<T> { type InternalCollection = Vec<T>; fn initialize(_: sealed::Internal, lower: usize, _upper: Option<usize>) -> Vec<T> { Vec::with_capacity(lower) } fn extend(_: sealed::Internal, collection: &mut Vec<T>, item: T) -> bool { collection.push(item); true } fn finalize(_: sealed::Internal, collection: &mut Vec<T>) -> Vec<T> { mem::take(collection) } } impl<T> FromStream<T> for Box<[T]> {} impl<T> sealed::FromStreamPriv<T> for Box<[T]> { type InternalCollection = Vec<T>; fn initialize(_: sealed::Internal, lower: usize, upper: Option<usize>) -> Vec<T> { <Vec<T> as sealed::FromStreamPriv<T>>::initialize(sealed::Internal, lower, upper) } fn extend(_: sealed::Internal, collection: &mut Vec<T>, item: T) -> bool { <Vec<T> as sealed::FromStreamPriv<T>>::extend(sealed::Internal, collection, item) } fn finalize(_: sealed::Internal, collection: &mut Vec<T>) -> Box<[T]> { <Vec<T> as sealed::FromStreamPriv<T>>::finalize(sealed::Internal, collection) .into_boxed_slice() } } impl<T, U, E> FromStream<Result<T, E>> for Result<U, E> where U: FromStream<T> {} impl<T, U, E> sealed::FromStreamPriv<Result<T, E>> for Result<U, E> where U: FromStream<T>, { type InternalCollection = Result<U::InternalCollection, E>; fn initialize( _: sealed::Internal, lower: usize, upper: Option<usize>, ) -> Result<U::InternalCollection, E> { Ok(U::initialize(sealed::Internal, lower, upper)) } fn extend( _: sealed::Internal, collection: &mut Self::InternalCollection, item: Result<T, E>, ) -> bool { assert!(collection.is_ok()); match item { Ok(item) => { let collection = collection.as_mut().ok().expect("invalid state"); U::extend(sealed::Internal, collection, item) } Err(err) => { *collection = Err(err); false } } } fn finalize(_: sealed::Internal, collection: &mut Self::InternalCollection) -> Result<U, E> { if let Ok(collection) = collection.as_mut() { Ok(U::finalize(sealed::Internal, collection)) } else { let res = mem::replace(collection, Ok(U::initialize(sealed::Internal, 0, Some(0)))); Err(res.map(drop).unwrap_err()) } } } pub(crate) mod sealed { #[doc(hidden)] pub trait FromStreamPriv<T> { /// Intermediate type used during collection process /// /// The name of this type is internal and cannot be relied upon. type InternalCollection; /// Initialize the collection fn initialize( internal: Internal, lower: usize, upper: Option<usize>, ) -> Self::InternalCollection; /// Extend the collection with the received item /// /// Return `true` to continue streaming, `false` complete collection. fn extend(internal: Internal, collection: &mut Self::InternalCollection, item: T) -> bool; /// Finalize collection into target type. fn finalize(internal: Internal, collection: &mut Self::InternalCollection) -> Self; } #[allow(missing_debug_implementations)] pub struct Internal; }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/next.rs
tokio-stream/src/stream_ext/next.rs
use crate::Stream; use core::future::Future; use core::marker::PhantomPinned; use core::pin::Pin; use core::task::{Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Future for the [`next`](super::StreamExt::next) method. /// /// # Cancel safety /// /// This method is cancel safe. It only /// holds onto a reference to the underlying stream, /// so dropping it will never lose a value. /// #[derive(Debug)] #[must_use = "futures do nothing unless you `.await` or poll them"] pub struct Next<'a, St: ?Sized> { stream: &'a mut St, // Make this future `!Unpin` for compatibility with async trait methods. #[pin] _pin: PhantomPinned, } } impl<'a, St: ?Sized> Next<'a, St> { pub(super) fn new(stream: &'a mut St) -> Self { Next { stream, _pin: PhantomPinned, } } } impl<St: ?Sized + Stream + Unpin> Future for Next<'_, St> { type Output = Option<St::Item>; fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> { let me = self.project(); Pin::new(me.stream).poll_next(cx) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/filter.rs
tokio-stream/src/stream_ext/filter.rs
use crate::Stream; use core::fmt; use core::pin::Pin; use core::task::{ready, 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<St, F> { #[pin] stream: St, f: F, } } impl<St, F> fmt::Debug for Filter<St, F> where St: fmt::Debug, { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("Filter") .field("stream", &self.stream) .finish() } } impl<St, F> Filter<St, F> { pub(super) fn new(stream: St, f: F) -> Self { Self { stream, f } } } impl<St, F> Stream for Filter<St, F> where St: Stream, F: FnMut(&St::Item) -> bool, { type Item = St::Item; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<St::Item>> { 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<usize>) { (0, self.stream.size_hint().1) // can't know a lower bound, due to the predicate } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/take.rs
tokio-stream/src/stream_ext/take.rs
use crate::Stream; use core::cmp; use core::fmt; use core::pin::Pin; use core::task::{Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream for the [`take`](super::StreamExt::take) method. #[must_use = "streams do nothing unless polled"] pub struct Take<St> { #[pin] stream: St, remaining: usize, } } impl<St> fmt::Debug for Take<St> where St: fmt::Debug, { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("Take") .field("stream", &self.stream) .finish() } } impl<St> Take<St> { pub(super) fn new(stream: St, remaining: usize) -> Self { Self { stream, remaining } } } impl<St> Stream for Take<St> where St: Stream, { type Item = St::Item; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { if *self.as_mut().project().remaining > 0 { self.as_mut().project().stream.poll_next(cx).map(|ready| { match &ready { Some(_) => { *self.as_mut().project().remaining -= 1; } None => { *self.as_mut().project().remaining = 0; } } ready }) } else { Poll::Ready(None) } } fn size_hint(&self) -> (usize, Option<usize>) { if self.remaining == 0 { return (0, Some(0)); } let (lower, upper) = self.stream.size_hint(); let lower = cmp::min(lower, self.remaining); let upper = match upper { Some(x) if x < self.remaining => Some(x), _ => Some(self.remaining), }; (lower, upper) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/map_while.rs
tokio-stream/src/stream_ext/map_while.rs
use crate::Stream; use core::fmt; use core::pin::Pin; use core::task::{Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream for the [`map_while`](super::StreamExt::map_while) method. #[must_use = "streams do nothing unless polled"] pub struct MapWhile<St, F> { #[pin] stream: St, f: F, } } impl<St, F> fmt::Debug for MapWhile<St, F> where St: fmt::Debug, { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("MapWhile") .field("stream", &self.stream) .finish() } } impl<St, F> MapWhile<St, F> { pub(super) fn new(stream: St, f: F) -> Self { MapWhile { stream, f } } } impl<St, F, T> Stream for MapWhile<St, F> where St: Stream, F: FnMut(St::Item) -> Option<T>, { type Item = T; fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<T>> { let me = self.project(); let f = me.f; me.stream.poll_next(cx).map(|opt| opt.and_then(f)) } fn size_hint(&self) -> (usize, Option<usize>) { let (_, upper) = self.stream.size_hint(); (0, upper) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/timeout_repeating.rs
tokio-stream/src/stream_ext/timeout_repeating.rs
use crate::stream_ext::Fuse; use crate::{Elapsed, Stream}; use tokio::time::Interval; use core::pin::Pin; use core::task::{ready, Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream returned by the [`timeout_repeating`](super::StreamExt::timeout_repeating) method. #[must_use = "streams do nothing unless polled"] #[derive(Debug)] pub struct TimeoutRepeating<S> { #[pin] stream: Fuse<S>, #[pin] interval: Interval, } } impl<S: Stream> TimeoutRepeating<S> { pub(super) fn new(stream: S, interval: Interval) -> Self { TimeoutRepeating { stream: Fuse::new(stream), interval, } } } impl<S: Stream> Stream for TimeoutRepeating<S> { type Item = Result<S::Item, Elapsed>; fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { let mut me = self.project(); match me.stream.poll_next(cx) { Poll::Ready(v) => { if v.is_some() { me.interval.reset(); } return Poll::Ready(v.map(Ok)); } Poll::Pending => {} }; ready!(me.interval.poll_tick(cx)); Poll::Ready(Some(Err(Elapsed::new()))) } fn size_hint(&self) -> (usize, Option<usize>) { let (lower, _) = self.stream.size_hint(); // The timeout stream may insert an error an infinite number of times. (lower, None) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/chain.rs
tokio-stream/src/stream_ext/chain.rs
use crate::stream_ext::Fuse; use crate::Stream; use core::pin::Pin; use core::task::{ready, Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream returned by the [`chain`](super::StreamExt::chain) method. pub struct Chain<T, U> { #[pin] a: Fuse<T>, #[pin] b: U, } } impl<T, U> Chain<T, U> { pub(super) fn new(a: T, b: U) -> Chain<T, U> where T: Stream, U: Stream, { Chain { a: Fuse::new(a), b } } } impl<T, U> Stream for Chain<T, U> where T: Stream, U: Stream<Item = T::Item>, { type Item = T::Item; fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<T::Item>> { use Poll::Ready; let me = self.project(); if let Some(v) = ready!(me.a.poll_next(cx)) { return Ready(Some(v)); } me.b.poll_next(cx) } fn size_hint(&self) -> (usize, Option<usize>) { super::merge_size_hints(self.a.size_hint(), self.b.size_hint()) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/filter_map.rs
tokio-stream/src/stream_ext/filter_map.rs
use crate::Stream; use core::fmt; use core::pin::Pin; use core::task::{ready, Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream returned by the [`filter_map`](super::StreamExt::filter_map) method. #[must_use = "streams do nothing unless polled"] pub struct FilterMap<St, F> { #[pin] stream: St, f: F, } } impl<St, F> fmt::Debug for FilterMap<St, F> where St: fmt::Debug, { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("FilterMap") .field("stream", &self.stream) .finish() } } impl<St, F> FilterMap<St, F> { pub(super) fn new(stream: St, f: F) -> Self { Self { stream, f } } } impl<St, F, T> Stream for FilterMap<St, F> where St: Stream, F: FnMut(St::Item) -> Option<T>, { type Item = T; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<T>> { loop { match ready!(self.as_mut().project().stream.poll_next(cx)) { Some(e) => { if let Some(e) = (self.as_mut().project().f)(e) { return Poll::Ready(Some(e)); } } None => return Poll::Ready(None), } } } fn size_hint(&self) -> (usize, Option<usize>) { (0, self.stream.size_hint().1) // can't know a lower bound, due to the predicate } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/chunks_timeout.rs
tokio-stream/src/stream_ext/chunks_timeout.rs
use crate::stream_ext::Fuse; use crate::Stream; use tokio::time::{sleep, Sleep}; use core::future::Future; use core::pin::Pin; use core::task::{ready, Context, Poll}; use pin_project_lite::pin_project; use std::time::Duration; pin_project! { /// Stream returned by the [`chunks_timeout`](super::StreamExt::chunks_timeout) method. #[must_use = "streams do nothing unless polled"] #[derive(Debug)] pub struct ChunksTimeout<S: Stream> { #[pin] stream: Fuse<S>, #[pin] deadline: Option<Sleep>, duration: Duration, items: Vec<S::Item>, cap: usize, // https://github.com/rust-lang/futures-rs/issues/1475 } } impl<S: Stream> ChunksTimeout<S> { pub(super) fn new(stream: S, max_size: usize, duration: Duration) -> Self { ChunksTimeout { stream: Fuse::new(stream), deadline: None, duration, items: Vec::with_capacity(max_size), cap: max_size, } } /// Consumes the [`ChunksTimeout`] and then returns all buffered items. pub fn into_remainder(mut self: Pin<&mut Self>) -> Vec<S::Item> { let me = self.as_mut().project(); std::mem::take(me.items) } } impl<S: Stream> Stream for ChunksTimeout<S> { type Item = Vec<S::Item>; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { let mut me = self.as_mut().project(); loop { match me.stream.as_mut().poll_next(cx) { Poll::Pending => break, Poll::Ready(Some(item)) => { if me.items.is_empty() { me.deadline.set(Some(sleep(*me.duration))); me.items.reserve_exact(*me.cap); } me.items.push(item); if me.items.len() >= *me.cap { return Poll::Ready(Some(std::mem::take(me.items))); } } Poll::Ready(None) => { // Returning Some here is only correct because we fuse the inner stream. let last = if me.items.is_empty() { None } else { Some(std::mem::take(me.items)) }; return Poll::Ready(last); } } } if !me.items.is_empty() { if let Some(deadline) = me.deadline.as_pin_mut() { ready!(deadline.poll(cx)); } return Poll::Ready(Some(std::mem::take(me.items))); } Poll::Pending } fn size_hint(&self) -> (usize, Option<usize>) { let chunk_len = if self.items.is_empty() { 0 } else { 1 }; let (lower, upper) = self.stream.size_hint(); let lower = (lower / self.cap).saturating_add(chunk_len); let upper = upper.and_then(|x| x.checked_add(chunk_len)); (lower, upper) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/map.rs
tokio-stream/src/stream_ext/map.rs
use crate::Stream; use core::fmt; use core::pin::Pin; use core::task::{Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream for the [`map`](super::StreamExt::map) method. #[must_use = "streams do nothing unless polled"] pub struct Map<St, F> { #[pin] stream: St, f: F, } } impl<St, F> fmt::Debug for Map<St, F> where St: fmt::Debug, { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("Map").field("stream", &self.stream).finish() } } impl<St, F> Map<St, F> { pub(super) fn new(stream: St, f: F) -> Self { Map { stream, f } } } impl<St, F, T> Stream for Map<St, F> where St: Stream, F: FnMut(St::Item) -> T, { type Item = T; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<T>> { self.as_mut() .project() .stream .poll_next(cx) .map(|opt| opt.map(|x| (self.as_mut().project().f)(x))) } fn size_hint(&self) -> (usize, Option<usize>) { self.stream.size_hint() } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/skip_while.rs
tokio-stream/src/stream_ext/skip_while.rs
use crate::Stream; use core::fmt; use core::pin::Pin; use core::task::{ready, Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream for the [`skip_while`](super::StreamExt::skip_while) method. #[must_use = "streams do nothing unless polled"] pub struct SkipWhile<St, F> { #[pin] stream: St, predicate: Option<F>, } } impl<St, F> fmt::Debug for SkipWhile<St, F> where St: fmt::Debug, { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("SkipWhile") .field("stream", &self.stream) .finish() } } impl<St, F> SkipWhile<St, F> { pub(super) fn new(stream: St, predicate: F) -> Self { Self { stream, predicate: Some(predicate), } } } impl<St, F> Stream for SkipWhile<St, F> where St: Stream, F: FnMut(&St::Item) -> bool, { type Item = St::Item; fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { let mut this = self.project(); if let Some(predicate) = this.predicate { loop { match ready!(this.stream.as_mut().poll_next(cx)) { Some(item) => { if !(predicate)(&item) { *this.predicate = None; return Poll::Ready(Some(item)); } } None => return Poll::Ready(None), } } } else { this.stream.poll_next(cx) } } fn size_hint(&self) -> (usize, Option<usize>) { let (lower, upper) = self.stream.size_hint(); if self.predicate.is_some() { return (0, upper); } (lower, upper) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/any.rs
tokio-stream/src/stream_ext/any.rs
use crate::Stream; use core::future::Future; use core::marker::PhantomPinned; use core::pin::Pin; use core::task::{ready, Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Future for the [`any`](super::StreamExt::any) method. #[derive(Debug)] #[must_use = "futures do nothing unless you `.await` or poll them"] pub struct AnyFuture<'a, St: ?Sized, F> { stream: &'a mut St, f: F, // Make this future `!Unpin` for compatibility with async trait methods. #[pin] _pin: PhantomPinned, } } impl<'a, St: ?Sized, F> AnyFuture<'a, St, F> { pub(super) fn new(stream: &'a mut St, f: F) -> Self { Self { stream, f, _pin: PhantomPinned, } } } impl<St, F> Future for AnyFuture<'_, St, F> where St: ?Sized + Stream + Unpin, F: FnMut(St::Item) -> bool, { type Output = bool; fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> { let me = self.project(); let mut stream = Pin::new(me.stream); // Take a maximum of 32 items from the stream before yielding. for _ in 0..32 { match ready!(stream.as_mut().poll_next(cx)) { Some(v) => { if (me.f)(v) { return Poll::Ready(true); } } None => return Poll::Ready(false), } } cx.waker().wake_by_ref(); Poll::Pending } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/fuse.rs
tokio-stream/src/stream_ext/fuse.rs
use crate::Stream; use pin_project_lite::pin_project; use std::pin::Pin; use std::task::{ready, Context, Poll}; pin_project! { /// Stream returned by [`fuse()`][super::StreamExt::fuse]. #[derive(Debug)] pub struct Fuse<T> { #[pin] stream: Option<T>, } } impl<T> Fuse<T> where T: Stream, { pub(crate) fn new(stream: T) -> Fuse<T> { Fuse { stream: Some(stream), } } } impl<T> Stream for Fuse<T> where T: Stream, { type Item = T::Item; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<T::Item>> { let res = match Option::as_pin_mut(self.as_mut().project().stream) { Some(stream) => ready!(stream.poll_next(cx)), None => return Poll::Ready(None), }; if res.is_none() { // Do not poll the stream anymore self.as_mut().project().stream.set(None); } Poll::Ready(res) } fn size_hint(&self) -> (usize, Option<usize>) { match self.stream { Some(ref stream) => stream.size_hint(), None => (0, Some(0)), } } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/then.rs
tokio-stream/src/stream_ext/then.rs
use crate::Stream; use core::fmt; use core::future::Future; use core::pin::Pin; use core::task::{Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream for the [`then`](super::StreamExt::then) method. #[must_use = "streams do nothing unless polled"] pub struct Then<St, Fut, F> { #[pin] stream: St, #[pin] future: Option<Fut>, f: F, } } impl<St, Fut, F> fmt::Debug for Then<St, Fut, F> where St: fmt::Debug, { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("Then") .field("stream", &self.stream) .finish() } } impl<St, Fut, F> Then<St, Fut, F> { pub(super) fn new(stream: St, f: F) -> Self { Then { stream, future: None, f, } } } impl<St, F, Fut> Stream for Then<St, Fut, F> where St: Stream, Fut: Future, F: FnMut(St::Item) -> Fut, { type Item = Fut::Output; fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Fut::Output>> { let mut me = self.project(); loop { if let Some(future) = me.future.as_mut().as_pin_mut() { match future.poll(cx) { Poll::Ready(item) => { me.future.set(None); return Poll::Ready(Some(item)); } Poll::Pending => return Poll::Pending, } } match me.stream.as_mut().poll_next(cx) { Poll::Ready(Some(item)) => { me.future.set(Some((me.f)(item))); } Poll::Ready(None) => return Poll::Ready(None), Poll::Pending => return Poll::Pending, } } } fn size_hint(&self) -> (usize, Option<usize>) { let future_len = usize::from(self.future.is_some()); let (lower, upper) = self.stream.size_hint(); let lower = lower.saturating_add(future_len); let upper = upper.and_then(|upper| upper.checked_add(future_len)); (lower, upper) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/skip.rs
tokio-stream/src/stream_ext/skip.rs
use crate::Stream; use core::fmt; use core::pin::Pin; use core::task::{ready, Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream for the [`skip`](super::StreamExt::skip) method. #[must_use = "streams do nothing unless polled"] pub struct Skip<St> { #[pin] stream: St, remaining: usize, } } impl<St> fmt::Debug for Skip<St> where St: fmt::Debug, { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("Skip") .field("stream", &self.stream) .finish() } } impl<St> Skip<St> { pub(super) fn new(stream: St, remaining: usize) -> Self { Self { stream, remaining } } } impl<St> Stream for Skip<St> where St: Stream, { type Item = St::Item; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { loop { match ready!(self.as_mut().project().stream.poll_next(cx)) { Some(e) => { if self.remaining == 0 { return Poll::Ready(Some(e)); } *self.as_mut().project().remaining -= 1; } None => return Poll::Ready(None), } } } fn size_hint(&self) -> (usize, Option<usize>) { let (lower, upper) = self.stream.size_hint(); let lower = lower.saturating_sub(self.remaining); let upper = upper.map(|x| x.saturating_sub(self.remaining)); (lower, upper) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/peekable.rs
tokio-stream/src/stream_ext/peekable.rs
use std::pin::Pin; use std::task::{Context, Poll}; use futures_core::Stream; use pin_project_lite::pin_project; use crate::stream_ext::Fuse; use crate::StreamExt; pin_project! { /// Stream returned by the [`peekable`](super::StreamExt::peekable) method. pub struct Peekable<T: Stream> { peek: Option<T::Item>, #[pin] stream: Fuse<T>, } } impl<T: Stream> Peekable<T> { pub(crate) fn new(stream: T) -> Self { let stream = stream.fuse(); Self { peek: None, stream } } /// Peek at the next item in the stream. pub async fn peek(&mut self) -> Option<&T::Item> where T: Unpin, { if let Some(ref it) = self.peek { Some(it) } else { self.peek = self.next().await; self.peek.as_ref() } } } impl<T: Stream> Stream for Peekable<T> { type Item = T::Item; fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { let this = self.project(); if let Some(it) = this.peek.take() { Poll::Ready(Some(it)) } else { this.stream.poll_next(cx) } } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/try_next.rs
tokio-stream/src/stream_ext/try_next.rs
use crate::stream_ext::Next; use crate::Stream; use core::future::Future; use core::marker::PhantomPinned; use core::pin::Pin; use core::task::{Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Future for the [`try_next`](super::StreamExt::try_next) method. /// /// # Cancel safety /// /// This method is cancel safe. It only /// holds onto a reference to the underlying stream, /// so dropping it will never lose a value. #[derive(Debug)] #[must_use = "futures do nothing unless you `.await` or poll them"] pub struct TryNext<'a, St: ?Sized> { #[pin] inner: Next<'a, St>, // Make this future `!Unpin` for compatibility with async trait methods. #[pin] _pin: PhantomPinned, } } impl<'a, St: ?Sized> TryNext<'a, St> { pub(super) fn new(stream: &'a mut St) -> Self { Self { inner: Next::new(stream), _pin: PhantomPinned, } } } impl<T, E, St: ?Sized + Stream<Item = Result<T, E>> + Unpin> Future for TryNext<'_, St> { type Output = Result<Option<T>, E>; fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> { let me = self.project(); me.inner.poll(cx).map(Option::transpose) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/stream_ext/take_while.rs
tokio-stream/src/stream_ext/take_while.rs
use crate::Stream; use core::fmt; use core::pin::Pin; use core::task::{Context, Poll}; use pin_project_lite::pin_project; pin_project! { /// Stream for the [`take_while`](super::StreamExt::take_while) method. #[must_use = "streams do nothing unless polled"] pub struct TakeWhile<St, F> { #[pin] stream: St, predicate: F, done: bool, } } impl<St, F> fmt::Debug for TakeWhile<St, F> where St: fmt::Debug, { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("TakeWhile") .field("stream", &self.stream) .field("done", &self.done) .finish() } } impl<St, F> TakeWhile<St, F> { pub(super) fn new(stream: St, predicate: F) -> Self { Self { stream, predicate, done: false, } } } impl<St, F> Stream for TakeWhile<St, F> where St: Stream, F: FnMut(&St::Item) -> bool, { type Item = St::Item; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { if !*self.as_mut().project().done { self.as_mut().project().stream.poll_next(cx).map(|ready| { let ready = ready.and_then(|item| { if !(self.as_mut().project().predicate)(&item) { None } else { Some(item) } }); if ready.is_none() { *self.as_mut().project().done = true; } ready }) } else { Poll::Ready(None) } } fn size_hint(&self) -> (usize, Option<usize>) { if self.done { return (0, Some(0)); } let (_, upper) = self.stream.size_hint(); (0, upper) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/mpsc_bounded.rs
tokio-stream/src/wrappers/mpsc_bounded.rs
use crate::Stream; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::sync::mpsc::Receiver; /// A wrapper around [`tokio::sync::mpsc::Receiver`] that implements [`Stream`]. /// /// # Example /// /// ``` /// use tokio::sync::mpsc; /// use tokio_stream::wrappers::ReceiverStream; /// use tokio_stream::StreamExt; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> Result<(), tokio::sync::mpsc::error::SendError<u8>> { /// let (tx, rx) = mpsc::channel(2); /// tx.send(10).await?; /// tx.send(20).await?; /// # // prevent the doc test from hanging /// drop(tx); /// /// let mut stream = ReceiverStream::new(rx); /// assert_eq!(stream.next().await, Some(10)); /// assert_eq!(stream.next().await, Some(20)); /// assert_eq!(stream.next().await, None); /// # Ok(()) /// # } /// ``` /// /// [`tokio::sync::mpsc::Receiver`]: struct@tokio::sync::mpsc::Receiver /// [`Stream`]: trait@crate::Stream #[derive(Debug)] pub struct ReceiverStream<T> { inner: Receiver<T>, } impl<T> ReceiverStream<T> { /// Create a new `ReceiverStream`. pub fn new(recv: Receiver<T>) -> Self { Self { inner: recv } } /// Get back the inner `Receiver`. pub fn into_inner(self) -> Receiver<T> { self.inner } /// Closes the receiving half of a channel without dropping it. /// /// This prevents any further messages from being sent on the channel while /// still enabling the receiver to drain messages that are buffered. Any /// outstanding [`Permit`] values will still be able to send messages. /// /// To guarantee no messages are dropped, after calling `close()`, you must /// receive all items from the stream until `None` is returned. /// /// [`Permit`]: struct@tokio::sync::mpsc::Permit pub fn close(&mut self) { self.inner.close(); } } impl<T> Stream for ReceiverStream<T> { type Item = T; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { self.inner.poll_recv(cx) } /// Returns the bounds of the stream based on the underlying receiver. /// /// For open channels, it returns `(receiver.len(), None)`. /// /// For closed channels, it returns `(receiver.len(), Some(used_capacity))` /// where `used_capacity` is calculated as `receiver.max_capacity() - /// receiver.capacity()`. This accounts for any [`Permit`] that is still /// able to send a message. /// /// [`Permit`]: struct@tokio::sync::mpsc::Permit fn size_hint(&self) -> (usize, Option<usize>) { if self.inner.is_closed() { let used_capacity = self.inner.max_capacity() - self.inner.capacity(); (self.inner.len(), Some(used_capacity)) } else { (self.inner.len(), None) } } } impl<T> AsRef<Receiver<T>> for ReceiverStream<T> { fn as_ref(&self) -> &Receiver<T> { &self.inner } } impl<T> AsMut<Receiver<T>> for ReceiverStream<T> { fn as_mut(&mut self) -> &mut Receiver<T> { &mut self.inner } } impl<T> From<Receiver<T>> for ReceiverStream<T> { fn from(recv: Receiver<T>) -> Self { Self::new(recv) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/broadcast.rs
tokio-stream/src/wrappers/broadcast.rs
use std::pin::Pin; use tokio::sync::broadcast::error::RecvError; use tokio::sync::broadcast::Receiver; use futures_core::Stream; use tokio_util::sync::ReusableBoxFuture; use std::fmt; use std::task::{ready, Context, Poll}; /// A wrapper around [`tokio::sync::broadcast::Receiver`] that implements [`Stream`]. /// /// # Example /// /// ``` /// use tokio::sync::broadcast; /// use tokio_stream::wrappers::BroadcastStream; /// use tokio_stream::StreamExt; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> Result<(), tokio::sync::broadcast::error::SendError<u8>> { /// let (tx, rx) = broadcast::channel(16); /// tx.send(10)?; /// tx.send(20)?; /// # // prevent the doc test from hanging /// drop(tx); /// /// let mut stream = BroadcastStream::new(rx); /// assert_eq!(stream.next().await, Some(Ok(10))); /// assert_eq!(stream.next().await, Some(Ok(20))); /// assert_eq!(stream.next().await, None); /// # Ok(()) /// # } /// ``` /// /// [`tokio::sync::broadcast::Receiver`]: struct@tokio::sync::broadcast::Receiver /// [`Stream`]: trait@futures_core::Stream #[cfg_attr(docsrs, doc(cfg(feature = "sync")))] pub struct BroadcastStream<T> { inner: ReusableBoxFuture<'static, (Result<T, RecvError>, Receiver<T>)>, } /// An error returned from the inner stream of a [`BroadcastStream`]. #[derive(Debug, PartialEq, Eq, Clone)] pub enum BroadcastStreamRecvError { /// The receiver lagged too far behind. Attempting to receive again will /// return the oldest message still retained by the channel. /// /// Includes the number of skipped messages. Lagged(u64), } impl fmt::Display for BroadcastStreamRecvError { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { match self { BroadcastStreamRecvError::Lagged(amt) => write!(f, "channel lagged by {amt}"), } } } impl std::error::Error for BroadcastStreamRecvError {} async fn make_future<T: Clone>(mut rx: Receiver<T>) -> (Result<T, RecvError>, Receiver<T>) { let result = rx.recv().await; (result, rx) } impl<T: 'static + Clone + Send> BroadcastStream<T> { /// Create a new `BroadcastStream`. pub fn new(rx: Receiver<T>) -> Self { Self { inner: ReusableBoxFuture::new(make_future(rx)), } } } impl<T: 'static + Clone + Send> Stream for BroadcastStream<T> { type Item = Result<T, BroadcastStreamRecvError>; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { let (result, rx) = ready!(self.inner.poll(cx)); self.inner.set(make_future(rx)); match result { Ok(item) => Poll::Ready(Some(Ok(item))), Err(RecvError::Closed) => Poll::Ready(None), Err(RecvError::Lagged(n)) => { Poll::Ready(Some(Err(BroadcastStreamRecvError::Lagged(n)))) } } } } impl<T> fmt::Debug for BroadcastStream<T> { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("BroadcastStream").finish() } } impl<T: 'static + Clone + Send> From<Receiver<T>> for BroadcastStream<T> { fn from(recv: Receiver<T>) -> Self { Self::new(recv) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/tcp_listener.rs
tokio-stream/src/wrappers/tcp_listener.rs
use crate::Stream; use std::io; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::net::{TcpListener, TcpStream}; /// A wrapper around [`TcpListener`] that implements [`Stream`]. /// /// # Example /// /// Accept connections from both IPv4 and IPv6 listeners in the same loop: /// /// ```no_run /// # #[cfg(not(target_family = "wasm"))] /// # { /// use std::net::{Ipv4Addr, Ipv6Addr}; /// /// use tokio::net::TcpListener; /// use tokio_stream::{StreamExt, wrappers::TcpListenerStream}; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> std::io::Result<()> { /// let ipv4_listener = TcpListener::bind((Ipv4Addr::LOCALHOST, 8080)).await?; /// let ipv6_listener = TcpListener::bind((Ipv6Addr::LOCALHOST, 8080)).await?; /// let ipv4_connections = TcpListenerStream::new(ipv4_listener); /// let ipv6_connections = TcpListenerStream::new(ipv6_listener); /// /// let mut connections = ipv4_connections.merge(ipv6_connections); /// while let Some(tcp_stream) = connections.next().await { /// let stream = tcp_stream?; /// let peer_addr = stream.peer_addr()?; /// println!("accepted connection; peer address = {peer_addr}"); /// } /// # Ok(()) /// # } /// # } /// ``` /// /// [`TcpListener`]: struct@tokio::net::TcpListener /// [`Stream`]: trait@crate::Stream #[derive(Debug)] #[cfg_attr(docsrs, doc(cfg(feature = "net")))] pub struct TcpListenerStream { inner: TcpListener, } impl TcpListenerStream { /// Create a new `TcpListenerStream`. pub fn new(listener: TcpListener) -> Self { Self { inner: listener } } /// Get back the inner `TcpListener`. pub fn into_inner(self) -> TcpListener { self.inner } } impl Stream for TcpListenerStream { type Item = io::Result<TcpStream>; fn poll_next( self: Pin<&mut Self>, cx: &mut Context<'_>, ) -> Poll<Option<io::Result<TcpStream>>> { match self.inner.poll_accept(cx) { Poll::Ready(Ok((stream, _))) => Poll::Ready(Some(Ok(stream))), Poll::Ready(Err(err)) => Poll::Ready(Some(Err(err))), Poll::Pending => Poll::Pending, } } } impl AsRef<TcpListener> for TcpListenerStream { fn as_ref(&self) -> &TcpListener { &self.inner } } impl AsMut<TcpListener> for TcpListenerStream { fn as_mut(&mut self) -> &mut TcpListener { &mut self.inner } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/watch.rs
tokio-stream/src/wrappers/watch.rs
use std::pin::Pin; use tokio::sync::watch::Receiver; use futures_core::Stream; use tokio_util::sync::ReusableBoxFuture; use std::fmt; use std::task::{ready, Context, Poll}; use tokio::sync::watch::error::RecvError; /// A wrapper around [`tokio::sync::watch::Receiver`] that implements [`Stream`]. /// /// This stream will start by yielding the current value when the `WatchStream` is polled, /// regardless of whether it was the initial value or sent afterwards, /// unless you use [`WatchStream<T>::from_changes`]. /// /// # Examples /// /// ``` /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() { /// use tokio_stream::{StreamExt, wrappers::WatchStream}; /// use tokio::sync::watch; /// /// let (tx, rx) = watch::channel("hello"); /// let mut rx = WatchStream::new(rx); /// /// assert_eq!(rx.next().await, Some("hello")); /// /// tx.send("goodbye").unwrap(); /// assert_eq!(rx.next().await, Some("goodbye")); /// # } /// ``` /// /// ``` /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() { /// use tokio_stream::{StreamExt, wrappers::WatchStream}; /// use tokio::sync::watch; /// /// let (tx, rx) = watch::channel("hello"); /// let mut rx = WatchStream::new(rx); /// /// // existing rx output with "hello" is ignored here /// /// tx.send("goodbye").unwrap(); /// assert_eq!(rx.next().await, Some("goodbye")); /// # } /// ``` /// /// Example with [`WatchStream<T>::from_changes`]: /// /// ``` /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() { /// use futures::future::FutureExt; /// use tokio::sync::watch; /// use tokio_stream::{StreamExt, wrappers::WatchStream}; /// /// let (tx, rx) = watch::channel("hello"); /// let mut rx = WatchStream::from_changes(rx); /// /// // no output from rx is available at this point - let's check this: /// assert!(rx.next().now_or_never().is_none()); /// /// tx.send("goodbye").unwrap(); /// assert_eq!(rx.next().await, Some("goodbye")); /// # } /// ``` /// /// [`tokio::sync::watch::Receiver`]: struct@tokio::sync::watch::Receiver /// [`Stream`]: trait@crate::Stream #[cfg_attr(docsrs, doc(cfg(feature = "sync")))] pub struct WatchStream<T> { inner: ReusableBoxFuture<'static, (Result<(), RecvError>, Receiver<T>)>, } async fn make_future<T: Clone + Send + Sync>( mut rx: Receiver<T>, ) -> (Result<(), RecvError>, Receiver<T>) { let result = rx.changed().await; (result, rx) } impl<T: 'static + Clone + Send + Sync> WatchStream<T> { /// Create a new `WatchStream`. pub fn new(rx: Receiver<T>) -> Self { Self { inner: ReusableBoxFuture::new(async move { (Ok(()), rx) }), } } /// Create a new `WatchStream` that waits for the value to be changed. pub fn from_changes(rx: Receiver<T>) -> Self { Self { inner: ReusableBoxFuture::new(make_future(rx)), } } } impl<T: Clone + 'static + Send + Sync> Stream for WatchStream<T> { type Item = T; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { let (result, mut rx) = ready!(self.inner.poll(cx)); match result { Ok(_) => { let received = (*rx.borrow_and_update()).clone(); self.inner.set(make_future(rx)); Poll::Ready(Some(received)) } Err(_) => { self.inner.set(make_future(rx)); Poll::Ready(None) } } } } impl<T> Unpin for WatchStream<T> {} impl<T> fmt::Debug for WatchStream<T> { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("WatchStream").finish() } } impl<T: 'static + Clone + Send + Sync> From<Receiver<T>> for WatchStream<T> { fn from(recv: Receiver<T>) -> Self { Self::new(recv) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/signal_windows.rs
tokio-stream/src/wrappers/signal_windows.rs
use crate::Stream; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::signal::windows::{CtrlBreak, CtrlC}; /// A wrapper around [`CtrlC`] that implements [`Stream`]. /// /// [`CtrlC`]: struct@tokio::signal::windows::CtrlC /// [`Stream`]: trait@crate::Stream /// /// # Example /// /// ```no_run /// use tokio::signal::windows::ctrl_c; /// use tokio_stream::{StreamExt, wrappers::CtrlCStream}; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> std::io::Result<()> { /// let signals = ctrl_c()?; /// let mut stream = CtrlCStream::new(signals); /// while stream.next().await.is_some() { /// println!("ctrl-c received"); /// } /// # Ok(()) /// # } /// ``` #[derive(Debug)] #[cfg_attr(docsrs, doc(cfg(all(windows, feature = "signal"))))] pub struct CtrlCStream { inner: CtrlC, } impl CtrlCStream { /// Create a new `CtrlCStream`. pub fn new(interval: CtrlC) -> Self { Self { inner: interval } } /// Get back the inner `CtrlC`. pub fn into_inner(self) -> CtrlC { self.inner } } impl Stream for CtrlCStream { type Item = (); fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<()>> { self.inner.poll_recv(cx) } } impl AsRef<CtrlC> for CtrlCStream { fn as_ref(&self) -> &CtrlC { &self.inner } } impl AsMut<CtrlC> for CtrlCStream { fn as_mut(&mut self) -> &mut CtrlC { &mut self.inner } } /// A wrapper around [`CtrlBreak`] that implements [`Stream`]. /// /// # Example /// /// ```no_run /// use tokio::signal::windows::ctrl_break; /// use tokio_stream::{StreamExt, wrappers::CtrlBreakStream}; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> std::io::Result<()> { /// let signals = ctrl_break()?; /// let mut stream = CtrlBreakStream::new(signals); /// while stream.next().await.is_some() { /// println!("ctrl-break received"); /// } /// # Ok(()) /// # } /// ``` /// /// [`CtrlBreak`]: struct@tokio::signal::windows::CtrlBreak /// [`Stream`]: trait@crate::Stream #[derive(Debug)] #[cfg_attr(docsrs, doc(cfg(all(windows, feature = "signal"))))] pub struct CtrlBreakStream { inner: CtrlBreak, } impl CtrlBreakStream { /// Create a new `CtrlBreakStream`. pub fn new(interval: CtrlBreak) -> Self { Self { inner: interval } } /// Get back the inner `CtrlBreak`. pub fn into_inner(self) -> CtrlBreak { self.inner } } impl Stream for CtrlBreakStream { type Item = (); fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<()>> { self.inner.poll_recv(cx) } } impl AsRef<CtrlBreak> for CtrlBreakStream { fn as_ref(&self) -> &CtrlBreak { &self.inner } } impl AsMut<CtrlBreak> for CtrlBreakStream { fn as_mut(&mut self) -> &mut CtrlBreak { &mut self.inner } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/lines.rs
tokio-stream/src/wrappers/lines.rs
use crate::Stream; use pin_project_lite::pin_project; use std::io; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::io::{AsyncBufRead, Lines}; pin_project! { /// A wrapper around [`tokio::io::Lines`] that implements [`Stream`]. /// /// # Example /// /// ``` /// use tokio::io::AsyncBufReadExt; /// use tokio_stream::wrappers::LinesStream; /// use tokio_stream::StreamExt; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> std::io::Result<()> { /// let input = b"Hello\nWorld\n"; /// let mut stream = LinesStream::new(input.lines()); /// while let Some(line) = stream.next().await { /// println!("{}", line?); /// } /// # Ok(()) /// # } /// ``` /// /// [`tokio::io::Lines`]: struct@tokio::io::Lines /// [`Stream`]: trait@crate::Stream #[derive(Debug)] #[cfg_attr(docsrs, doc(cfg(feature = "io-util")))] pub struct LinesStream<R> { #[pin] inner: Lines<R>, } } impl<R> LinesStream<R> { /// Create a new `LinesStream`. pub fn new(lines: Lines<R>) -> Self { Self { inner: lines } } /// Get back the inner `Lines`. pub fn into_inner(self) -> Lines<R> { self.inner } /// Obtain a pinned reference to the inner `Lines<R>`. pub fn as_pin_mut(self: Pin<&mut Self>) -> Pin<&mut Lines<R>> { self.project().inner } } impl<R: AsyncBufRead> Stream for LinesStream<R> { type Item = io::Result<String>; fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { self.project() .inner .poll_next_line(cx) .map(Result::transpose) } } impl<R> AsRef<Lines<R>> for LinesStream<R> { fn as_ref(&self) -> &Lines<R> { &self.inner } } impl<R> AsMut<Lines<R>> for LinesStream<R> { fn as_mut(&mut self) -> &mut Lines<R> { &mut self.inner } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/mpsc_unbounded.rs
tokio-stream/src/wrappers/mpsc_unbounded.rs
use crate::Stream; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::sync::mpsc::UnboundedReceiver; /// A wrapper around [`tokio::sync::mpsc::UnboundedReceiver`] that implements [`Stream`]. /// /// # Example /// /// ``` /// use tokio::sync::mpsc; /// use tokio_stream::wrappers::UnboundedReceiverStream; /// use tokio_stream::StreamExt; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> Result<(), tokio::sync::mpsc::error::SendError<u8>> { /// let (tx, rx) = mpsc::unbounded_channel(); /// tx.send(10)?; /// tx.send(20)?; /// # // prevent the doc test from hanging /// drop(tx); /// /// let mut stream = UnboundedReceiverStream::new(rx); /// assert_eq!(stream.next().await, Some(10)); /// assert_eq!(stream.next().await, Some(20)); /// assert_eq!(stream.next().await, None); /// # Ok(()) /// # } /// ``` /// /// [`tokio::sync::mpsc::UnboundedReceiver`]: struct@tokio::sync::mpsc::UnboundedReceiver /// [`Stream`]: trait@crate::Stream #[derive(Debug)] pub struct UnboundedReceiverStream<T> { inner: UnboundedReceiver<T>, } impl<T> UnboundedReceiverStream<T> { /// Create a new `UnboundedReceiverStream`. pub fn new(recv: UnboundedReceiver<T>) -> Self { Self { inner: recv } } /// Get back the inner `UnboundedReceiver`. pub fn into_inner(self) -> UnboundedReceiver<T> { self.inner } /// Closes the receiving half of a channel without dropping it. /// /// This prevents any further messages from being sent on the channel while /// still enabling the receiver to drain messages that are buffered. pub fn close(&mut self) { self.inner.close(); } } impl<T> Stream for UnboundedReceiverStream<T> { type Item = T; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { self.inner.poll_recv(cx) } /// Returns the bounds of the stream based on the underlying receiver. /// /// For open channels, it returns `(receiver.len(), None)`. /// /// For closed channels, it returns `(receiver.len(), receiver.len())`. fn size_hint(&self) -> (usize, Option<usize>) { if self.inner.is_closed() { let len = self.inner.len(); (len, Some(len)) } else { (self.inner.len(), None) } } } impl<T> AsRef<UnboundedReceiver<T>> for UnboundedReceiverStream<T> { fn as_ref(&self) -> &UnboundedReceiver<T> { &self.inner } } impl<T> AsMut<UnboundedReceiver<T>> for UnboundedReceiverStream<T> { fn as_mut(&mut self) -> &mut UnboundedReceiver<T> { &mut self.inner } } impl<T> From<UnboundedReceiver<T>> for UnboundedReceiverStream<T> { fn from(recv: UnboundedReceiver<T>) -> Self { Self::new(recv) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/interval.rs
tokio-stream/src/wrappers/interval.rs
use crate::Stream; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::time::{Instant, Interval}; /// A wrapper around [`Interval`] that implements [`Stream`]. /// /// # Example /// /// ``` /// use tokio::time::{Duration, Instant, interval}; /// use tokio_stream::wrappers::IntervalStream; /// use tokio_stream::StreamExt; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() { /// let start = Instant::now(); /// let interval = interval(Duration::from_millis(10)); /// let mut stream = IntervalStream::new(interval); /// for _ in 0..3 { /// if let Some(instant) = stream.next().await { /// println!("elapsed: {:.1?}", instant.duration_since(start)); /// } /// } /// # } /// ``` /// /// [`Interval`]: struct@tokio::time::Interval /// [`Stream`]: trait@crate::Stream #[derive(Debug)] #[cfg_attr(docsrs, doc(cfg(feature = "time")))] pub struct IntervalStream { inner: Interval, } impl IntervalStream { /// Create a new `IntervalStream`. pub fn new(interval: Interval) -> Self { Self { inner: interval } } /// Get back the inner `Interval`. pub fn into_inner(self) -> Interval { self.inner } } impl Stream for IntervalStream { type Item = Instant; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Instant>> { self.inner.poll_tick(cx).map(Some) } fn size_hint(&self) -> (usize, Option<usize>) { (usize::MAX, None) } } impl AsRef<Interval> for IntervalStream { fn as_ref(&self) -> &Interval { &self.inner } } impl AsMut<Interval> for IntervalStream { fn as_mut(&mut self) -> &mut Interval { &mut self.inner } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/unix_listener.rs
tokio-stream/src/wrappers/unix_listener.rs
use crate::Stream; use std::io; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::net::{UnixListener, UnixStream}; /// A wrapper around [`UnixListener`] that implements [`Stream`]. /// /// # Example /// /// ```no_run /// use tokio::net::UnixListener; /// use tokio_stream::{StreamExt, wrappers::UnixListenerStream}; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> std::io::Result<()> { /// let listener = UnixListener::bind("/tmp/sock")?; /// let mut incoming = UnixListenerStream::new(listener); /// /// while let Some(stream) = incoming.next().await { /// let stream = stream?; /// let peer_addr = stream.peer_addr()?; /// println!("Accepted connection from: {peer_addr:?}"); /// } /// # Ok(()) /// # } /// ``` /// [`UnixListener`]: struct@tokio::net::UnixListener /// [`Stream`]: trait@crate::Stream #[derive(Debug)] #[cfg_attr(docsrs, doc(cfg(all(unix, feature = "net"))))] pub struct UnixListenerStream { inner: UnixListener, } impl UnixListenerStream { /// Create a new `UnixListenerStream`. pub fn new(listener: UnixListener) -> Self { Self { inner: listener } } /// Get back the inner `UnixListener`. pub fn into_inner(self) -> UnixListener { self.inner } } impl Stream for UnixListenerStream { type Item = io::Result<UnixStream>; fn poll_next( self: Pin<&mut Self>, cx: &mut Context<'_>, ) -> Poll<Option<io::Result<UnixStream>>> { match self.inner.poll_accept(cx) { Poll::Ready(Ok((stream, _))) => Poll::Ready(Some(Ok(stream))), Poll::Ready(Err(err)) => Poll::Ready(Some(Err(err))), Poll::Pending => Poll::Pending, } } } impl AsRef<UnixListener> for UnixListenerStream { fn as_ref(&self) -> &UnixListener { &self.inner } } impl AsMut<UnixListener> for UnixListenerStream { fn as_mut(&mut self) -> &mut UnixListener { &mut self.inner } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/read_dir.rs
tokio-stream/src/wrappers/read_dir.rs
use crate::Stream; use std::io; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::fs::{DirEntry, ReadDir}; /// A wrapper around [`tokio::fs::ReadDir`] that implements [`Stream`]. /// /// # Example /// /// ``` /// use tokio::fs::read_dir; /// use tokio_stream::{StreamExt, wrappers::ReadDirStream}; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> std::io::Result<()> { /// let dirs = read_dir(".").await?; /// let mut dirs = ReadDirStream::new(dirs); /// while let Some(dir) = dirs.next().await { /// let dir = dir?; /// println!("{}", dir.path().display()); /// } /// # Ok(()) /// # } /// ``` /// /// [`tokio::fs::ReadDir`]: struct@tokio::fs::ReadDir /// [`Stream`]: trait@crate::Stream #[derive(Debug)] #[cfg_attr(docsrs, doc(cfg(feature = "fs")))] pub struct ReadDirStream { inner: ReadDir, } impl ReadDirStream { /// Create a new `ReadDirStream`. pub fn new(read_dir: ReadDir) -> Self { Self { inner: read_dir } } /// Get back the inner `ReadDir`. pub fn into_inner(self) -> ReadDir { self.inner } } impl Stream for ReadDirStream { type Item = io::Result<DirEntry>; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { self.inner.poll_next_entry(cx).map(Result::transpose) } } impl AsRef<ReadDir> for ReadDirStream { fn as_ref(&self) -> &ReadDir { &self.inner } } impl AsMut<ReadDir> for ReadDirStream { fn as_mut(&mut self) -> &mut ReadDir { &mut self.inner } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/split.rs
tokio-stream/src/wrappers/split.rs
use crate::Stream; use pin_project_lite::pin_project; use std::io; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::io::{AsyncBufRead, Split}; pin_project! { /// A wrapper around [`tokio::io::Split`] that implements [`Stream`]. /// /// # Example /// /// ``` /// use tokio::io::AsyncBufReadExt; /// use tokio_stream::{StreamExt, wrappers::SplitStream}; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> std::io::Result<()> { /// let input = "Hello\nWorld\n".as_bytes(); /// let lines = AsyncBufReadExt::split(input, b'\n'); /// /// let mut stream = SplitStream::new(lines); /// while let Some(line) = stream.next().await { /// println!("length = {}", line?.len()) /// } /// # Ok(()) /// # } /// ``` /// [`tokio::io::Split`]: struct@tokio::io::Split /// [`Stream`]: trait@crate::Stream #[derive(Debug)] #[cfg_attr(docsrs, doc(cfg(feature = "io-util")))] pub struct SplitStream<R> { #[pin] inner: Split<R>, } } impl<R> SplitStream<R> { /// Create a new `SplitStream`. pub fn new(split: Split<R>) -> Self { Self { inner: split } } /// Get back the inner `Split`. pub fn into_inner(self) -> Split<R> { self.inner } /// Obtain a pinned reference to the inner `Split<R>`. pub fn as_pin_mut(self: Pin<&mut Self>) -> Pin<&mut Split<R>> { self.project().inner } } impl<R: AsyncBufRead> Stream for SplitStream<R> { type Item = io::Result<Vec<u8>>; fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { self.project() .inner .poll_next_segment(cx) .map(Result::transpose) } } impl<R> AsRef<Split<R>> for SplitStream<R> { fn as_ref(&self) -> &Split<R> { &self.inner } } impl<R> AsMut<Split<R>> for SplitStream<R> { fn as_mut(&mut self) -> &mut Split<R> { &mut self.inner } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/src/wrappers/signal_unix.rs
tokio-stream/src/wrappers/signal_unix.rs
use crate::Stream; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::signal::unix::Signal; /// A wrapper around [`Signal`] that implements [`Stream`]. /// /// # Example /// /// ```no_run /// use tokio::signal::unix::{signal, SignalKind}; /// use tokio_stream::{StreamExt, wrappers::SignalStream}; /// /// # #[tokio::main(flavor = "current_thread")] /// # async fn main() -> std::io::Result<()> { /// let signals = signal(SignalKind::hangup())?; /// let mut stream = SignalStream::new(signals); /// while stream.next().await.is_some() { /// println!("hangup signal received"); /// } /// # Ok(()) /// # } /// ``` /// [`Signal`]: struct@tokio::signal::unix::Signal /// [`Stream`]: trait@crate::Stream #[derive(Debug)] #[cfg_attr(docsrs, doc(cfg(all(unix, feature = "signal"))))] pub struct SignalStream { inner: Signal, } impl SignalStream { /// Create a new `SignalStream`. pub fn new(signal: Signal) -> Self { Self { inner: signal } } /// Get back the inner `Signal`. pub fn into_inner(self) -> Signal { self.inner } } impl Stream for SignalStream { type Item = (); fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<()>> { self.inner.poll_recv(cx) } } impl AsRef<Signal> for SignalStream { fn as_ref(&self) -> &Signal { &self.inner } } impl AsMut<Signal> for SignalStream { fn as_mut(&mut self) -> &mut Signal { &mut self.inner } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/mpsc_unbounded_stream.rs
tokio-stream/tests/mpsc_unbounded_stream.rs
use futures::{Stream, StreamExt}; use tokio::sync::mpsc; use tokio_stream::wrappers::UnboundedReceiverStream; #[tokio::test] async fn size_hint_stream_open() { let (tx, rx) = mpsc::unbounded_channel(); tx.send(1).unwrap(); tx.send(2).unwrap(); let mut stream = UnboundedReceiverStream::new(rx); assert_eq!(stream.size_hint(), (2, None)); stream.next().await; assert_eq!(stream.size_hint(), (1, None)); stream.next().await; assert_eq!(stream.size_hint(), (0, None)); } #[tokio::test] async fn size_hint_stream_closed() { let (tx, rx) = mpsc::unbounded_channel(); tx.send(1).unwrap(); tx.send(2).unwrap(); let mut stream = UnboundedReceiverStream::new(rx); stream.close(); assert_eq!(stream.size_hint(), (2, Some(2))); stream.next().await; assert_eq!(stream.size_hint(), (1, Some(1))); stream.next().await; assert_eq!(stream.size_hint(), (0, Some(0))); } #[tokio::test] async fn size_hint_sender_dropped() { let (tx, rx) = mpsc::unbounded_channel(); tx.send(1).unwrap(); tx.send(2).unwrap(); let mut stream = UnboundedReceiverStream::new(rx); drop(tx); assert_eq!(stream.size_hint(), (2, Some(2))); stream.next().await; assert_eq!(stream.size_hint(), (1, Some(1))); stream.next().await; assert_eq!(stream.size_hint(), (0, Some(0))); } #[test] fn size_hint_stream_instantly_closed() { let (_tx, rx) = mpsc::unbounded_channel::<i32>(); let mut stream = UnboundedReceiverStream::new(rx); stream.close(); assert_eq!(stream.size_hint(), (0, Some(0))); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/time_throttle.rs
tokio-stream/tests/time_throttle.rs
#![warn(rust_2018_idioms)] #![cfg(all(feature = "time", feature = "sync", feature = "io-util"))] use tokio::time; use tokio_stream::StreamExt; use tokio_test::*; use std::time::Duration; #[tokio::test] async fn usage() { time::pause(); let mut stream = task::spawn(futures::stream::repeat(()).throttle(Duration::from_millis(100))); assert_ready!(stream.poll_next()); assert_pending!(stream.poll_next()); time::advance(Duration::from_millis(90)).await; assert_pending!(stream.poll_next()); time::advance(Duration::from_millis(101)).await; assert!(stream.is_woken()); assert_ready!(stream.poll_next()); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_iter.rs
tokio-stream/tests/stream_iter.rs
use tokio_stream as stream; use tokio_test::task; use std::iter; #[tokio::test] async fn coop() { let mut stream = task::spawn(stream::iter(iter::repeat(1))); for _ in 0..10_000 { if stream.poll_next().is_pending() { assert!(stream.is_woken()); return; } } panic!("did not yield"); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_once.rs
tokio-stream/tests/stream_once.rs
use tokio_stream::{self as stream, Stream, StreamExt}; #[tokio::test] async fn basic_usage() { let mut one = stream::once(1); assert_eq!(one.size_hint(), (1, Some(1))); assert_eq!(Some(1), one.next().await); assert_eq!(one.size_hint(), (0, Some(0))); assert_eq!(None, one.next().await); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_close.rs
tokio-stream/tests/stream_close.rs
use tokio_stream::{StreamExt, StreamNotifyClose}; #[tokio::test] async fn basic_usage() { let mut stream = StreamNotifyClose::new(tokio_stream::iter(vec![0, 1])); assert_eq!(stream.next().await, Some(Some(0))); assert_eq!(stream.next().await, Some(Some(1))); assert_eq!(stream.next().await, Some(None)); assert_eq!(stream.next().await, None); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_merge.rs
tokio-stream/tests/stream_merge.rs
use tokio_stream::{self as stream, Stream, StreamExt}; use tokio_test::task; use tokio_test::{assert_pending, assert_ready}; mod support { pub(crate) mod mpsc; } use support::mpsc; #[tokio::test] async fn merge_sync_streams() { let mut s = stream::iter(vec![0, 2, 4, 6]).merge(stream::iter(vec![1, 3, 5])); for i in 0..7 { let rem = 7 - i; assert_eq!(s.size_hint(), (rem, Some(rem))); assert_eq!(Some(i), s.next().await); } assert!(s.next().await.is_none()); } #[tokio::test] async fn merge_async_streams() { let (tx1, rx1) = mpsc::unbounded_channel_stream(); let (tx2, rx2) = mpsc::unbounded_channel_stream(); let mut rx = task::spawn(rx1.merge(rx2)); assert_eq!(rx.size_hint(), (0, None)); assert_pending!(rx.poll_next()); tx1.send(1).unwrap(); assert!(rx.is_woken()); assert_eq!(Some(1), assert_ready!(rx.poll_next())); assert_pending!(rx.poll_next()); tx2.send(2).unwrap(); assert!(rx.is_woken()); assert_eq!(Some(2), assert_ready!(rx.poll_next())); assert_pending!(rx.poll_next()); drop(tx1); assert!(rx.is_woken()); assert_pending!(rx.poll_next()); tx2.send(3).unwrap(); assert!(rx.is_woken()); assert_eq!(Some(3), assert_ready!(rx.poll_next())); assert_pending!(rx.poll_next()); drop(tx2); assert!(rx.is_woken()); assert_eq!(None, assert_ready!(rx.poll_next())); } #[test] fn size_overflow() { struct Monster; impl tokio_stream::Stream for Monster { type Item = (); fn poll_next( self: std::pin::Pin<&mut Self>, _cx: &mut std::task::Context<'_>, ) -> std::task::Poll<Option<()>> { panic!() } fn size_hint(&self) -> (usize, Option<usize>) { (usize::MAX, Some(usize::MAX)) } } let m1 = Monster; let m2 = Monster; let m = m1.merge(m2); assert_eq!(m.size_hint(), (usize::MAX, None)); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_stream_map.rs
tokio-stream/tests/stream_stream_map.rs
use futures::stream::iter; use tokio_stream::{self as stream, pending, Stream, StreamExt, StreamMap}; use tokio_test::{assert_ok, assert_pending, assert_ready, task}; use std::future::{poll_fn, Future}; use std::pin::{pin, Pin}; use std::task::Poll; mod support { pub(crate) mod mpsc; } use support::mpsc; macro_rules! assert_ready_some { ($($t:tt)*) => { match assert_ready!($($t)*) { Some(v) => v, None => panic!("expected `Some`, got `None`"), } }; } macro_rules! assert_ready_none { ($($t:tt)*) => { match assert_ready!($($t)*) { None => {} Some(v) => panic!("expected `None`, got `Some({:?})`", v), } }; } #[tokio::test] async fn empty() { let mut map = StreamMap::<&str, stream::Pending<()>>::new(); assert_eq!(map.len(), 0); assert!(map.is_empty()); assert!(map.next().await.is_none()); assert!(map.next().await.is_none()); assert!(map.remove("foo").is_none()); } #[tokio::test] async fn single_entry() { let mut map = task::spawn(StreamMap::new()); let (tx, rx) = mpsc::unbounded_channel_stream(); let rx = Box::pin(rx); assert_ready_none!(map.poll_next()); assert!(map.insert("foo", rx).is_none()); assert!(map.contains_key("foo")); assert!(!map.contains_key("bar")); assert_eq!(map.len(), 1); assert!(!map.is_empty()); assert_pending!(map.poll_next()); assert_ok!(tx.send(1)); assert!(map.is_woken()); let (k, v) = assert_ready_some!(map.poll_next()); assert_eq!(k, "foo"); assert_eq!(v, 1); assert_pending!(map.poll_next()); assert_ok!(tx.send(2)); assert!(map.is_woken()); let (k, v) = assert_ready_some!(map.poll_next()); assert_eq!(k, "foo"); assert_eq!(v, 2); assert_pending!(map.poll_next()); drop(tx); assert!(map.is_woken()); assert_ready_none!(map.poll_next()); } #[tokio::test] async fn multiple_entries() { let mut map = task::spawn(StreamMap::new()); let (tx1, rx1) = mpsc::unbounded_channel_stream(); let (tx2, rx2) = mpsc::unbounded_channel_stream(); let rx1 = Box::pin(rx1); let rx2 = Box::pin(rx2); map.insert("foo", rx1); map.insert("bar", rx2); assert_pending!(map.poll_next()); assert_ok!(tx1.send(1)); assert!(map.is_woken()); let (k, v) = assert_ready_some!(map.poll_next()); assert_eq!(k, "foo"); assert_eq!(v, 1); assert_pending!(map.poll_next()); assert_ok!(tx2.send(2)); assert!(map.is_woken()); let (k, v) = assert_ready_some!(map.poll_next()); assert_eq!(k, "bar"); assert_eq!(v, 2); assert_pending!(map.poll_next()); assert_ok!(tx1.send(3)); assert_ok!(tx2.send(4)); assert!(map.is_woken()); // Given the randomization, there is no guarantee what order the values will // be received in. let mut v = (0..2) .map(|_| assert_ready_some!(map.poll_next())) .collect::<Vec<_>>(); assert_pending!(map.poll_next()); v.sort_unstable(); assert_eq!(v[0].0, "bar"); assert_eq!(v[0].1, 4); assert_eq!(v[1].0, "foo"); assert_eq!(v[1].1, 3); drop(tx1); assert!(map.is_woken()); assert_pending!(map.poll_next()); drop(tx2); assert_ready_none!(map.poll_next()); } #[tokio::test] async fn insert_remove() { let mut map = task::spawn(StreamMap::new()); let (tx, rx) = mpsc::unbounded_channel_stream(); let rx = Box::pin(rx); assert_ready_none!(map.poll_next()); assert!(map.insert("foo", rx).is_none()); let rx = map.remove("foo").unwrap(); assert_ok!(tx.send(1)); assert!(!map.is_woken()); assert_ready_none!(map.poll_next()); assert!(map.insert("bar", rx).is_none()); let v = assert_ready_some!(map.poll_next()); assert_eq!(v.0, "bar"); assert_eq!(v.1, 1); assert!(map.remove("bar").is_some()); assert_ready_none!(map.poll_next()); assert!(map.is_empty()); assert_eq!(0, map.len()); } #[tokio::test] async fn replace() { let mut map = task::spawn(StreamMap::new()); let (tx1, rx1) = mpsc::unbounded_channel_stream(); let (tx2, rx2) = mpsc::unbounded_channel_stream(); let rx1 = Box::pin(rx1); let rx2 = Box::pin(rx2); assert!(map.insert("foo", rx1).is_none()); assert_pending!(map.poll_next()); let _rx1 = map.insert("foo", rx2).unwrap(); assert_pending!(map.poll_next()); tx1.send(1).unwrap(); assert_pending!(map.poll_next()); tx2.send(2).unwrap(); assert!(map.is_woken()); let v = assert_ready_some!(map.poll_next()); assert_eq!(v.0, "foo"); assert_eq!(v.1, 2); } #[test] fn size_hint_with_upper() { let mut map = StreamMap::new(); map.insert("a", stream::iter(vec![1])); map.insert("b", stream::iter(vec![1, 2])); map.insert("c", stream::iter(vec![1, 2, 3])); assert_eq!(3, map.len()); assert!(!map.is_empty()); let size_hint = map.size_hint(); assert_eq!(size_hint, (6, Some(6))); } #[test] fn size_hint_without_upper() { let mut map = StreamMap::new(); map.insert("a", pin_box(stream::iter(vec![1]))); map.insert("b", pin_box(stream::iter(vec![1, 2]))); map.insert("c", pin_box(pending())); let size_hint = map.size_hint(); assert_eq!(size_hint, (3, None)); } #[test] fn new_capacity_zero() { let map = StreamMap::<&str, stream::Pending<()>>::new(); assert_eq!(0, map.capacity()); assert!(map.keys().next().is_none()); } #[test] fn with_capacity() { let map = StreamMap::<&str, stream::Pending<()>>::with_capacity(10); assert!(10 <= map.capacity()); assert!(map.keys().next().is_none()); } #[test] fn iter_keys() { let mut map = StreamMap::new(); map.insert("a", pending::<i32>()); map.insert("b", pending()); map.insert("c", pending()); let mut keys = map.keys().collect::<Vec<_>>(); keys.sort_unstable(); assert_eq!(&keys[..], &[&"a", &"b", &"c"]); } #[test] fn iter_values() { let mut map = StreamMap::new(); map.insert("a", stream::iter(vec![1])); map.insert("b", stream::iter(vec![1, 2])); map.insert("c", stream::iter(vec![1, 2, 3])); let mut size_hints = map.values().map(|s| s.size_hint().0).collect::<Vec<_>>(); size_hints.sort_unstable(); assert_eq!(&size_hints[..], &[1, 2, 3]); } #[test] fn iter_values_mut() { let mut map = StreamMap::new(); map.insert("a", stream::iter(vec![1])); map.insert("b", stream::iter(vec![1, 2])); map.insert("c", stream::iter(vec![1, 2, 3])); let mut size_hints = map .values_mut() .map(|s: &mut _| s.size_hint().0) .collect::<Vec<_>>(); size_hints.sort_unstable(); assert_eq!(&size_hints[..], &[1, 2, 3]); } #[test] fn clear() { let mut map = task::spawn(StreamMap::new()); map.insert("a", stream::iter(vec![1])); map.insert("b", stream::iter(vec![1, 2])); map.insert("c", stream::iter(vec![1, 2, 3])); assert_ready_some!(map.poll_next()); map.clear(); assert_ready_none!(map.poll_next()); assert!(map.is_empty()); } #[test] fn contains_key_borrow() { let mut map = StreamMap::new(); map.insert("foo".to_string(), pending::<()>()); assert!(map.contains_key("foo")); } #[test] fn one_ready_many_none() { // Run a few times because of randomness for _ in 0..100 { let mut map = task::spawn(StreamMap::new()); map.insert(0, pin_box(stream::empty())); map.insert(1, pin_box(stream::empty())); map.insert(2, pin_box(stream::once("hello"))); map.insert(3, pin_box(stream::pending())); let v = assert_ready_some!(map.poll_next()); assert_eq!(v, (2, "hello")); } } fn pin_box<T: Stream<Item = U> + 'static, U>(s: T) -> Pin<Box<dyn Stream<Item = U>>> { Box::pin(s) } type UsizeStream = Pin<Box<dyn Stream<Item = usize> + Send>>; #[tokio::test] async fn poll_next_many_zero() { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); stream_map.insert(0, Box::pin(pending()) as UsizeStream); let n = poll_fn(|cx| stream_map.poll_next_many(cx, &mut vec![], 0)).await; assert_eq!(n, 0); } #[tokio::test] async fn poll_next_many_empty() { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); let n = poll_fn(|cx| stream_map.poll_next_many(cx, &mut vec![], 1)).await; assert_eq!(n, 0); } #[tokio::test] async fn poll_next_many_pending() { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); stream_map.insert(0, Box::pin(pending()) as UsizeStream); let mut is_pending = false; poll_fn(|cx| { let poll = stream_map.poll_next_many(cx, &mut vec![], 1); is_pending = poll.is_pending(); Poll::Ready(()) }) .await; assert!(is_pending); } #[tokio::test] async fn poll_next_many_not_enough() { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); stream_map.insert(0, Box::pin(iter([0usize].into_iter())) as UsizeStream); stream_map.insert(1, Box::pin(iter([1usize].into_iter())) as UsizeStream); let mut buffer = vec![]; let n = poll_fn(|cx| stream_map.poll_next_many(cx, &mut buffer, 3)).await; assert_eq!(n, 2); assert_eq!(buffer.len(), 2); assert!(buffer.contains(&(0, 0))); assert!(buffer.contains(&(1, 1))); } #[tokio::test] async fn poll_next_many_enough() { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); stream_map.insert(0, Box::pin(iter([0usize].into_iter())) as UsizeStream); stream_map.insert(1, Box::pin(iter([1usize].into_iter())) as UsizeStream); let mut buffer = vec![]; let n = poll_fn(|cx| stream_map.poll_next_many(cx, &mut buffer, 2)).await; assert_eq!(n, 2); assert_eq!(buffer.len(), 2); assert!(buffer.contains(&(0, 0))); assert!(buffer.contains(&(1, 1))); } #[tokio::test] async fn poll_next_many_correctly_loops_around() { for _ in 0..10 { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); stream_map.insert(0, Box::pin(iter([0usize].into_iter())) as UsizeStream); stream_map.insert(1, Box::pin(iter([0usize, 1].into_iter())) as UsizeStream); stream_map.insert(2, Box::pin(iter([0usize, 1, 2].into_iter())) as UsizeStream); let mut buffer = vec![]; let n = poll_fn(|cx| stream_map.poll_next_many(cx, &mut buffer, 3)).await; assert_eq!(n, 3); assert_eq!( std::mem::take(&mut buffer) .into_iter() .map(|(_, v)| v) .collect::<Vec<_>>(), vec![0, 0, 0] ); let n = poll_fn(|cx| stream_map.poll_next_many(cx, &mut buffer, 2)).await; assert_eq!(n, 2); assert_eq!( std::mem::take(&mut buffer) .into_iter() .map(|(_, v)| v) .collect::<Vec<_>>(), vec![1, 1] ); let n = poll_fn(|cx| stream_map.poll_next_many(cx, &mut buffer, 1)).await; assert_eq!(n, 1); assert_eq!( std::mem::take(&mut buffer) .into_iter() .map(|(_, v)| v) .collect::<Vec<_>>(), vec![2] ); } } #[tokio::test] async fn next_many_zero() { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); stream_map.insert(0, Box::pin(pending()) as UsizeStream); let n = poll_fn(|cx| pin!(stream_map.next_many(&mut vec![], 0)).poll(cx)).await; assert_eq!(n, 0); } #[tokio::test] async fn next_many_empty() { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); let n = stream_map.next_many(&mut vec![], 1).await; assert_eq!(n, 0); } #[tokio::test] async fn next_many_pending() { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); stream_map.insert(0, Box::pin(pending()) as UsizeStream); let mut is_pending = false; poll_fn(|cx| { let poll = pin!(stream_map.next_many(&mut vec![], 1)).poll(cx); is_pending = poll.is_pending(); Poll::Ready(()) }) .await; assert!(is_pending); } #[tokio::test] async fn next_many_not_enough() { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); stream_map.insert(0, Box::pin(iter([0usize].into_iter())) as UsizeStream); stream_map.insert(1, Box::pin(iter([1usize].into_iter())) as UsizeStream); let mut buffer = vec![]; let n = poll_fn(|cx| pin!(stream_map.next_many(&mut buffer, 3)).poll(cx)).await; assert_eq!(n, 2); assert_eq!(buffer.len(), 2); assert!(buffer.contains(&(0, 0))); assert!(buffer.contains(&(1, 1))); } #[tokio::test] async fn next_many_enough() { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); stream_map.insert(0, Box::pin(iter([0usize].into_iter())) as UsizeStream); stream_map.insert(1, Box::pin(iter([1usize].into_iter())) as UsizeStream); let mut buffer = vec![]; let n = poll_fn(|cx| pin!(stream_map.next_many(&mut buffer, 2)).poll(cx)).await; assert_eq!(n, 2); assert_eq!(buffer.len(), 2); assert!(buffer.contains(&(0, 0))); assert!(buffer.contains(&(1, 1))); } #[tokio::test] async fn next_many_correctly_loops_around() { for _ in 0..10 { let mut stream_map: StreamMap<usize, UsizeStream> = StreamMap::new(); stream_map.insert(0, Box::pin(iter([0usize].into_iter())) as UsizeStream); stream_map.insert(1, Box::pin(iter([0usize, 1].into_iter())) as UsizeStream); stream_map.insert(2, Box::pin(iter([0usize, 1, 2].into_iter())) as UsizeStream); let mut buffer = vec![]; let n = poll_fn(|cx| pin!(stream_map.next_many(&mut buffer, 3)).poll(cx)).await; assert_eq!(n, 3); assert_eq!( std::mem::take(&mut buffer) .into_iter() .map(|(_, v)| v) .collect::<Vec<_>>(), vec![0, 0, 0] ); let n = poll_fn(|cx| pin!(stream_map.next_many(&mut buffer, 2)).poll(cx)).await; assert_eq!(n, 2); assert_eq!( std::mem::take(&mut buffer) .into_iter() .map(|(_, v)| v) .collect::<Vec<_>>(), vec![1, 1] ); let n = poll_fn(|cx| pin!(stream_map.next_many(&mut buffer, 1)).poll(cx)).await; assert_eq!(n, 1); assert_eq!( std::mem::take(&mut buffer) .into_iter() .map(|(_, v)| v) .collect::<Vec<_>>(), vec![2] ); } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/chunks_timeout.rs
tokio-stream/tests/chunks_timeout.rs
#![warn(rust_2018_idioms)] #![cfg(all(feature = "time", feature = "sync", feature = "io-util"))] use tokio::time; use tokio_stream::{self as stream, StreamExt}; use tokio_test::assert_pending; use tokio_test::task; use futures::FutureExt; use std::time::Duration; #[tokio::test(start_paused = true)] async fn usage() { let iter = vec![1, 2, 3].into_iter(); let stream0 = stream::iter(iter); let iter = vec![4].into_iter(); let stream1 = stream::iter(iter).then(move |n| time::sleep(Duration::from_secs(3)).map(move |_| n)); let chunk_stream = stream0 .chain(stream1) .chunks_timeout(4, Duration::from_secs(2)); let mut chunk_stream = task::spawn(chunk_stream); assert_pending!(chunk_stream.poll_next()); time::advance(Duration::from_secs(2)).await; assert_eq!(chunk_stream.next().await, Some(vec![1, 2, 3])); assert_pending!(chunk_stream.poll_next()); time::advance(Duration::from_secs(2)).await; assert_eq!(chunk_stream.next().await, Some(vec![4])); } #[tokio::test(start_paused = true)] async fn full_chunk_with_timeout() { let iter = vec![1, 2].into_iter(); let stream0 = stream::iter(iter); let iter = vec![3].into_iter(); let stream1 = stream::iter(iter).then(move |n| time::sleep(Duration::from_secs(1)).map(move |_| n)); let iter = vec![4].into_iter(); let stream2 = stream::iter(iter).then(move |n| time::sleep(Duration::from_secs(3)).map(move |_| n)); let chunk_stream = stream0 .chain(stream1) .chain(stream2) .chunks_timeout(3, Duration::from_secs(2)); let mut chunk_stream = task::spawn(chunk_stream); assert_pending!(chunk_stream.poll_next()); time::advance(Duration::from_secs(2)).await; assert_eq!(chunk_stream.next().await, Some(vec![1, 2, 3])); assert_pending!(chunk_stream.poll_next()); time::advance(Duration::from_secs(2)).await; assert_eq!(chunk_stream.next().await, Some(vec![4])); } #[tokio::test] #[ignore] async fn real_time() { let iter = vec![1, 2, 3, 4].into_iter(); let stream0 = stream::iter(iter); let iter = vec![5].into_iter(); let stream1 = stream::iter(iter).then(move |n| time::sleep(Duration::from_secs(5)).map(move |_| n)); let chunk_stream = stream0 .chain(stream1) .chunks_timeout(3, Duration::from_secs(2)); let mut chunk_stream = task::spawn(chunk_stream); assert_eq!(chunk_stream.next().await, Some(vec![1, 2, 3])); assert_eq!(chunk_stream.next().await, Some(vec![4])); assert_eq!(chunk_stream.next().await, Some(vec![5])); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_chunks_timeout.rs
tokio-stream/tests/stream_chunks_timeout.rs
#![warn(rust_2018_idioms)] use futures::FutureExt; use std::error::Error; use tokio::time; use tokio::time::Duration; use tokio_stream::{self as stream, StreamExt}; use tokio_test::assert_pending; use tokio_test::task; #[tokio::test(start_paused = true)] async fn stream_chunks_remainder() -> Result<(), Box<dyn Error>> { let stream1 = stream::iter([5]).then(move |n| time::sleep(Duration::from_secs(1)).map(move |_| n)); let inner = stream::iter([1, 2, 3, 4]).chain(stream1); tokio::pin!(inner); let chunked = (&mut inner).chunks_timeout(10, Duration::from_millis(20)); let mut chunked = task::spawn(chunked); assert_pending!(chunked.poll_next()); let remainder = chunked.enter(|_, stream| stream.into_remainder()); assert_eq!(remainder, vec![1, 2, 3, 4]); time::advance(Duration::from_secs(2)).await; assert_eq!(inner.next().await, Some(5)); Ok(()) }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/watch.rs
tokio-stream/tests/watch.rs
#![cfg(feature = "sync")] use tokio::sync::watch; use tokio_stream::wrappers::WatchStream; use tokio_stream::StreamExt; use tokio_test::assert_pending; use tokio_test::task::spawn; #[tokio::test] async fn watch_stream_message_not_twice() { let (tx, rx) = watch::channel("hello"); let mut counter = 0; let mut stream = WatchStream::new(rx).map(move |payload| { println!("{payload}"); if payload == "goodbye" { counter += 1; } if counter >= 2 { panic!("too many goodbyes"); } }); let task = tokio::spawn(async move { while stream.next().await.is_some() {} }); // Send goodbye just once tx.send("goodbye").unwrap(); drop(tx); task.await.unwrap(); } #[tokio::test] async fn watch_stream_from_rx() { let (tx, rx) = watch::channel("hello"); let mut stream = WatchStream::from(rx); assert_eq!(stream.next().await.unwrap(), "hello"); tx.send("bye").unwrap(); assert_eq!(stream.next().await.unwrap(), "bye"); } #[tokio::test] async fn watch_stream_from_changes() { let (tx, rx) = watch::channel("hello"); let mut stream = WatchStream::from_changes(rx); assert_pending!(spawn(&mut stream).poll_next()); tx.send("bye").unwrap(); assert_eq!(stream.next().await.unwrap(), "bye"); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_timeout.rs
tokio-stream/tests/stream_timeout.rs
#![cfg(all(feature = "time", feature = "sync", feature = "io-util"))] use tokio::time::{self, sleep, Duration}; use tokio_stream::StreamExt; use tokio_test::*; use futures::stream; async fn maybe_sleep(idx: i32) -> i32 { if idx % 2 == 0 { sleep(ms(200)).await; } idx } fn ms(n: u64) -> Duration { Duration::from_millis(n) } #[tokio::test] async fn basic_usage() { time::pause(); // Items 2 and 4 time out. If we run the stream until it completes, // we end up with the following items: // // [Ok(1), Err(Elapsed), Ok(2), Ok(3), Err(Elapsed), Ok(4)] let stream = stream::iter(1..=4).then(maybe_sleep).timeout(ms(100)); let mut stream = task::spawn(stream); // First item completes immediately assert_ready_eq!(stream.poll_next(), Some(Ok(1))); // Second item is delayed 200ms, times out after 100ms assert_pending!(stream.poll_next()); time::advance(ms(150)).await; let v = assert_ready!(stream.poll_next()); assert!(v.unwrap().is_err()); assert_pending!(stream.poll_next()); time::advance(ms(100)).await; assert_ready_eq!(stream.poll_next(), Some(Ok(2))); // Third item is ready immediately assert_ready_eq!(stream.poll_next(), Some(Ok(3))); // Fourth item is delayed 200ms, times out after 100ms assert_pending!(stream.poll_next()); time::advance(ms(60)).await; assert_pending!(stream.poll_next()); // nothing ready yet time::advance(ms(60)).await; let v = assert_ready!(stream.poll_next()); assert!(v.unwrap().is_err()); // timeout! time::advance(ms(120)).await; assert_ready_eq!(stream.poll_next(), Some(Ok(4))); // Done. assert_ready_eq!(stream.poll_next(), None); } #[tokio::test] async fn return_elapsed_errors_only_once() { time::pause(); let stream = stream::iter(1..=3).then(maybe_sleep).timeout(ms(50)); let mut stream = task::spawn(stream); // First item completes immediately assert_ready_eq!(stream.poll_next(), Some(Ok(1))); // Second item is delayed 200ms, times out after 50ms. Only one `Elapsed` // error is returned. assert_pending!(stream.poll_next()); // time::advance(ms(51)).await; let v = assert_ready!(stream.poll_next()); assert!(v.unwrap().is_err()); // timeout! // deadline elapses again, but no error is returned time::advance(ms(50)).await; assert_pending!(stream.poll_next()); time::advance(ms(100)).await; assert_ready_eq!(stream.poll_next(), Some(Ok(2))); assert_ready_eq!(stream.poll_next(), Some(Ok(3))); // Done assert_ready_eq!(stream.poll_next(), None); } #[tokio::test] async fn no_timeouts() { let stream = stream::iter(vec![1, 3, 5]) .then(maybe_sleep) .timeout(ms(100)); let mut stream = task::spawn(stream); assert_ready_eq!(stream.poll_next(), Some(Ok(1))); assert_ready_eq!(stream.poll_next(), Some(Ok(3))); assert_ready_eq!(stream.poll_next(), Some(Ok(5))); assert_ready_eq!(stream.poll_next(), None); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/mpsc_bounded_stream.rs
tokio-stream/tests/mpsc_bounded_stream.rs
use futures::{Stream, StreamExt}; use tokio::sync::mpsc; use tokio_stream::wrappers::ReceiverStream; #[tokio::test] async fn size_hint_stream_open() { let (tx, rx) = mpsc::channel(4); tx.send(1).await.unwrap(); tx.send(2).await.unwrap(); let mut stream = ReceiverStream::new(rx); assert_eq!(stream.size_hint(), (2, None)); stream.next().await; assert_eq!(stream.size_hint(), (1, None)); stream.next().await; assert_eq!(stream.size_hint(), (0, None)); } #[tokio::test] async fn size_hint_stream_closed() { let (tx, rx) = mpsc::channel(4); tx.send(1).await.unwrap(); tx.send(2).await.unwrap(); let mut stream = ReceiverStream::new(rx); stream.close(); assert_eq!(stream.size_hint(), (2, Some(2))); stream.next().await; assert_eq!(stream.size_hint(), (1, Some(1))); stream.next().await; assert_eq!(stream.size_hint(), (0, Some(0))); } #[tokio::test] async fn size_hint_sender_dropped() { let (tx, rx) = mpsc::channel(4); tx.send(1).await.unwrap(); tx.send(2).await.unwrap(); let mut stream = ReceiverStream::new(rx); drop(tx); assert_eq!(stream.size_hint(), (2, Some(2))); stream.next().await; assert_eq!(stream.size_hint(), (1, Some(1))); stream.next().await; assert_eq!(stream.size_hint(), (0, Some(0))); } #[test] fn size_hint_stream_instantly_closed() { let (_tx, rx) = mpsc::channel::<i32>(4); let mut stream = ReceiverStream::new(rx); stream.close(); assert_eq!(stream.size_hint(), (0, Some(0))); } #[tokio::test] async fn size_hint_stream_closed_permits_send() { let (tx, rx) = mpsc::channel(4); tx.send(1).await.unwrap(); let permit1 = tx.reserve().await.unwrap(); let permit2 = tx.reserve().await.unwrap(); let mut stream = ReceiverStream::new(rx); stream.close(); assert_eq!(stream.size_hint(), (1, Some(3))); permit1.send(2); assert_eq!(stream.size_hint(), (2, Some(3))); stream.next().await; assert_eq!(stream.size_hint(), (1, Some(2))); stream.next().await; assert_eq!(stream.size_hint(), (0, Some(1))); permit2.send(3); assert_eq!(stream.size_hint(), (1, Some(1))); stream.next().await; assert_eq!(stream.size_hint(), (0, Some(0))); assert_eq!(stream.next().await, None); } #[tokio::test] async fn size_hint_stream_closed_permits_drop() { let (tx, rx) = mpsc::channel(4); tx.send(1).await.unwrap(); let permit1 = tx.reserve().await.unwrap(); let permit2 = tx.reserve().await.unwrap(); let mut stream = ReceiverStream::new(rx); stream.close(); assert_eq!(stream.size_hint(), (1, Some(3))); drop(permit1); assert_eq!(stream.size_hint(), (1, Some(2))); stream.next().await; assert_eq!(stream.size_hint(), (0, Some(1))); drop(permit2); assert_eq!(stream.size_hint(), (0, Some(0))); assert_eq!(stream.next().await, None); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_empty.rs
tokio-stream/tests/stream_empty.rs
use tokio_stream::{self as stream, Stream, StreamExt}; #[tokio::test] async fn basic_usage() { let mut stream = stream::empty::<i32>(); for _ in 0..2 { assert_eq!(stream.size_hint(), (0, Some(0))); assert_eq!(None, stream.next().await); } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_chain.rs
tokio-stream/tests/stream_chain.rs
use tokio_stream::{self as stream, Stream, StreamExt}; use tokio_test::{assert_pending, assert_ready, task}; mod support { pub(crate) mod mpsc; } use support::mpsc; use tokio_stream::adapters::Chain; #[tokio::test] async fn basic_usage() { let one = stream::iter(vec![1, 2, 3]); let two = stream::iter(vec![4, 5, 6]); let mut stream = visibility_test(one, two); assert_eq!(stream.size_hint(), (6, Some(6))); assert_eq!(stream.next().await, Some(1)); assert_eq!(stream.size_hint(), (5, Some(5))); assert_eq!(stream.next().await, Some(2)); assert_eq!(stream.size_hint(), (4, Some(4))); assert_eq!(stream.next().await, Some(3)); assert_eq!(stream.size_hint(), (3, Some(3))); assert_eq!(stream.next().await, Some(4)); assert_eq!(stream.size_hint(), (2, Some(2))); assert_eq!(stream.next().await, Some(5)); assert_eq!(stream.size_hint(), (1, Some(1))); assert_eq!(stream.next().await, Some(6)); assert_eq!(stream.size_hint(), (0, Some(0))); assert_eq!(stream.next().await, None); assert_eq!(stream.size_hint(), (0, Some(0))); assert_eq!(stream.next().await, None); } fn visibility_test<I, S1, S2>(s1: S1, s2: S2) -> Chain<S1, S2> where S1: Stream<Item = I>, S2: Stream<Item = I>, { s1.chain(s2) } #[tokio::test] #[cfg_attr(miri, ignore)] // Block on https://github.com/tokio-rs/tokio/issues/6860 async fn pending_first() { let (tx1, rx1) = mpsc::unbounded_channel_stream(); let (tx2, rx2) = mpsc::unbounded_channel_stream(); let mut stream = task::spawn(rx1.chain(rx2)); assert_eq!(stream.size_hint(), (0, None)); assert_pending!(stream.poll_next()); tx2.send(2).unwrap(); assert!(!stream.is_woken()); assert_pending!(stream.poll_next()); tx1.send(1).unwrap(); assert!(stream.is_woken()); assert_eq!(Some(1), assert_ready!(stream.poll_next())); assert_pending!(stream.poll_next()); drop(tx1); assert_eq!(stream.size_hint(), (0, None)); assert!(stream.is_woken()); assert_eq!(Some(2), assert_ready!(stream.poll_next())); assert_eq!(stream.size_hint(), (0, None)); drop(tx2); assert_eq!(stream.size_hint(), (0, None)); assert_eq!(None, assert_ready!(stream.poll_next())); } #[test] fn size_overflow() { struct Monster; impl tokio_stream::Stream for Monster { type Item = (); fn poll_next( self: std::pin::Pin<&mut Self>, _cx: &mut std::task::Context<'_>, ) -> std::task::Poll<Option<()>> { panic!() } fn size_hint(&self) -> (usize, Option<usize>) { (usize::MAX, Some(usize::MAX)) } } let m1 = Monster; let m2 = Monster; let m = m1.chain(m2); assert_eq!(m.size_hint(), (usize::MAX, None)); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_pending.rs
tokio-stream/tests/stream_pending.rs
use tokio_stream::{self as stream, Stream, StreamExt}; use tokio_test::{assert_pending, task}; #[tokio::test] async fn basic_usage() { let mut stream = stream::pending::<i32>(); for _ in 0..2 { assert_eq!(stream.size_hint(), (0, None)); let mut next = task::spawn(async { stream.next().await }); assert_pending!(next.poll()); } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_panic.rs
tokio-stream/tests/stream_panic.rs
#![warn(rust_2018_idioms)] #![cfg(all(feature = "time", not(target_os = "wasi")))] // Wasi does not support panic recovery #![cfg(panic = "unwind")] use parking_lot::{const_mutex, Mutex}; use std::error::Error; use std::panic; use std::sync::Arc; use tokio::time::Duration; use tokio_stream::{self as stream, StreamExt}; fn test_panic<Func: FnOnce() + panic::UnwindSafe>(func: Func) -> Option<String> { static PANIC_MUTEX: Mutex<()> = const_mutex(()); { let _guard = PANIC_MUTEX.lock(); let panic_file: Arc<Mutex<Option<String>>> = Arc::new(Mutex::new(None)); let prev_hook = panic::take_hook(); { let panic_file = panic_file.clone(); panic::set_hook(Box::new(move |panic_info| { let panic_location = panic_info.location().unwrap(); panic_file .lock() .clone_from(&Some(panic_location.file().to_string())); })); } let result = panic::catch_unwind(func); // Return to the previously set panic hook (maybe default) so that we get nice error // messages in the tests. panic::set_hook(prev_hook); if result.is_err() { panic_file.lock().clone() } else { None } } } #[test] fn stream_chunks_timeout_panic_caller() -> Result<(), Box<dyn Error>> { let panic_location_file = test_panic(|| { let iter = vec![1, 2, 3].into_iter(); let stream0 = stream::iter(iter); let _chunk_stream = stream0.chunks_timeout(0, Duration::from_secs(2)); }); // The panic location should be in this file assert_eq!(&panic_location_file.unwrap(), file!()); Ok(()) }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/async_send_sync.rs
tokio-stream/tests/async_send_sync.rs
#![allow(clippy::diverging_sub_expression)] use std::rc::Rc; #[allow(dead_code)] type BoxStream<T> = std::pin::Pin<Box<dyn tokio_stream::Stream<Item = T>>>; #[allow(dead_code)] fn require_send<T: Send>(_t: &T) {} #[allow(dead_code)] fn require_sync<T: Sync>(_t: &T) {} #[allow(dead_code)] fn require_unpin<T: Unpin>(_t: &T) {} #[allow(dead_code)] struct Invalid; #[allow(unused)] trait AmbiguousIfSend<A> { fn some_item(&self) {} } impl<T: ?Sized> AmbiguousIfSend<()> for T {} impl<T: ?Sized + Send> AmbiguousIfSend<Invalid> for T {} #[allow(unused)] trait AmbiguousIfSync<A> { fn some_item(&self) {} } impl<T: ?Sized> AmbiguousIfSync<()> for T {} impl<T: ?Sized + Sync> AmbiguousIfSync<Invalid> for T {} #[allow(unused)] trait AmbiguousIfUnpin<A> { fn some_item(&self) {} } impl<T: ?Sized> AmbiguousIfUnpin<()> for T {} impl<T: ?Sized + Unpin> AmbiguousIfUnpin<Invalid> for T {} macro_rules! into_todo { ($typ:ty) => {{ let x: $typ = todo!(); x }}; } macro_rules! async_assert_fn { ($($f:ident $(< $($generic:ty),* > )? )::+($($arg:ty),*): Send & Sync) => { #[allow(unreachable_code)] #[allow(unused_variables)] const _: fn() = || { let f = $($f $(::<$($generic),*>)? )::+( $( into_todo!($arg) ),* ); require_send(&f); require_sync(&f); }; }; ($($f:ident $(< $($generic:ty),* > )? )::+($($arg:ty),*): Send & !Sync) => { #[allow(unreachable_code)] #[allow(unused_variables)] const _: fn() = || { let f = $($f $(::<$($generic),*>)? )::+( $( into_todo!($arg) ),* ); require_send(&f); AmbiguousIfSync::some_item(&f); }; }; ($($f:ident $(< $($generic:ty),* > )? )::+($($arg:ty),*): !Send & Sync) => { #[allow(unreachable_code)] #[allow(unused_variables)] const _: fn() = || { let f = $($f $(::<$($generic),*>)? )::+( $( into_todo!($arg) ),* ); AmbiguousIfSend::some_item(&f); require_sync(&f); }; }; ($($f:ident $(< $($generic:ty),* > )? )::+($($arg:ty),*): !Send & !Sync) => { #[allow(unreachable_code)] #[allow(unused_variables)] const _: fn() = || { let f = $($f $(::<$($generic),*>)? )::+( $( into_todo!($arg) ),* ); AmbiguousIfSend::some_item(&f); AmbiguousIfSync::some_item(&f); }; }; ($($f:ident $(< $($generic:ty),* > )? )::+($($arg:ty),*): !Unpin) => { #[allow(unreachable_code)] #[allow(unused_variables)] const _: fn() = || { let f = $($f $(::<$($generic),*>)? )::+( $( into_todo!($arg) ),* ); AmbiguousIfUnpin::some_item(&f); }; }; ($($f:ident $(< $($generic:ty),* > )? )::+($($arg:ty),*): Unpin) => { #[allow(unreachable_code)] #[allow(unused_variables)] const _: fn() = || { let f = $($f $(::<$($generic),*>)? )::+( $( into_todo!($arg) ),* ); require_unpin(&f); }; }; } async_assert_fn!(tokio_stream::empty<Rc<u8>>(): Send & Sync); async_assert_fn!(tokio_stream::pending<Rc<u8>>(): Send & Sync); async_assert_fn!(tokio_stream::iter(std::vec::IntoIter<u8>): Send & Sync); async_assert_fn!(tokio_stream::StreamExt::next(&mut BoxStream<()>): !Unpin); async_assert_fn!(tokio_stream::StreamExt::try_next(&mut BoxStream<Result<(), ()>>): !Unpin); async_assert_fn!(tokio_stream::StreamExt::all(&mut BoxStream<()>, fn(())->bool): !Unpin); async_assert_fn!(tokio_stream::StreamExt::any(&mut BoxStream<()>, fn(())->bool): !Unpin); async_assert_fn!(tokio_stream::StreamExt::fold(&mut BoxStream<()>, (), fn((), ())->()): !Unpin); async_assert_fn!(tokio_stream::StreamExt::collect<Vec<()>>(&mut BoxStream<()>): !Unpin);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_collect.rs
tokio-stream/tests/stream_collect.rs
use tokio_stream::{self as stream, StreamExt}; use tokio_test::{assert_pending, assert_ready, assert_ready_err, assert_ready_ok, task}; mod support { pub(crate) mod mpsc; } use support::mpsc; #[allow(clippy::let_unit_value)] #[tokio::test] async fn empty_unit() { // Drains the stream. let mut iter = vec![(), (), ()].into_iter(); let _: () = stream::iter(&mut iter).collect().await; assert!(iter.next().is_none()); } #[tokio::test] async fn empty_vec() { let coll: Vec<u32> = stream::empty().collect().await; assert!(coll.is_empty()); } #[tokio::test] async fn empty_box_slice() { let coll: Box<[u32]> = stream::empty().collect().await; assert!(coll.is_empty()); } #[tokio::test] async fn empty_string() { let coll: String = stream::empty::<&str>().collect().await; assert!(coll.is_empty()); } #[tokio::test] async fn empty_result() { let coll: Result<Vec<u32>, &str> = stream::empty().collect().await; assert_eq!(Ok(vec![]), coll); } #[tokio::test] async fn collect_vec_items() { let (tx, rx) = mpsc::unbounded_channel_stream(); let mut fut = task::spawn(rx.collect::<Vec<i32>>()); assert_pending!(fut.poll()); tx.send(1).unwrap(); assert!(fut.is_woken()); assert_pending!(fut.poll()); tx.send(2).unwrap(); assert!(fut.is_woken()); assert_pending!(fut.poll()); drop(tx); assert!(fut.is_woken()); let coll = assert_ready!(fut.poll()); assert_eq!(vec![1, 2], coll); } #[tokio::test] async fn collect_string_items() { let (tx, rx) = mpsc::unbounded_channel_stream(); let mut fut = task::spawn(rx.collect::<String>()); assert_pending!(fut.poll()); tx.send("hello ".to_string()).unwrap(); assert!(fut.is_woken()); assert_pending!(fut.poll()); tx.send("world".to_string()).unwrap(); assert!(fut.is_woken()); assert_pending!(fut.poll()); drop(tx); assert!(fut.is_woken()); let coll = assert_ready!(fut.poll()); assert_eq!("hello world", coll); } #[tokio::test] async fn collect_str_items() { let (tx, rx) = mpsc::unbounded_channel_stream(); let mut fut = task::spawn(rx.collect::<String>()); assert_pending!(fut.poll()); tx.send("hello ").unwrap(); assert!(fut.is_woken()); assert_pending!(fut.poll()); tx.send("world").unwrap(); assert!(fut.is_woken()); assert_pending!(fut.poll()); drop(tx); assert!(fut.is_woken()); let coll = assert_ready!(fut.poll()); assert_eq!("hello world", coll); } #[tokio::test] async fn collect_results_ok() { let (tx, rx) = mpsc::unbounded_channel_stream(); let mut fut = task::spawn(rx.collect::<Result<String, &str>>()); assert_pending!(fut.poll()); tx.send(Ok("hello ")).unwrap(); assert!(fut.is_woken()); assert_pending!(fut.poll()); tx.send(Ok("world")).unwrap(); assert!(fut.is_woken()); assert_pending!(fut.poll()); drop(tx); assert!(fut.is_woken()); let coll = assert_ready_ok!(fut.poll()); assert_eq!("hello world", coll); } #[tokio::test] async fn collect_results_err() { let (tx, rx) = mpsc::unbounded_channel_stream(); let mut fut = task::spawn(rx.collect::<Result<String, &str>>()); assert_pending!(fut.poll()); tx.send(Ok("hello ")).unwrap(); assert!(fut.is_woken()); assert_pending!(fut.poll()); tx.send(Err("oh no")).unwrap(); assert!(fut.is_woken()); let err = assert_ready_err!(fut.poll()); assert_eq!("oh no", err); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/stream_fuse.rs
tokio-stream/tests/stream_fuse.rs
use tokio_stream::{Stream, StreamExt}; use std::pin::Pin; use std::task::{Context, Poll}; // a stream which alternates between Some and None struct Alternate { state: i32, } impl Stream for Alternate { type Item = i32; fn poll_next(mut self: Pin<&mut Self>, _cx: &mut Context<'_>) -> Poll<Option<i32>> { let val = self.state; self.state += 1; // if it's even, Some(i32), else None if val % 2 == 0 { Poll::Ready(Some(val)) } else { Poll::Ready(None) } } } #[tokio::test] async fn basic_usage() { let mut stream = Alternate { state: 0 }; // the stream goes back and forth assert_eq!(stream.next().await, Some(0)); assert_eq!(stream.next().await, None); assert_eq!(stream.next().await, Some(2)); assert_eq!(stream.next().await, None); // however, once it is fused let mut stream = stream.fuse(); assert_eq!(stream.size_hint(), (0, None)); assert_eq!(stream.next().await, Some(4)); assert_eq!(stream.size_hint(), (0, None)); assert_eq!(stream.next().await, None); // it will always return `None` after the first time. assert_eq!(stream.size_hint(), (0, Some(0))); assert_eq!(stream.next().await, None); assert_eq!(stream.size_hint(), (0, Some(0))); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/tests/support/mpsc.rs
tokio-stream/tests/support/mpsc.rs
use async_stream::stream; use tokio::sync::mpsc::{self, UnboundedSender}; use tokio_stream::Stream; pub fn unbounded_channel_stream<T: Unpin>() -> (UnboundedSender<T>, impl Stream<Item = T>) { let (tx, mut rx) = mpsc::unbounded_channel(); let stream = stream! { while let Some(item) = rx.recv().await { yield item; } }; (tx, stream) }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-stream/fuzz/fuzz_targets/fuzz_stream_map.rs
tokio-stream/fuzz/fuzz_targets/fuzz_stream_map.rs
#![no_main] use libfuzzer_sys::fuzz_target; use std::pin::Pin; use tokio_stream::{self as stream, Stream, StreamMap}; use tokio_test::{assert_pending, assert_ready, task}; macro_rules! assert_ready_none { ($($t:tt)*) => { match assert_ready!($($t)*) { None => {} Some(v) => panic!("expected `None`, got `Some({:?})`", v), } }; } fn pin_box<T: Stream<Item = U> + 'static, U>(s: T) -> Pin<Box<dyn Stream<Item = U>>> { Box::pin(s) } fuzz_target!(|data: [bool; 64]| { use std::task::{Context, Poll}; struct DidPoll<T> { did_poll: bool, inner: T, } impl<T: Stream + Unpin> Stream for DidPoll<T> { type Item = T::Item; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<T::Item>> { self.did_poll = true; Pin::new(&mut self.inner).poll_next(cx) } } // Try the test with each possible length. for len in 0..data.len() { let mut map = task::spawn(StreamMap::new()); let mut expect = 0; for (i, is_empty) in data[..len].iter().copied().enumerate() { let inner = if is_empty { pin_box(stream::empty::<()>()) } else { expect += 1; pin_box(stream::pending::<()>()) }; let stream = DidPoll { did_poll: false, inner, }; map.insert(i, stream); } if expect == 0 { assert_ready_none!(map.poll_next()); } else { assert_pending!(map.poll_next()); assert_eq!(expect, map.values().count()); for stream in map.values() { assert!(stream.did_poll); } } } });
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/src/lib.rs
tests-build/src/lib.rs
#[cfg(feature = "tokio")] pub use tokio;
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/macros_clippy.rs
tests-build/tests/macros_clippy.rs
#[cfg(feature = "full")] #[tokio::test] async fn test_with_semicolon_without_return_type() { #![deny(clippy::semicolon_if_nothing_returned)] dbg!(0); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/macros.rs
tests-build/tests/macros.rs
#[test] #[cfg_attr(miri, ignore)] fn compile_fail_full() { let t = trybuild::TestCases::new(); #[cfg(feature = "full")] t.pass("tests/pass/forward_args_and_output.rs"); #[cfg(feature = "full")] t.pass("tests/pass/macros_main_return.rs"); #[cfg(feature = "full")] t.pass("tests/pass/macros_main_loop.rs"); #[cfg(feature = "full")] t.compile_fail("tests/fail/macros_invalid_input.rs"); #[cfg(feature = "full")] t.compile_fail("tests/fail/macros_dead_code.rs"); #[cfg(feature = "full")] t.compile_fail("tests/fail/macros_join.rs"); #[cfg(feature = "full")] t.compile_fail("tests/fail/macros_try_join.rs"); #[cfg(feature = "full")] t.compile_fail("tests/fail/macros_type_mismatch.rs"); #[cfg(all(feature = "rt", not(feature = "full")))] t.compile_fail("tests/fail/macros_core_no_default.rs"); drop(t); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/fail/macros_type_mismatch.rs
tests-build/tests/fail/macros_type_mismatch.rs
use tests_build::tokio; #[tokio::main] async fn missing_semicolon_or_return_type() { Ok(()) } #[tokio::main] async fn missing_return_type() { return Ok(()); } #[tokio::main] async fn extra_semicolon() -> Result<(), ()> { /* TODO(taiki-e): help message still wrong help: try using a variant of the expected enum | 23 | Ok(Ok(());) | 23 | Err(Ok(());) | */ Ok(()); } /// This test is a characterization test for the `?` operator. /// /// See <https://github.com/tokio-rs/tokio/issues/6930#issuecomment-2572502517> for more details. /// /// It should fail with a single error message about the return type of the function, but instead /// if fails with an extra error message due to the `?` operator being used within the async block /// rather than the original function. /// /// ```text /// 28 | None?; /// | ^ cannot use the `?` operator in an async block that returns `()` /// ``` #[tokio::main] async fn question_mark_operator_with_invalid_option() -> Option<()> { None?; } /// This test is a characterization test for the `?` operator. /// /// See <https://github.com/tokio-rs/tokio/issues/6930#issuecomment-2572502517> for more details. /// /// It should fail with a single error message about the return type of the function, but instead /// if fails with an extra error message due to the `?` operator being used within the async block /// rather than the original function. /// /// ```text /// 33 | Ok(())?; /// | ^ cannot use the `?` operator in an async block that returns `()` /// ``` #[tokio::main] async fn question_mark_operator_with_invalid_result() -> Result<(), ()> { Ok(())?; } // https://github.com/tokio-rs/tokio/issues/4635 #[allow(redundant_semicolons)] #[rustfmt::skip] #[tokio::main] async fn issue_4635() { return 1; ; } fn main() {}
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/fail/macros_invalid_input.rs
tests-build/tests/fail/macros_invalid_input.rs
#![deny(duplicate_macro_attributes)] use tests_build::tokio; #[tokio::main] fn main_is_not_async() {} #[tokio::main(foo)] async fn main_attr_has_unknown_args() {} #[tokio::main(threadpool::bar)] async fn main_attr_has_path_args() {} #[tokio::test] fn test_is_not_async() {} #[tokio::test(foo)] async fn test_attr_has_args() {} #[tokio::test(foo = 123)] async fn test_unexpected_attr() {} #[tokio::test(flavor = 123)] async fn test_flavor_not_string() {} #[tokio::test(flavor = "foo")] async fn test_unknown_flavor() {} #[tokio::test(flavor = "multi_thread", start_paused = false)] async fn test_multi_thread_with_start_paused() {} #[tokio::test(flavor = "multi_thread", worker_threads = "foo")] async fn test_worker_threads_not_int() {} #[tokio::test(flavor = "current_thread", worker_threads = 4)] async fn test_worker_threads_and_current_thread() {} #[tokio::test(crate = 456)] async fn test_crate_not_path_int() {} #[tokio::test(crate = "456")] async fn test_crate_not_path_invalid() {} #[tokio::test(flavor = "multi_thread", unhandled_panic = "shutdown_runtime")] async fn test_multi_thread_with_unhandled_panic() {} #[tokio::test] #[test] async fn test_has_second_test_attr() {} #[tokio::test] #[::core::prelude::v1::test] async fn test_has_second_test_attr_v1() {} #[tokio::test] #[core::prelude::rust_2015::test] async fn test_has_second_test_attr_rust_2015() {} #[tokio::test] #[::std::prelude::rust_2018::test] async fn test_has_second_test_attr_rust_2018() {} #[tokio::test] #[std::prelude::rust_2021::test] async fn test_has_second_test_attr_rust_2021() {} #[tokio::test] #[tokio::test] async fn test_has_generated_second_test_attr() {} fn main() {}
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/fail/macros_join.rs
tests-build/tests/fail/macros_join.rs
use tests_build::tokio; #[tokio::main] async fn main() { // do not leak `RotatorSelect` let _ = tokio::join!(async { fn foo(_: impl RotatorSelect) {} }); // do not leak `std::task::Poll::Pending` let _ = tokio::join!(async { Pending }); // do not leak `std::task::Poll::Ready` let _ = tokio::join!(async { Ready(0) }); // do not leak `std::future::Future` let _ = tokio::join!(async { struct MyFuture; impl Future for MyFuture { type Output = (); fn poll( self: std::pin::Pin<&mut Self>, _cx: &mut std::task::Context<'_>, ) -> std::task::Poll<Self::Output> { todo!() } } }); // do not leak `std::pin::Pin` let _ = tokio::join!(async { let mut x = 5; let _ = Pin::new(&mut x); }); // do not leak `std::future::poll_fn` let _ = tokio::join!(async { let _ = poll_fn(|_cx| todo!()); }); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/fail/macros_dead_code.rs
tests-build/tests/fail/macros_dead_code.rs
#![deny(dead_code)] use tests_build::tokio; #[tokio::main] async fn f() {} fn main() {}
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/fail/macros_try_join.rs
tests-build/tests/fail/macros_try_join.rs
use tests_build::tokio; #[tokio::main] async fn main() { // do not leak `RotatorSelect` let _ = tokio::try_join!(async { fn foo(_: impl RotatorSelect) {} }); // do not leak `std::task::Poll::Pending` let _ = tokio::try_join!(async { Pending }); // do not leak `std::task::Poll::Ready` let _ = tokio::try_join!(async { Ready(0) }); // do not leak `std::future::Future` let _ = tokio::try_join!(async { struct MyFuture; impl Future for MyFuture { type Output = (); fn poll( self: std::pin::Pin<&mut Self>, _cx: &mut std::task::Context<'_>, ) -> std::task::Poll<Self::Output> { todo!() } } }); // do not leak `std::pin::Pin` let _ = tokio::try_join!(async { let mut x = 5; let _ = Pin::new(&mut x); }); // do not leak `std::future::poll_fn` let _ = tokio::try_join!(async { let _ = poll_fn(|_cx| todo!()); }); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/fail/macros_core_no_default.rs
tests-build/tests/fail/macros_core_no_default.rs
use tests_build::tokio; #[tokio::main] async fn my_fn() {} fn main() {}
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/pass/forward_args_and_output.rs
tests-build/tests/pass/forward_args_and_output.rs
use tests_build::tokio; fn main() {} // arguments and output type is forwarded so other macros can access them #[tokio::test] async fn test_fn_has_args(_x: u8) {} #[tokio::test] async fn test_has_output() -> Result<(), Box<dyn std::error::Error>> { Ok(()) }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/pass/macros_main_return.rs
tests-build/tests/pass/macros_main_return.rs
use tests_build::tokio; #[tokio::main] async fn main() -> Result<(), ()> { return Ok(()); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tests-build/tests/pass/macros_main_loop.rs
tests-build/tests/pass/macros_main_loop.rs
use tests_build::tokio; #[tokio::main] async fn main() -> Result<(), ()> { loop { if !never() { return Ok(()); } } } fn never() -> bool { std::time::Instant::now() > std::time::Instant::now() }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-test/src/lib.rs
tokio-test/src/lib.rs
#![warn( missing_debug_implementations, missing_docs, rust_2018_idioms, unreachable_pub )] #![doc(test( no_crate_inject, attr(deny(warnings, rust_2018_idioms), allow(dead_code, unused_variables)) ))] //! Tokio and Futures based testing utilities pub mod io; pub mod stream_mock; mod macros; pub mod task; /// Runs the provided future, blocking the current thread until the /// future completes. /// /// For more information, see the documentation for /// [`tokio::runtime::Runtime::block_on`][runtime-block-on]. /// /// [runtime-block-on]: https://docs.rs/tokio/1.3.0/tokio/runtime/struct.Runtime.html#method.block_on pub fn block_on<F: std::future::Future>(future: F) -> F::Output { use tokio::runtime; let rt = runtime::Builder::new_current_thread() .enable_all() .build() .unwrap(); rt.block_on(future) }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-test/src/io.rs
tokio-test/src/io.rs
#![cfg(not(loom))] //! A mock type implementing [`AsyncRead`] and [`AsyncWrite`]. //! //! //! # Overview //! //! Provides a type that implements [`AsyncRead`] + [`AsyncWrite`] that can be configured //! to handle an arbitrary sequence of read and write operations. This is useful //! for writing unit tests for networking services as using an actual network //! type is fairly non deterministic. //! //! # Usage //! //! Attempting to write data that the mock isn't expecting will result in a //! panic. //! //! [`AsyncRead`]: tokio::io::AsyncRead //! [`AsyncWrite`]: tokio::io::AsyncWrite use tokio::io::{AsyncRead, AsyncWrite, ReadBuf}; use tokio::sync::mpsc; use tokio::time::{self, Duration, Instant, Sleep}; use tokio_stream::wrappers::UnboundedReceiverStream; use futures_core::Stream; use std::collections::VecDeque; use std::fmt; use std::future::Future; use std::pin::Pin; use std::sync::Arc; use std::task::{self, ready, Poll, Waker}; use std::{cmp, io}; /// An I/O object that follows a predefined script. /// /// This value is created by `Builder` and implements `AsyncRead` + `AsyncWrite`. It /// follows the scenario described by the builder and panics otherwise. #[derive(Debug)] pub struct Mock { inner: Inner, } /// A handle to send additional actions to the related `Mock`. #[derive(Debug)] pub struct Handle { tx: mpsc::UnboundedSender<Action>, } /// Builds `Mock` instances. #[derive(Debug, Clone, Default)] pub struct Builder { // Sequence of actions for the Mock to take actions: VecDeque<Action>, name: String, } #[derive(Debug, Clone)] enum Action { Read(Vec<u8>), Write(Vec<u8>), Wait(Duration), // Wrapped in Arc so that Builder can be cloned and Send. // Mock is not cloned as does not need to check Rc for ref counts. ReadError(Option<Arc<io::Error>>), WriteError(Option<Arc<io::Error>>), } struct Inner { actions: VecDeque<Action>, waiting: Option<Instant>, sleep: Option<Pin<Box<Sleep>>>, read_wait: Option<Waker>, rx: UnboundedReceiverStream<Action>, name: String, } impl Builder { /// Return a new, empty `Builder`. pub fn new() -> Self { Self::default() } /// Sequence a `read` operation. /// /// The next operation in the mock's script will be to expect a `read` call /// and return `buf`. pub fn read(&mut self, buf: &[u8]) -> &mut Self { self.actions.push_back(Action::Read(buf.into())); self } /// Sequence a `read` operation that produces an error. /// /// The next operation in the mock's script will be to expect a `read` call /// and return `error`. pub fn read_error(&mut self, error: io::Error) -> &mut Self { let error = Some(error.into()); self.actions.push_back(Action::ReadError(error)); self } /// Sequence a `write` operation. /// /// The next operation in the mock's script will be to expect a `write` /// call. pub fn write(&mut self, buf: &[u8]) -> &mut Self { self.actions.push_back(Action::Write(buf.into())); self } /// Sequence a `write` operation that produces an error. /// /// The next operation in the mock's script will be to expect a `write` /// call that provides `error`. pub fn write_error(&mut self, error: io::Error) -> &mut Self { let error = Some(error.into()); self.actions.push_back(Action::WriteError(error)); self } /// Sequence a wait. /// /// The next operation in the mock's script will be to wait without doing so /// for `duration` amount of time. pub fn wait(&mut self, duration: Duration) -> &mut Self { let duration = cmp::max(duration, Duration::from_millis(1)); self.actions.push_back(Action::Wait(duration)); self } /// Set name of the mock IO object to include in panic messages and debug output pub fn name(&mut self, name: impl Into<String>) -> &mut Self { self.name = name.into(); self } /// Build a `Mock` value according to the defined script. pub fn build(&mut self) -> Mock { let (mock, _) = self.build_with_handle(); mock } /// Build a `Mock` value paired with a handle pub fn build_with_handle(&mut self) -> (Mock, Handle) { let (inner, handle) = Inner::new(self.actions.clone(), self.name.clone()); let mock = Mock { inner }; (mock, handle) } } impl Handle { /// Sequence a `read` operation. /// /// The next operation in the mock's script will be to expect a `read` call /// and return `buf`. pub fn read(&mut self, buf: &[u8]) -> &mut Self { self.tx.send(Action::Read(buf.into())).unwrap(); self } /// Sequence a `read` operation error. /// /// The next operation in the mock's script will be to expect a `read` call /// and return `error`. pub fn read_error(&mut self, error: io::Error) -> &mut Self { let error = Some(error.into()); self.tx.send(Action::ReadError(error)).unwrap(); self } /// Sequence a `write` operation. /// /// The next operation in the mock's script will be to expect a `write` /// call. pub fn write(&mut self, buf: &[u8]) -> &mut Self { self.tx.send(Action::Write(buf.into())).unwrap(); self } /// Sequence a `write` operation error. /// /// The next operation in the mock's script will be to expect a `write` /// call error. pub fn write_error(&mut self, error: io::Error) -> &mut Self { let error = Some(error.into()); self.tx.send(Action::WriteError(error)).unwrap(); self } } impl Inner { fn new(actions: VecDeque<Action>, name: String) -> (Inner, Handle) { let (tx, rx) = mpsc::unbounded_channel(); let rx = UnboundedReceiverStream::new(rx); let inner = Inner { actions, sleep: None, read_wait: None, rx, waiting: None, name, }; let handle = Handle { tx }; (inner, handle) } fn poll_action(&mut self, cx: &mut task::Context<'_>) -> Poll<Option<Action>> { Pin::new(&mut self.rx).poll_next(cx) } fn read(&mut self, dst: &mut ReadBuf<'_>) -> io::Result<()> { match self.action() { Some(&mut Action::Read(ref mut data)) => { // Figure out how much to copy let n = cmp::min(dst.remaining(), data.len()); // Copy the data into the `dst` slice dst.put_slice(&data[..n]); // Drain the data from the source data.drain(..n); Ok(()) } Some(&mut Action::ReadError(ref mut err)) => { // As the let err = err.take().expect("Should have been removed from actions."); let err = Arc::try_unwrap(err).expect("There are no other references."); Err(err) } Some(_) => { // Either waiting or expecting a write Err(io::ErrorKind::WouldBlock.into()) } None => Ok(()), } } fn write(&mut self, mut src: &[u8]) -> io::Result<usize> { let mut ret = 0; if self.actions.is_empty() { return Err(io::ErrorKind::BrokenPipe.into()); } if let Some(&mut Action::Wait(..)) = self.action() { return Err(io::ErrorKind::WouldBlock.into()); } if let Some(&mut Action::WriteError(ref mut err)) = self.action() { let err = err.take().expect("Should have been removed from actions."); let err = Arc::try_unwrap(err).expect("There are no other references."); return Err(err); } for i in 0..self.actions.len() { match self.actions[i] { Action::Write(ref mut expect) => { let n = cmp::min(src.len(), expect.len()); assert_eq!(&src[..n], &expect[..n], "name={} i={}", self.name, i); // Drop data that was matched expect.drain(..n); src = &src[n..]; ret += n; if src.is_empty() { return Ok(ret); } } Action::Wait(..) | Action::WriteError(..) => { break; } _ => {} } // TODO: remove write } Ok(ret) } fn remaining_wait(&mut self) -> Option<Duration> { match self.action() { Some(&mut Action::Wait(dur)) => Some(dur), _ => None, } } fn action(&mut self) -> Option<&mut Action> { loop { if self.actions.is_empty() { return None; } match self.actions[0] { Action::Read(ref mut data) => { if !data.is_empty() { break; } } Action::Write(ref mut data) => { if !data.is_empty() { break; } } Action::Wait(ref mut dur) => { if let Some(until) = self.waiting { let now = Instant::now(); if now < until { break; } else { self.waiting = None; } } else { self.waiting = Some(Instant::now() + *dur); break; } } Action::ReadError(ref mut error) | Action::WriteError(ref mut error) => { if error.is_some() { break; } } } let _action = self.actions.pop_front(); } self.actions.front_mut() } } // ===== impl Inner ===== impl Mock { fn maybe_wakeup_reader(&mut self) { match self.inner.action() { Some(&mut Action::Read(_)) | Some(&mut Action::ReadError(_)) | None => { if let Some(waker) = self.inner.read_wait.take() { waker.wake(); } } _ => {} } } } impl AsyncRead for Mock { fn poll_read( mut self: Pin<&mut Self>, cx: &mut task::Context<'_>, buf: &mut ReadBuf<'_>, ) -> Poll<io::Result<()>> { loop { if let Some(ref mut sleep) = self.inner.sleep { ready!(Pin::new(sleep).poll(cx)); } // If a sleep is set, it has already fired self.inner.sleep = None; // Capture 'filled' to monitor if it changed let filled = buf.filled().len(); match self.inner.read(buf) { Err(ref e) if e.kind() == io::ErrorKind::WouldBlock => { if let Some(rem) = self.inner.remaining_wait() { let until = Instant::now() + rem; self.inner.sleep = Some(Box::pin(time::sleep_until(until))); } else { self.inner.read_wait = Some(cx.waker().clone()); return Poll::Pending; } } Ok(()) => { if buf.filled().len() == filled { match ready!(self.inner.poll_action(cx)) { Some(action) => { self.inner.actions.push_back(action); continue; } None => { return Poll::Ready(Ok(())); } } } else { return Poll::Ready(Ok(())); } } Err(e) => return Poll::Ready(Err(e)), } } } } impl AsyncWrite for Mock { fn poll_write( mut self: Pin<&mut Self>, cx: &mut task::Context<'_>, buf: &[u8], ) -> Poll<io::Result<usize>> { loop { if let Some(ref mut sleep) = self.inner.sleep { ready!(Pin::new(sleep).poll(cx)); } // If a sleep is set, it has already fired self.inner.sleep = None; if self.inner.actions.is_empty() { match self.inner.poll_action(cx) { Poll::Pending => { // do not propagate pending } Poll::Ready(Some(action)) => { self.inner.actions.push_back(action); } Poll::Ready(None) => { panic!("unexpected write {}", self.pmsg()); } } } match self.inner.write(buf) { Err(ref e) if e.kind() == io::ErrorKind::WouldBlock => { if let Some(rem) = self.inner.remaining_wait() { let until = Instant::now() + rem; self.inner.sleep = Some(Box::pin(time::sleep_until(until))); } else { panic!("unexpected WouldBlock {}", self.pmsg()); } } Ok(0) => { // TODO: Is this correct? if !self.inner.actions.is_empty() { return Poll::Pending; } // TODO: Extract match ready!(self.inner.poll_action(cx)) { Some(action) => { self.inner.actions.push_back(action); continue; } None => { panic!("unexpected write {}", self.pmsg()); } } } ret => { self.maybe_wakeup_reader(); return Poll::Ready(ret); } } } } fn poll_flush(self: Pin<&mut Self>, _cx: &mut task::Context<'_>) -> Poll<io::Result<()>> { Poll::Ready(Ok(())) } fn poll_shutdown(self: Pin<&mut Self>, _cx: &mut task::Context<'_>) -> Poll<io::Result<()>> { Poll::Ready(Ok(())) } } /// Ensures that Mock isn't dropped with data "inside". impl Drop for Mock { fn drop(&mut self) { // Avoid double panicking, since makes debugging much harder. if std::thread::panicking() { return; } self.inner.actions.iter().for_each(|a| match a { Action::Read(data) => assert!( data.is_empty(), "There is still data left to read. {}", self.pmsg() ), Action::Write(data) => assert!( data.is_empty(), "There is still data left to write. {}", self.pmsg() ), _ => (), }); } } /* /// Returns `true` if called from the context of a futures-rs Task fn is_task_ctx() -> bool { use std::panic; // Save the existing panic hook let h = panic::take_hook(); // Install a new one that does nothing panic::set_hook(Box::new(|_| {})); // Attempt to call the fn let r = panic::catch_unwind(|| task::current()).is_ok(); // Re-install the old one panic::set_hook(h); // Return the result r } */ impl fmt::Debug for Inner { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { if self.name.is_empty() { write!(f, "Inner {{...}}") } else { write!(f, "Inner {{name={}, ...}}", self.name) } } } struct PanicMsgSnippet<'a>(&'a Inner); impl<'a> fmt::Display for PanicMsgSnippet<'a> { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { if self.0.name.is_empty() { write!(f, "({} actions remain)", self.0.actions.len()) } else { write!( f, "(name {}, {} actions remain)", self.0.name, self.0.actions.len() ) } } } impl Mock { fn pmsg(&self) -> PanicMsgSnippet<'_> { PanicMsgSnippet(&self.inner) } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-test/src/stream_mock.rs
tokio-test/src/stream_mock.rs
#![cfg(not(loom))] //! A mock stream implementing [`Stream`]. //! //! # Overview //! This crate provides a `StreamMock` that can be used to test code that interacts with streams. //! It allows you to mock the behavior of a stream and control the items it yields and the waiting //! intervals between items. //! //! # Usage //! To use the `StreamMock`, you need to create a builder using [`StreamMockBuilder`]. The builder //! allows you to enqueue actions such as returning items or waiting for a certain duration. //! //! # Example //! ```rust //! //! use futures_util::StreamExt; //! use std::time::Duration; //! use tokio_test::stream_mock::StreamMockBuilder; //! //! async fn test_stream_mock_wait() { //! let mut stream_mock = StreamMockBuilder::new() //! .next(1) //! .wait(Duration::from_millis(300)) //! .next(2) //! .build(); //! //! assert_eq!(stream_mock.next().await, Some(1)); //! let start = std::time::Instant::now(); //! assert_eq!(stream_mock.next().await, Some(2)); //! let elapsed = start.elapsed(); //! assert!(elapsed >= Duration::from_millis(300)); //! assert_eq!(stream_mock.next().await, None); //! } //! ``` use std::collections::VecDeque; use std::pin::Pin; use std::task::{ready, Poll}; use std::time::Duration; use futures_core::Stream; use std::future::Future; use tokio::time::{sleep_until, Instant, Sleep}; #[derive(Debug, Clone)] enum Action<T: Unpin> { Next(T), Wait(Duration), } /// A builder for [`StreamMock`] #[derive(Debug, Clone)] pub struct StreamMockBuilder<T: Unpin> { actions: VecDeque<Action<T>>, } impl<T: Unpin> StreamMockBuilder<T> { /// Create a new empty [`StreamMockBuilder`] pub fn new() -> Self { StreamMockBuilder::default() } /// Queue an item to be returned by the stream pub fn next(mut self, value: T) -> Self { self.actions.push_back(Action::Next(value)); self } // Queue an item to be consumed by the sink, // commented out until Sink is implemented. // // pub fn consume(mut self, value: T) -> Self { // self.actions.push_back(Action::Consume(value)); // self // } /// Queue the stream to wait for a duration pub fn wait(mut self, duration: Duration) -> Self { self.actions.push_back(Action::Wait(duration)); self } /// Build the [`StreamMock`] pub fn build(self) -> StreamMock<T> { StreamMock { actions: self.actions, sleep: None, } } } impl<T: Unpin> Default for StreamMockBuilder<T> { fn default() -> Self { StreamMockBuilder { actions: VecDeque::new(), } } } /// A mock stream implementing [`Stream`] /// /// See [`StreamMockBuilder`] for more information. #[derive(Debug)] pub struct StreamMock<T: Unpin> { actions: VecDeque<Action<T>>, sleep: Option<Pin<Box<Sleep>>>, } impl<T: Unpin> StreamMock<T> { fn next_action(&mut self) -> Option<Action<T>> { self.actions.pop_front() } } impl<T: Unpin> Stream for StreamMock<T> { type Item = T; fn poll_next( mut self: std::pin::Pin<&mut Self>, cx: &mut std::task::Context<'_>, ) -> std::task::Poll<Option<Self::Item>> { // Try polling the sleep future first if let Some(ref mut sleep) = self.sleep { ready!(Pin::new(sleep).poll(cx)); // Since we're ready, discard the sleep future self.sleep.take(); } match self.next_action() { Some(action) => match action { Action::Next(item) => Poll::Ready(Some(item)), Action::Wait(duration) => { // Set up a sleep future and schedule this future to be polled again for it. self.sleep = Some(Box::pin(sleep_until(Instant::now() + duration))); cx.waker().wake_by_ref(); Poll::Pending } }, None => Poll::Ready(None), } } } impl<T: Unpin> Drop for StreamMock<T> { fn drop(&mut self) { // Avoid double panicking to make debugging easier. if std::thread::panicking() { return; } let undropped_count = self .actions .iter() .filter(|action| match action { Action::Next(_) => true, Action::Wait(_) => false, }) .count(); assert!( undropped_count == 0, "StreamMock was dropped before all actions were consumed, {undropped_count} actions were not consumed" ); } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-test/src/macros.rs
tokio-test/src/macros.rs
//! A collection of useful macros for testing futures and tokio based code /// Asserts a `Poll` is ready, returning the value. /// /// This will invoke `panic!` if the provided `Poll` does not evaluate to `Poll::Ready` at /// runtime. /// /// # Custom Messages /// /// This macro has a second form, where a custom panic message can be provided with or without /// arguments for formatting. /// /// # Examples /// /// ``` /// use futures_util::future; /// use tokio_test::{assert_ready, task}; /// /// let mut fut = task::spawn(future::ready(())); /// assert_ready!(fut.poll()); /// ``` #[macro_export] macro_rules! assert_ready { ($e:expr) => {{ use core::task::Poll; match $e { Poll::Ready(v) => v, Poll::Pending => panic!("pending"), } }}; ($e:expr, $($msg:tt)+) => {{ use core::task::Poll; match $e { Poll::Ready(v) => v, Poll::Pending => { panic!("pending; {}", format_args!($($msg)+)) } } }}; } /// Asserts a `Poll<Result<...>>` is ready and `Ok`, returning the value. /// /// This will invoke `panic!` if the provided `Poll` does not evaluate to `Poll::Ready(Ok(..))` at /// runtime. /// /// # Custom Messages /// /// This macro has a second form, where a custom panic message can be provided with or without /// arguments for formatting. /// /// # Examples /// /// ``` /// use futures_util::future; /// use tokio_test::{assert_ready_ok, task}; /// /// let mut fut = task::spawn(future::ok::<_, ()>(())); /// assert_ready_ok!(fut.poll()); /// ``` #[macro_export] macro_rules! assert_ready_ok { ($e:expr) => {{ use tokio_test::{assert_ready, assert_ok}; let val = assert_ready!($e); assert_ok!(val) }}; ($e:expr, $($msg:tt)+) => {{ use tokio_test::{assert_ready, assert_ok}; let val = assert_ready!($e, $($msg)*); assert_ok!(val, $($msg)*) }}; } /// Asserts a `Poll<Result<...>>` is ready and `Err`, returning the error. /// /// This will invoke `panic!` if the provided `Poll` does not evaluate to `Poll::Ready(Err(..))` at /// runtime. /// /// # Custom Messages /// /// This macro has a second form, where a custom panic message can be provided with or without /// arguments for formatting. /// /// # Examples /// /// ``` /// use futures_util::future; /// use tokio_test::{assert_ready_err, task}; /// /// let mut fut = task::spawn(future::err::<(), _>(())); /// assert_ready_err!(fut.poll()); /// ``` #[macro_export] macro_rules! assert_ready_err { ($e:expr) => {{ use tokio_test::{assert_ready, assert_err}; let val = assert_ready!($e); assert_err!(val) }}; ($e:expr, $($msg:tt)+) => {{ use tokio_test::{assert_ready, assert_err}; let val = assert_ready!($e, $($msg)*); assert_err!(val, $($msg)*) }}; } /// Asserts a `Poll` is pending. /// /// This will invoke `panic!` if the provided `Poll` does not evaluate to `Poll::Pending` at /// runtime. /// /// # Custom Messages /// /// This macro has a second form, where a custom panic message can be provided with or without /// arguments for formatting. /// /// # Examples /// /// ``` /// use futures_util::future; /// use tokio_test::{assert_pending, task}; /// /// let mut fut = task::spawn(future::pending::<()>()); /// assert_pending!(fut.poll()); /// ``` #[macro_export] macro_rules! assert_pending { ($e:expr) => {{ use core::task::Poll; match $e { Poll::Pending => {} Poll::Ready(v) => panic!("ready; value = {:?}", v), } }}; ($e:expr, $($msg:tt)+) => {{ use core::task::Poll; match $e { Poll::Pending => {} Poll::Ready(v) => { panic!("ready; value = {:?}; {}", v, format_args!($($msg)+)) } } }}; } /// Asserts if a poll is ready and check for equality on the value /// /// This will invoke `panic!` if the provided `Poll` does not evaluate to `Poll::Ready` at /// runtime and the value produced does not partially equal the expected value. /// /// # Custom Messages /// /// This macro has a second form, where a custom panic message can be provided with or without /// arguments for formatting. /// /// # Examples /// /// ``` /// use futures_util::future; /// use tokio_test::{assert_ready_eq, task}; /// /// let mut fut = task::spawn(future::ready(42)); /// assert_ready_eq!(fut.poll(), 42); /// ``` #[macro_export] macro_rules! assert_ready_eq { ($e:expr, $expect:expr) => { let val = $crate::assert_ready!($e); assert_eq!(val, $expect) }; ($e:expr, $expect:expr, $($msg:tt)+) => { let val = $crate::assert_ready!($e, $($msg)*); assert_eq!(val, $expect, $($msg)*) }; } /// Asserts that the expression evaluates to `Ok` and returns the value. /// /// This will invoke the `panic!` macro if the provided expression does not evaluate to `Ok` at /// runtime. /// /// # Custom Messages /// /// This macro has a second form, where a custom panic message can be provided with or without /// arguments for formatting. /// /// # Examples /// /// ``` /// use tokio_test::assert_ok; /// /// let n: u32 = assert_ok!("123".parse()); /// /// let s = "123"; /// let n: u32 = assert_ok!(s.parse(), "testing parsing {:?} as a u32", s); /// ``` #[macro_export] macro_rules! assert_ok { ($e:expr) => { assert_ok!($e,) }; ($e:expr,) => {{ use std::result::Result::*; match $e { Ok(v) => v, Err(e) => panic!("assertion failed: Err({:?})", e), } }}; ($e:expr, $($arg:tt)+) => {{ use std::result::Result::*; match $e { Ok(v) => v, Err(e) => panic!("assertion failed: Err({:?}): {}", e, format_args!($($arg)+)), } }}; } /// Asserts that the expression evaluates to `Err` and returns the error. /// /// This will invoke the `panic!` macro if the provided expression does not evaluate to `Err` at /// runtime. /// /// # Custom Messages /// /// This macro has a second form, where a custom panic message can be provided with or without /// arguments for formatting. /// /// # Examples /// /// ``` /// use tokio_test::assert_err; /// use std::str::FromStr; /// /// /// let err = assert_err!(u32::from_str("fail")); /// /// let msg = "fail"; /// let err = assert_err!(u32::from_str(msg), "testing parsing {:?} as u32", msg); /// ``` #[macro_export] macro_rules! assert_err { ($e:expr) => { assert_err!($e,); }; ($e:expr,) => {{ use std::result::Result::*; match $e { Ok(v) => panic!("assertion failed: Ok({:?})", v), Err(e) => e, } }}; ($e:expr, $($arg:tt)+) => {{ use std::result::Result::*; match $e { Ok(v) => panic!("assertion failed: Ok({:?}): {}", v, format_args!($($arg)+)), Err(e) => e, } }}; } /// Asserts that an exact duration has elapsed since the start instant ±1ms. /// /// ```rust /// use tokio::time::{self, Instant}; /// use std::time::Duration; /// use tokio_test::assert_elapsed; /// # async fn test_time_passed() { /// /// let start = Instant::now(); /// let dur = Duration::from_millis(50); /// time::sleep(dur).await; /// assert_elapsed!(start, dur); /// # } /// ``` /// /// This 1ms buffer is required because Tokio's hashed-wheel timer has finite time resolution and /// will not always sleep for the exact interval. #[macro_export] macro_rules! assert_elapsed { ($start:expr, $dur:expr) => {{ let elapsed = $start.elapsed(); // type ascription improves compiler error when wrong type is passed let lower: std::time::Duration = $dur; // Handles ms rounding assert!( elapsed >= lower && elapsed <= lower + std::time::Duration::from_millis(1), "actual = {:?}, expected = {:?}", elapsed, lower ); }}; }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-test/src/task.rs
tokio-test/src/task.rs
//! Futures task based helpers to easily test futures and manually written futures. //! //! The [`Spawn`] type is used as a mock task harness that allows you to poll futures //! without needing to setup pinning or context. Any future can be polled but if the //! future requires the tokio async context you will need to ensure that you poll the //! [`Spawn`] within a tokio context, this means that as long as you are inside the //! runtime it will work and you can poll it via [`Spawn`]. //! //! [`Spawn`] also supports [`Stream`] to call `poll_next` without pinning //! or context. //! //! In addition to circumventing the need for pinning and context, [`Spawn`] also tracks //! the amount of times the future/task was woken. This can be useful to track if some //! leaf future notified the root task correctly. //! //! # Example //! //! ``` //! use tokio_test::task; //! //! let fut = async {}; //! //! let mut task = task::spawn(fut); //! //! assert!(task.poll().is_ready(), "Task was not ready!"); //! ``` use std::future::Future; use std::mem; use std::ops; use std::pin::Pin; use std::sync::{Arc, Condvar, Mutex}; use std::task::{Context, Poll, RawWaker, RawWakerVTable, Waker}; use tokio_stream::Stream; /// Spawn a future into a [`Spawn`] which wraps the future in a mocked executor. /// /// This can be used to spawn a [`Future`] or a [`Stream`]. /// /// For more information, check the module docs. pub fn spawn<T>(task: T) -> Spawn<T> { Spawn { task: MockTask::new(), future: Box::pin(task), } } /// Future spawned on a mock task that can be used to poll the future or stream /// without needing pinning or context types. #[derive(Debug)] #[must_use = "futures do nothing unless you `.await` or poll them"] pub struct Spawn<T> { task: MockTask, future: Pin<Box<T>>, } #[derive(Debug, Clone)] struct MockTask { waker: Arc<ThreadWaker>, } #[derive(Debug)] struct ThreadWaker { state: Mutex<usize>, condvar: Condvar, } const IDLE: usize = 0; const WAKE: usize = 1; const SLEEP: usize = 2; impl<T> Spawn<T> { /// Consumes `self` returning the inner value pub fn into_inner(self) -> T where T: Unpin, { *Pin::into_inner(self.future) } /// Returns `true` if the inner future has received a wake notification /// since the last call to `enter`. pub fn is_woken(&self) -> bool { self.task.is_woken() } /// Returns the number of references to the task waker /// /// The task itself holds a reference. The return value will never be zero. pub fn waker_ref_count(&self) -> usize { self.task.waker_ref_count() } /// Enter the task context pub fn enter<F, R>(&mut self, f: F) -> R where F: FnOnce(&mut Context<'_>, Pin<&mut T>) -> R, { let fut = self.future.as_mut(); self.task.enter(|cx| f(cx, fut)) } } impl<T: Unpin> ops::Deref for Spawn<T> { type Target = T; fn deref(&self) -> &T { &self.future } } impl<T: Unpin> ops::DerefMut for Spawn<T> { fn deref_mut(&mut self) -> &mut T { &mut self.future } } impl<T: Future> Spawn<T> { /// If `T` is a [`Future`] then poll it. This will handle pinning and the context /// type for the future. pub fn poll(&mut self) -> Poll<T::Output> { let fut = self.future.as_mut(); self.task.enter(|cx| fut.poll(cx)) } } impl<T: Stream> Spawn<T> { /// If `T` is a [`Stream`] then `poll_next` it. This will handle pinning and the context /// type for the stream. pub fn poll_next(&mut self) -> Poll<Option<T::Item>> { let stream = self.future.as_mut(); self.task.enter(|cx| stream.poll_next(cx)) } } impl<T: Future> Future for Spawn<T> { type Output = T::Output; fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> { self.future.as_mut().poll(cx) } } impl<T: Stream> Stream for Spawn<T> { type Item = T::Item; fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { self.future.as_mut().poll_next(cx) } fn size_hint(&self) -> (usize, Option<usize>) { self.future.size_hint() } } impl MockTask { /// Creates new mock task fn new() -> Self { MockTask { waker: Arc::new(ThreadWaker::new()), } } /// Runs a closure from the context of the task. /// /// Any wake notifications resulting from the execution of the closure are /// tracked. fn enter<F, R>(&mut self, f: F) -> R where F: FnOnce(&mut Context<'_>) -> R, { self.waker.clear(); let waker = self.waker(); let mut cx = Context::from_waker(&waker); f(&mut cx) } /// Returns `true` if the inner future has received a wake notification /// since the last call to `enter`. fn is_woken(&self) -> bool { self.waker.is_woken() } /// Returns the number of references to the task waker /// /// The task itself holds a reference. The return value will never be zero. fn waker_ref_count(&self) -> usize { Arc::strong_count(&self.waker) } fn waker(&self) -> Waker { unsafe { let raw = to_raw(self.waker.clone()); Waker::from_raw(raw) } } } impl Default for MockTask { fn default() -> Self { Self::new() } } impl ThreadWaker { fn new() -> Self { ThreadWaker { state: Mutex::new(IDLE), condvar: Condvar::new(), } } /// Clears any previously received wakes, avoiding potential spurious /// wake notifications. This should only be called immediately before running the /// task. fn clear(&self) { *self.state.lock().unwrap() = IDLE; } fn is_woken(&self) -> bool { match *self.state.lock().unwrap() { IDLE => false, WAKE => true, _ => unreachable!(), } } fn wake(&self) { // First, try transitioning from IDLE -> NOTIFY, this does not require a lock. let mut state = self.state.lock().unwrap(); let prev = *state; if prev == WAKE { return; } *state = WAKE; if prev == IDLE { return; } // The other half is sleeping, so we wake it up. assert_eq!(prev, SLEEP); self.condvar.notify_one(); } } static VTABLE: RawWakerVTable = RawWakerVTable::new(clone, wake, wake_by_ref, drop_waker); unsafe fn to_raw(waker: Arc<ThreadWaker>) -> RawWaker { RawWaker::new(Arc::into_raw(waker) as *const (), &VTABLE) } unsafe fn from_raw(raw: *const ()) -> Arc<ThreadWaker> { Arc::from_raw(raw as *const ThreadWaker) } unsafe fn clone(raw: *const ()) -> RawWaker { let waker = from_raw(raw); // Increment the ref count mem::forget(waker.clone()); to_raw(waker) } unsafe fn wake(raw: *const ()) { let waker = from_raw(raw); waker.wake(); } unsafe fn wake_by_ref(raw: *const ()) { let waker = from_raw(raw); waker.wake(); // We don't actually own a reference to the unparker mem::forget(waker); } unsafe fn drop_waker(raw: *const ()) { let _ = from_raw(raw); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-test/tests/io.rs
tokio-test/tests/io.rs
#![warn(rust_2018_idioms)] use std::io; use tokio::io::{AsyncReadExt, AsyncWriteExt}; use tokio::time::{Duration, Instant}; use tokio_test::io::Builder; #[tokio::test] async fn read() { let mut mock = Builder::new().read(b"hello ").read(b"world!").build(); let mut buf = [0; 256]; let n = mock.read(&mut buf).await.expect("read 1"); assert_eq!(&buf[..n], b"hello "); let n = mock.read(&mut buf).await.expect("read 2"); assert_eq!(&buf[..n], b"world!"); } #[tokio::test] async fn read_error() { let error = io::Error::new(io::ErrorKind::Other, "cruel"); let mut mock = Builder::new() .read(b"hello ") .read_error(error) .read(b"world!") .build(); let mut buf = [0; 256]; let n = mock.read(&mut buf).await.expect("read 1"); assert_eq!(&buf[..n], b"hello "); match mock.read(&mut buf).await { Err(error) => { assert_eq!(error.kind(), io::ErrorKind::Other); assert_eq!("cruel", format!("{error}")); } Ok(_) => panic!("error not received"), } let n = mock.read(&mut buf).await.expect("read 1"); assert_eq!(&buf[..n], b"world!"); } #[tokio::test] async fn write() { let mut mock = Builder::new().write(b"hello ").write(b"world!").build(); mock.write_all(b"hello ").await.expect("write 1"); mock.write_all(b"world!").await.expect("write 2"); } #[tokio::test] async fn write_with_handle() { let (mut mock, mut handle) = Builder::new().build_with_handle(); handle.write(b"hello "); handle.write(b"world!"); mock.write_all(b"hello ").await.expect("write 1"); mock.write_all(b"world!").await.expect("write 2"); } #[tokio::test] async fn read_with_handle() { let (mut mock, mut handle) = Builder::new().build_with_handle(); handle.read(b"hello "); handle.read(b"world!"); let mut buf = vec![0; 6]; mock.read_exact(&mut buf).await.expect("read 1"); assert_eq!(&buf[..], b"hello "); mock.read_exact(&mut buf).await.expect("read 2"); assert_eq!(&buf[..], b"world!"); } #[tokio::test] async fn write_error() { let error = io::Error::new(io::ErrorKind::Other, "cruel"); let mut mock = Builder::new() .write(b"hello ") .write_error(error) .write(b"world!") .build(); mock.write_all(b"hello ").await.expect("write 1"); match mock.write_all(b"whoa").await { Err(error) => { assert_eq!(error.kind(), io::ErrorKind::Other); assert_eq!("cruel", format!("{error}")); } Ok(_) => panic!("error not received"), } mock.write_all(b"world!").await.expect("write 2"); } #[tokio::test] #[should_panic] async fn mock_panics_read_data_left() { use tokio_test::io::Builder; Builder::new().read(b"read").build(); } #[tokio::test] #[should_panic] async fn mock_panics_write_data_left() { use tokio_test::io::Builder; Builder::new().write(b"write").build(); } #[tokio::test(start_paused = true)] async fn wait() { const FIRST_WAIT: Duration = Duration::from_secs(1); let mut mock = Builder::new() .wait(FIRST_WAIT) .read(b"hello ") .read(b"world!") .build(); let mut buf = [0; 256]; let start = Instant::now(); // record the time the read call takes // let n = mock.read(&mut buf).await.expect("read 1"); assert_eq!(&buf[..n], b"hello "); println!("time elapsed after first read {:?}", start.elapsed()); let n = mock.read(&mut buf).await.expect("read 2"); assert_eq!(&buf[..n], b"world!"); println!("time elapsed after second read {:?}", start.elapsed()); // make sure the .wait() instruction worked assert!( start.elapsed() >= FIRST_WAIT, "consuming the whole mock only took {}ms", start.elapsed().as_millis() ); } #[tokio::test(start_paused = true)] async fn multiple_wait() { const FIRST_WAIT: Duration = Duration::from_secs(1); const SECOND_WAIT: Duration = Duration::from_secs(1); let mut mock = Builder::new() .wait(FIRST_WAIT) .read(b"hello ") .wait(SECOND_WAIT) .read(b"world!") .build(); let mut buf = [0; 256]; let start = Instant::now(); // record the time it takes to consume the mock let n = mock.read(&mut buf).await.expect("read 1"); assert_eq!(&buf[..n], b"hello "); println!("time elapsed after first read {:?}", start.elapsed()); let n = mock.read(&mut buf).await.expect("read 2"); assert_eq!(&buf[..n], b"world!"); println!("time elapsed after second read {:?}", start.elapsed()); // make sure the .wait() instruction worked assert!( start.elapsed() >= FIRST_WAIT + SECOND_WAIT, "consuming the whole mock only took {}ms", start.elapsed().as_millis() ); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-test/tests/stream_mock.rs
tokio-test/tests/stream_mock.rs
use futures_util::StreamExt; use std::time::Duration; use tokio_test::stream_mock::StreamMockBuilder; #[tokio::test] async fn test_stream_mock_empty() { let mut stream_mock = StreamMockBuilder::<u32>::new().build(); assert_eq!(stream_mock.next().await, None); assert_eq!(stream_mock.next().await, None); } #[tokio::test] async fn test_stream_mock_items() { let mut stream_mock = StreamMockBuilder::new().next(1).next(2).build(); assert_eq!(stream_mock.next().await, Some(1)); assert_eq!(stream_mock.next().await, Some(2)); assert_eq!(stream_mock.next().await, None); } #[tokio::test] async fn test_stream_mock_wait() { let mut stream_mock = StreamMockBuilder::new() .next(1) .wait(Duration::from_millis(300)) .next(2) .build(); assert_eq!(stream_mock.next().await, Some(1)); let start = std::time::Instant::now(); assert_eq!(stream_mock.next().await, Some(2)); let elapsed = start.elapsed(); assert!(elapsed >= Duration::from_millis(300)); assert_eq!(stream_mock.next().await, None); } #[tokio::test] #[should_panic(expected = "StreamMock was dropped before all actions were consumed")] async fn test_stream_mock_drop_without_consuming_all() { let stream_mock = StreamMockBuilder::new().next(1).next(2).build(); drop(stream_mock); } #[tokio::test] #[should_panic(expected = "test panic was not masked")] async fn test_stream_mock_drop_during_panic_doesnt_mask_panic() { let _stream_mock = StreamMockBuilder::new().next(1).next(2).build(); panic!("test panic was not masked"); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-test/tests/block_on.rs
tokio-test/tests/block_on.rs
#![warn(rust_2018_idioms)] use tokio::time::{sleep_until, Duration, Instant}; use tokio_test::block_on; #[test] fn async_block() { assert_eq!(4, block_on(async { 4 })); } async fn five() -> u8 { 5 } #[test] fn async_fn() { assert_eq!(5, block_on(five())); } #[test] fn test_sleep() { let deadline = Instant::now() + Duration::from_millis(100); block_on(async { sleep_until(deadline).await; }); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-test/tests/macros.rs
tokio-test/tests/macros.rs
#![warn(rust_2018_idioms)] use std::task::Poll; use tokio_test::{ assert_pending, assert_ready, assert_ready_eq, assert_ready_err, assert_ready_ok, }; fn ready() -> Poll<()> { Poll::Ready(()) } fn ready_ok() -> Poll<Result<(), ()>> { Poll::Ready(Ok(())) } fn ready_err() -> Poll<Result<(), ()>> { Poll::Ready(Err(())) } fn pending() -> Poll<()> { Poll::Pending } #[derive(Debug)] enum Test { Data, } #[test] fn assert_ready() { let poll = ready(); assert_ready!(poll); assert_ready!(poll, "some message"); assert_ready!(poll, "{:?}", ()); assert_ready!(poll, "{:?}", Test::Data); } #[test] #[should_panic] fn assert_ready_on_pending() { let poll = pending(); assert_ready!(poll); } #[test] fn assert_pending() { let poll = pending(); assert_pending!(poll); assert_pending!(poll, "some message"); assert_pending!(poll, "{:?}", ()); assert_pending!(poll, "{:?}", Test::Data); } #[test] #[should_panic] fn assert_pending_on_ready() { let poll = ready(); assert_pending!(poll); } #[test] fn assert_ready_ok() { let poll = ready_ok(); assert_ready_ok!(poll); assert_ready_ok!(poll, "some message"); assert_ready_ok!(poll, "{:?}", ()); assert_ready_ok!(poll, "{:?}", Test::Data); } #[test] #[should_panic] fn assert_ok_on_err() { let poll = ready_err(); assert_ready_ok!(poll); } #[test] fn assert_ready_err() { let poll = ready_err(); assert_ready_err!(poll); assert_ready_err!(poll, "some message"); assert_ready_err!(poll, "{:?}", ()); assert_ready_err!(poll, "{:?}", Test::Data); } #[test] #[should_panic] fn assert_err_on_ok() { let poll = ready_ok(); assert_ready_err!(poll); } #[test] fn assert_ready_eq() { let poll = ready(); assert_ready_eq!(poll, ()); assert_ready_eq!(poll, (), "some message"); assert_ready_eq!(poll, (), "{:?}", ()); assert_ready_eq!(poll, (), "{:?}", Test::Data); } #[test] #[should_panic] fn assert_eq_on_not_eq() { let poll = ready_err(); assert_ready_eq!(poll, Ok(())); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio-test/tests/task.rs
tokio-test/tests/task.rs
use std::pin::Pin; use std::task::{Context, Poll}; use tokio_stream::Stream; use tokio_test::task; /// A [`Stream`] that has a stub size hint. struct SizedStream; impl Stream for SizedStream { type Item = (); fn poll_next(self: Pin<&mut Self>, _cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { Poll::Pending } fn size_hint(&self) -> (usize, Option<usize>) { (100, Some(200)) } } #[test] fn test_spawn_stream_size_hint() { let spawn = task::spawn(SizedStream); assert_eq!(spawn.size_hint(), (100, Some(200))); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/sync_watch.rs
benches/sync_watch.rs
use rand::prelude::*; use std::sync::atomic::{AtomicU64, Ordering}; use std::sync::Arc; use tokio::sync::{watch, Notify}; use criterion::measurement::WallTime; use criterion::{black_box, criterion_group, criterion_main, BenchmarkGroup, Criterion}; fn rt() -> tokio::runtime::Runtime { tokio::runtime::Builder::new_multi_thread() .worker_threads(6) .build() .unwrap() } fn do_work(rng: &mut impl RngCore) -> u32 { use std::fmt::Write; let mut message = String::new(); for i in 1..=10 { let _ = write!(&mut message, " {i}={}", rng.random::<f64>()); } message .as_bytes() .iter() .map(|&c| c as u32) .fold(0, u32::wrapping_add) } fn contention_resubscribe<const N_TASKS: usize>(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); let (snd, _) = watch::channel(0i32); let snd = Arc::new(snd); let wg = Arc::new((AtomicU64::new(0), Notify::new())); for n in 0..N_TASKS { let mut rcv = snd.subscribe(); let wg = wg.clone(); let mut rng = rand::rngs::StdRng::seed_from_u64(n as u64); rt.spawn(async move { while rcv.changed().await.is_ok() { let _ = *rcv.borrow(); // contend on rwlock let r = do_work(&mut rng); let _ = black_box(r); if wg.0.fetch_sub(1, Ordering::Release) == 1 { wg.1.notify_one(); } } }); } const N_ITERS: usize = 100; g.bench_function(N_TASKS.to_string(), |b| { b.iter(|| { rt.block_on({ let snd = snd.clone(); let wg = wg.clone(); async move { tokio::spawn(async move { for _ in 0..N_ITERS { assert_eq!(wg.0.fetch_add(N_TASKS as u64, Ordering::Relaxed), 0); let _ = snd.send(black_box(42)); while wg.0.load(Ordering::Acquire) > 0 { wg.1.notified().await; } } }) .await .unwrap(); } }); }) }); } fn bench_contention_resubscribe(c: &mut Criterion) { let mut group = c.benchmark_group("contention_resubscribe"); contention_resubscribe::<10>(&mut group); contention_resubscribe::<100>(&mut group); contention_resubscribe::<500>(&mut group); contention_resubscribe::<1000>(&mut group); group.finish(); } criterion_group!(contention, bench_contention_resubscribe); criterion_main!(contention);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/time_timeout.rs
benches/time_timeout.rs
use std::time::{Duration, Instant}; use criterion::{black_box, criterion_group, criterion_main, Criterion}; use tokio::{ runtime::Runtime, time::{sleep, timeout}, }; // a very quick async task, but might timeout async fn quick_job() -> usize { 1 } fn build_run_time(workers: usize) -> Runtime { if workers == 1 { tokio::runtime::Builder::new_current_thread() .enable_all() .build() .unwrap() } else { tokio::runtime::Builder::new_multi_thread() .enable_all() .worker_threads(workers) .build() .unwrap() } } fn single_thread_scheduler_timeout(c: &mut Criterion) { do_timeout_test(c, 1, "single_thread_timeout"); } fn multi_thread_scheduler_timeout(c: &mut Criterion) { do_timeout_test(c, 8, "multi_thread_timeout-8"); } fn do_timeout_test(c: &mut Criterion, workers: usize, name: &str) { let runtime = build_run_time(workers); c.bench_function(name, |b| { b.iter_custom(|iters| { let start = Instant::now(); runtime.block_on(async { black_box(spawn_timeout_job(iters as usize, workers)).await; }); start.elapsed() }) }); } async fn spawn_timeout_job(iters: usize, procs: usize) { let mut handles = Vec::with_capacity(procs); for _ in 0..procs { handles.push(tokio::spawn(async move { for _ in 0..iters / procs { let h = timeout(Duration::from_secs(1), quick_job()); assert_eq!(black_box(h.await.unwrap()), 1); } })); } for handle in handles { handle.await.unwrap(); } } fn single_thread_scheduler_sleep(c: &mut Criterion) { do_sleep_test(c, 1, "single_thread_sleep"); } fn multi_thread_scheduler_sleep(c: &mut Criterion) { do_sleep_test(c, 8, "multi_thread_sleep-8"); } fn do_sleep_test(c: &mut Criterion, workers: usize, name: &str) { let runtime = build_run_time(workers); c.bench_function(name, |b| { b.iter_custom(|iters| { let start = Instant::now(); runtime.block_on(async { black_box(spawn_sleep_job(iters as usize, workers)).await; }); start.elapsed() }) }); } async fn spawn_sleep_job(iters: usize, procs: usize) { let mut handles = Vec::with_capacity(procs); for _ in 0..procs { handles.push(tokio::spawn(async move { for _ in 0..iters / procs { let _h = black_box(sleep(Duration::from_secs(1))); } })); } for handle in handles { handle.await.unwrap(); } } criterion_group!( timeout_benchmark, single_thread_scheduler_timeout, multi_thread_scheduler_timeout, single_thread_scheduler_sleep, multi_thread_scheduler_sleep ); criterion_main!(timeout_benchmark);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/sync_semaphore.rs
benches/sync_semaphore.rs
use std::sync::Arc; use tokio::runtime::Runtime; use tokio::{sync::Semaphore, task}; use criterion::measurement::WallTime; use criterion::{criterion_group, criterion_main, BenchmarkGroup, Criterion}; fn single_rt() -> Runtime { tokio::runtime::Builder::new_current_thread() .build() .unwrap() } fn multi_rt() -> Runtime { tokio::runtime::Builder::new_multi_thread() .worker_threads(6) .build() .unwrap() } fn uncontended(g: &mut BenchmarkGroup<WallTime>) { let rt = multi_rt(); let s = Arc::new(Semaphore::new(10)); g.bench_function("multi", |b| { b.iter(|| { let s = s.clone(); rt.block_on(async move { for _ in 0..6 { let permit = s.acquire().await; drop(permit); } }) }) }); } async fn task(s: Arc<Semaphore>) { let permit = s.acquire().await; drop(permit); } fn uncontended_concurrent_multi(g: &mut BenchmarkGroup<WallTime>) { let rt = multi_rt(); let s = Arc::new(Semaphore::new(10)); g.bench_function("concurrent_multi", |b| { b.iter(|| { let s = s.clone(); rt.block_on(async move { let j = tokio::try_join! { task::spawn(task(s.clone())), task::spawn(task(s.clone())), task::spawn(task(s.clone())), task::spawn(task(s.clone())), task::spawn(task(s.clone())), task::spawn(task(s.clone())) }; j.unwrap(); }) }) }); } fn uncontended_concurrent_single(g: &mut BenchmarkGroup<WallTime>) { let rt = single_rt(); let s = Arc::new(Semaphore::new(10)); g.bench_function("concurrent_single", |b| { b.iter(|| { let s = s.clone(); rt.block_on(async move { tokio::join! { task(s.clone()), task(s.clone()), task(s.clone()), task(s.clone()), task(s.clone()), task(s.clone()) }; }) }) }); } fn contended_concurrent_multi(g: &mut BenchmarkGroup<WallTime>) { let rt = multi_rt(); let s = Arc::new(Semaphore::new(5)); g.bench_function("concurrent_multi", |b| { b.iter(|| { let s = s.clone(); rt.block_on(async move { let j = tokio::try_join! { task::spawn(task(s.clone())), task::spawn(task(s.clone())), task::spawn(task(s.clone())), task::spawn(task(s.clone())), task::spawn(task(s.clone())), task::spawn(task(s.clone())) }; j.unwrap(); }) }) }); } fn contended_concurrent_single(g: &mut BenchmarkGroup<WallTime>) { let rt = single_rt(); let s = Arc::new(Semaphore::new(5)); g.bench_function("concurrent_single", |b| { b.iter(|| { let s = s.clone(); rt.block_on(async move { tokio::join! { task(s.clone()), task(s.clone()), task(s.clone()), task(s.clone()), task(s.clone()), task(s.clone()) }; }) }) }); } fn bench_contention(c: &mut Criterion) { let mut group = c.benchmark_group("contention"); contended_concurrent_multi(&mut group); contended_concurrent_single(&mut group); group.finish(); } fn bench_uncontented(c: &mut Criterion) { let mut group = c.benchmark_group("uncontented"); uncontended(&mut group); uncontended_concurrent_multi(&mut group); uncontended_concurrent_single(&mut group); group.finish(); } criterion_group!(contention, bench_contention); criterion_group!(uncontented, bench_uncontented); criterion_main!(contention, uncontented);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/fs.rs
benches/fs.rs
#![cfg(unix)] use tokio_stream::StreamExt; use tokio::fs::File; use tokio::io::AsyncReadExt; use tokio_util::codec::{BytesCodec, FramedRead /*FramedWrite*/}; use criterion::{criterion_group, criterion_main, Criterion}; use std::fs::File as StdFile; use std::io::Read as StdRead; fn rt() -> tokio::runtime::Runtime { tokio::runtime::Builder::new_multi_thread() .worker_threads(2) .build() .unwrap() } const BLOCK_COUNT: usize = 1_000; const BUFFER_SIZE: usize = 4096; const DEV_ZERO: &str = "/dev/zero"; fn async_read_codec(c: &mut Criterion) { let rt = rt(); c.bench_function("async_read_codec", |b| { b.iter(|| { let task = || async { let file = File::open(DEV_ZERO).await.unwrap(); let mut input_stream = FramedRead::with_capacity(file, BytesCodec::new(), BUFFER_SIZE); for _i in 0..BLOCK_COUNT { let _bytes = input_stream.next().await.unwrap(); } }; rt.block_on(task()); }) }); } fn async_read_buf(c: &mut Criterion) { let rt = rt(); c.bench_function("async_read_buf", |b| { b.iter(|| { let task = || async { let mut file = File::open(DEV_ZERO).await.unwrap(); let mut buffer = [0u8; BUFFER_SIZE]; for _i in 0..BLOCK_COUNT { let count = file.read(&mut buffer).await.unwrap(); if count == 0 { break; } } }; rt.block_on(task()); }); }); } fn async_read_std_file(c: &mut Criterion) { let rt = rt(); c.bench_function("async_read_std_file", |b| { b.iter(|| { let task = || async { let mut file = tokio::task::block_in_place(|| Box::pin(StdFile::open(DEV_ZERO).unwrap())); for _i in 0..BLOCK_COUNT { let mut buffer = [0u8; BUFFER_SIZE]; let mut file_ref = file.as_mut(); tokio::task::block_in_place(move || { file_ref.read_exact(&mut buffer).unwrap(); }); } }; rt.block_on(task()); }); }); } fn sync_read(c: &mut Criterion) { c.bench_function("sync_read", |b| { b.iter(|| { let mut file = StdFile::open(DEV_ZERO).unwrap(); let mut buffer = [0u8; BUFFER_SIZE]; for _i in 0..BLOCK_COUNT { file.read_exact(&mut buffer).unwrap(); } }) }); } criterion_group!( file, async_read_std_file, async_read_buf, async_read_codec, sync_read ); criterion_main!(file);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/spawn.rs
benches/spawn.rs
//! Benchmark spawning a task onto the basic and threaded Tokio executors. //! This essentially measure the time to enqueue a task in the local and remote //! case. use criterion::{black_box, criterion_group, criterion_main, Criterion}; async fn work() -> usize { let val = 1 + 1; tokio::task::yield_now().await; black_box(val) } fn single_rt() -> tokio::runtime::Runtime { tokio::runtime::Builder::new_current_thread() .build() .unwrap() } fn multi_rt() -> tokio::runtime::Runtime { tokio::runtime::Builder::new_multi_thread() .worker_threads(1) .build() .unwrap() } fn basic_scheduler_spawn(c: &mut Criterion) { let runtime = single_rt(); c.bench_function("basic_scheduler_spawn", |b| { b.iter(|| { runtime.block_on(async { let h = tokio::spawn(work()); assert_eq!(h.await.unwrap(), 2); }); }) }); } fn basic_scheduler_spawn10(c: &mut Criterion) { let runtime = single_rt(); c.bench_function("basic_scheduler_spawn10", |b| { b.iter(|| { runtime.block_on(async { let mut handles = Vec::with_capacity(10); for _ in 0..10 { handles.push(tokio::spawn(work())); } for handle in handles { assert_eq!(handle.await.unwrap(), 2); } }); }) }); } fn threaded_scheduler_spawn(c: &mut Criterion) { let runtime = multi_rt(); c.bench_function("threaded_scheduler_spawn", |b| { b.iter(|| { runtime.block_on(async { let h = tokio::spawn(work()); assert_eq!(h.await.unwrap(), 2); }); }) }); } fn threaded_scheduler_spawn10(c: &mut Criterion) { let runtime = multi_rt(); c.bench_function("threaded_scheduler_spawn10", |b| { b.iter(|| { runtime.block_on(async { let mut handles = Vec::with_capacity(10); for _ in 0..10 { handles.push(tokio::spawn(work())); } for handle in handles { assert_eq!(handle.await.unwrap(), 2); } }); }) }); } criterion_group!( spawn, basic_scheduler_spawn, basic_scheduler_spawn10, threaded_scheduler_spawn, threaded_scheduler_spawn10, ); criterion_main!(spawn);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/sync_mpsc_oneshot.rs
benches/sync_mpsc_oneshot.rs
use tokio::{ runtime::Runtime, sync::{mpsc, oneshot}, }; use criterion::{criterion_group, criterion_main, Criterion}; fn request_reply_current_thread(c: &mut Criterion) { let rt = tokio::runtime::Builder::new_current_thread() .build() .unwrap(); request_reply(c, rt); } fn request_reply_multi_threaded(c: &mut Criterion) { let rt = tokio::runtime::Builder::new_multi_thread() .worker_threads(1) .build() .unwrap(); request_reply(c, rt); } fn request_reply(b: &mut Criterion, rt: Runtime) { let tx = rt.block_on(async move { let (tx, mut rx) = mpsc::channel::<oneshot::Sender<()>>(10); tokio::spawn(async move { while let Some(reply) = rx.recv().await { reply.send(()).unwrap(); } }); tx }); b.bench_function("request_reply", |b| { b.iter(|| { let task_tx = tx.clone(); rt.block_on(async move { for _ in 0..1_000 { let (o_tx, o_rx) = oneshot::channel(); task_tx.send(o_tx).await.unwrap(); let _ = o_rx.await; } }) }) }); } criterion_group!( sync_mpsc_oneshot_group, request_reply_current_thread, request_reply_multi_threaded, ); criterion_main!(sync_mpsc_oneshot_group);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/signal.rs
benches/signal.rs
//! Benchmark the delay in propagating OS signals to any listeners. #![cfg(unix)] use criterion::{criterion_group, criterion_main, Criterion}; use std::future::Future; use std::pin::Pin; use std::task::{Context, Poll}; use tokio::runtime; use tokio::signal::unix::{signal, SignalKind}; use tokio::sync::mpsc; struct Spinner { count: usize, } impl Future for Spinner { type Output = (); fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> { if self.count > 3 { Poll::Ready(()) } else { self.count += 1; cx.waker().wake_by_ref(); Poll::Pending } } } impl Spinner { fn new() -> Self { Self { count: 0 } } } pub fn send_signal(signal: libc::c_int) { use libc::{getpid, kill}; unsafe { assert_eq!(kill(getpid(), signal), 0); } } fn many_signals(c: &mut Criterion) { let num_signals = 10; let (tx, mut rx) = mpsc::channel(num_signals); // Intentionally single threaded to measure delays in propagating wakes let rt = runtime::Builder::new_current_thread() .enable_all() .build() .unwrap(); let spawn_signal = |kind| { let tx = tx.clone(); rt.spawn(async move { let mut signal = signal(kind).expect("failed to create signal"); while signal.recv().await.is_some() { if tx.send(()).await.is_err() { break; } } }); }; for _ in 0..num_signals { // Pick some random signals which don't terminate the test harness spawn_signal(SignalKind::child()); spawn_signal(SignalKind::io()); } drop(tx); // Turn the runtime for a while to ensure that all the spawned // tasks have been polled at least once rt.block_on(Spinner::new()); c.bench_function("many_signals", |b| { b.iter(|| { rt.block_on(async { send_signal(libc::SIGCHLD); for _ in 0..num_signals { rx.recv().await.expect("channel closed"); } send_signal(libc::SIGIO); for _ in 0..num_signals { rx.recv().await.expect("channel closed"); } }); }) }); } criterion_group!(signal_group, many_signals); criterion_main!(signal_group);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/sync_broadcast.rs
benches/sync_broadcast.rs
use rand::{Rng, RngCore, SeedableRng}; use std::sync::atomic::{AtomicUsize, Ordering}; use std::sync::Arc; use tokio::sync::{broadcast, Notify}; use criterion::measurement::WallTime; use criterion::{black_box, criterion_group, criterion_main, BenchmarkGroup, Criterion}; fn rt() -> tokio::runtime::Runtime { tokio::runtime::Builder::new_multi_thread() .worker_threads(6) .build() .unwrap() } fn do_work(rng: &mut impl RngCore) -> u32 { use std::fmt::Write; let mut message = String::new(); for i in 1..=10 { let _ = write!(&mut message, " {i}={}", rng.random::<f64>()); } message .as_bytes() .iter() .map(|&c| c as u32) .fold(0, u32::wrapping_add) } fn contention_impl<const N_TASKS: usize>(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); let (tx, _rx) = broadcast::channel::<usize>(1000); let wg = Arc::new((AtomicUsize::new(0), Notify::new())); for n in 0..N_TASKS { let wg = wg.clone(); let mut rx = tx.subscribe(); let mut rng = rand::rngs::StdRng::seed_from_u64(n as u64); rt.spawn(async move { while (rx.recv().await).is_ok() { let r = do_work(&mut rng); let _ = black_box(r); if wg.0.fetch_sub(1, Ordering::Relaxed) == 1 { wg.1.notify_one(); } } }); } const N_ITERS: usize = 100; g.bench_function(N_TASKS.to_string(), |b| { b.iter(|| { rt.block_on({ let wg = wg.clone(); let tx = tx.clone(); async move { for i in 0..N_ITERS { assert_eq!(wg.0.fetch_add(N_TASKS, Ordering::Relaxed), 0); tx.send(i).unwrap(); while wg.0.load(Ordering::Relaxed) > 0 { wg.1.notified().await; } } } }) }) }); } fn bench_contention(c: &mut Criterion) { let mut group = c.benchmark_group("contention"); contention_impl::<10>(&mut group); contention_impl::<100>(&mut group); contention_impl::<500>(&mut group); contention_impl::<1000>(&mut group); group.finish(); } criterion_group!(contention, bench_contention); criterion_main!(contention);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/rt_multi_threaded.rs
benches/rt_multi_threaded.rs
//! Benchmark implementation details of the threaded scheduler. These benches are //! intended to be used as a form of regression testing and not as a general //! purpose benchmark demonstrating real-world performance. use tokio::runtime::{self, Runtime}; use tokio::sync::oneshot; use std::sync::atomic::Ordering::Relaxed; use std::sync::atomic::{AtomicBool, AtomicUsize}; use std::sync::{mpsc, Arc}; use std::time::{Duration, Instant}; use criterion::{criterion_group, criterion_main, Criterion}; const NUM_WORKERS: usize = 4; const NUM_SPAWN: usize = 10_000; const STALL_DUR: Duration = Duration::from_micros(10); fn rt_multi_spawn_many_local(c: &mut Criterion) { let rt = rt(); let (tx, rx) = mpsc::sync_channel(1000); let rem = Arc::new(AtomicUsize::new(0)); c.bench_function("spawn_many_local", |b| { b.iter(|| { rem.store(NUM_SPAWN, Relaxed); rt.block_on(async { for _ in 0..NUM_SPAWN { let tx = tx.clone(); let rem = rem.clone(); tokio::spawn(async move { if 1 == rem.fetch_sub(1, Relaxed) { tx.send(()).unwrap(); } }); } rx.recv().unwrap(); }); }) }); } fn rt_multi_spawn_many_remote_idle(c: &mut Criterion) { let rt = rt(); let mut handles = Vec::with_capacity(NUM_SPAWN); c.bench_function("spawn_many_remote_idle", |b| { b.iter(|| { for _ in 0..NUM_SPAWN { handles.push(rt.spawn(async {})); } rt.block_on(async { for handle in handles.drain(..) { handle.await.unwrap(); } }); }) }); } // The runtime is busy with tasks that consume CPU time and yield. Yielding is a // lower notification priority than spawning / regular notification. fn rt_multi_spawn_many_remote_busy1(c: &mut Criterion) { let rt = rt(); let rt_handle = rt.handle(); let mut handles = Vec::with_capacity(NUM_SPAWN); let flag = Arc::new(AtomicBool::new(true)); // Spawn some tasks to keep the runtimes busy for _ in 0..(2 * NUM_WORKERS) { let flag = flag.clone(); rt.spawn(async move { while flag.load(Relaxed) { tokio::task::yield_now().await; stall(); } }); } c.bench_function("spawn_many_remote_busy1", |b| { b.iter(|| { for _ in 0..NUM_SPAWN { handles.push(rt_handle.spawn(async {})); } rt.block_on(async { for handle in handles.drain(..) { handle.await.unwrap(); } }); }) }); flag.store(false, Relaxed); } // The runtime is busy with tasks that consume CPU time and spawn new high-CPU // tasks. Spawning goes via a higher notification priority than yielding. fn rt_multi_spawn_many_remote_busy2(c: &mut Criterion) { const NUM_SPAWN: usize = 1_000; let rt = rt(); let rt_handle = rt.handle(); let mut handles = Vec::with_capacity(NUM_SPAWN); let flag = Arc::new(AtomicBool::new(true)); // Spawn some tasks to keep the runtimes busy for _ in 0..(NUM_WORKERS) { let flag = flag.clone(); fn iter(flag: Arc<AtomicBool>) { tokio::spawn(async { if flag.load(Relaxed) { stall(); iter(flag); } }); } rt.spawn(async { iter(flag); }); } c.bench_function("spawn_many_remote_busy2", |b| { b.iter(|| { for _ in 0..NUM_SPAWN { handles.push(rt_handle.spawn(async {})); } rt.block_on(async { for handle in handles.drain(..) { handle.await.unwrap(); } }); }) }); flag.store(false, Relaxed); } fn rt_multi_yield_many(c: &mut Criterion) { const NUM_YIELD: usize = 1_000; const TASKS: usize = 200; c.bench_function("yield_many", |b| { let rt = rt(); let (tx, rx) = mpsc::sync_channel(TASKS); b.iter(move || { for _ in 0..TASKS { let tx = tx.clone(); rt.spawn(async move { for _ in 0..NUM_YIELD { tokio::task::yield_now().await; } tx.send(()).unwrap(); }); } for _ in 0..TASKS { rx.recv().unwrap(); } }) }); } fn rt_multi_ping_pong(c: &mut Criterion) { const NUM_PINGS: usize = 1_000; let rt = rt(); let (done_tx, done_rx) = mpsc::sync_channel(1000); let rem = Arc::new(AtomicUsize::new(0)); c.bench_function("ping_pong", |b| { b.iter(|| { let done_tx = done_tx.clone(); let rem = rem.clone(); rem.store(NUM_PINGS, Relaxed); rt.block_on(async { tokio::spawn(async move { for _ in 0..NUM_PINGS { let rem = rem.clone(); let done_tx = done_tx.clone(); tokio::spawn(async move { let (tx1, rx1) = oneshot::channel(); let (tx2, rx2) = oneshot::channel(); tokio::spawn(async move { rx1.await.unwrap(); tx2.send(()).unwrap(); }); tx1.send(()).unwrap(); rx2.await.unwrap(); if 1 == rem.fetch_sub(1, Relaxed) { done_tx.send(()).unwrap(); } }); } }); done_rx.recv().unwrap(); }); }) }); } fn rt_multi_chained_spawn(c: &mut Criterion) { const ITER: usize = 1_000; fn iter(done_tx: mpsc::SyncSender<()>, n: usize) { if n == 0 { done_tx.send(()).unwrap(); } else { tokio::spawn(async move { iter(done_tx, n - 1); }); } } c.bench_function("chained_spawn", |b| { let rt = rt(); let (done_tx, done_rx) = mpsc::sync_channel(1000); b.iter(move || { let done_tx = done_tx.clone(); rt.block_on(async { tokio::spawn(async move { iter(done_tx, ITER); }); done_rx.recv().unwrap(); }); }) }); } fn rt() -> Runtime { runtime::Builder::new_multi_thread() .worker_threads(NUM_WORKERS) .enable_all() .build() .unwrap() } fn stall() { let now = Instant::now(); while now.elapsed() < STALL_DUR { std::thread::yield_now(); } } criterion_group!( rt_multi_scheduler, rt_multi_spawn_many_local, rt_multi_spawn_many_remote_idle, rt_multi_spawn_many_remote_busy1, rt_multi_spawn_many_remote_busy2, rt_multi_ping_pong, rt_multi_yield_many, rt_multi_chained_spawn, ); criterion_main!(rt_multi_scheduler);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/sync_mpsc.rs
benches/sync_mpsc.rs
use tokio::sync::mpsc; use criterion::measurement::WallTime; use criterion::{black_box, criterion_group, criterion_main, BenchmarkGroup, Criterion}; #[derive(Debug, Copy, Clone)] struct Medium(#[allow(dead_code)] [usize; 64]); impl Default for Medium { fn default() -> Self { Medium([0; 64]) } } #[derive(Debug, Copy, Clone)] struct Large(#[allow(dead_code)] [Medium; 64]); impl Default for Large { fn default() -> Self { Large([Medium::default(); 64]) } } fn rt() -> tokio::runtime::Runtime { tokio::runtime::Builder::new_multi_thread() .worker_threads(6) .build() .unwrap() } fn create_medium<const SIZE: usize>(g: &mut BenchmarkGroup<WallTime>) { g.bench_function(SIZE.to_string(), |b| { b.iter(|| { black_box(&mpsc::channel::<Medium>(SIZE)); }) }); } fn send_data<T: Default, const SIZE: usize>(g: &mut BenchmarkGroup<WallTime>, prefix: &str) { let rt = rt(); g.bench_function(format!("{prefix}_{SIZE}"), |b| { b.iter(|| { let (tx, mut rx) = mpsc::channel::<T>(SIZE); let _ = rt.block_on(tx.send(T::default())); rt.block_on(rx.recv()).unwrap(); }) }); } fn contention_bounded(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); g.bench_function("bounded", |b| { b.iter(|| { rt.block_on(async move { let (tx, mut rx) = mpsc::channel::<usize>(1_000_000); for _ in 0..5 { let tx = tx.clone(); tokio::spawn(async move { for i in 0..1000 { tx.send(i).await.unwrap(); } }); } for _ in 0..1_000 * 5 { let _ = rx.recv().await; } }) }) }); } fn contention_bounded_recv_many(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); g.bench_function("bounded_recv_many", |b| { b.iter(|| { rt.block_on(async move { let (tx, mut rx) = mpsc::channel::<usize>(1_000_000); for _ in 0..5 { let tx = tx.clone(); tokio::spawn(async move { for i in 0..1000 { tx.send(i).await.unwrap(); } }); } let mut buffer = Vec::<usize>::with_capacity(5_000); let mut total = 0; while total < 1_000 * 5 { total += rx.recv_many(&mut buffer, 5_000).await; } }) }) }); } fn contention_bounded_full(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); g.bench_function("bounded_full", |b| { b.iter(|| { rt.block_on(async move { let (tx, mut rx) = mpsc::channel::<usize>(100); for _ in 0..5 { let tx = tx.clone(); tokio::spawn(async move { for i in 0..1000 { tx.send(i).await.unwrap(); } }); } for _ in 0..1_000 * 5 { let _ = rx.recv().await; } }) }) }); } fn contention_bounded_full_recv_many(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); g.bench_function("bounded_full_recv_many", |b| { b.iter(|| { rt.block_on(async move { let (tx, mut rx) = mpsc::channel::<usize>(100); for _ in 0..5 { let tx = tx.clone(); tokio::spawn(async move { for i in 0..1000 { tx.send(i).await.unwrap(); } }); } let mut buffer = Vec::<usize>::with_capacity(5_000); let mut total = 0; while total < 1_000 * 5 { total += rx.recv_many(&mut buffer, 5_000).await; } }) }) }); } fn contention_unbounded(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); g.bench_function("unbounded", |b| { b.iter(|| { rt.block_on(async move { let (tx, mut rx) = mpsc::unbounded_channel::<usize>(); for _ in 0..5 { let tx = tx.clone(); tokio::spawn(async move { for i in 0..1000 { tx.send(i).unwrap(); } }); } for _ in 0..1_000 * 5 { let _ = rx.recv().await; } }) }) }); } fn contention_unbounded_recv_many(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); g.bench_function("unbounded_recv_many", |b| { b.iter(|| { rt.block_on(async move { let (tx, mut rx) = mpsc::unbounded_channel::<usize>(); for _ in 0..5 { let tx = tx.clone(); tokio::spawn(async move { for i in 0..1000 { tx.send(i).unwrap(); } }); } let mut buffer = Vec::<usize>::with_capacity(5_000); let mut total = 0; while total < 1_000 * 5 { total += rx.recv_many(&mut buffer, 5_000).await; } }) }) }); } fn uncontented_bounded(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); g.bench_function("bounded", |b| { b.iter(|| { rt.block_on(async move { let (tx, mut rx) = mpsc::channel::<usize>(1_000_000); for i in 0..5000 { tx.send(i).await.unwrap(); } for _ in 0..5_000 { let _ = rx.recv().await; } }) }) }); } fn uncontented_bounded_recv_many(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); g.bench_function("bounded_recv_many", |b| { b.iter(|| { rt.block_on(async move { let (tx, mut rx) = mpsc::channel::<usize>(1_000_000); for i in 0..5000 { tx.send(i).await.unwrap(); } let mut buffer = Vec::<usize>::with_capacity(5_000); let mut total = 0; while total < 1_000 * 5 { total += rx.recv_many(&mut buffer, 5_000).await; } }) }) }); } fn uncontented_unbounded(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); g.bench_function("unbounded", |b| { b.iter(|| { rt.block_on(async move { let (tx, mut rx) = mpsc::unbounded_channel::<usize>(); for i in 0..5000 { tx.send(i).unwrap(); } for _ in 0..5_000 { let _ = rx.recv().await; } }) }) }); } fn uncontented_unbounded_recv_many(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); g.bench_function("unbounded_recv_many", |b| { b.iter(|| { rt.block_on(async move { let (tx, mut rx) = mpsc::unbounded_channel::<usize>(); for i in 0..5000 { tx.send(i).unwrap(); } let mut buffer = Vec::<usize>::with_capacity(5_000); let mut total = 0; while total < 1_000 * 5 { total += rx.recv_many(&mut buffer, 5_000).await; } }) }) }); } fn bench_create_medium(c: &mut Criterion) { let mut group = c.benchmark_group("create_medium"); create_medium::<1>(&mut group); create_medium::<100>(&mut group); create_medium::<100_000>(&mut group); group.finish(); } fn bench_send(c: &mut Criterion) { let mut group = c.benchmark_group("send"); send_data::<Medium, 1000>(&mut group, "medium"); send_data::<Large, 1000>(&mut group, "large"); group.finish(); } fn bench_contention(c: &mut Criterion) { let mut group = c.benchmark_group("contention"); contention_bounded(&mut group); contention_bounded_recv_many(&mut group); contention_bounded_full(&mut group); contention_bounded_full_recv_many(&mut group); contention_unbounded(&mut group); contention_unbounded_recv_many(&mut group); group.finish(); } fn bench_uncontented(c: &mut Criterion) { let mut group = c.benchmark_group("uncontented"); uncontented_bounded(&mut group); uncontented_bounded_recv_many(&mut group); uncontented_unbounded(&mut group); uncontented_unbounded_recv_many(&mut group); group.finish(); } criterion_group!(create, bench_create_medium); criterion_group!(send, bench_send); criterion_group!(contention, bench_contention); criterion_group!(uncontented, bench_uncontented); criterion_main!(create, send, contention, uncontented);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/copy.rs
benches/copy.rs
use criterion::{criterion_group, criterion_main, Criterion}; use rand::{Rng, SeedableRng}; use rand_chacha::ChaCha20Rng; use tokio::io::{copy, repeat, AsyncRead, AsyncReadExt, AsyncWrite}; use tokio::time::{interval, Interval, MissedTickBehavior}; use std::task::Poll; use std::time::Duration; const KILO: usize = 1024; // Tunable parameters if you want to change this benchmark. If reader and writer // are matched in kilobytes per second, then this only exposes buffering to the // benchmark. const RNG_SEED: u64 = 0; // How much data to copy in a single benchmark run const SOURCE_SIZE: u64 = 256 * KILO as u64; // Read side provides CHUNK_SIZE every READ_SERVICE_PERIOD. If it's not called // frequently, it'll burst to catch up (representing OS buffers draining) const CHUNK_SIZE: usize = 2 * KILO; const READ_SERVICE_PERIOD: Duration = Duration::from_millis(1); // Write side buffers up to WRITE_BUFFER, and flushes to disk every // WRITE_SERVICE_PERIOD. const WRITE_BUFFER: usize = 40 * KILO; const WRITE_SERVICE_PERIOD: Duration = Duration::from_millis(20); // How likely you are to have to wait for previously written data to be flushed // because another writer claimed the buffer space const PROBABILITY_FLUSH_WAIT: f64 = 0.1; /// A slow writer that aims to simulate HDD behavior under heavy load. /// /// There is a limited buffer, which is fully drained on the next write after /// a time limit is reached. Flush waits for the time limit to be reached /// and then drains the buffer. /// /// At random, the HDD will stall writers while it flushes out all buffers. If /// this happens to you, you will be unable to write until the next time the /// buffer is drained. struct SlowHddWriter { service_intervals: Interval, blocking_rng: ChaCha20Rng, buffer_size: usize, buffer_used: usize, } impl SlowHddWriter { fn new(service_interval: Duration, buffer_size: usize) -> Self { let blocking_rng = ChaCha20Rng::seed_from_u64(RNG_SEED); let mut service_intervals = interval(service_interval); service_intervals.set_missed_tick_behavior(MissedTickBehavior::Delay); Self { service_intervals, blocking_rng, buffer_size, buffer_used: 0, } } fn service_write( mut self: std::pin::Pin<&mut Self>, cx: &mut std::task::Context<'_>, ) -> std::task::Poll<Result<(), std::io::Error>> { // If we hit a service interval, the buffer can be cleared let res = self.service_intervals.poll_tick(cx).map(|_| Ok(())); if res.is_ready() { self.buffer_used = 0; } res } fn write_bytes( mut self: std::pin::Pin<&mut Self>, cx: &mut std::task::Context<'_>, writeable: usize, ) -> std::task::Poll<Result<usize, std::io::Error>> { let service_res = self.as_mut().service_write(cx); if service_res.is_pending() && self.blocking_rng.random_bool(PROBABILITY_FLUSH_WAIT) { return Poll::Pending; } let available = self.buffer_size - self.buffer_used; if available == 0 { assert!(service_res.is_pending()); Poll::Pending } else { let written = available.min(writeable); self.buffer_used += written; Poll::Ready(Ok(written)) } } } impl Unpin for SlowHddWriter {} impl AsyncWrite for SlowHddWriter { fn poll_write( self: std::pin::Pin<&mut Self>, cx: &mut std::task::Context<'_>, buf: &[u8], ) -> std::task::Poll<Result<usize, std::io::Error>> { self.write_bytes(cx, buf.len()) } fn poll_flush( self: std::pin::Pin<&mut Self>, cx: &mut std::task::Context<'_>, ) -> std::task::Poll<Result<(), std::io::Error>> { self.service_write(cx) } fn poll_shutdown( self: std::pin::Pin<&mut Self>, cx: &mut std::task::Context<'_>, ) -> std::task::Poll<Result<(), std::io::Error>> { self.service_write(cx) } fn poll_write_vectored( self: std::pin::Pin<&mut Self>, cx: &mut std::task::Context<'_>, bufs: &[std::io::IoSlice<'_>], ) -> std::task::Poll<Result<usize, std::io::Error>> { let writeable = bufs.iter().fold(0, |acc, buf| acc + buf.len()); self.write_bytes(cx, writeable) } fn is_write_vectored(&self) -> bool { true } } /// A reader that limits the maximum chunk it'll give you back /// /// Simulates something reading from a slow link - you get one chunk per call, /// and you are offered chunks on a schedule struct ChunkReader { data: Vec<u8>, service_intervals: Interval, } impl ChunkReader { fn new(chunk_size: usize, service_interval: Duration) -> Self { let mut service_intervals = interval(service_interval); service_intervals.set_missed_tick_behavior(MissedTickBehavior::Burst); let data: Vec<u8> = std::iter::repeat_n(0, chunk_size).collect(); Self { data, service_intervals, } } } impl AsyncRead for ChunkReader { fn poll_read( mut self: std::pin::Pin<&mut Self>, cx: &mut std::task::Context<'_>, buf: &mut tokio::io::ReadBuf<'_>, ) -> Poll<std::io::Result<()>> { if self.service_intervals.poll_tick(cx).is_pending() { return Poll::Pending; } buf.put_slice(&self.data[..buf.remaining().min(self.data.len())]); Poll::Ready(Ok(())) } } fn rt() -> tokio::runtime::Runtime { tokio::runtime::Builder::new_current_thread() .enable_time() .build() .unwrap() } fn copy_mem_to_mem(c: &mut Criterion) { let rt = rt(); c.bench_function("copy_mem_to_mem", |b| { b.iter(|| { let task = || async { let mut source = repeat(0).take(SOURCE_SIZE); let mut dest = Vec::new(); copy(&mut source, &mut dest).await.unwrap(); }; rt.block_on(task()); }) }); } fn copy_mem_to_slow_hdd(c: &mut Criterion) { let rt = rt(); c.bench_function("copy_mem_to_slow_hdd", |b| { b.iter(|| { let task = || async { let mut source = repeat(0).take(SOURCE_SIZE); let mut dest = SlowHddWriter::new(WRITE_SERVICE_PERIOD, WRITE_BUFFER); copy(&mut source, &mut dest).await.unwrap(); }; rt.block_on(task()); }) }); } fn copy_chunk_to_mem(c: &mut Criterion) { let rt = rt(); c.bench_function("copy_chunk_to_mem", |b| { b.iter(|| { let task = || async { let mut source = ChunkReader::new(CHUNK_SIZE, READ_SERVICE_PERIOD).take(SOURCE_SIZE); let mut dest = Vec::new(); copy(&mut source, &mut dest).await.unwrap(); }; rt.block_on(task()); }) }); } fn copy_chunk_to_slow_hdd(c: &mut Criterion) { let rt = rt(); c.bench_function("copy_chunk_to_slow_hdd", |b| { b.iter(|| { let task = || async { let mut source = ChunkReader::new(CHUNK_SIZE, READ_SERVICE_PERIOD).take(SOURCE_SIZE); let mut dest = SlowHddWriter::new(WRITE_SERVICE_PERIOD, WRITE_BUFFER); copy(&mut source, &mut dest).await.unwrap(); }; rt.block_on(task()); }) }); } criterion_group!( copy_bench, copy_mem_to_mem, copy_mem_to_slow_hdd, copy_chunk_to_mem, copy_chunk_to_slow_hdd, ); criterion_main!(copy_bench);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/rt_current_thread.rs
benches/rt_current_thread.rs
//! Benchmark implementation details of the threaded scheduler. These benches are //! intended to be used as a form of regression testing and not as a general //! purpose benchmark demonstrating real-world performance. use tokio::runtime::{self, Runtime}; use criterion::{criterion_group, criterion_main, Criterion}; const NUM_SPAWN: usize = 1_000; fn rt_curr_spawn_many_local(c: &mut Criterion) { let rt = rt(); let mut handles = Vec::with_capacity(NUM_SPAWN); c.bench_function("spawn_many_local", |b| { b.iter(|| { rt.block_on(async { for _ in 0..NUM_SPAWN { handles.push(tokio::spawn(async move {})); } for handle in handles.drain(..) { handle.await.unwrap(); } }); }) }); } fn rt_curr_spawn_many_remote_idle(c: &mut Criterion) { let rt = rt(); let rt_handle = rt.handle(); let mut handles = Vec::with_capacity(NUM_SPAWN); c.bench_function("spawn_many_remote_idle", |b| { b.iter(|| { for _ in 0..NUM_SPAWN { handles.push(rt_handle.spawn(async {})); } rt.block_on(async { for handle in handles.drain(..) { handle.await.unwrap(); } }); }) }); } fn rt_curr_spawn_many_remote_busy(c: &mut Criterion) { let rt = rt(); let rt_handle = rt.handle(); let mut handles = Vec::with_capacity(NUM_SPAWN); rt.spawn(async { fn iter() { tokio::spawn(async { iter() }); } iter() }); c.bench_function("spawn_many_remote_busy", |b| { b.iter(|| { for _ in 0..NUM_SPAWN { handles.push(rt_handle.spawn(async {})); } rt.block_on(async { for handle in handles.drain(..) { handle.await.unwrap(); } }); }) }); } fn rt() -> Runtime { runtime::Builder::new_current_thread().build().unwrap() } criterion_group!( rt_curr_scheduler, rt_curr_spawn_many_local, rt_curr_spawn_many_remote_idle, rt_curr_spawn_many_remote_busy ); criterion_main!(rt_curr_scheduler);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/time_now.rs
benches/time_now.rs
//! Benchmark spawning a task onto the basic and threaded Tokio executors. //! This essentially measure the time to enqueue a task in the local and remote //! case. use criterion::{black_box, criterion_group, criterion_main, Criterion}; fn time_now_current_thread(c: &mut Criterion) { let rt = tokio::runtime::Builder::new_current_thread() .enable_time() .build() .unwrap(); c.bench_function("time_now_current_thread", |b| { b.iter(|| { rt.block_on(async { black_box(tokio::time::Instant::now()); }) }) }); } criterion_group!(time_now, time_now_current_thread); criterion_main!(time_now);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/sync_rwlock.rs
benches/sync_rwlock.rs
use std::sync::Arc; use tokio::{sync::RwLock, task}; use criterion::measurement::WallTime; use criterion::{black_box, criterion_group, criterion_main, BenchmarkGroup, Criterion}; fn read_uncontended(g: &mut BenchmarkGroup<WallTime>) { let rt = tokio::runtime::Builder::new_multi_thread() .worker_threads(6) .build() .unwrap(); let lock = Arc::new(RwLock::new(())); g.bench_function("read", |b| { b.iter(|| { let lock = lock.clone(); rt.block_on(async move { for _ in 0..6 { let read = lock.read().await; let _read = black_box(read); } }) }) }); } fn read_concurrent_uncontended_multi(g: &mut BenchmarkGroup<WallTime>) { let rt = tokio::runtime::Builder::new_multi_thread() .worker_threads(6) .build() .unwrap(); async fn task(lock: Arc<RwLock<()>>) { let read = lock.read().await; let _read = black_box(read); } let lock = Arc::new(RwLock::new(())); g.bench_function("read_concurrent_multi", |b| { b.iter(|| { let lock = lock.clone(); rt.block_on(async move { let j = tokio::try_join! { task::spawn(task(lock.clone())), task::spawn(task(lock.clone())), task::spawn(task(lock.clone())), task::spawn(task(lock.clone())), task::spawn(task(lock.clone())), task::spawn(task(lock.clone())) }; j.unwrap(); }) }) }); } fn read_concurrent_uncontended(g: &mut BenchmarkGroup<WallTime>) { let rt = tokio::runtime::Builder::new_current_thread() .build() .unwrap(); async fn task(lock: Arc<RwLock<()>>) { let read = lock.read().await; let _read = black_box(read); } let lock = Arc::new(RwLock::new(())); g.bench_function("read_concurrent", |b| { b.iter(|| { let lock = lock.clone(); rt.block_on(async move { tokio::join! { task(lock.clone()), task(lock.clone()), task(lock.clone()), task(lock.clone()), task(lock.clone()), task(lock.clone()) }; }) }) }); } fn read_concurrent_contended_multi(g: &mut BenchmarkGroup<WallTime>) { let rt = tokio::runtime::Builder::new_multi_thread() .worker_threads(6) .build() .unwrap(); async fn task(lock: Arc<RwLock<()>>) { let read = lock.read().await; let _read = black_box(read); } let lock = Arc::new(RwLock::new(())); g.bench_function("read_concurrent_multi", |b| { b.iter(|| { let lock = lock.clone(); rt.block_on(async move { let write = lock.write().await; let j = tokio::try_join! { async move { drop(write); Ok(()) }, task::spawn(task(lock.clone())), task::spawn(task(lock.clone())), task::spawn(task(lock.clone())), task::spawn(task(lock.clone())), task::spawn(task(lock.clone())), }; j.unwrap(); }) }) }); } fn read_concurrent_contended(g: &mut BenchmarkGroup<WallTime>) { let rt = tokio::runtime::Builder::new_current_thread() .build() .unwrap(); async fn task(lock: Arc<RwLock<()>>) { let read = lock.read().await; let _read = black_box(read); } let lock = Arc::new(RwLock::new(())); g.bench_function("read_concurrent", |b| { b.iter(|| { let lock = lock.clone(); rt.block_on(async move { let write = lock.write().await; tokio::join! { async move { drop(write) }, task(lock.clone()), task(lock.clone()), task(lock.clone()), task(lock.clone()), task(lock.clone()), }; }) }) }); } fn bench_contention(c: &mut Criterion) { let mut group = c.benchmark_group("contention"); read_concurrent_contended(&mut group); read_concurrent_contended_multi(&mut group); group.finish(); } fn bench_uncontented(c: &mut Criterion) { let mut group = c.benchmark_group("uncontented"); read_uncontended(&mut group); read_concurrent_uncontended(&mut group); read_concurrent_uncontended_multi(&mut group); group.finish(); } criterion_group!(contention, bench_contention); criterion_group!(uncontented, bench_uncontented); criterion_main!(contention, uncontented);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/spawn_blocking.rs
benches/spawn_blocking.rs
//! Benchmark spawn_blocking at different concurrency levels on the multi-threaded scheduler. //! //! For each parallelism level N (1, 2, 4, 8, 16, 32, 64, capped at available parallelism): //! - Spawns N regular async tasks //! - Each task spawns M batches of B spawn_blocking tasks (no-ops) //! - Each batch is awaited to completion before starting the next use criterion::{black_box, criterion_group, criterion_main, BenchmarkId, Criterion}; use tokio::runtime::{self, Runtime}; use tokio::task::JoinSet; /// Number of batches per task const NUM_BATCHES: usize = 100; /// Number of spawn_blocking calls per batch const BATCH_SIZE: usize = 16; fn spawn_blocking_concurrency(c: &mut Criterion) { let max_parallelism = std::thread::available_parallelism() .map(|p| p.get()) .unwrap_or(1); let parallelism_levels: Vec<usize> = [1, 2, 4, 8, 16, 32, 64] .into_iter() .filter(|&n| n <= max_parallelism) .collect(); let mut group = c.benchmark_group("spawn_blocking"); for num_tasks in parallelism_levels { group.bench_with_input( BenchmarkId::new("concurrency", num_tasks), &num_tasks, |b, &num_tasks| { let rt = rt(); b.iter(|| { rt.block_on(async { let mut tasks = JoinSet::new(); for _ in 0..num_tasks { tasks.spawn(async { for _ in 0..NUM_BATCHES { let mut batch = JoinSet::new(); for _ in 0..BATCH_SIZE { batch.spawn_blocking(|| black_box(0)); } batch.join_all().await; } }); } tasks.join_all().await; }); }); }, ); } group.finish(); } fn rt() -> Runtime { runtime::Builder::new_multi_thread() .enable_all() .build() .unwrap() } criterion_group!(spawn_blocking_benches, spawn_blocking_concurrency); criterion_main!(spawn_blocking_benches);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/benches/sync_notify.rs
benches/sync_notify.rs
use std::sync::atomic::{AtomicUsize, Ordering}; use std::sync::Arc; use tokio::sync::Notify; use criterion::measurement::WallTime; use criterion::{criterion_group, criterion_main, BenchmarkGroup, Criterion}; fn rt() -> tokio::runtime::Runtime { tokio::runtime::Builder::new_multi_thread() .worker_threads(6) .build() .unwrap() } fn notify_waiters<const N_WAITERS: usize>(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); let notify = Arc::new(Notify::new()); let counter = Arc::new(AtomicUsize::new(0)); for _ in 0..N_WAITERS { rt.spawn({ let notify = notify.clone(); let counter = counter.clone(); async move { loop { notify.notified().await; counter.fetch_add(1, Ordering::Relaxed); } } }); } const N_ITERS: usize = 500; g.bench_function(N_WAITERS.to_string(), |b| { b.iter(|| { counter.store(0, Ordering::Relaxed); loop { notify.notify_waiters(); if counter.load(Ordering::Relaxed) >= N_ITERS { break; } } }) }); } fn notify_one<const N_WAITERS: usize>(g: &mut BenchmarkGroup<WallTime>) { let rt = rt(); let notify = Arc::new(Notify::new()); let counter = Arc::new(AtomicUsize::new(0)); for _ in 0..N_WAITERS { rt.spawn({ let notify = notify.clone(); let counter = counter.clone(); async move { loop { notify.notified().await; counter.fetch_add(1, Ordering::Relaxed); } } }); } const N_ITERS: usize = 500; g.bench_function(N_WAITERS.to_string(), |b| { b.iter(|| { counter.store(0, Ordering::Relaxed); loop { notify.notify_one(); if counter.load(Ordering::Relaxed) >= N_ITERS { break; } } }) }); } fn bench_notify_one(c: &mut Criterion) { let mut group = c.benchmark_group("notify_one"); notify_one::<10>(&mut group); notify_one::<50>(&mut group); notify_one::<100>(&mut group); notify_one::<200>(&mut group); notify_one::<500>(&mut group); group.finish(); } fn bench_notify_waiters(c: &mut Criterion) { let mut group = c.benchmark_group("notify_waiters"); notify_waiters::<10>(&mut group); notify_waiters::<50>(&mut group); notify_waiters::<100>(&mut group); notify_waiters::<200>(&mut group); notify_waiters::<500>(&mut group); group.finish(); } criterion_group!( notify_waiters_simple, bench_notify_one, bench_notify_waiters ); criterion_main!(notify_waiters_simple);
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio/src/blocking.rs
tokio/src/blocking.rs
cfg_rt! { pub(crate) use crate::runtime::spawn_blocking; cfg_fs! { #[allow(unused_imports)] pub(crate) use crate::runtime::spawn_mandatory_blocking; } pub(crate) use crate::task::JoinHandle; } cfg_not_rt! { use std::fmt; use std::future::Future; use std::pin::Pin; use std::task::{Context, Poll}; pub(crate) fn spawn_blocking<F, R>(_f: F) -> JoinHandle<R> where F: FnOnce() -> R + Send + 'static, R: Send + 'static, { assert_send_sync::<JoinHandle<std::cell::Cell<()>>>(); panic!("requires the `rt` Tokio feature flag") } cfg_fs! { pub(crate) fn spawn_mandatory_blocking<F, R>(_f: F) -> Option<JoinHandle<R>> where F: FnOnce() -> R + Send + 'static, R: Send + 'static, { panic!("requires the `rt` Tokio feature flag") } } pub(crate) struct JoinHandle<R> { _p: std::marker::PhantomData<R>, } unsafe impl<T: Send> Send for JoinHandle<T> {} unsafe impl<T: Send> Sync for JoinHandle<T> {} impl<R> Future for JoinHandle<R> { type Output = Result<R, std::io::Error>; fn poll(self: Pin<&mut Self>, _cx: &mut Context<'_>) -> Poll<Self::Output> { unreachable!() } } impl<T> fmt::Debug for JoinHandle<T> where T: fmt::Debug, { fn fmt(&self, fmt: &mut fmt::Formatter<'_>) -> fmt::Result { fmt.debug_struct("JoinHandle").finish() } } fn assert_send_sync<T: Send + Sync>() { } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio/src/lib.rs
tokio/src/lib.rs
#![allow( clippy::cognitive_complexity, clippy::large_enum_variant, clippy::module_inception, clippy::needless_doctest_main )] #![warn( missing_debug_implementations, missing_docs, rust_2018_idioms, unreachable_pub )] #![deny(unused_must_use, unsafe_op_in_unsafe_fn)] #![doc(test( no_crate_inject, attr(deny(warnings, rust_2018_idioms), allow(dead_code, unused_variables)) ))] #![cfg_attr(docsrs, feature(doc_cfg))] #![cfg_attr(docsrs, allow(unused_attributes))] #![cfg_attr(loom, allow(dead_code, unreachable_pub))] #![cfg_attr(windows, allow(rustdoc::broken_intra_doc_links))] //! A runtime for writing reliable network applications without compromising speed. //! //! Tokio is an event-driven, non-blocking I/O platform for writing asynchronous //! applications with the Rust programming language. At a high level, it //! provides a few major components: //! //! * Tools for [working with asynchronous tasks][tasks], including //! [synchronization primitives and channels][sync] and [timeouts, sleeps, and //! intervals][time]. //! * APIs for [performing asynchronous I/O][io], including [TCP and UDP][net] sockets, //! [filesystem][fs] operations, and [process] and [signal] management. //! * A [runtime] for executing asynchronous code, including a task scheduler, //! an I/O driver backed by the operating system's event queue (`epoll`, `kqueue`, //! `IOCP`, etc...), and a high performance timer. //! //! Guide level documentation is found on the [website]. //! //! [tasks]: #working-with-tasks //! [sync]: crate::sync //! [time]: crate::time //! [io]: #asynchronous-io //! [net]: crate::net //! [fs]: crate::fs //! [process]: crate::process //! [signal]: crate::signal //! [fs]: crate::fs //! [runtime]: crate::runtime //! [website]: https://tokio.rs/tokio/tutorial //! //! # A Tour of Tokio //! //! Tokio consists of a number of modules that provide a range of functionality //! essential for implementing asynchronous applications in Rust. In this //! section, we will take a brief tour of Tokio, summarizing the major APIs and //! their uses. //! //! The easiest way to get started is to enable all features. Do this by //! enabling the `full` feature flag: //! //! ```toml //! tokio = { version = "1", features = ["full"] } //! ``` //! //! ### Authoring applications //! //! Tokio is great for writing applications and most users in this case shouldn't //! worry too much about what features they should pick. If you're unsure, we suggest //! going with `full` to ensure that you don't run into any road blocks while you're //! building your application. //! //! #### Example //! //! This example shows the quickest way to get started with Tokio. //! //! ```toml //! tokio = { version = "1", features = ["full"] } //! ``` //! //! ### Authoring libraries //! //! As a library author your goal should be to provide the lightest weight crate //! that is based on Tokio. To achieve this you should ensure that you only enable //! the features you need. This allows users to pick up your crate without having //! to enable unnecessary features. //! //! #### Example //! //! This example shows how you may want to import features for a library that just //! needs to `tokio::spawn` and use a `TcpStream`. //! //! ```toml //! tokio = { version = "1", features = ["rt", "net"] } //! ``` //! //! ## Working With Tasks //! //! Asynchronous programs in Rust are based around lightweight, non-blocking //! units of execution called [_tasks_][tasks]. The [`tokio::task`] module provides //! important tools for working with tasks: //! //! * The [`spawn`] function and [`JoinHandle`] type, for scheduling a new task //! on the Tokio runtime and awaiting the output of a spawned task, respectively, //! * Functions for [running blocking operations][blocking] in an asynchronous //! task context. //! //! The [`tokio::task`] module is present only when the "rt" feature flag //! is enabled. //! //! [tasks]: task/index.html#what-are-tasks //! [`tokio::task`]: crate::task //! [`spawn`]: crate::task::spawn() //! [`JoinHandle`]: crate::task::JoinHandle //! [blocking]: task/index.html#blocking-and-yielding //! //! The [`tokio::sync`] module contains synchronization primitives to use when //! needing to communicate or share data. These include: //! //! * channels ([`oneshot`], [`mpsc`], [`watch`], and [`broadcast`]), for sending values //! between tasks, //! * a non-blocking [`Mutex`], for controlling access to a shared, mutable //! value, //! * an asynchronous [`Barrier`] type, for multiple tasks to synchronize before //! beginning a computation. //! //! The `tokio::sync` module is present only when the "sync" feature flag is //! enabled. //! //! [`tokio::sync`]: crate::sync //! [`Mutex`]: crate::sync::Mutex //! [`Barrier`]: crate::sync::Barrier //! [`oneshot`]: crate::sync::oneshot //! [`mpsc`]: crate::sync::mpsc //! [`watch`]: crate::sync::watch //! [`broadcast`]: crate::sync::broadcast //! //! The [`tokio::time`] module provides utilities for tracking time and //! scheduling work. This includes functions for setting [timeouts][timeout] for //! tasks, [sleeping][sleep] work to run in the future, or [repeating an operation at an //! interval][interval]. //! //! In order to use `tokio::time`, the "time" feature flag must be enabled. //! //! [`tokio::time`]: crate::time //! [sleep]: crate::time::sleep() //! [interval]: crate::time::interval() //! [timeout]: crate::time::timeout() //! //! Finally, Tokio provides a _runtime_ for executing asynchronous tasks. Most //! applications can use the [`#[tokio::main]`][main] macro to run their code on the //! Tokio runtime. However, this macro provides only basic configuration options. As //! an alternative, the [`tokio::runtime`] module provides more powerful APIs for configuring //! and managing runtimes. You should use that module if the `#[tokio::main]` macro doesn't //! provide the functionality you need. //! //! Using the runtime requires the "rt" or "rt-multi-thread" feature flags, to //! enable the current-thread [single-threaded scheduler][rt] and the [multi-thread //! scheduler][rt-multi-thread], respectively. See the [`runtime` module //! documentation][rt-features] for details. In addition, the "macros" feature //! flag enables the `#[tokio::main]` and `#[tokio::test]` attributes. //! //! [main]: attr.main.html //! [`tokio::runtime`]: crate::runtime //! [`Builder`]: crate::runtime::Builder //! [`Runtime`]: crate::runtime::Runtime //! [rt]: runtime/index.html#current-thread-scheduler //! [rt-multi-thread]: runtime/index.html#multi-thread-scheduler //! [rt-features]: runtime/index.html#runtime-scheduler //! //! ## CPU-bound tasks and blocking code //! //! Tokio is able to concurrently run many tasks on a few threads by repeatedly //! swapping the currently running task on each thread. However, this kind of //! swapping can only happen at `.await` points, so code that spends a long time //! without reaching an `.await` will prevent other tasks from running. To //! combat this, Tokio provides two kinds of threads: Core threads and blocking threads. //! //! The core threads are where all asynchronous code runs, and Tokio will by default //! spawn one for each CPU core. You can use the environment variable `TOKIO_WORKER_THREADS` //! to override the default value. //! //! The blocking threads are spawned on demand, can be used to run blocking code //! that would otherwise block other tasks from running and are kept alive when //! not used for a certain amount of time which can be configured with [`thread_keep_alive`]. //! Since it is not possible for Tokio to swap out blocking tasks, like it //! can do with asynchronous code, the upper limit on the number of blocking //! threads is very large. These limits can be configured on the [`Builder`]. //! //! To spawn a blocking task, you should use the [`spawn_blocking`] function. //! //! [`Builder`]: crate::runtime::Builder //! [`spawn_blocking`]: crate::task::spawn_blocking() //! [`thread_keep_alive`]: crate::runtime::Builder::thread_keep_alive() //! //! ``` //! # #[cfg(not(target_family = "wasm"))] //! # { //! #[tokio::main] //! async fn main() { //! // This is running on a core thread. //! //! let blocking_task = tokio::task::spawn_blocking(|| { //! // This is running on a blocking thread. //! // Blocking here is ok. //! }); //! //! // We can wait for the blocking task like this: //! // If the blocking task panics, the unwrap below will propagate the //! // panic. //! blocking_task.await.unwrap(); //! } //! # } //! ``` //! //! If your code is CPU-bound and you wish to limit the number of threads used //! to run it, you should use a separate thread pool dedicated to CPU bound tasks. //! For example, you could consider using the [rayon] library for CPU-bound //! tasks. It is also possible to create an extra Tokio runtime dedicated to //! CPU-bound tasks, but if you do this, you should be careful that the extra //! runtime runs _only_ CPU-bound tasks, as IO-bound tasks on that runtime //! will behave poorly. //! //! Hint: If using rayon, you can use a [`oneshot`] channel to send the result back //! to Tokio when the rayon task finishes. //! //! [rayon]: https://docs.rs/rayon //! [`oneshot`]: crate::sync::oneshot //! //! ## Asynchronous IO //! //! As well as scheduling and running tasks, Tokio provides everything you need //! to perform input and output asynchronously. //! //! The [`tokio::io`] module provides Tokio's asynchronous core I/O primitives, //! the [`AsyncRead`], [`AsyncWrite`], and [`AsyncBufRead`] traits. In addition, //! when the "io-util" feature flag is enabled, it also provides combinators and //! functions for working with these traits, forming as an asynchronous //! counterpart to [`std::io`]. //! //! Tokio also includes APIs for performing various kinds of I/O and interacting //! with the operating system asynchronously. These include: //! //! * [`tokio::net`], which contains non-blocking versions of [TCP], [UDP], and //! [Unix Domain Sockets][UDS] (enabled by the "net" feature flag), //! * [`tokio::fs`], similar to [`std::fs`] but for performing filesystem I/O //! asynchronously (enabled by the "fs" feature flag), //! * [`tokio::signal`], for asynchronously handling Unix and Windows OS signals //! (enabled by the "signal" feature flag), //! * [`tokio::process`], for spawning and managing child processes (enabled by //! the "process" feature flag). //! //! [`tokio::io`]: crate::io //! [`AsyncRead`]: crate::io::AsyncRead //! [`AsyncWrite`]: crate::io::AsyncWrite //! [`AsyncBufRead`]: crate::io::AsyncBufRead //! [`std::io`]: std::io //! [`tokio::net`]: crate::net //! [TCP]: crate::net::tcp //! [UDP]: crate::net::UdpSocket //! [UDS]: crate::net::unix //! [`tokio::fs`]: crate::fs //! [`std::fs`]: std::fs //! [`tokio::signal`]: crate::signal //! [`tokio::process`]: crate::process //! //! # Examples //! //! A simple TCP echo server: //! //! ```no_run //! # #[cfg(not(target_family = "wasm"))] //! # { //! use tokio::net::TcpListener; //! use tokio::io::{AsyncReadExt, AsyncWriteExt}; //! //! #[tokio::main] //! async fn main() -> Result<(), Box<dyn std::error::Error>> { //! let listener = TcpListener::bind("127.0.0.1:8080").await?; //! //! loop { //! let (mut socket, _) = listener.accept().await?; //! //! tokio::spawn(async move { //! let mut buf = [0; 1024]; //! //! // In a loop, read data from the socket and write the data back. //! loop { //! let n = match socket.read(&mut buf).await { //! // socket closed //! Ok(0) => return, //! Ok(n) => n, //! Err(e) => { //! eprintln!("failed to read from socket; err = {:?}", e); //! return; //! } //! }; //! //! // Write the data back //! if let Err(e) = socket.write_all(&buf[0..n]).await { //! eprintln!("failed to write to socket; err = {:?}", e); //! return; //! } //! } //! }); //! } //! } //! # } //! ``` //! //! # Feature flags //! //! Tokio uses a set of [feature flags] to reduce the amount of compiled code. It //! is possible to just enable certain features over others. By default, Tokio //! does not enable any features but allows one to enable a subset for their use //! case. Below is a list of the available feature flags. You may also notice //! above each function, struct and trait there is listed one or more feature flags //! that are required for that item to be used. If you are new to Tokio it is //! recommended that you use the `full` feature flag which will enable all public APIs. //! Beware though that this will pull in many extra dependencies that you may not //! need. //! //! - `full`: Enables all features listed below except `test-util` and `tracing`. //! - `rt`: Enables `tokio::spawn`, the current-thread scheduler, //! and non-scheduler utilities. //! - `rt-multi-thread`: Enables the heavier, multi-threaded, work-stealing scheduler. //! - `io-util`: Enables the IO based `Ext` traits. //! - `io-std`: Enable `Stdout`, `Stdin` and `Stderr` types. //! - `net`: Enables `tokio::net` types such as `TcpStream`, `UnixStream` and //! `UdpSocket`, as well as (on Unix-like systems) `AsyncFd` and (on //! FreeBSD) `PollAio`. //! - `time`: Enables `tokio::time` types and allows the schedulers to enable //! the built in timer. //! - `process`: Enables `tokio::process` types. //! - `macros`: Enables `#[tokio::main]` and `#[tokio::test]` macros. //! - `sync`: Enables all `tokio::sync` types. //! - `signal`: Enables all `tokio::signal` types. //! - `fs`: Enables `tokio::fs` types. //! - `test-util`: Enables testing based infrastructure for the Tokio runtime. //! - `parking_lot`: As a potential optimization, use the [`parking_lot`] crate's //! synchronization primitives internally. Also, this //! dependency is necessary to construct some of our primitives //! in a `const` context. `MSRV` may increase according to the //! [`parking_lot`] release in use. //! //! _Note: `AsyncRead` and `AsyncWrite` traits do not require any features and are //! always available._ //! //! ## Unstable features //! //! Some feature flags are only available when specifying the `tokio_unstable` flag: //! //! - `tracing`: Enables tracing events. //! //! Likewise, some parts of the API are only available with the same flag: //! //! - [`task::Builder`] //! - Some methods on [`task::JoinSet`] //! - [`runtime::RuntimeMetrics`] //! - [`runtime::Builder::on_task_spawn`] //! - [`runtime::Builder::on_task_terminate`] //! - [`runtime::Builder::unhandled_panic`] //! - [`runtime::TaskMeta`] //! //! This flag enables **unstable** features. The public API of these features //! may break in 1.x releases. To enable these features, the `--cfg //! tokio_unstable` argument must be passed to `rustc` when compiling. This //! serves to explicitly opt-in to features which may break semver conventions, //! since Cargo [does not yet directly support such opt-ins][unstable features]. //! //! You can specify it in your project's `.cargo/config.toml` file: //! //! ```toml //! [build] //! rustflags = ["--cfg", "tokio_unstable"] //! ``` //! //! <div class="warning"> //! The <code>[build]</code> section does <strong>not</strong> go in a //! <code>Cargo.toml</code> file. Instead it must be placed in the Cargo config //! file <code>.cargo/config.toml</code>. //! </div> //! //! Alternatively, you can specify it with an environment variable: //! //! ```sh //! ## Many *nix shells: //! export RUSTFLAGS="--cfg tokio_unstable" //! cargo build //! ``` //! //! ```powershell //! ## Windows PowerShell: //! $Env:RUSTFLAGS="--cfg tokio_unstable" //! cargo build //! ``` //! //! [unstable features]: https://internals.rust-lang.org/t/feature-request-unstable-opt-in-non-transitive-crate-features/16193#why-not-a-crate-feature-2 //! [feature flags]: https://doc.rust-lang.org/cargo/reference/manifest.html#the-features-section //! //! # Supported platforms //! //! Tokio currently guarantees support for the following platforms: //! //! * Linux //! * Windows //! * Android (API level 21) //! * macOS //! * iOS //! * FreeBSD //! //! Tokio will continue to support these platforms in the future. However, //! future releases may change requirements such as the minimum required libc //! version on Linux, the API level on Android, or the supported FreeBSD //! release. //! //! Beyond the above platforms, Tokio is intended to work on all platforms //! supported by the mio crate. You can find a longer list [in mio's //! documentation][mio-supported]. However, these additional platforms may //! become unsupported in the future. //! //! Note that Wine is considered to be a different platform from Windows. See //! mio's documentation for more information on Wine support. //! //! [mio-supported]: https://crates.io/crates/mio#platforms //! //! ## `WASM` support //! //! Tokio has some limited support for the `WASM` platform. Without the //! `tokio_unstable` flag, the following features are supported: //! //! * `sync` //! * `macros` //! * `io-util` //! * `rt` //! * `time` //! //! Enabling any other feature (including `full`) will cause a compilation //! failure. //! //! The `time` module will only work on `WASM` platforms that have support for //! timers (e.g. wasm32-wasi). The timing functions will panic if used on a `WASM` //! platform that does not support timers. //! //! Note also that if the runtime becomes indefinitely idle, it will panic //! immediately instead of blocking forever. On platforms that don't support //! time, this means that the runtime can never be idle in any way. //! //! ## Unstable `WASM` support //! //! Tokio also has unstable support for some additional `WASM` features. This //! requires the use of the `tokio_unstable` flag. //! //! Using this flag enables the use of `tokio::net` on the wasm32-wasi target. //! However, not all methods are available on the networking types as `WASI` //! currently does not support the creation of new sockets from within `WASM`. //! Because of this, sockets must currently be created via the `FromRawFd` //! trait. // Test that pointer width is compatible. This asserts that e.g. usize is at // least 32 bits, which a lot of components in Tokio currently assumes. // // TODO: improve once we have MSRV access to const eval to make more flexible. #[cfg(not(any(target_pointer_width = "32", target_pointer_width = "64")))] compile_error! { "Tokio requires the platform pointer width to be at least 32 bits" } #[cfg(all( not(tokio_unstable), target_family = "wasm", any( feature = "fs", feature = "io-std", feature = "net", feature = "process", feature = "rt-multi-thread", feature = "signal" ) ))] compile_error!("Only features sync,macros,io-util,rt,time are supported on wasm."); #[cfg(all(not(tokio_unstable), feature = "io-uring"))] compile_error!("The `io-uring` feature requires `--cfg tokio_unstable`."); #[cfg(all(not(tokio_unstable), feature = "taskdump"))] compile_error!("The `taskdump` feature requires `--cfg tokio_unstable`."); #[cfg(all( feature = "taskdump", not(doc), not(all( target_os = "linux", any(target_arch = "aarch64", target_arch = "x86", target_arch = "x86_64") )) ))] compile_error!( "The `taskdump` feature is only currently supported on \ linux, on `aarch64`, `x86` and `x86_64`." ); // Includes re-exports used by macros. // // This module is not intended to be part of the public API. In general, any // `doc(hidden)` code is not part of Tokio's public and stable API. #[macro_use] #[doc(hidden)] pub mod macros; cfg_fs! { pub mod fs; } mod future; pub mod io; pub mod net; mod loom; cfg_process! { pub mod process; } #[cfg(any( feature = "fs", feature = "io-std", feature = "net", all(windows, feature = "process"), ))] mod blocking; cfg_rt! { pub mod runtime; } cfg_not_rt! { pub(crate) mod runtime; } cfg_signal! { pub mod signal; } cfg_signal_internal! { #[cfg(not(feature = "signal"))] #[allow(dead_code)] #[allow(unreachable_pub)] pub(crate) mod signal; } cfg_sync! { pub mod sync; } cfg_not_sync! { mod sync; } pub mod task; cfg_rt! { pub use task::spawn; } cfg_time! { pub mod time; } mod trace { use std::future::Future; use std::pin::Pin; use std::task::{Context, Poll}; cfg_taskdump! { pub(crate) use crate::runtime::task::trace::trace_leaf; } cfg_not_taskdump! { #[inline(always)] #[allow(dead_code)] pub(crate) fn trace_leaf(_: &mut std::task::Context<'_>) -> std::task::Poll<()> { std::task::Poll::Ready(()) } } #[cfg_attr(not(feature = "sync"), allow(dead_code))] pub(crate) fn async_trace_leaf() -> impl Future<Output = ()> { struct Trace; impl Future for Trace { type Output = (); #[inline(always)] fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<()> { trace_leaf(cx) } } Trace } } mod util; /// Due to the `Stream` trait's inclusion in `std` landing later than Tokio's 1.0 /// release, most of the Tokio stream utilities have been moved into the [`tokio-stream`] /// crate. /// /// # Why was `Stream` not included in Tokio 1.0? /// /// Originally, we had planned to ship Tokio 1.0 with a stable `Stream` type /// but unfortunately the [RFC] had not been merged in time for `Stream` to /// reach `std` on a stable compiler in time for the 1.0 release of Tokio. For /// this reason, the team has decided to move all `Stream` based utilities to /// the [`tokio-stream`] crate. While this is not ideal, once `Stream` has made /// it into the standard library and the `MSRV` period has passed, we will implement /// stream for our different types. /// /// While this may seem unfortunate, not all is lost as you can get much of the /// `Stream` support with `async/await` and `while let` loops. It is also possible /// to create a `impl Stream` from `async fn` using the [`async-stream`] crate. /// /// [`tokio-stream`]: https://docs.rs/tokio-stream /// [`async-stream`]: https://docs.rs/async-stream /// [RFC]: https://github.com/rust-lang/rfcs/pull/2996 /// /// # Example /// /// Convert a [`sync::mpsc::Receiver`] to an `impl Stream`. /// /// ```rust,no_run /// use tokio::sync::mpsc; /// /// let (tx, mut rx) = mpsc::channel::<usize>(16); /// /// let stream = async_stream::stream! { /// while let Some(item) = rx.recv().await { /// yield item; /// } /// }; /// ``` pub mod stream {} // local re-exports of platform specific things, allowing for decent // documentation to be shimmed in on docs.rs #[cfg(all(docsrs, unix))] pub mod doc; #[cfg(any(feature = "net", feature = "fs"))] #[cfg(all(docsrs, unix))] #[allow(unused)] pub(crate) use self::doc::os; #[cfg(not(all(docsrs, unix)))] #[allow(unused)] pub(crate) use std::os; cfg_macros! { /// Implementation detail of the `select!` macro. This macro is **not** /// intended to be used as part of the public API and is permitted to /// change. #[doc(hidden)] pub use tokio_macros::select_priv_declare_output_enum; /// Implementation detail of the `select!` macro. This macro is **not** /// intended to be used as part of the public API and is permitted to /// change. #[doc(hidden)] pub use tokio_macros::select_priv_clean_pattern; cfg_rt! { #[cfg(feature = "rt-multi-thread")] #[cfg_attr(docsrs, doc(cfg(feature = "macros")))] #[doc(inline)] pub use tokio_macros::main; #[cfg(feature = "rt-multi-thread")] #[cfg_attr(docsrs, doc(cfg(feature = "macros")))] #[doc(inline)] pub use tokio_macros::test; cfg_not_rt_multi_thread! { #[doc(inline)] pub use tokio_macros::main_rt as main; #[doc(inline)] pub use tokio_macros::test_rt as test; } } // Always fail if rt is not enabled. cfg_not_rt! { #[doc(inline)] pub use tokio_macros::main_fail as main; #[doc(inline)] pub use tokio_macros::test_fail as test; } } // TODO: rm #[cfg(feature = "io-util")] #[cfg(test)] fn is_unpin<T: Unpin>() {} /// fuzz test (`fuzz_linked_list`) #[cfg(fuzzing)] pub mod fuzz;
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio/src/fuzz.rs
tokio/src/fuzz.rs
pub use crate::util::linked_list::tests::fuzz_linked_list;
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio/src/util/sharded_list.rs
tokio/src/util/sharded_list.rs
use std::ptr::NonNull; use std::sync::atomic::Ordering; use crate::loom::sync::{Mutex, MutexGuard}; use crate::util::metric_atomics::{MetricAtomicU64, MetricAtomicUsize}; use super::linked_list::{Link, LinkedList}; /// An intrusive linked list supporting highly concurrent updates. /// /// It currently relies on `LinkedList`, so it is the caller's /// responsibility to ensure the list is empty before dropping it. /// /// Note: Due to its inner sharded design, the order of nodes cannot be guaranteed. pub(crate) struct ShardedList<L, T> { lists: Box<[Mutex<LinkedList<L, T>>]>, added: MetricAtomicU64, count: MetricAtomicUsize, shard_mask: usize, } /// Determines which linked list an item should be stored in. /// /// # Safety /// /// Implementations must guarantee that the id of an item does not change from /// call to call. pub(crate) unsafe trait ShardedListItem: Link { /// # Safety /// /// The provided pointer must point at a valid list item. unsafe fn get_shard_id(target: NonNull<Self::Target>) -> usize; } impl<L, T> ShardedList<L, T> { /// Creates a new and empty sharded linked list with the specified size. pub(crate) fn new(sharded_size: usize) -> Self { assert!(sharded_size.is_power_of_two()); let shard_mask = sharded_size - 1; let mut lists = Vec::with_capacity(sharded_size); for _ in 0..sharded_size { lists.push(Mutex::new(LinkedList::<L, T>::new())) } Self { lists: lists.into_boxed_slice(), added: MetricAtomicU64::new(0), count: MetricAtomicUsize::new(0), shard_mask, } } } /// Used to get the lock of shard. pub(crate) struct ShardGuard<'a, L, T> { lock: MutexGuard<'a, LinkedList<L, T>>, added: &'a MetricAtomicU64, count: &'a MetricAtomicUsize, id: usize, } impl<L: ShardedListItem> ShardedList<L, L::Target> { /// Removes the last element from a list specified by `shard_id` and returns it, or None if it is /// empty. pub(crate) fn pop_back(&self, shard_id: usize) -> Option<L::Handle> { let mut lock = self.shard_inner(shard_id); let node = lock.pop_back(); if node.is_some() { self.count.decrement(); } node } /// Removes the specified node from the list. /// /// # Safety /// /// The caller **must** ensure that exactly one of the following is true: /// - `node` is currently contained by `self`, /// - `node` is not contained by any list, /// - `node` is currently contained by some other `GuardedLinkedList`. pub(crate) unsafe fn remove(&self, node: NonNull<L::Target>) -> Option<L::Handle> { let id = unsafe { L::get_shard_id(node) }; let mut lock = self.shard_inner(id); // SAFETY: Since the shard id cannot change, it's not possible for this node // to be in any other list of the same sharded list. let node = unsafe { lock.remove(node) }; if node.is_some() { self.count.decrement(); } node } /// Gets the lock of `ShardedList`, makes us have the write permission. pub(crate) fn lock_shard(&self, val: &L::Handle) -> ShardGuard<'_, L, L::Target> { let id = unsafe { L::get_shard_id(L::as_raw(val)) }; ShardGuard { lock: self.shard_inner(id), added: &self.added, count: &self.count, id, } } /// Gets the count of elements in this list. pub(crate) fn len(&self) -> usize { self.count.load(Ordering::Relaxed) } cfg_unstable_metrics! { cfg_64bit_metrics! { /// Gets the total number of elements added to this list. pub(crate) fn added(&self) -> u64 { self.added.load(Ordering::Relaxed) } } } /// Returns whether the linked list does not contain any node. pub(crate) fn is_empty(&self) -> bool { self.len() == 0 } /// Gets the shard size of this `SharedList`. /// /// Used to help us to decide the parameter `shard_id` of the `pop_back` method. pub(crate) fn shard_size(&self) -> usize { self.shard_mask + 1 } #[inline] fn shard_inner(&self, id: usize) -> MutexGuard<'_, LinkedList<L, <L as Link>::Target>> { // Safety: This modulo operation ensures that the index is not out of bounds. unsafe { self.lists.get_unchecked(id & self.shard_mask).lock() } } } impl<'a, L: ShardedListItem> ShardGuard<'a, L, L::Target> { /// Push a value to this shard. pub(crate) fn push(mut self, val: L::Handle) { let id = unsafe { L::get_shard_id(L::as_raw(&val)) }; assert_eq!(id, self.id); self.lock.push_front(val); self.added.add(1, Ordering::Relaxed); self.count.increment(); } } cfg_taskdump! { impl<L: ShardedListItem> ShardedList<L, L::Target> { pub(crate) fn for_each<F>(&self, mut f: F) where F: FnMut(&L::Handle), { let mut guards = Vec::with_capacity(self.lists.len()); for list in self.lists.iter() { guards.push(list.lock()); } for g in &mut guards { g.for_each(&mut f); } } } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio/src/util/blocking_check.rs
tokio/src/util/blocking_check.rs
#[cfg(unix)] use std::os::fd::AsFd; #[cfg(unix)] #[allow(unused_variables)] #[track_caller] pub(crate) fn check_socket_for_blocking<S: AsFd>(s: &S) -> crate::io::Result<()> { #[cfg(not(tokio_allow_from_blocking_fd))] { let sock = socket2::SockRef::from(s); debug_assert!( sock.nonblocking()?, "Registering a blocking socket with the tokio runtime is unsupported. \ If you wish to do anyways, please add `--cfg tokio_allow_from_blocking_fd` to your \ RUSTFLAGS. See github.com/tokio-rs/tokio/issues/7172 for details." ); } Ok(()) } #[cfg(not(unix))] #[allow(unused_variables)] pub(crate) fn check_socket_for_blocking<S>(s: &S) -> crate::io::Result<()> { // we cannot retrieve the nonblocking status on windows // and i dont know how to support wasi yet Ok(()) }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio/src/util/wake_list.rs
tokio/src/util/wake_list.rs
use core::mem::MaybeUninit; use core::ptr; use std::task::Waker; const NUM_WAKERS: usize = 32; /// A list of wakers to be woken. /// /// # Invariants /// /// The first `curr` elements of `inner` are initialized. pub(crate) struct WakeList { inner: [MaybeUninit<Waker>; NUM_WAKERS], curr: usize, } impl WakeList { pub(crate) fn new() -> Self { const UNINIT_WAKER: MaybeUninit<Waker> = MaybeUninit::uninit(); Self { inner: [UNINIT_WAKER; NUM_WAKERS], curr: 0, } } #[inline] pub(crate) fn can_push(&self) -> bool { self.curr < NUM_WAKERS } pub(crate) fn push(&mut self, val: Waker) { debug_assert!(self.can_push()); self.inner[self.curr] = MaybeUninit::new(val); self.curr += 1; } pub(crate) fn wake_all(&mut self) { struct DropGuard { start: *mut Waker, end: *mut Waker, } impl Drop for DropGuard { fn drop(&mut self) { // SAFETY: Both pointers are part of the same object, with `start <= end`. let len = unsafe { self.end.offset_from(self.start) } as usize; let slice = ptr::slice_from_raw_parts_mut(self.start, len); // SAFETY: All elements in `start..len` are initialized, so we can drop them. unsafe { ptr::drop_in_place(slice) }; } } debug_assert!(self.curr <= NUM_WAKERS); let mut guard = { let start = self.inner.as_mut_ptr().cast::<Waker>(); // SAFETY: The resulting pointer is in bounds or one after the length of the same object. let end = unsafe { start.add(self.curr) }; // Transfer ownership of the wakers in `inner` to `DropGuard`. self.curr = 0; DropGuard { start, end } }; while !ptr::eq(guard.start, guard.end) { // SAFETY: `start` is always initialized if `start != end`. let waker = unsafe { ptr::read(guard.start) }; // SAFETY: The resulting pointer is in bounds or one after the length of the same object. guard.start = unsafe { guard.start.add(1) }; // If this panics, then `guard` will clean up the remaining wakers. waker.wake(); } } } impl Drop for WakeList { fn drop(&mut self) { let slice = ptr::slice_from_raw_parts_mut(self.inner.as_mut_ptr().cast::<Waker>(), self.curr); // SAFETY: The first `curr` elements are initialized, so we can drop them. unsafe { ptr::drop_in_place(slice) }; } }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio/src/util/wake.rs
tokio/src/util/wake.rs
use crate::loom::sync::Arc; use std::marker::PhantomData; use std::mem::ManuallyDrop; use std::ops::Deref; use std::task::{RawWaker, RawWakerVTable, Waker}; /// Simplified waking interface based on Arcs. pub(crate) trait Wake: Send + Sync + Sized + 'static { /// Wake by value. fn wake(arc_self: Arc<Self>); /// Wake by reference. fn wake_by_ref(arc_self: &Arc<Self>); } /// A `Waker` that is only valid for a given lifetime. #[derive(Debug)] pub(crate) struct WakerRef<'a> { waker: ManuallyDrop<Waker>, _p: PhantomData<&'a ()>, } impl Deref for WakerRef<'_> { type Target = Waker; fn deref(&self) -> &Waker { &self.waker } } /// Creates a reference to a `Waker` from a reference to `Arc<impl Wake>`. pub(crate) fn waker_ref<W: Wake>(wake: &Arc<W>) -> WakerRef<'_> { let ptr = Arc::as_ptr(wake).cast::<()>(); let waker = unsafe { Waker::from_raw(RawWaker::new(ptr, waker_vtable::<W>())) }; WakerRef { waker: ManuallyDrop::new(waker), _p: PhantomData, } } fn waker_vtable<W: Wake>() -> &'static RawWakerVTable { &RawWakerVTable::new( clone_arc_raw::<W>, wake_arc_raw::<W>, wake_by_ref_arc_raw::<W>, drop_arc_raw::<W>, ) } unsafe fn clone_arc_raw<T: Wake>(data: *const ()) -> RawWaker { // Safety: `data` was created from an `Arc::as_ptr` in function `waker_ref`. unsafe { Arc::<T>::increment_strong_count(data as *const T); } RawWaker::new(data, waker_vtable::<T>()) } unsafe fn wake_arc_raw<T: Wake>(data: *const ()) { // Safety: `data` was created from an `Arc::as_ptr` in function `waker_ref`. let arc: Arc<T> = unsafe { Arc::from_raw(data as *const T) }; Wake::wake(arc); } // used by `waker_ref` unsafe fn wake_by_ref_arc_raw<T: Wake>(data: *const ()) { // Retain Arc, but don't touch refcount by wrapping in ManuallyDrop // Safety: `data` was created from an `Arc::as_ptr` in function `waker_ref`. let arc = ManuallyDrop::new(unsafe { Arc::<T>::from_raw(data.cast()) }); Wake::wake_by_ref(&arc); } unsafe fn drop_arc_raw<T: Wake>(data: *const ()) { // Safety: `data` was created from an `Arc::as_ptr` in function `waker_ref`. drop(unsafe { Arc::<T>::from_raw(data.cast()) }); }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false
tokio-rs/tokio
https://github.com/tokio-rs/tokio/blob/41d1877689f8669902b003a6affce60bdfeb3025/tokio/src/util/bit.rs
tokio/src/util/bit.rs
use std::fmt; #[derive(Clone, Copy, PartialEq)] pub(crate) struct Pack { mask: usize, shift: u32, } impl Pack { /// Value is packed in the `width` least-significant bits. pub(crate) const fn least_significant(width: u32) -> Pack { let mask = mask_for(width); Pack { mask, shift: 0 } } /// Value is packed in the `width` more-significant bits. pub(crate) const fn then(&self, width: u32) -> Pack { let shift = usize::BITS - self.mask.leading_zeros(); let mask = mask_for(width) << shift; Pack { mask, shift } } /// Width, in bits, dedicated to storing the value. pub(crate) const fn width(&self) -> u32 { usize::BITS - (self.mask >> self.shift).leading_zeros() } /// Max representable value. pub(crate) const fn max_value(&self) -> usize { (1 << self.width()) - 1 } pub(crate) fn pack(&self, value: usize, base: usize) -> usize { assert!(value <= self.max_value()); (base & !self.mask) | (value << self.shift) } pub(crate) fn unpack(&self, src: usize) -> usize { unpack(src, self.mask, self.shift) } } impl fmt::Debug for Pack { fn fmt(&self, fmt: &mut fmt::Formatter<'_>) -> fmt::Result { write!( fmt, "Pack {{ mask: {:b}, shift: {} }}", self.mask, self.shift ) } } /// Returns a `usize` with the right-most `n` bits set. pub(crate) const fn mask_for(n: u32) -> usize { let shift = 1usize.wrapping_shl(n - 1); shift | (shift - 1) } /// Unpacks a value using a mask & shift. pub(crate) const fn unpack(src: usize, mask: usize, shift: u32) -> usize { (src & mask) >> shift }
rust
MIT
41d1877689f8669902b003a6affce60bdfeb3025
2026-01-04T15:33:40.250594Z
false