On this page
Struct std::pin::Pin
#[repr(transparent)]pub struct Pin<P> { /* private fields */ }
A pinned pointer.
This is a wrapper around a kind of pointer which makes that pointer “pin” its value in place, preventing the value referenced by that pointer from being moved unless it implements Unpin
.
Pin<P>
is guaranteed to have the same memory layout and ABI as P
.
See the pin
module documentation for an explanation of pinning.
Implementations
impl<P> Pin<P>
where
P: Deref,
<P as Deref>::Target: Unpin,
pub fn new(pointer: P) -> Pin<P>
Construct a new Pin<P>
around a pointer to some data of a type that implements Unpin
.
Unlike Pin::new_unchecked
, this method is safe because the pointer P
dereferences to an Unpin
type, which cancels the pinning guarantees.
Examples
use std::pin::Pin;
let mut val: u8 = 5;
// We can pin the value, since it doesn't care about being moved
let mut pinned: Pin<&mut u8> = Pin::new(&mut val);
pub fn into_inner(pin: Pin<P>) -> P
Unwraps this Pin<P>
returning the underlying pointer.
This requires that the data inside this Pin
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 a reference to the value
let r = Pin::into_inner(pinned);
assert_eq!(*r, 5);
impl<P> Pin<P>
where
P: Deref,
pub unsafe fn new_unchecked(pointer: P) -> Pin<P>
Construct a new Pin<P>
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, meaning that the data will not be moved or its storage invalidated until it gets dropped. If the constructed Pin<P>
does not guarantee that the data P
points to is pinned, that is a violation of the API contract and may lead to undefined behavior in later (safe) operations.
By using this method, you are making a promise about the P::Deref
and P::DerefMut
implementations, 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 pinned pointer and expect these methods to uphold the pinning invariants. Moreover, by calling this method you promise that the reference P
dereferences to will not be moved out of again; in particular, it must not be possible to obtain a &mut P::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:
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>) {
let pinned = unsafe { Pin::new_unchecked(Rc::clone(&x)) };
{
let p: Pin<&T> = pinned.as_ref();
// This should mean the pointee can never move again.
}
drop(pinned);
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();
}
pub fn as_ref(&self) -> Pin<&<P as Deref>::Target>
Gets a pinned shared reference from this pinned pointer.
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
.
pub unsafe fn into_inner_unchecked(pin: Pin<P>) -> P
Unwraps this Pin<P>
returning the underlying pointer.
Safety
This function is unsafe. You must guarantee that you will continue to treat the pointer P
as pinned after you call this function, so that the invariants on the Pin
type can be upheld. If the code using the resulting P
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.
If the underlying data is Unpin
, Pin::into_inner
should be used instead.
impl<P> Pin<P>
where
P: DerefMut,
pub fn as_mut(&mut self) -> Pin<&mut <P as Deref>::Target>
Gets a pinned mutable reference from this pinned pointer.
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 pinned type.
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();
}
}
pub fn set(&mut self, value: <P as Deref>::Target)
where
<P as Deref>::Target: Sized,
Assigns a new value to the memory behind the pinned reference.
This overwrites pinned data, but that is okay: its destructor gets run before being overwritten, so no pinning guarantee is violated.
Example
use std::pin::Pin;
let mut val: u8 = 5;
let mut pinned: Pin<&mut u8> = Pin::new(&mut val);
println!("{}", pinned); // 5
pinned.as_mut().set(10);
println!("{}", pinned); // 10
impl<'a, T> Pin<&'a T>
where
T: ?Sized,
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.
pub 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 same data, and RefCell<T>
does not let you create a pinned reference 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 Pin
itself. This method allows turning the Pin
into a reference with the same lifetime as the original Pin
.
impl<'a, T> Pin<&'a mut T>
where
T: ?Sized,
pub fn into_ref(self) -> Pin<&'a T>
Converts this Pin<&mut T>
into a Pin<&T>
with the same lifetime.
pub 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
.
pub 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.
pub unsafe fn map_unchecked_mut<U, F>(self, func: F) -> Pin<&'a mut U>
where
F: FnOnce(&mut T) -> &mut U,
U: ?Sized,
Construct 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.
impl<T> Pin<&'static T>
where
T: ?Sized,
pub fn static_ref(r: &'static T) -> Pin<&'static T>
Get a pinned reference from a static reference.
This is safe, because T
is borrowed for the 'static
lifetime, which never ends.
impl<'a, P> Pin<&'a mut Pin<P>>
where
P: DerefMut,
pub fn as_deref_mut(self) -> Pin<&'a mut <P as Deref>::Target>
pin_deref_mut
#86918)
Gets a pinned mutable reference from this nested pinned 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 P::DerefMut
are likewise ruled out by the contract of Pin::new_unchecked
.
impl<T> Pin<&'static mut T>
where
T: ?Sized,
Trait Implementations
impl<P> AsyncIterator for Pin<P>
where
P: DerefMut,
<P as Deref>::Target: AsyncIterator,
type Item = <<P as Deref>::Target as AsyncIterator>::Item
async_iterator
#79024)
fn poll_next(
self: Pin<&mut Pin<P>>,
cx: &mut Context<'_>
) -> Poll<Option<<Pin<P> as AsyncIterator>::Item>>
async_iterator
#79024)
None
if the async iterator is exhausted. Read more
fn size_hint(&self) -> (usize, Option<usize>)
async_iterator
#79024)
impl<P> Clone for Pin<P>
where
P: Clone,
fn clone(&self) -> Pin<P>
fn clone_from(&mut self, source: &Self)
source
. Read more
impl<G, R> Coroutine<R> for Pin<&mut G>
where
G: Coroutine<R> + ?Sized,
type Yield = <G as Coroutine<R>>::Yield
coroutine_trait
#43122)
type Return = <G as Coroutine<R>>::Return
coroutine_trait
#43122)
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>
coroutine_trait
#43122)
impl<G, R, A> Coroutine<R> for Pin<Box<G, A>>
where
G: Coroutine<R> + ?Sized,
A: Allocator + 'static,
type Yield = <G as Coroutine<R>>::Yield
coroutine_trait
#43122)
type Return = <G as Coroutine<R>>::Return
coroutine_trait
#43122)
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>
coroutine_trait
#43122)
impl<P> Debug for Pin<P>
where
P: Debug,
fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error>
impl<P> Deref for Pin<P>
where
P: Deref,
type Target = <P as Deref>::Target
fn deref(&self) -> &<P as Deref>::Target
impl<P> DerefMut for Pin<P>
where
P: DerefMut,
<P as Deref>::Target: Unpin,
fn deref_mut(&mut self) -> &mut <P as Deref>::Target
impl<P> Display for Pin<P>
where
P: Display,
fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error>
impl<T, A> From<Box<T, A>> for Pin<Box<T, A>>
where
A: Allocator + 'static,
T: ?Sized,
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
.
impl<P> Future for Pin<P>
where
P: DerefMut,
<P as Deref>::Target: Future,
type Output = <<P as Deref>::Target as Future>::Output
fn poll(
self: Pin<&mut Pin<P>>,
cx: &mut Context<'_>
) -> Poll<<Pin<P> as Future>::Output>
impl<P> Hash for Pin<P>
where
P: Deref,
<P as Deref>::Target: Hash,
fn hash<H>(&self, state: &mut H)
where
H: Hasher,
fn hash_slice<H>(data: &[Self], state: &mut H)
where
H: Hasher,
Self: Sized,
impl<P> Ord for Pin<P>
where
P: Deref,
<P as Deref>::Target: Ord,
fn cmp(&self, other: &Pin<P>) -> Ordering
fn max(self, other: Self) -> Self
where
Self: Sized,
fn min(self, other: Self) -> Self
where
Self: Sized,
fn clamp(self, min: Self, max: Self) -> Self
where
Self: Sized + PartialOrd,
impl<P, Q> PartialEq<Pin<Q>> for Pin<P>
where
P: Deref,
Q: Deref,
<P as Deref>::Target: PartialEq<<Q as Deref>::Target>,
fn eq(&self, other: &Pin<Q>) -> bool
self
and other
values to be equal, and is used by ==
.
fn ne(&self, other: &Pin<Q>) -> bool
!=
. The default implementation is almost always sufficient, and should not be overridden without very good reason.
impl<P, Q> PartialOrd<Pin<Q>> for Pin<P>
where
P: Deref,
Q: Deref,
<P as Deref>::Target: PartialOrd<<Q as Deref>::Target>,
fn partial_cmp(&self, other: &Pin<Q>) -> Option<Ordering>
fn lt(&self, other: &Pin<Q>) -> bool
fn le(&self, other: &Pin<Q>) -> bool
self
and other
) and is used by the <=
operator. Read more
fn gt(&self, other: &Pin<Q>) -> bool
fn ge(&self, other: &Pin<Q>) -> bool
self
and other
) and is used by the >=
operator. Read more
impl<P> Pointer for Pin<P>
where
P: Pointer,
fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error>
impl<P, U> CoerceUnsized<Pin<U>> for Pin<P>
where
P: CoerceUnsized<U>,
impl<P> Copy for Pin<P>
where
P: Copy,
impl<P, U> DispatchFromDyn<Pin<U>> for Pin<P>
where
P: DispatchFromDyn<U>,
impl<P> Eq for Pin<P>
where
P: Deref,
<P as Deref>::Target: Eq,
Auto Trait Implementations
impl<P> RefUnwindSafe for Pin<P>
where
P: RefUnwindSafe,
impl<P> Send for Pin<P>
where
P: Send,
impl<P> Sync for Pin<P>
where
P: Sync,
impl<P> Unpin for Pin<P>
where
P: Unpin,
impl<P> UnwindSafe for Pin<P>
where
P: UnwindSafe,
Blanket Implementations
impl<T> Any for T
where
T: 'static + ?Sized,
impl<T> Borrow<T> for T
where
T: ?Sized,
impl<T> BorrowMut<T> for T
where
T: ?Sized,
impl<T> From<T> for T
fn from(t: T) -> T
Returns the argument unchanged.
impl<T, U> Into<U> for T
where
U: From<T>,
fn into(self) -> U
Calls U::from(self)
.
That is, this conversion is whatever the implementation of From<T> for U
chooses to do.
impl<F> IntoFuture for F
where
F: Future,
type Output = <F as Future>::Output
type IntoFuture = F
fn into_future(self) -> <F as IntoFuture>::IntoFuture
impl<T> ToOwned for T
where
T: Clone,
type Owned = T
fn to_owned(&self) -> T
fn clone_into(&self, target: &mut T)
impl<T> ToString for T
where
T: Display + ?Sized,
impl<T, U> TryFrom<U> for T
where
U: Into<T>,
type Error = Infallible
fn try_from(value: U) -> Result<T, <T as TryFrom<U>>::Error>
impl<T, U> TryInto<U> for T
where
U: TryFrom<T>,
type Error = <U as TryFrom<T>>::Error
fn try_into(self) -> Result<U, <U as TryFrom<T>>::Error>
© 2010 The Rust Project Developers
Licensed under the Apache License, Version 2.0 or the MIT license, at your option.
https://doc.rust-lang.org/std/pin/struct.Pin.html