Struct Pin

1.33.0 ยท Source
pub struct Pin<Ptr> { /* private fields */ }
Available on unstable only.
Expand description

A pointer which pins its pointee in place.

Pin is a wrapper around some kind of pointer Ptr which makes that pointer โ€œpinโ€ its pointee value in place, thus preventing the value referenced by that pointer from being moved or otherwise invalidated at that place in memory unless it implements Unpin.

See the pin module documentation for a more thorough exploration of pinning.

ยงPinning values with Pin<Ptr>

In order to pin a value, we wrap a pointer to that value (of some type Ptr) in a Pin<Ptr>. Pin<Ptr> can wrap any pointer type, forming a promise that the pointee will not be moved or otherwise invalidated. If the pointee valueโ€™s type implements Unpin, we are free to disregard these requirements entirely and can wrap any pointer to that value in Pin directly via Pin::new. If the pointee valueโ€™s type does not implement Unpin, then Rust will not let us use the Pin::new function directly and weโ€™ll need to construct a Pin-wrapped pointer in one of the more specialized manners discussed below.

We call such a Pin-wrapped pointer a pinning pointer (or pinning ref, or pinning Box, etc.) because its existence is the thing that is pinning the underlying pointee in place: it is the metaphorical โ€œpinโ€ securing the data in place on the pinboard (in memory).

It is important to stress that the thing in the Pin is not the value which we want to pin itself, but rather a pointer to that value! A Pin<Ptr> does not pin the Ptr but rather the pointerโ€™s pointee value.

The most common set of types which require pinning related guarantees for soundness are the compiler-generated state machines that implement Future for the return value of async fns. These compiler-generated Futures may contain self-referential pointers, one of the most common use cases for Pin. More details on this point are provided in the pin module docs, but suffice it to say they require the guarantees provided by pinning to be implemented soundly.

This requirement for the implementation of async fns means that the Future trait requires all calls to poll to use a self: Pin<&mut Self> parameter instead of the usual &mut self. Therefore, when manually polling a future, you will need to pin it first.

You may notice that async fn-sourced Futures are only a small percentage of all Futures that exist, yet we had to modify the signature of poll for all Futures to accommodate them. This is unfortunate, but there is a way that the language attempts to alleviate the extra friction that this API choice incurs: the Unpin trait.

The vast majority of Rust types have no reason to ever care about being pinned. These types implement the Unpin trait, which entirely opts all values of that type out of pinning-related guarantees. For values of these types, pinning a value by pointing to it with a Pin<Ptr> will have no actual effect.

The reason this distinction exists is exactly to allow APIs like Future::poll to take a Pin<Ptr> as an argument for all types while only forcing Future types that actually care about pinning guarantees pay the ergonomics cost. For the majority of Future types that donโ€™t have a reason to care about being pinned and therefore implement Unpin, the Pin<&mut Self> will act exactly like a regular &mut Self, allowing direct access to the underlying value. Only types that donโ€™t implement Unpin will be restricted.

ยงPinning a value of a type that implements Unpin

If the type of the value you need to โ€œpinโ€ implements Unpin, you can trivially wrap any pointer to that value in a Pin by calling Pin::new.

use std::pin::Pin;

// Create a value of a type that implements `Unpin`
let mut unpin_future = std::future::ready(5);

// Pin it by creating a pinning mutable reference to it (ready to be `poll`ed!)
let my_pinned_unpin_future: Pin<&mut _> = Pin::new(&mut unpin_future);

ยงPinning a value inside a Box

The simplest and most flexible way to pin a value that does not implement Unpin is to put that value inside a Box and then turn that Box into a โ€œpinning Boxโ€ by wrapping it in a Pin. You can do both of these in a single step using Box::pin. Letโ€™s see an example of using this flow to pin a Future returned from calling an async fn, a common use case as described above.

use std::pin::Pin;

async fn add_one(x: u32) -> u32 {
    x + 1
}

// Call the async function to get a future back
let fut = add_one(42);

// Pin the future inside a pinning box
let pinned_fut: Pin<Box<_>> = Box::pin(fut);

If you have a value which is already boxed, for example a Box<dyn Future>, you can pin that value in-place at its current memory address using Box::into_pin.

use std::pin::Pin;
use std::future::Future;

async fn add_one(x: u32) -> u32 {
    x + 1
}

fn boxed_add_one(x: u32) -> Box<dyn Future<Output = u32>> {
    Box::new(add_one(x))
}

let boxed_fut = boxed_add_one(42);

// Pin the future inside the existing box
let pinned_fut: Pin<Box<_>> = Box::into_pin(boxed_fut);

There are similar pinning methods offered on the other standard library smart pointer types as well, like Rc and Arc.

ยงPinning a value on the stack using pin!

There are some situations where it is desirable or even required (for example, in a #[no_std] context where you donโ€™t have access to the standard library or allocation in general) to pin a value which does not implement Unpin to its location on the stack. Doing so is possible using the pin! macro. See its documentation for more.

ยงLayout and ABI

Pin<Ptr> is guaranteed to have the same memory layout and ABI1 as Ptr.


  1. There is a bit of nuance here that is still being decided about whether the aliasing semantics of Pin<&mut T> should be different than &mut T, but this is true as of today. โ†ฉ

Implementationsยง

Sourceยง

impl<Ptr> Pin<Ptr>
where Ptr: Deref, <Ptr as Deref>::Target: Unpin,

1.33.0 (const: 1.84.0) ยท Source

pub const fn new(pointer: Ptr) -> Pin<Ptr>

Constructs a new Pin<Ptr> around a pointer to some data of a type that implements Unpin.

Unlike Pin::new_unchecked, this method is safe because the pointer Ptr dereferences to an Unpin type, which cancels the pinning guarantees.

ยงExamples
use std::pin::Pin;

let mut val: u8 = 5;

// Since `val` doesn't care about being moved, we can safely create a "facade" `Pin`
// which will allow `val` to participate in `Pin`-bound apis  without checking that
// pinning guarantees are actually upheld.
let mut pinned: Pin<&mut u8> = Pin::new(&mut val);
1.39.0 (const: 1.84.0) ยท Source

pub const fn into_inner(pin: Pin<Ptr>) -> Ptr

Unwraps this Pin<Ptr>, returning the underlying pointer.

Doing this operation safely requires that the data pointed at by this pinning pointer implements Unpin so that we can ignore the pinning invariants when unwrapping it.

ยงExamples
use std::pin::Pin;

let mut val: u8 = 5;
let pinned: Pin<&mut u8> = Pin::new(&mut val);

// Unwrap the pin to get the underlying mutable reference to the value. We can do
// this because `val` doesn't care about being moved, so the `Pin` was just
// a "facade" anyway.
let r = Pin::into_inner(pinned);
assert_eq!(*r, 5);
Sourceยง

impl<Ptr> Pin<Ptr>
where Ptr: Deref,

1.33.0 (const: 1.84.0) ยท Source

pub const unsafe fn new_unchecked(pointer: Ptr) -> Pin<Ptr>

Constructs a new Pin<Ptr> around a reference to some data of a type that may or may not implement Unpin.

If pointer dereferences to an Unpin type, Pin::new should be used instead.

ยงSafety

This constructor is unsafe because we cannot guarantee that the data pointed to by pointer is pinned. At its core, pinning a value means making the guarantee that the valueโ€™s data will not be moved nor have its storage invalidated until it gets dropped. For a more thorough explanation of pinning, see the pin module docs.

If the caller that is constructing this Pin<Ptr> does not ensure that the data Ptr points to is pinned, that is a violation of the API contract and may lead to undefined behavior in later (even safe) operations.

By using this method, you are also making a promise about the Deref, DerefMut, and Drop implementations of Ptr, if they exist. Most importantly, they must not move out of their self arguments: Pin::as_mut and Pin::as_ref will call DerefMut::deref_mut and Deref::deref on the pointer type Ptr and expect these methods to uphold the pinning invariants. Moreover, by calling this method you promise that the reference Ptr dereferences to will not be moved out of again; in particular, it must not be possible to obtain a &mut Ptr::Target and then move out of that reference (using, for example mem::swap).

For example, calling Pin::new_unchecked on an &'a mut T is unsafe because while you are able to pin it for the given lifetime 'a, you have no control over whether it is kept pinned once 'a ends, and therefore cannot uphold the guarantee that a value, once pinned, remains pinned until it is dropped:

use std::mem;
use std::pin::Pin;

fn move_pinned_ref<T>(mut a: T, mut b: T) {
    unsafe {
        let p: Pin<&mut T> = Pin::new_unchecked(&mut a);
        // This should mean the pointee `a` can never move again.
    }
    mem::swap(&mut a, &mut b); // Potential UB down the road โš ๏ธ
    // The address of `a` changed to `b`'s stack slot, so `a` got moved even
    // though we have previously pinned it! We have violated the pinning API contract.
}

A value, once pinned, must remain pinned until it is dropped (unless its type implements Unpin). Because Pin<&mut T> does not own the value, dropping the Pin will not drop the value and will not end the pinning contract. So moving the value after dropping the Pin<&mut T> is still a violation of the API contract.

Similarly, calling Pin::new_unchecked on an Rc<T> is unsafe because there could be aliases to the same data that are not subject to the pinning restrictions:

use std::rc::Rc;
use std::pin::Pin;

fn move_pinned_rc<T>(mut x: Rc<T>) {
    // This should mean the pointee can never move again.
    let pin = unsafe { Pin::new_unchecked(Rc::clone(&x)) };
    {
        let p: Pin<&T> = pin.as_ref();
        // ...
    }
    drop(pin);

    let content = Rc::get_mut(&mut x).unwrap(); // Potential UB down the road โš ๏ธ
    // Now, if `x` was the only reference, we have a mutable reference to
    // data that we pinned above, which we could use to move it as we have
    // seen in the previous example. We have violated the pinning API contract.
}
ยงPinning of closure captures

Particular care is required when using Pin::new_unchecked in a closure: Pin::new_unchecked(&mut var) where var is a by-value (moved) closure capture implicitly makes the promise that the closure itself is pinned, and that all uses of this closure capture respect that pinning.

use std::pin::Pin;
use std::task::Context;
use std::future::Future;

fn move_pinned_closure(mut x: impl Future, cx: &mut Context<'_>) {
    // Create a closure that moves `x`, and then internally uses it in a pinned way.
    let mut closure = move || unsafe {
        let _ignore = Pin::new_unchecked(&mut x).poll(cx);
    };
    // Call the closure, so the future can assume it has been pinned.
    closure();
    // Move the closure somewhere else. This also moves `x`!
    let mut moved = closure;
    // Calling it again means we polled the future from two different locations,
    // violating the pinning API contract.
    moved(); // Potential UB โš ๏ธ
}

When passing a closure to another API, it might be moving the closure any time, so Pin::new_unchecked on closure captures may only be used if the API explicitly documents that the closure is pinned.

The better alternative is to avoid all that trouble and do the pinning in the outer function instead (here using the pin! macro):

use std::pin::pin;
use std::task::Context;
use std::future::Future;

fn move_pinned_closure(mut x: impl Future, cx: &mut Context<'_>) {
    let mut x = pin!(x);
    // Create a closure that captures `x: Pin<&mut _>`, which is safe to move.
    let mut closure = move || {
        let _ignore = x.as_mut().poll(cx);
    };
    // Call the closure, so the future can assume it has been pinned.
    closure();
    // Move the closure somewhere else.
    let mut moved = closure;
    // Calling it again here is fine (except that we might be polling a future that already
    // returned `Poll::Ready`, but that is a separate problem).
    moved();
}
1.33.0 ยท Source

pub fn as_ref(&self) -> Pin<&<Ptr as Deref>::Target>

Gets a shared reference to the pinned value this Pin points to.

This is a generic method to go from &Pin<Pointer<T>> to Pin<&T>. It is safe because, as part of the contract of Pin::new_unchecked, the pointee cannot move after Pin<Pointer<T>> got created. โ€œMaliciousโ€ implementations of Pointer::Deref are likewise ruled out by the contract of Pin::new_unchecked.

Sourceยง

impl<Ptr> Pin<Ptr>
where Ptr: DerefMut,

1.33.0 ยท Source

pub fn as_mut(&mut self) -> Pin<&mut <Ptr as Deref>::Target>

Gets a mutable reference to the pinned value this Pin<Ptr> points to.

This is a generic method to go from &mut Pin<Pointer<T>> to Pin<&mut T>. It is safe because, as part of the contract of Pin::new_unchecked, the pointee cannot move after Pin<Pointer<T>> got created. โ€œMaliciousโ€ implementations of Pointer::DerefMut are likewise ruled out by the contract of Pin::new_unchecked.

This method is useful when doing multiple calls to functions that consume the pinning pointer.

ยงExample
use std::pin::Pin;

impl Type {
    fn method(self: Pin<&mut Self>) {
        // do something
    }

    fn call_method_twice(mut self: Pin<&mut Self>) {
        // `method` consumes `self`, so reborrow the `Pin<&mut Self>` via `as_mut`.
        self.as_mut().method();
        self.as_mut().method();
    }
}
1.84.0 ยท Source

pub fn as_deref_mut( self: Pin<&mut Pin<Ptr>>, ) -> Pin<&mut <Ptr as Deref>::Target>

Gets Pin<&mut T> to the underlying pinned value from this nested Pin-pointer.

This is a generic method to go from Pin<&mut Pin<Pointer<T>>> to Pin<&mut T>. It is safe because the existence of a Pin<Pointer<T>> ensures that the pointee, T, cannot move in the future, and this method does not enable the pointee to move. โ€œMaliciousโ€ implementations of Ptr::DerefMut are likewise ruled out by the contract of Pin::new_unchecked.

1.33.0 ยท Source

pub fn set(&mut self, value: <Ptr as Deref>::Target)
where <Ptr as Deref>::Target: Sized,

Assigns a new value to the memory location pointed to by the Pin<Ptr>.

This overwrites pinned data, but that is okay: the original pinned valueโ€™s destructor gets run before being overwritten and the new value is also a valid value of the same type, so no pinning invariant is violated. See the pin module documentation for more information on how this upholds the pinning invariants.

ยงExample
use std::pin::Pin;

let mut val: u8 = 5;
let mut pinned: Pin<&mut u8> = Pin::new(&mut val);
println!("{}", pinned); // 5
pinned.set(10);
println!("{}", pinned); // 10
Sourceยง

impl<Ptr> Pin<Ptr>
where Ptr: Deref,

1.39.0 (const: 1.84.0) ยท Source

pub const unsafe fn into_inner_unchecked(pin: Pin<Ptr>) -> Ptr

Unwraps this Pin<Ptr>, returning the underlying Ptr.

ยงSafety

This function is unsafe. You must guarantee that you will continue to treat the pointer Ptr as pinned after you call this function, so that the invariants on the Pin type can be upheld. If the code using the resulting Ptr does not continue to maintain the pinning invariants that is a violation of the API contract and may lead to undefined behavior in later (safe) operations.

Note that you must be able to guarantee that the data pointed to by Ptr will be treated as pinned all the way until its drop handler is complete!

For more information, see the pin module docs

If the underlying data is Unpin, Pin::into_inner should be used instead.

Sourceยง

impl<'a, T> Pin<&'a T>
where T: ?Sized,

1.33.0 ยท Source

pub unsafe fn map_unchecked<U, F>(self, func: F) -> Pin<&'a U>
where F: FnOnce(&T) -> &U, U: ?Sized,

Constructs a new pin by mapping the interior value.

For example, if you wanted to get a Pin of a field of something, you could use this to get access to that field in one line of code. However, there are several gotchas with these โ€œpinning projectionsโ€; see the pin module documentation for further details on that topic.

ยงSafety

This function is unsafe. You must guarantee that the data you return will not move so long as the argument value does not move (for example, because it is one of the fields of that value), and also that you do not move out of the argument you receive to the interior function.

1.33.0 (const: 1.84.0) ยท Source

pub const fn get_ref(self) -> &'a T

Gets a shared reference out of a pin.

This is safe because it is not possible to move out of a shared reference. It may seem like there is an issue here with interior mutability: in fact, it is possible to move a T out of a &RefCell<T>. However, this is not a problem as long as there does not also exist a Pin<&T> pointing to the inner T inside the RefCell, and RefCell<T> does not let you get a Pin<&T> pointer to its contents. See the discussion on โ€œpinning projectionsโ€ for further details.

Note: Pin also implements Deref to the target, which can be used to access the inner value. However, Deref only provides a reference that lives for as long as the borrow of the Pin, not the lifetime of the reference contained in the Pin. This method allows turning the Pin into a reference with the same lifetime as the reference it wraps.

Sourceยง

impl<'a, T> Pin<&'a mut T>
where T: ?Sized,

1.33.0 (const: 1.84.0) ยท Source

pub const fn into_ref(self) -> Pin<&'a T>

Converts this Pin<&mut T> into a Pin<&T> with the same lifetime.

1.33.0 (const: 1.84.0) ยท Source

pub const fn get_mut(self) -> &'a mut T
where T: Unpin,

Gets a mutable reference to the data inside of this Pin.

This requires that the data inside this Pin is Unpin.

Note: Pin also implements DerefMut to the data, which can be used to access the inner value. However, DerefMut only provides a reference that lives for as long as the borrow of the Pin, not the lifetime of the Pin itself. This method allows turning the Pin into a reference with the same lifetime as the original Pin.

1.33.0 (const: 1.84.0) ยท Source

pub const unsafe fn get_unchecked_mut(self) -> &'a mut T

Gets a mutable reference to the data inside of this Pin.

ยงSafety

This function is unsafe. You must guarantee that you will never move the data out of the mutable reference you receive when you call this function, so that the invariants on the Pin type can be upheld.

If the underlying data is Unpin, Pin::get_mut should be used instead.

1.33.0 ยท Source

pub unsafe fn map_unchecked_mut<U, F>(self, func: F) -> Pin<&'a mut U>
where F: FnOnce(&mut T) -> &mut U, U: ?Sized,

Constructs a new pin by mapping the interior value.

For example, if you wanted to get a Pin of a field of something, you could use this to get access to that field in one line of code. However, there are several gotchas with these โ€œpinning projectionsโ€; see the pin module documentation for further details on that topic.

ยงSafety

This function is unsafe. You must guarantee that the data you return will not move so long as the argument value does not move (for example, because it is one of the fields of that value), and also that you do not move out of the argument you receive to the interior function.

Sourceยง

impl<T> Pin<&'static T>
where T: ?Sized,

1.61.0 (const: 1.84.0) ยท Source

pub const fn static_ref(r: &'static T) -> Pin<&'static T>

Gets a pinning reference from a &'static reference.

This is safe because T is borrowed immutably for the 'static lifetime, which never ends.

Sourceยง

impl<T> Pin<&'static mut T>
where T: ?Sized,

1.61.0 (const: 1.84.0) ยท Source

pub const fn static_mut(r: &'static mut T) -> Pin<&'static mut T>

Gets a pinning mutable reference from a static mutable reference.

This is safe because T is borrowed for the 'static lifetime, which never ends.

Trait Implementationsยง

Sourceยง

impl<P> AsyncBufRead for Pin<P>
where P: DerefMut + Unpin, <P as Deref>::Target: AsyncBufRead,

Sourceยง

fn poll_fill_buf( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, ) -> Poll<Result<&[u8], Error>>

Attempt to return the contents of the internal buffer, filling it with more data from the inner reader if it is empty. Read more
Sourceยง

fn consume(self: Pin<&mut Pin<P>>, amt: usize)

Tells this buffer that amt bytes have been consumed from the buffer, so they should no longer be returned in calls to poll_read. Read more
Sourceยง

impl<P> AsyncIterator for Pin<P>
where P: DerefMut, <P as Deref>::Target: AsyncIterator,

Sourceยง

type Item = <<P as Deref>::Target as AsyncIterator>::Item

๐Ÿ”ฌThis is a nightly-only experimental API. (async_iterator)
The type of items yielded by the async iterator.
Sourceยง

fn poll_next( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, ) -> Poll<Option<<Pin<P> as AsyncIterator>::Item>>

๐Ÿ”ฌThis is a nightly-only experimental API. (async_iterator)
Attempts to pull out the next value of this async iterator, registering the current task for wakeup if the value is not yet available, and returning None if the async iterator is exhausted. Read more
Sourceยง

fn size_hint(&self) -> (usize, Option<usize>)

๐Ÿ”ฌThis is a nightly-only experimental API. (async_iterator)
Returns the bounds on the remaining length of the async iterator. Read more
Sourceยง

impl<P> AsyncRead for Pin<P>
where P: DerefMut + Unpin, <P as Deref>::Target: AsyncRead,

Sourceยง

fn poll_read( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, buf: &mut [u8], ) -> Poll<Result<usize, Error>>

Attempt to read from the AsyncRead into buf. Read more
Sourceยง

fn poll_read_vectored( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, bufs: &mut [IoSliceMut<'_>], ) -> Poll<Result<usize, Error>>

Attempt to read from the AsyncRead into bufs using vectored IO operations. Read more
Sourceยง

impl<P> AsyncSeek for Pin<P>
where P: DerefMut + Unpin, <P as Deref>::Target: AsyncSeek,

Sourceยง

fn poll_seek( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, pos: SeekFrom, ) -> Poll<Result<u64, Error>>

Attempt to seek to an offset, in bytes, in a stream. Read more
Sourceยง

impl<P> AsyncWrite for Pin<P>
where P: DerefMut + Unpin, <P as Deref>::Target: AsyncWrite,

Sourceยง

fn poll_write( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, buf: &[u8], ) -> Poll<Result<usize, Error>>

Attempt to write bytes from buf into the object. Read more
Sourceยง

fn poll_write_vectored( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, bufs: &[IoSlice<'_>], ) -> Poll<Result<usize, Error>>

Attempt to write bytes from bufs into the object using vectored IO operations. Read more
Sourceยง

fn poll_flush( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, ) -> Poll<Result<(), Error>>

Attempt to flush the object, ensuring that any buffered data reach their destination. Read more
Sourceยง

fn poll_close( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, ) -> Poll<Result<(), Error>>

Attempt to close the object. Read more
1.33.0 ยท Sourceยง

impl<Ptr> Clone for Pin<Ptr>
where Ptr: Clone,

Sourceยง

fn clone(&self) -> Pin<Ptr>

Returns a duplicate of the value. Read more
1.0.0 ยท Sourceยง

fn clone_from(&mut self, source: &Self)

Performs copy-assignment from source. Read more
Sourceยง

impl<G, R> Coroutine<R> for Pin<&mut G>
where G: Coroutine<R> + ?Sized,

Sourceยง

type Yield = <G as Coroutine<R>>::Yield

๐Ÿ”ฌThis is a nightly-only experimental API. (coroutine_trait)
The type of value this coroutine yields. Read more
Sourceยง

type Return = <G as Coroutine<R>>::Return

๐Ÿ”ฌThis is a nightly-only experimental API. (coroutine_trait)
The type of value this coroutine returns. Read more
Sourceยง

fn resume( self: Pin<&mut Pin<&mut G>>, arg: R, ) -> CoroutineState<<Pin<&mut G> as Coroutine<R>>::Yield, <Pin<&mut G> as Coroutine<R>>::Return>

๐Ÿ”ฌThis is a nightly-only experimental API. (coroutine_trait)
Resumes the execution of this coroutine. Read more
Sourceยง

impl<G, R, A> Coroutine<R> for Pin<Box<G, A>>
where G: Coroutine<R> + ?Sized, A: Allocator + 'static,

Sourceยง

type Yield = <G as Coroutine<R>>::Yield

๐Ÿ”ฌThis is a nightly-only experimental API. (coroutine_trait)
The type of value this coroutine yields. Read more
Sourceยง

type Return = <G as Coroutine<R>>::Return

๐Ÿ”ฌThis is a nightly-only experimental API. (coroutine_trait)
The type of value this coroutine returns. Read more
Sourceยง

fn resume( self: Pin<&mut Pin<Box<G, A>>>, arg: R, ) -> CoroutineState<<Pin<Box<G, A>> as Coroutine<R>>::Yield, <Pin<Box<G, A>> as Coroutine<R>>::Return>

๐Ÿ”ฌThis is a nightly-only experimental API. (coroutine_trait)
Resumes the execution of this coroutine. Read more
1.33.0 ยท Sourceยง

impl<Ptr> Debug for Pin<Ptr>
where Ptr: Debug,

Sourceยง

fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error>

Formats the value using the given formatter. Read more
1.33.0 ยท Sourceยง

impl<Ptr> Deref for Pin<Ptr>
where Ptr: Deref,

Sourceยง

type Target = <Ptr as Deref>::Target

The resulting type after dereferencing.
Sourceยง

fn deref(&self) -> &<Ptr as Deref>::Target

Dereferences the value.
1.33.0 ยท Sourceยง

impl<Ptr> DerefMut for Pin<Ptr>
where Ptr: DerefMut, <Ptr as Deref>::Target: Unpin,

Sourceยง

fn deref_mut(&mut self) -> &mut <Ptr as Deref>::Target

Mutably dereferences the value.
1.33.0 ยท Sourceยง

impl<Ptr> Display for Pin<Ptr>
where Ptr: Display,

Sourceยง

fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error>

Formats the value using the given formatter. Read more
1.33.0 ยท Sourceยง

impl<T, A> From<Box<T, A>> for Pin<Box<T, A>>
where A: Allocator + 'static, T: ?Sized,

Sourceยง

fn from(boxed: Box<T, A>) -> Pin<Box<T, A>>

Converts a Box<T> into a Pin<Box<T>>. If T does not implement Unpin, then *boxed will be pinned in memory and unable to be moved.

This conversion does not allocate on the heap and happens in place.

This is also available via Box::into_pin.

Constructing and pinning a Box with <Pin<Box<T>>>::from(Box::new(x)) can also be written more concisely using Box::pin(x). This From implementation is useful if you already have a Box<T>, or you are constructing a (pinned) Box in a different way than with Box::new.

Sourceยง

impl<P> FusedFuture for Pin<P>
where P: DerefMut + Unpin, <P as Deref>::Target: FusedFuture,

Sourceยง

fn is_terminated(&self) -> bool

Returns true if the underlying future should no longer be polled.
Sourceยง

impl<P> FusedStream for Pin<P>
where P: DerefMut + Unpin, <P as Deref>::Target: FusedStream,

Sourceยง

fn is_terminated(&self) -> bool

Returns true if the stream should no longer be polled.
1.36.0 ยท Sourceยง

impl<P> Future for Pin<P>
where P: DerefMut, <P as Deref>::Target: Future,

Sourceยง

type Output = <<P as Deref>::Target as Future>::Output

The type of value produced on completion.
Sourceยง

fn poll( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, ) -> Poll<<Pin<P> as Future>::Output>

Attempts to resolve the future to a final value, registering the current task for wakeup if the value is not yet available. Read more
1.41.0 ยท Sourceยง

impl<Ptr> Hash for Pin<Ptr>
where Ptr: Deref, <Ptr as Deref>::Target: Hash,

Sourceยง

fn hash<H>(&self, state: &mut H)
where H: Hasher,

Feeds this value into the given Hasher. Read more
1.3.0 ยท Sourceยง

fn hash_slice<H>(data: &[Self], state: &mut H)
where H: Hasher, Self: Sized,

Feeds a slice of this type into the given Hasher. Read more
1.41.0 ยท Sourceยง

impl<Ptr> Ord for Pin<Ptr>
where Ptr: Deref, <Ptr as Deref>::Target: Ord,

Sourceยง

fn cmp(&self, other: &Pin<Ptr>) -> Ordering

This method returns an Ordering between self and other. Read more
1.21.0 ยท Sourceยง

fn max(self, other: Self) -> Self
where Self: Sized,

Compares and returns the maximum of two values. Read more
1.21.0 ยท Sourceยง

fn min(self, other: Self) -> Self
where Self: Sized,

Compares and returns the minimum of two values. Read more
1.50.0 ยท Sourceยง

fn clamp(self, min: Self, max: Self) -> Self
where Self: Sized,

Restrict a value to a certain interval. Read more
1.41.0 ยท Sourceยง

impl<Ptr, Q> PartialEq<Pin<Q>> for Pin<Ptr>
where Ptr: Deref, Q: Deref, <Ptr as Deref>::Target: PartialEq<<Q as Deref>::Target>,

Sourceยง

fn eq(&self, other: &Pin<Q>) -> bool

Tests for self and other values to be equal, and is used by ==.
Sourceยง

fn ne(&self, other: &Pin<Q>) -> bool

Tests for !=. The default implementation is almost always sufficient, and should not be overridden without very good reason.
1.41.0 ยท Sourceยง

impl<Ptr, Q> PartialOrd<Pin<Q>> for Pin<Ptr>
where Ptr: Deref, Q: Deref, <Ptr as Deref>::Target: PartialOrd<<Q as Deref>::Target>,

Sourceยง

fn partial_cmp(&self, other: &Pin<Q>) -> Option<Ordering>

This method returns an ordering between self and other values if one exists. Read more
Sourceยง

fn lt(&self, other: &Pin<Q>) -> bool

Tests less than (for self and other) and is used by the < operator. Read more
Sourceยง

fn le(&self, other: &Pin<Q>) -> bool

Tests less than or equal to (for self and other) and is used by the <= operator. Read more
Sourceยง

fn gt(&self, other: &Pin<Q>) -> bool

Tests greater than (for self and other) and is used by the > operator. Read more
Sourceยง

fn ge(&self, other: &Pin<Q>) -> bool

Tests greater than or equal to (for self and other) and is used by the >= operator. Read more
1.33.0 ยท Sourceยง

impl<Ptr> Pointer for Pin<Ptr>
where Ptr: Pointer,

Sourceยง

fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error>

Formats the value using the given formatter. Read more
Sourceยง

impl<P> Stream for Pin<P>
where P: DerefMut + Unpin, <P as Deref>::Target: Stream,

Sourceยง

type Item = <<P as Deref>::Target as Stream>::Item

Values yielded by the stream.
Sourceยง

fn poll_next( self: Pin<&mut Pin<P>>, cx: &mut Context<'_>, ) -> Poll<Option<<Pin<P> as Stream>::Item>>

Attempt to pull out the next value of this stream, registering the current task for wakeup if the value is not yet available, and returning None if the stream is exhausted. Read more
Sourceยง

fn size_hint(&self) -> (usize, Option<usize>)

Returns the bounds on the remaining length of the stream. Read more
1.33.0 ยท Sourceยง

impl<Ptr, U> CoerceUnsized<Pin<U>> for Pin<Ptr>

1.33.0 ยท Sourceยง

impl<Ptr> Copy for Pin<Ptr>
where Ptr: Copy,

Sourceยง

impl<Ptr> DerefPure for Pin<Ptr>
where Ptr: DerefPure,

1.33.0 ยท Sourceยง

impl<Ptr, U> DispatchFromDyn<Pin<U>> for Pin<Ptr>

1.41.0 ยท Sourceยง

impl<Ptr> Eq for Pin<Ptr>
where Ptr: Deref, <Ptr as Deref>::Target: Eq,

1.33.0 ยท Sourceยง

impl<T> PinCoerceUnsized for Pin<T>

Auto Trait Implementationsยง

ยง

impl<Ptr> Freeze for Pin<Ptr>
where Ptr: Freeze,

ยง

impl<Ptr> RefUnwindSafe for Pin<Ptr>
where Ptr: RefUnwindSafe,

ยง

impl<Ptr> Send for Pin<Ptr>
where Ptr: Send,

ยง

impl<Ptr> Sync for Pin<Ptr>
where Ptr: Sync,

ยง

impl<Ptr> Unpin for Pin<Ptr>
where Ptr: Unpin,

ยง

impl<Ptr> UnwindSafe for Pin<Ptr>
where Ptr: UnwindSafe,

Blanket Implementationsยง

Sourceยง

impl<T> Any for T
where T: 'static + ?Sized,

Sourceยง

fn type_id(&self) -> TypeId

Gets the TypeId of self. Read more
Sourceยง

impl<R> AsyncBufReadExt for R
where R: AsyncBufRead + ?Sized,

Sourceยง

fn fill_buf(&mut self) -> FillBuf<'_, Self> โ“˜
where Self: Unpin,

Returns the contents of the internal buffer, filling it with more data if empty. Read more
Sourceยง

fn consume(&mut self, amt: usize)
where Self: Unpin,

Consumes amt buffered bytes. Read more
Sourceยง

fn read_until<'a>( &'a mut self, byte: u8, buf: &'a mut Vec<u8>, ) -> ReadUntilFuture<'a, Self> โ“˜
where Self: Unpin,

Reads all bytes and appends them into buf until the delimiter byte or EOF is found. Read more
Sourceยง

fn read_line<'a>(&'a mut self, buf: &'a mut String) -> ReadLineFuture<'a, Self> โ“˜
where Self: Unpin,

Reads all bytes and appends them into buf until a newline (the 0xA byte) or EOF is found. Read more
Sourceยง

fn lines(self) -> Lines<Self>
where Self: Sized,

Returns a stream over the lines of this byte stream. Read more
Sourceยง

fn split(self, byte: u8) -> Split<Self>
where Self: Sized,

Returns a stream over the contents of this reader split on the specified byte. Read more
Sourceยง

impl<R> AsyncReadExt for R
where R: AsyncRead + ?Sized,

Sourceยง

fn read<'a>(&'a mut self, buf: &'a mut [u8]) -> ReadFuture<'a, Self> โ“˜
where Self: Unpin,

Reads some bytes from the byte stream. Read more
Sourceยง

fn read_vectored<'a>( &'a mut self, bufs: &'a mut [IoSliceMut<'a>], ) -> ReadVectoredFuture<'a, Self> โ“˜
where Self: Unpin,

Like read(), except it reads into a slice of buffers. Read more
Sourceยง

fn read_to_end<'a>( &'a mut self, buf: &'a mut Vec<u8>, ) -> ReadToEndFuture<'a, Self> โ“˜
where Self: Unpin,

Reads the entire contents and appends them to a Vec. Read more
Sourceยง

fn read_to_string<'a>( &'a mut self, buf: &'a mut String, ) -> ReadToStringFuture<'a, Self> โ“˜
where Self: Unpin,

Reads the entire contents and appends them to a String. Read more
Sourceยง

fn read_exact<'a>(&'a mut self, buf: &'a mut [u8]) -> ReadExactFuture<'a, Self> โ“˜
where Self: Unpin,

Reads the exact number of bytes required to fill buf. Read more
Sourceยง

fn take(self, limit: u64) -> Take<Self>
where Self: Sized,

Creates an adapter which will read at most limit bytes from it. Read more
Sourceยง

fn bytes(self) -> Bytes<Self>
where Self: Sized,

Converts this AsyncRead into a Stream of bytes. Read more
Sourceยง

fn chain<R>(self, next: R) -> Chain<Self, R>
where R: AsyncRead, Self: Sized,

Creates an adapter which will chain this stream with another. Read more
Sourceยง

fn boxed_reader<'a>(self) -> Pin<Box<dyn AsyncRead + Send + 'a>>
where Self: Sized + Send + 'a,

Boxes the reader and changes its type to dyn AsyncRead + Send + 'a. Read more
Sourceยง

impl<S> AsyncSeekExt for S
where S: AsyncSeek + ?Sized,

Sourceยง

fn seek(&mut self, pos: SeekFrom) -> SeekFuture<'_, Self> โ“˜
where Self: Unpin,

Seeks to a new position in a byte stream. Read more
Sourceยง

impl<W> AsyncWriteExt for W
where W: AsyncWrite + ?Sized,

Sourceยง

fn write<'a>(&'a mut self, buf: &'a [u8]) -> WriteFuture<'a, Self> โ“˜
where Self: Unpin,

Writes some bytes into the byte stream. Read more
Sourceยง

fn write_vectored<'a>( &'a mut self, bufs: &'a [IoSlice<'a>], ) -> WriteVectoredFuture<'a, Self> โ“˜
where Self: Unpin,

Like write(), except that it writes a slice of buffers. Read more
Sourceยง

fn write_all<'a>(&'a mut self, buf: &'a [u8]) -> WriteAllFuture<'a, Self> โ“˜
where Self: Unpin,

Writes an entire buffer into the byte stream. Read more
Sourceยง

fn flush(&mut self) -> FlushFuture<'_, Self> โ“˜
where Self: Unpin,

Flushes the stream to ensure that all buffered contents reach their destination. Read more
Sourceยง

fn close(&mut self) -> CloseFuture<'_, Self> โ“˜
where Self: Unpin,

Closes the writer. Read more
Sourceยง

fn boxed_writer<'a>(self) -> Pin<Box<dyn AsyncWrite + Send + 'a>>
where Self: Sized + Send + 'a,

Boxes the writer and changes its type to dyn AsyncWrite + Send + 'a. Read more
Sourceยง

impl<T> Borrow<T> for T
where T: ?Sized,

Sourceยง

fn borrow(&self) -> &T

Immutably borrows from an owned value. Read more
Sourceยง

impl<T> BorrowMut<T> for T
where T: ?Sized,

Sourceยง

fn borrow_mut(&mut self) -> &mut T

Mutably borrows from an owned value. Read more
Sourceยง

impl<T> BufReadExt for T
where T: AsyncBufRead + ?Sized,

Sourceยง

fn read_until<'a>( &'a mut self, byte: u8, buf: &'a mut Vec<u8>, ) -> ReadUntilFuture<'a, Self>
where Self: Unpin,

Reads all bytes into buf until the delimiter byte or EOF is reached. Read more
Sourceยง

fn read_line<'a>(&'a mut self, buf: &'a mut String) -> ReadLineFuture<'a, Self>
where Self: Unpin,

Reads all bytes and appends them into buf until a newline (the 0xA byte) is reached. Read more
Sourceยง

fn lines(self) -> Lines<Self>
where Self: Unpin + Sized,

Returns a stream over the lines of this byte stream. Read more
Sourceยง

fn split(self, byte: u8) -> Split<Self>
where Self: Sized,

Returns a stream over the contents of this reader split on the byte byte. Read more
Sourceยง

impl<T> CloneToUninit for T
where T: Clone,

Sourceยง

unsafe fn clone_to_uninit(&self, dest: *mut u8)

๐Ÿ”ฌThis is a nightly-only experimental API. (clone_to_uninit)
Performs copy-assignment from self to dest. Read more
Sourceยง

impl<T> From<T> for T

Sourceยง

fn from(t: T) -> T

Returns the argument unchanged.

Sourceยง

impl<F> FutureExt for F
where F: Future + ?Sized,

Sourceยง

fn poll(&mut self, cx: &mut Context<'_>) -> Poll<Self::Output>
where Self: Unpin,

A convenience for calling Future::poll() on !Unpin types.
Sourceยง

fn or<F>(self, other: F) -> Or<Self, F> โ“˜
where Self: Sized, F: Future<Output = Self::Output>,

Returns the result of self or other future, preferring self if both are ready. Read more
Sourceยง

fn race<F>(self, other: F) -> Race<Self, F> โ“˜
where Self: Sized, F: Future<Output = Self::Output>,

Returns the result of self or other future, with no preference if both are ready. Read more
Sourceยง

fn catch_unwind(self) -> CatchUnwind<Self> โ“˜
where Self: Sized + UnwindSafe,

Catches panics while polling the future. Read more
Sourceยง

fn boxed<'a>(self) -> Pin<Box<dyn Future<Output = Self::Output> + Send + 'a>>
where Self: Sized + Send + 'a,

Boxes the future and changes its type to dyn Future + Send + 'a. Read more
Sourceยง

fn boxed_local<'a>(self) -> Pin<Box<dyn Future<Output = Self::Output> + 'a>>
where Self: Sized + 'a,

Boxes the future and changes its type to dyn Future + 'a. Read more
Sourceยง

impl<T> FutureExt for T
where T: Future + ?Sized,

Sourceยง

fn delay(self, dur: Duration) -> DelayFuture<Self>
where Self: Sized,

Available on unstable only.
Returns a Future that delays execution for a specified time. Read more
Sourceยง

fn flatten(self) -> FlattenFuture<Self, <Self::Output as IntoFuture>::Future>
where Self: Sized, <Self as Future>::Output: IntoFuture,

Available on unstable only.
Flatten out the execution of this future when the result itself can be converted into another future. Read more
Sourceยง

fn race<F>(self, other: F) -> Race<Self, F>
where Self: Future + Sized, F: Future<Output = <Self as Future>::Output>,

Available on unstable only.
Waits for one of two similarly-typed futures to complete. Read more
Sourceยง

fn try_race<F, T, E>(self, other: F) -> TryRace<Self, F>
where Self: Future<Output = Result<T, E>> + Sized, F: Future<Output = <Self as Future>::Output>,

Available on unstable only.
Waits for one of two similarly-typed fallible futures to complete. Read more
Sourceยง

fn join<F>(self, other: F) -> Join<Self, F>
where Self: Future + Sized, F: Future,

Available on unstable only.
Waits for two similarly-typed futures to complete. Read more
Sourceยง

fn try_join<F, A, B, E>(self, other: F) -> TryJoin<Self, F>
where Self: Future<Output = Result<A, E>> + Sized, F: Future<Output = Result<B, E>>,

Available on unstable only.
Waits for two similarly-typed fallible futures to complete. Read more
Sourceยง

fn timeout(self, dur: Duration) -> TimeoutFuture<Self>
where Self: Sized,

Available on unstable only.
Waits for both the future and a timeout, if the timeout completes before the future, it returns a TimeoutError. Read more
Sourceยง

impl<T, U> Into<U> for T
where U: From<T>,

Sourceยง

fn into(self) -> U

Calls U::from(self).

That is, this conversion is whatever the implementation of From<T> for U chooses to do.

Sourceยง

impl<I> IntoAsyncIterator for I
where I: AsyncIterator,

Sourceยง

type Item = <I as AsyncIterator>::Item

๐Ÿ”ฌThis is a nightly-only experimental API. (async_iterator)
The type of the item yielded by the iterator
Sourceยง

type IntoAsyncIter = I

๐Ÿ”ฌThis is a nightly-only experimental API. (async_iterator)
The type of the resulting iterator
Sourceยง

fn into_async_iter(self) -> <I as IntoAsyncIterator>::IntoAsyncIter

๐Ÿ”ฌThis is a nightly-only experimental API. (async_iterator)
Converts self into an async iterator
Sourceยง

impl<F> IntoFuture for F
where F: Future,

Sourceยง

type Output = <F as Future>::Output

The output that the future will produce on completion.
Sourceยง

type IntoFuture = F

Which kind of future are we turning this into?
Sourceยง

fn into_future(self) -> <F as IntoFuture>::IntoFuture

Creates a future from a value. Read more
Sourceยง

impl<T> IntoFuture for T
where T: Future,

Sourceยง

type Output = <T as Future>::Output

Available on unstable only.
The type of value produced on completion.
Sourceยง

type Future = T

Available on unstable only.
Which kind of future are we turning this into?
Sourceยง

fn into_future(self) -> <T as IntoFuture>::Future

Available on unstable only.
Create a future from a value
Sourceยง

impl<I> IntoStream for I
where I: Stream,

Sourceยง

type Item = <I as Stream>::Item

Available on unstable only.
The type of the elements being iterated over.
Sourceยง

type IntoStream = I

Available on unstable only.
Which kind of stream are we turning this into?
Sourceยง

fn into_stream(self) -> I

Available on unstable only.
Creates a stream from a value.
Sourceยง

impl<T> ReadExt for T
where T: AsyncRead + ?Sized,

Sourceยง

fn read<'a>(&'a mut self, buf: &'a mut [u8]) -> ReadFuture<'a, Self>
where Self: Unpin,

Reads some bytes from the byte stream. Read more
Sourceยง

fn read_vectored<'a>( &'a mut self, bufs: &'a mut [IoSliceMut<'a>], ) -> ReadVectoredFuture<'a, Self>
where Self: Unpin,

Like read, except that it reads into a slice of buffers. Read more
Sourceยง

fn read_to_end<'a>( &'a mut self, buf: &'a mut Vec<u8>, ) -> ReadToEndFuture<'a, Self>
where Self: Unpin,

Reads all bytes from the byte stream. Read more
Sourceยง

fn read_to_string<'a>( &'a mut self, buf: &'a mut String, ) -> ReadToStringFuture<'a, Self>
where Self: Unpin,

Reads all bytes from the byte stream and appends them into a string. Read more
Sourceยง

fn read_exact<'a>(&'a mut self, buf: &'a mut [u8]) -> ReadExactFuture<'a, Self>
where Self: Unpin,

Reads the exact number of bytes required to fill buf. Read more
Sourceยง

fn take(self, limit: u64) -> Take<Self>
where Self: Sized,

Creates an adaptor which will read at most limit bytes from it. Read more
Sourceยง

fn by_ref(&mut self) -> &mut Self
where Self: Sized,

Creates a โ€œby referenceโ€ adaptor for this instance of Read. Read more
Sourceยง

fn bytes(self) -> Bytes<Self>
where Self: Sized,

Transforms this Read instance to a Stream over its bytes. Read more
Sourceยง

fn chain<R: Read>(self, next: R) -> Chain<Self, R>
where Self: Sized,

Creates an adaptor which will chain this stream with another. Read more
Sourceยง

impl<P, T> Receiver for P
where P: Deref<Target = T> + ?Sized, T: ?Sized,

Sourceยง

type Target = T

๐Ÿ”ฌThis is a nightly-only experimental API. (arbitrary_self_types)
The target type on which the method may be called.
Sourceยง

impl<T> SeekExt for T
where T: AsyncSeek + ?Sized,

Sourceยง

fn seek(&mut self, pos: SeekFrom) -> SeekFuture<'_, Self>
where Self: Unpin,

Seeks to a new position in a byte stream. Read more
Sourceยง

impl<S> StreamExt for S
where S: Stream + ?Sized,

Sourceยง

fn poll_next(&mut self, cx: &mut Context<'_>) -> Poll<Option<Self::Item>>
where Self: Unpin,

A convenience for calling Stream::poll_next() on !Unpin types.
Sourceยง

fn next(&mut self) -> NextFuture<'_, Self> โ“˜
where Self: Unpin,

Retrieves the next item in the stream. Read more
Sourceยง

fn try_next<T, E>(&mut self) -> TryNextFuture<'_, Self> โ“˜
where Self: Stream<Item = Result<T, E>> + Unpin,

Retrieves the next item in the stream. Read more
Sourceยง

fn count(self) -> CountFuture<Self> โ“˜
where Self: Sized,

Counts the number of items in the stream. Read more
Sourceยง

fn map<T, F>(self, f: F) -> Map<Self, F>
where Self: Sized, F: FnMut(Self::Item) -> T,

Maps items of the stream to new values using a closure. Read more
Sourceยง

fn flat_map<U, F>(self, f: F) -> FlatMap<Self, U, F>
where Self: Sized, U: Stream, F: FnMut(Self::Item) -> U,

Maps items to streams and then concatenates them. Read more
Sourceยง

fn flatten(self) -> Flatten<Self>
where Self: Sized, Self::Item: Stream,

Concatenates inner streams. Read more
Sourceยง

fn then<F, Fut>(self, f: F) -> Then<Self, F, Fut>
where Self: Sized, F: FnMut(Self::Item) -> Fut, Fut: Future,

Maps items of the stream to new values using an async closure. Read more
Sourceยง

fn filter<P>(self, predicate: P) -> Filter<Self, P>
where Self: Sized, P: FnMut(&Self::Item) -> bool,

Keeps items of the stream for which predicate returns true. Read more
Sourceยง

fn filter_map<T, F>(self, f: F) -> FilterMap<Self, F>
where Self: Sized, F: FnMut(Self::Item) -> Option<T>,

Filters and maps items of the stream using a closure. Read more
Sourceยง

fn take(self, n: usize) -> Take<Self>
where Self: Sized,

Takes only the first n items of the stream. Read more
Sourceยง

fn take_while<P>(self, predicate: P) -> TakeWhile<Self, P>
where Self: Sized, P: FnMut(&Self::Item) -> bool,

Takes items while predicate returns true. Read more
Sourceยง

fn map_while<B, P>(self, predicate: P) -> MapWhile<Self, P>
where Self: Sized, P: FnMut(Self::Item) -> Option<B>,

Maps items while predicate returns Some. Read more
Sourceยง

fn skip(self, n: usize) -> Skip<Self>
where Self: Sized,

Skips the first n items of the stream. Read more
Sourceยง

fn skip_while<P>(self, predicate: P) -> SkipWhile<Self, P>
where Self: Sized, P: FnMut(&Self::Item) -> bool,

Skips items while predicate returns true. Read more
Sourceยง

fn step_by(self, step: usize) -> StepBy<Self>
where Self: Sized,

Yields every stepth item. Read more
Sourceยง

fn chain<U>(self, other: U) -> Chain<Self, U>
where Self: Sized, U: Stream<Item = Self::Item>,

Appends another stream to the end of this one. Read more
Sourceยง

fn cloned<'a, T>(self) -> Cloned<Self>
where Self: Sized + Stream<Item = &'a T>, T: Clone + 'a,

Clones all items. Read more
Sourceยง

fn copied<'a, T>(self) -> Copied<Self>
where Self: Sized + Stream<Item = &'a T>, T: Copy + 'a,

Copies all items. Read more
Sourceยง

fn collect<C>(self) -> CollectFuture<Self, C> โ“˜
where Self: Sized, C: Default + Extend<Self::Item>,

Collects all items in the stream into a collection. Read more
Sourceยง

fn try_collect<T, E, C>(self) -> TryCollectFuture<Self, C> โ“˜
where Self: Sized + Stream<Item = Result<T, E>>, C: Default + Extend<T>,

Collects all items in the fallible stream into a collection. Read more
Sourceยง

fn partition<B, P>(self, predicate: P) -> PartitionFuture<Self, P, B> โ“˜
where Self: Sized, B: Default + Extend<Self::Item>, P: FnMut(&Self::Item) -> bool,

Partitions items into those for which predicate is true and those for which it is false, and then collects them into two collections. Read more
Sourceยง

fn fold<T, F>(self, init: T, f: F) -> FoldFuture<Self, F, T> โ“˜
where Self: Sized, F: FnMut(T, Self::Item) -> T,

Accumulates a computation over the stream. Read more
Sourceยง

fn try_fold<T, E, F, B>( &mut self, init: B, f: F, ) -> TryFoldFuture<'_, Self, F, B> โ“˜
where Self: Sized + Stream<Item = Result<T, E>> + Unpin, F: FnMut(B, T) -> Result<B, E>,

Accumulates a fallible computation over the stream. Read more
Sourceยง

fn scan<St, B, F>(self, initial_state: St, f: F) -> Scan<Self, St, F>
where Self: Sized, F: FnMut(&mut St, Self::Item) -> Option<B>,

Maps items of the stream to new values using a state value and a closure. Read more
Sourceยง

fn fuse(self) -> Fuse<Self>
where Self: Sized,

Fuses the stream so that it stops yielding items after the first None. Read more
Sourceยง

fn cycle(self) -> Cycle<Self>
where Self: Sized + Clone,

Repeats the stream from beginning to end, forever. Read more
Sourceยง

fn enumerate(self) -> Enumerate<Self>
where Self: Sized,

Enumerates items, mapping them to (index, item). Read more
Sourceยง

fn inspect<F>(self, f: F) -> Inspect<Self, F>
where Self: Sized, F: FnMut(&Self::Item),

Calls a closure on each item and passes it on. Read more
Sourceยง

fn nth(&mut self, n: usize) -> NthFuture<'_, Self> โ“˜
where Self: Unpin,

Gets the nth item of the stream. Read more
Sourceยง

fn last(self) -> LastFuture<Self> โ“˜
where Self: Sized,

Returns the last item in the stream. Read more
Sourceยง

fn find<P>(&mut self, predicate: P) -> FindFuture<'_, Self, P> โ“˜
where Self: Unpin, P: FnMut(&Self::Item) -> bool,

Finds the first item of the stream for which predicate returns true. Read more
Sourceยง

fn find_map<F, B>(&mut self, f: F) -> FindMapFuture<'_, Self, F> โ“˜
where Self: Unpin, F: FnMut(Self::Item) -> Option<B>,

Applies a closure to items in the stream and returns the first Some result. Read more
Sourceยง

fn position<P>(&mut self, predicate: P) -> PositionFuture<'_, Self, P> โ“˜
where Self: Unpin, P: FnMut(Self::Item) -> bool,

Finds the index of the first item of the stream for which predicate returns true. Read more
Sourceยง

fn all<P>(&mut self, predicate: P) -> AllFuture<'_, Self, P> โ“˜
where Self: Unpin, P: FnMut(Self::Item) -> bool,

Tests if predicate returns true for all items in the stream. Read more
Sourceยง

fn any<P>(&mut self, predicate: P) -> AnyFuture<'_, Self, P> โ“˜
where Self: Unpin, P: FnMut(Self::Item) -> bool,

Tests if predicate returns true for any item in the stream. Read more
Sourceยง

fn for_each<F>(self, f: F) -> ForEachFuture<Self, F> โ“˜
where Self: Sized, F: FnMut(Self::Item),

Calls a closure on each item of the stream. Read more
Sourceยง

fn try_for_each<F, E>(&mut self, f: F) -> TryForEachFuture<'_, Self, F> โ“˜
where Self: Unpin, F: FnMut(Self::Item) -> Result<(), E>,

Calls a fallible closure on each item of the stream, stopping on first error. Read more
Sourceยง

fn zip<U>(self, other: U) -> Zip<Self, U>
where Self: Sized, U: Stream,

Zips up two streams into a single stream of pairs. Read more
Sourceยง

fn unzip<A, B, FromA, FromB>(self) -> UnzipFuture<Self, FromA, FromB> โ“˜
where FromA: Default + Extend<A>, FromB: Default + Extend<B>, Self: Sized + Stream<Item = (A, B)>,

Collects a stream of pairs into a pair of collections. Read more
Sourceยง

fn or<S>(self, other: S) -> Or<Self, S>
where Self: Sized, S: Stream<Item = Self::Item>,

Merges with other stream, preferring items from self whenever both streams are ready. Read more
Sourceยง

fn race<S>(self, other: S) -> Race<Self, S>
where Self: Sized, S: Stream<Item = Self::Item>,

Merges with other stream, with no preference for either stream when both are ready. Read more
Sourceยง

fn drain(&mut self) -> Drain<'_, Self>

Yields all immediately available values from a stream. Read more
Sourceยง

fn boxed<'a>(self) -> Pin<Box<dyn Stream<Item = Self::Item> + Send + 'a>>
where Self: Sized + Send + 'a,

Boxes the stream and changes its type to dyn Stream + Send + 'a. Read more
Sourceยง

fn boxed_local<'a>(self) -> Pin<Box<dyn Stream<Item = Self::Item> + 'a>>
where Self: Sized + 'a,

Boxes the stream and changes its type to dyn Stream + 'a. Read more
Sourceยง

impl<T> StreamExt for T
where T: Stream + ?Sized,

Sourceยง

fn next(&mut self) -> NextFuture<'_, Self>
where Self: Unpin,

Advances the stream and returns the next value. Read more
Sourceยง

fn take(self, n: usize) -> Take<Self>
where Self: Sized,

Creates a stream that yields its first n elements. Read more
Sourceยง

fn take_while<P>(self, predicate: P) -> TakeWhile<Self, P>
where Self: Sized, P: FnMut(&Self::Item) -> bool,

Creates a stream that yields elements based on a predicate. Read more
Sourceยง

fn throttle(self, d: Duration) -> Throttle<Self>
where Self: Sized,

Available on unstable only.
Limit the amount of items yielded per timeslice in a stream. Read more
Sourceยง

fn step_by(self, step: usize) -> StepBy<Self>
where Self: Sized,

Creates a stream that yields each stepth element. Read more
Sourceยง

fn chain<U>(self, other: U) -> Chain<Self, U>
where Self: Sized, U: Stream<Item = Self::Item> + Sized,

Takes two streams and creates a new stream over both in sequence. Read more
Sourceยง

fn cloned<'a, T>(self) -> Cloned<Self>
where Self: Sized + Stream<Item = &'a T>, T: Clone + 'a,

Creates an stream which copies all of its elements. Read more
Sourceยง

fn copied<'a, T>(self) -> Copied<Self>
where Self: Sized + Stream<Item = &'a T>, T: Copy + 'a,

Creates an stream which copies all of its elements. Read more
Sourceยง

fn cycle(self) -> Cycle<Self>
where Self: Clone + Sized,

Creates a stream that yields the provided values infinitely and in order. Read more
Sourceยง

fn enumerate(self) -> Enumerate<Self>
where Self: Sized,

Creates a stream that gives the current elementโ€™s count as well as the next value. Read more
Sourceยง

fn delay(self, dur: Duration) -> Delay<Self>
where Self: Sized,

Available on unstable only.
Creates a stream that is delayed before it starts yielding items. Read more
Sourceยง

fn map<B, F>(self, f: F) -> Map<Self, F>
where Self: Sized, F: FnMut(Self::Item) -> B,

Takes a closure and creates a stream that calls that closure on every element of this stream. Read more
Sourceยง

fn inspect<F>(self, f: F) -> Inspect<Self, F>
where Self: Sized, F: FnMut(&Self::Item),

A combinator that does something with each element in the stream, passing the value on. Read more
Sourceยง

fn last(self) -> LastFuture<Self, Self::Item>
where Self: Sized,

Returns the last element of the stream. Read more
Sourceยง

fn fuse(self) -> Fuse<Self>
where Self: Sized,

Creates a stream which ends after the first None. Read more
Sourceยง

fn filter<P>(self, predicate: P) -> Filter<Self, P>
where Self: Sized, P: FnMut(&Self::Item) -> bool,

Creates a stream that uses a predicate to determine if an element should be yielded. Read more
Sourceยง

fn flat_map<U, F>(self, f: F) -> FlatMap<Self, U, F>
where Self: Sized, U: IntoStream, F: FnMut(Self::Item) -> U,

Available on unstable only.
Creates an stream that works like map, but flattens nested structure. Read more
Sourceยง

fn flatten(self) -> Flatten<Self>
where Self: Sized, Self::Item: IntoStream,

Available on unstable only.
Creates an stream that flattens nested structure. Read more
Sourceยง

fn filter_map<B, F>(self, f: F) -> FilterMap<Self, F>
where Self: Sized, F: FnMut(Self::Item) -> Option<B>,

Both filters and maps a stream. Read more
Sourceยง

fn min_by_key<B, F>(self, key_by: F) -> MinByKeyFuture<Self, Self::Item, F>
where Self: Sized, B: Ord, F: FnMut(&Self::Item) -> B,

Returns the element that gives the minimum value with respect to the specified key function. If several elements are equally minimum, the first element is returned. If the stream is empty, None is returned. Read more
Sourceยง

fn max_by_key<B, F>(self, key_by: F) -> MaxByKeyFuture<Self, Self::Item, F>
where Self: Sized, B: Ord, F: FnMut(&Self::Item) -> B,

Returns the element that gives the maximum value with respect to the specified key function. If several elements are equally maximum, the first element is returned. If the stream is empty, None is returned. Read more
Sourceยง

fn min_by<F>(self, compare: F) -> MinByFuture<Self, F, Self::Item>
where Self: Sized, F: FnMut(&Self::Item, &Self::Item) -> Ordering,

Returns the element that gives the minimum value with respect to the specified comparison function. If several elements are equally minimum, the first element is returned. If the stream is empty, None is returned. Read more
Sourceยง

fn max(self) -> MaxFuture<Self, Self::Item>
where Self: Sized, Self::Item: Ord,

Returns the element that gives the maximum value. If several elements are equally maximum, the first element is returned. If the stream is empty, None is returned. Read more
Sourceยง

fn min(self) -> MinFuture<Self, Self::Item>
where Self: Sized, Self::Item: Ord,

Returns the element that gives the minimum value. If several elements are equally minimum, the first element is returned. If the stream is empty, None is returned. Read more
Sourceยง

fn max_by<F>(self, compare: F) -> MaxByFuture<Self, F, Self::Item>
where Self: Sized, F: FnMut(&Self::Item, &Self::Item) -> Ordering,

Returns the element that gives the maximum value with respect to the specified comparison function. If several elements are equally maximum, the first element is returned. If the stream is empty, None is returned. Read more
Sourceยง

fn nth(&mut self, n: usize) -> NthFuture<'_, Self>
where Self: Unpin + Sized,

Returns the nth element of the stream. Read more
Sourceยง

fn all<F>(&mut self, f: F) -> AllFuture<'_, Self, F, Self::Item>
where Self: Unpin + Sized, F: FnMut(Self::Item) -> bool,

Tests if every element of the stream matches a predicate. Read more
Sourceยง

fn find<P>(&mut self, p: P) -> FindFuture<'_, Self, P>
where Self: Unpin + Sized, P: FnMut(&Self::Item) -> bool,

Searches for an element in a stream that satisfies a predicate. Read more
Sourceยง

fn find_map<F, B>(&mut self, f: F) -> FindMapFuture<'_, Self, F>
where Self: Unpin + Sized, F: FnMut(Self::Item) -> Option<B>,

Applies function to the elements of stream and returns the first non-none result. Read more
Sourceยง

fn fold<B, F>(self, init: B, f: F) -> FoldFuture<Self, F, B>
where Self: Sized, F: FnMut(B, Self::Item) -> B,

A combinator that applies a function to every element in a stream producing a single, final value. Read more
Sourceยง

fn partition<B, F>(self, f: F) -> PartitionFuture<Self, F, B>
where Self: Sized, F: FnMut(&Self::Item) -> bool, B: Default + Extend<Self::Item>,

Available on unstable only.
A combinator that applies a function to every element in a stream creating two collections from it. Read more
Sourceยง

fn for_each<F>(self, f: F) -> ForEachFuture<Self, F>
where Self: Sized, F: FnMut(Self::Item),

Call a closure on each element of the stream. Read more
Sourceยง

fn any<F>(&mut self, f: F) -> AnyFuture<'_, Self, F, Self::Item>
where Self: Unpin + Sized, F: FnMut(Self::Item) -> bool,

Tests if any element of the stream matches a predicate. Read more
Sourceยง

fn by_ref(&mut self) -> &mut Self

Available on unstable only.
Borrows an stream, rather than consuming it. Read more
Sourceยง

fn scan<St, B, F>(self, initial_state: St, f: F) -> Scan<Self, St, F>
where Self: Sized, F: FnMut(&mut St, Self::Item) -> Option<B>,

A stream adaptor similar to fold that holds internal state and produces a new stream. Read more
Sourceยง

fn skip_while<P>(self, predicate: P) -> SkipWhile<Self, P>
where Self: Sized, P: FnMut(&Self::Item) -> bool,

Combinator that skips elements based on a predicate. Read more
Sourceยง

fn skip(self, n: usize) -> Skip<Self>
where Self: Sized,

Creates a combinator that skips the first n elements. Read more
Sourceยง

fn timeout(self, dur: Duration) -> Timeout<Self>
where Self: Stream + Sized,

Available on unstable only.
Await a stream or times out after a duration of time. Read more
Sourceยง

fn try_fold<B, F, T, E>( &mut self, init: T, f: F, ) -> TryFoldFuture<'_, Self, F, T>
where Self: Unpin + Sized, F: FnMut(B, Self::Item) -> Result<T, E>,

A combinator that applies a function as long as it returns successfully, producing a single, final value. Immediately returns the error when the function returns unsuccessfully. Read more
Sourceยง

fn try_for_each<F, E>(&mut self, f: F) -> TryForEachFuture<'_, Self, F>
where Self: Unpin + Sized, F: FnMut(Self::Item) -> Result<(), E>,

Applies a falliable function to each element in a stream, stopping at first error and returning it. Read more
Sourceยง

fn zip<U>(self, other: U) -> Zip<Self, U>
where Self: Sized, U: Stream,

โ€˜Zips upโ€™ two streams into a single stream of pairs. Read more
Sourceยง

fn unzip<A, B, FromA, FromB>(self) -> UnzipFuture<Self, FromA, FromB>
where FromA: Default + Extend<A>, FromB: Default + Extend<B>, Self: Stream<Item = (A, B)> + Sized,

Available on unstable only.
Converts an stream of pairs into a pair of containers. Read more
Sourceยง

fn collect<'a, B>(self) -> Pin<Box<dyn Future<Output = B> + Send + 'a>>
where Self: Sized + 'a + Send, B: FromStream<Self::Item>, Self::Item: Send,

Available on unstable only.
Transforms a stream into a collection. Read more
Sourceยง

fn merge<U>(self, other: U) -> Merge<Self, U>
where Self: Sized, U: Stream<Item = Self::Item> + Sized,

Available on unstable only.
Combines multiple streams into a single stream of all their outputs. Read more
Sourceยง

fn partial_cmp<S>(self, other: S) -> PartialCmpFuture<Self, S>
where Self: Sized + Stream, S: Stream, <Self as Stream>::Item: PartialOrd<S::Item>,

Lexicographically compares the elements of this Stream with those of another. Read more
Sourceยง

fn position<P>(&mut self, predicate: P) -> PositionFuture<'_, Self, P>
where Self: Unpin + Sized, P: FnMut(Self::Item) -> bool,

Searches for an element in a Stream that satisfies a predicate, returning its index. Read more
Sourceยง

fn cmp<S>(self, other: S) -> CmpFuture<Self, S>
where Self: Sized + Stream, S: Stream, <Self as Stream>::Item: Ord,

Lexicographically compares the elements of this Stream with those of another using โ€˜Ordโ€™. Read more
Sourceยง

fn count(self) -> CountFuture<Self>
where Self: Sized,

Available on unstable only.
Counts the number of elements in the stream. Read more
Sourceยง

fn ne<S>(self, other: S) -> NeFuture<Self, S>
where Self: Sized, S: Sized + Stream, <Self as Stream>::Item: PartialEq<S::Item>,

Determines if the elements of this Stream are lexicographically not equal to those of another. Read more
Sourceยง

fn ge<S>(self, other: S) -> GeFuture<Self, S>
where Self: Sized + Stream, S: Stream, <Self as Stream>::Item: PartialOrd<S::Item>,

Determines if the elements of this Stream are lexicographically greater than or equal to those of another. Read more
Sourceยง

fn eq<S>(self, other: S) -> EqFuture<Self, S>
where Self: Sized + Stream, S: Sized + Stream, <Self as Stream>::Item: PartialEq<S::Item>,

Determines if the elements of this Stream are lexicographically equal to those of another. Read more
Sourceยง

fn gt<S>(self, other: S) -> GtFuture<Self, S>
where Self: Sized + Stream, S: Stream, <Self as Stream>::Item: PartialOrd<S::Item>,

Determines if the elements of this Stream are lexicographically greater than those of another. Read more
Sourceยง

fn le<S>(self, other: S) -> LeFuture<Self, S>
where Self: Sized + Stream, S: Stream, <Self as Stream>::Item: PartialOrd<S::Item>,

Determines if the elements of this Stream are lexicographically less or equal to those of another. Read more
Sourceยง

fn lt<S>(self, other: S) -> LtFuture<Self, S>
where Self: Sized + Stream, S: Stream, <Self as Stream>::Item: PartialOrd<S::Item>,

Determines if the elements of this Stream are lexicographically less than those of another. Read more
Sourceยง

fn sum<'a, S>(self) -> Pin<Box<dyn Future<Output = S> + 'a>>
where Self: Sized + Stream<Item = S> + 'a, S: Sum<Self::Item>,

Available on unstable only.
Sums the elements of a stream. Read more
Sourceยง

fn product<'a, P>(self) -> Pin<Box<dyn Future<Output = P> + 'a>>
where Self: Sized + Stream<Item = P> + 'a, P: Product,

Available on unstable only.
Multiplies all elements of the stream. Read more
Sourceยง

impl<T> ToOwned for T
where T: Clone,

Sourceยง

type Owned = T

The resulting type after obtaining ownership.
Sourceยง

fn to_owned(&self) -> T

Creates owned data from borrowed data, usually by cloning. Read more
Sourceยง

fn clone_into(&self, target: &mut T)

Uses borrowed data to replace owned data, usually by cloning. Read more
Sourceยง

impl<T> ToString for T
where T: Display + ?Sized,

Sourceยง

fn to_string(&self) -> String

Converts the given value to a String. Read more
Sourceยง

impl<T, U> TryFrom<U> for T
where U: Into<T>,

Sourceยง

type Error = Infallible

The type returned in the event of a conversion error.
Sourceยง

fn try_from(value: U) -> Result<T, <T as TryFrom<U>>::Error>

Performs the conversion.
Sourceยง

impl<F, T, E> TryFuture for F
where F: Future<Output = Result<T, E>> + ?Sized,

Sourceยง

type Ok = T

The type of successful values yielded by this future
Sourceยง

type Error = E

The type of failures yielded by this future
Sourceยง

fn try_poll( self: Pin<&mut F>, cx: &mut Context<'_>, ) -> Poll<<F as Future>::Output>

Poll this TryFuture as if it were a Future. Read more
Sourceยง

impl<T, U> TryInto<U> for T
where U: TryFrom<T>,

Sourceยง

type Error = <U as TryFrom<T>>::Error

The type returned in the event of a conversion error.
Sourceยง

fn try_into(self) -> Result<U, <U as TryFrom<T>>::Error>

Performs the conversion.
Sourceยง

impl<S, T, E> TryStream for S
where S: Stream<Item = Result<T, E>> + ?Sized,

Sourceยง

type Ok = T

The type of successful values yielded by this future
Sourceยง

type Error = E

The type of failures yielded by this future
Sourceยง

fn try_poll_next( self: Pin<&mut S>, cx: &mut Context<'_>, ) -> Poll<Option<Result<<S as TryStream>::Ok, <S as TryStream>::Error>>>

Poll this TryStream as if it were a Stream. Read more
Sourceยง

impl<T> WriteExt for T
where T: AsyncWrite + ?Sized,

Sourceยง

fn write<'a>(&'a mut self, buf: &'a [u8]) -> WriteFuture<'a, Self>
where Self: Unpin,

Writes some bytes into the byte stream. Read more
Sourceยง

fn flush(&mut self) -> FlushFuture<'_, Self>
where Self: Unpin,

Flushes the stream to ensure that all buffered contents reach their destination. Read more
Sourceยง

fn write_vectored<'a>( &'a mut self, bufs: &'a [IoSlice<'a>], ) -> WriteVectoredFuture<'a, Self>
where Self: Unpin,

Like write, except that it writes from a slice of buffers. Read more
Sourceยง

fn write_all<'a>(&'a mut self, buf: &'a [u8]) -> WriteAllFuture<'a, Self>
where Self: Unpin,

Writes an entire buffer into the byte stream. Read more
Sourceยง

fn write_fmt<'a>(&'a mut self, fmt: Arguments<'_>) -> WriteFmtFuture<'a, Self>
where Self: Unpin,

Writes a formatted string into this writer, returning any error encountered. Read more