]> git.lizzy.rs Git - rust.git/blob - src/libcore/pin.rs
tweak pinning projections
[rust.git] / src / libcore / pin.rs
1 //! Types which pin data to its location in memory
2 //!
3 //! It is sometimes useful to have objects that are guaranteed to not move,
4 //! in the sense that their placement in memory does not change, and can thus be relied upon.
5 //! A prime example of such a scenario would be building self-referential structs,
6 //! since moving an object with pointers to itself will invalidate them,
7 //! which could cause undefined behavior.
8 //!
9 //! [`Pin`] ensures that the pointee of any pointer type has a stable location in memory,
10 //! meaning it cannot be moved elsewhere and its memory cannot be deallocated
11 //! until it gets dropped. We say that the pointee is "pinned".
12 //!
13 //! By default, all types in Rust are movable. Rust allows passing all types by-value,
14 //! and common smart-pointer types such as `Box` and `&mut` allow replacing and
15 //! moving the values they contain: you can move out of a `Box`, or you can use [`mem::swap`].
16 //! [`Pin`] wraps a pointer type, so `Pin<Box<T>>` functions much like a regular `Box<T>`
17 //! (when a `Pin<Box<T>>` gets dropped, so do its contents, and the memory gets deallocated).
18 //! Similarily, `Pin<&mut T>` is a lot like `&mut T`. However, [`Pin`] does not let clients actually
19 //! obtain a `Box<T>` or `&mut T` to pinned data, which implies that you cannot use
20 //! operations such as [`mem::swap`]:
21 //! ```
22 //! use std::pin::Pin;
23 //! fn swap_pins<T>(x: Pin<&mut T>, y: Pin<&mut T>) {
24 //!     // `mem::swap` needs `&mut T`, but we cannot get it.
25 //!     // We are stuck, we cannot swap the contents of these references.
26 //!     // We could use `Pin::get_unchecked_mut`, but that is unsafe for a reason:
27 //!     // we are not allowed to use it for moving things out of the `Pin`.
28 //! }
29 //! ```
30 //!
31 //! It is worth reiterating that [`Pin`] does *not* change the fact that a Rust compiler
32 //! considers all types movable. [`mem::swap`] remains callable for any `T`. Instead, `Pin`
33 //! prevents certain *values* (pointed to by pointers wrapped in `Pin`) from being
34 //! moved by making it impossible to call methods that require `&mut T` on them
35 //! (like [`mem::swap`]).
36 //!
37 //! [`Pin`] can be used to wrap any pointer type, and as such it interacts with
38 //! [`Deref`] and [`DerefMut`]. A `Pin<P>` where `P: Deref` should be considered
39 //! as a "`P`-style pointer" to a pinned `P::Target` -- so, a `Pin<Box<T>>` is
40 //! an owned pointer to a pinned `T`, and a `Pin<Rc<T>>` is a reference-counted
41 //! pointer to a pinned `T`.
42 //! For correctness, [`Pin`] relies on the [`Deref`] and [`DerefMut`] implementations
43 //! to not move out of their `self` parameter, and to only ever return a pointer
44 //! to pinned data when they are called on a pinned pointer.
45 //!
46 //! # `Unpin`
47 //!
48 //! However, these restrictions are usually not necessary. Many types are always freely
49 //! movable, even when pinned, because they do not rely on having a stable address.
50 //! This includes all the basic types (`bool`, `i32` and friends, references)
51 //! as well as types consisting solely of these types.
52 //! Types that do not care about pinning implement the [`Unpin`] auto-trait, which
53 //! nullifies the effect of [`Pin`]. For `T: Unpin`, `Pin<Box<T>>` and `Box<T>` function
54 //! identically, as do `Pin<&mut T>` and `&mut T`.
55 //!
56 //! Note that pinning and `Unpin` only affect the pointed-to type, not the pointer
57 //! type itself that got wrapped in `Pin`. For example, whether or not `Box<T>` is
58 //! `Unpin` has no effect on the behavior of `Pin<Box<T>>` (here, `T` is the
59 //! pointed-to type).
60 //!
61 //! # Example: self-referential struct
62 //!
63 //! ```rust
64 //! use std::pin::Pin;
65 //! use std::marker::PhantomPinned;
66 //! use std::ptr::NonNull;
67 //!
68 //! // This is a self-referential struct since the slice field points to the data field.
69 //! // We cannot inform the compiler about that with a normal reference,
70 //! // since this pattern cannot be described with the usual borrowing rules.
71 //! // Instead we use a raw pointer, though one which is known to not be null,
72 //! // since we know it's pointing at the string.
73 //! struct Unmovable {
74 //!     data: String,
75 //!     slice: NonNull<String>,
76 //!     _pin: PhantomPinned,
77 //! }
78 //!
79 //! impl Unmovable {
80 //!     // To ensure the data doesn't move when the function returns,
81 //!     // we place it in the heap where it will stay for the lifetime of the object,
82 //!     // and the only way to access it would be through a pointer to it.
83 //!     fn new(data: String) -> Pin<Box<Self>> {
84 //!         let res = Unmovable {
85 //!             data,
86 //!             // we only create the pointer once the data is in place
87 //!             // otherwise it will have already moved before we even started
88 //!             slice: NonNull::dangling(),
89 //!             _pin: PhantomPinned,
90 //!         };
91 //!         let mut boxed = Box::pin(res);
92 //!
93 //!         let slice = NonNull::from(&boxed.data);
94 //!         // we know this is safe because modifying a field doesn't move the whole struct
95 //!         unsafe {
96 //!             let mut_ref: Pin<&mut Self> = Pin::as_mut(&mut boxed);
97 //!             Pin::get_unchecked_mut(mut_ref).slice = slice;
98 //!         }
99 //!         boxed
100 //!     }
101 //! }
102 //!
103 //! let unmoved = Unmovable::new("hello".to_string());
104 //! // The pointer should point to the correct location,
105 //! // so long as the struct hasn't moved.
106 //! // Meanwhile, we are free to move the pointer around.
107 //! # #[allow(unused_mut)]
108 //! let mut still_unmoved = unmoved;
109 //! assert_eq!(still_unmoved.slice, NonNull::from(&still_unmoved.data));
110 //!
111 //! // Since our type doesn't implement Unpin, this will fail to compile:
112 //! // let new_unmoved = Unmovable::new("world".to_string());
113 //! // std::mem::swap(&mut *still_unmoved, &mut *new_unmoved);
114 //! ```
115 //!
116 //! # Example: intrusive doubly-linked list
117 //!
118 //! In an intrusive doubly-linked list, the collection does not actually allocate
119 //! the memory for the elements itself. Allocation is controlled by the clients,
120 //! and elements can live on a stack frame that lives shorter than the collection does.
121 //!
122 //! To make this work, every element has pointers to its predecessor and successor in
123 //! the list. Element can only be added when they are pinned, because moving the elements
124 //! around would invalidate the pointers. Moreover, the `Drop` implementation of a linked
125 //! list element will patch the pointers of its predecessor and successor to remove itself
126 //! from the list.
127 //!
128 //! Crucially, we have to be able to rely on `drop` being called. If an element
129 //! could be deallocated or otherwise invalidated without calling `drop`, the pointers into it
130 //! from its neighbouring elements would become invalid, which would break the data structure.
131 //!
132 //! This is why pinning also comes with a `drop`-related guarantee.
133 //!
134 //! # `Drop` guarantee
135 //!
136 //! The purpose of pinning is to be able to rely on the placement of some data in memory.
137 //! To make this work, not just moving the data is restricted; deallocating, repurposing or
138 //! otherwise invalidating the memory used to store the data is restricted, too.
139 //! Concretely, for pinned data you have to maintain the invariant
140 //! that *its memory will not get invalidated from the moment it gets pinned until
141 //! when `drop` is called*. Memory can be invalidated by deallocation, but also by
142 //! replacing a `Some(v)` by `None`, or calling `Vec::set_len` to "kill" some elements
143 //! off of a vector.
144 //!
145 //! This is exactly the kind of guarantee that the intrusive linked list from the previous
146 //! section needs to function correctly.
147 //!
148 //! Notice that this guarantee does *not* mean that memory does not leak! It is still
149 //! completely okay not to ever call `drop` on a pinned element (e.g., you can still
150 //! call [`mem::forget`] on a `Pin<Box<T>>`). In the example of the doubly-linked
151 //! list, that element would just stay in the list. However you may not free or reuse the storage
152 //! *without calling `drop`*.
153 //!
154 //! # `Drop` implementation
155 //!
156 //! If your type uses pinning (such as the two examples above), you have to be careful
157 //! when implementing `Drop`. The `drop` function takes `&mut self`, but this
158 //! is called *even if your type was previously pinned*! It is as if the
159 //! compiler automatically called `get_unchecked_mut`.
160 //!
161 //! This can never cause a problem in safe code because implementing a type that relies on pinning
162 //! requires unsafe code, but be aware that deciding to make use of pinning
163 //! in your type (for example by implementing some operation on `Pin<&[mut] Self>`)
164 //! has consequences for your `Drop` implementation as well: if an element
165 //! of your type could have been pinned, you must treat Drop as implicitly taking
166 //! `Pin<&mut Self>`.
167 //!
168 //! In particular, if your type is `#[repr(packed)]`, the compiler will automatically
169 //! move fields around to be able to drop them. As a consequence, you cannot use
170 //! pinning with a `#[repr(packed)]` type.
171 //!
172 //! # Projections and Structural Pinning
173 //!
174 //! One interesting question arises when considering the interaction of pinning and
175 //! the fields of a struct. When can a struct have a "pinning projection", i.e.,
176 //! an operation with type `fn(Pin<&[mut] Struct>) -> Pin<&[mut] Field>`?
177 //! In a similar vein, when can a generic wrapper type (such as `Vec`, `Box`, or `RefCell`)
178 //! have an operation with type `fn(Pin<&[mut] Wrapper<T>>) -> Pin<&[mut] T>`?
179 //!
180 //! This question is closely related to the question of whether pinning is "structural":
181 //! when you have pinned a wrapper type, have you pinned its contents? Deciding this
182 //! is entirely up to the author of any given type. For many types, both answers are reasonable
183 //! (e.g., there could be a version of `Vec` with structural pinning and another
184 //! version where the contents remain movable even when the `Vec` is pinned).
185 //! If pinning is not structural, the wrapper can `impl<T> Unpin for Wrapper<T>`.
186 //! If pinning is structural, the wrapper type can offer pinning projections.
187 //! However, structural pinning comes with a few extra requirements:
188 //!
189 //! 1. The wrapper must only be [`Unpin`] if all the fields one can project to are
190 //!    `Unpin`. This is the default, but `Unpin` is a safe trait, so as the author of
191 //!    the wrapper it is your responsibility *not* to add something like
192 //!    `impl<T> Unpin for Wrapper<T>`. (Notice that adding a projection operation
193 //!    requires unsafe code, so the fact that `Unpin` is a safe trait  does not break
194 //!    the principle that you only have to worry about any of this if you use `unsafe`.)
195 //! 2. The destructor of the wrapper must not move out of its argument. This is the exact
196 //!    point that was raised in the [previous section][drop-impl]: `drop` takes `&mut self`,
197 //!    but the wrapper (and hence its fields) might have been pinned before.
198 //!    You have to guarantee that you do not move a field inside your `Drop` implementation.
199 //!    In particular, as explained previously, this means that your wrapper type must *not*
200 //!    be `#[repr(packed)]`.
201 //! 3. You must make sure that you uphold the [`Drop` guarantee][drop-guarantee]:
202 //!    once your wrapper is pinned, the memory that contains the
203 //!    content is not overwritten or deallocated without calling the content's destructors.
204 //!    This can be tricky, as witnessed by `VecDeque`: the destructor of `VecDeque` can fail
205 //!    to call `drop` on all elements if one of the destructors panics. This violates the
206 //!    `Drop` guarantee, because it can lead to elements being deallocated without
207 //!    their destructor being called. (`VecDeque` has no pinning projections, so this
208 //!    does not cause unsoundness.)
209 //! 4. You must not offer any other operations that could lead to data being moved out of
210 //!    the fields when your type is pinned. This is usually not a concern, but can become
211 //!    tricky when interior mutability is involved. For example, imagine if `RefCell`
212 //!    had a method `fn get_pin_mut(self: Pin<&mut Self>) -> Pin<&mut T>`.
213 //!    Then we could do the following:
214 //!    ```compile_fail
215 //!    fn exploit_ref_cell<T>(rc: Pin<&mut RefCell<T>) {
216 //!        { let p = rc.as_mut().get_pin_mut(); } // here we get pinned access to the `T`
217 //!        let rc_shr: &RefCell<T> = rc.into_ref().get_ref();
218 //!        let b = rc_shr.borrow_mut();
219 //!        let content = &mut *b; // and here we have `&mut T` to the same data
220 //!    }
221 //!    ```
222 //!    This is catastrophic, it means we can first pin the content of the `RefCell`
223 //!    (using `RefCell::get_pin_mut`) and then move that content using the mutable
224 //!    reference we got later.
225 //!
226 //! On the other hand, if you decide *not* to offer any pinning projections, you
227 //! do not have to do anything. If your type also does not do any pinning itself,
228 //! you are free to `impl<T> Unpin for Wrapper<T>`. In the standard library,
229 //! this is done for all pointer types: `Box<T>: Unpin` holds for all `T`.
230 //! It makes sense to do this for pointer types, because moving the `Box<T>`
231 //! does not actually move the `T`: the `Box<T>` can be freely movable even if the `T`
232 //! is not. In fact, even `Pin<Box<T>>` and `Pin<&mut T>` are always `Unpin` themselves,
233 //! for the same reason.
234 //!
235 //! Another case where you might want to have a wrapper without structural pinning is when even
236 //! a pinned wrapper lets its contents move, e.g. with a `take`-like operation. And, finally,
237 //! if it is not possible to satisfy the requirements for structural pinning, it makes sense
238 //! to add the `impl<T> Unpin for Wrapper<T>` to explicitly document this fact, and to let
239 //! library clients benefit from the easier interaction with [`Pin`] that [`Unpin`] types enjoy.
240 //!
241 //! [`Pin`]: struct.Pin.html
242 //! [`Unpin`]: ../../std/marker/trait.Unpin.html
243 //! [`Deref`]: ../../std/ops/trait.Deref.html
244 //! [`DerefMut`]: ../../std/ops/trait.DerefMut.html
245 //! [`mem::swap`]: ../../std/mem/fn.swap.html
246 //! [`mem::forget`]: ../../std/mem/fn.forget.html
247 //! [`Box`]: ../../std/boxed/struct.Box.html
248 //! [drop-impl]: #drop-implementation
249 //! [drop-guarantee]: #drop-guarantee
250
251 #![stable(feature = "pin", since = "1.33.0")]
252
253 use fmt;
254 use marker::{Sized, Unpin};
255 use cmp::{self, PartialEq, PartialOrd};
256 use ops::{Deref, DerefMut, Receiver, CoerceUnsized, DispatchFromDyn};
257
258 /// A pinned pointer.
259 ///
260 /// This is a wrapper around a kind of pointer which makes that pointer "pin" its
261 /// value in place, preventing the value referenced by that pointer from being moved
262 /// unless it implements [`Unpin`].
263 ///
264 /// See the [`pin` module] documentation for further explanation on pinning.
265 ///
266 /// [`Unpin`]: ../../std/marker/trait.Unpin.html
267 /// [`pin` module]: ../../std/pin/index.html
268 //
269 // Note: the derives below, and the explicit `PartialEq` and `PartialOrd`
270 // implementations, are allowed because they all only use `&P`, so they cannot move
271 // the value behind `pointer`.
272 #[stable(feature = "pin", since = "1.33.0")]
273 #[cfg_attr(not(stage0), lang = "pin")]
274 #[fundamental]
275 #[repr(transparent)]
276 #[derive(Copy, Clone, Hash, Eq, Ord)]
277 pub struct Pin<P> {
278     pointer: P,
279 }
280
281 #[stable(feature = "pin_partialeq_partialord_impl_applicability", since = "1.34.0")]
282 impl<P, Q> PartialEq<Pin<Q>> for Pin<P>
283 where
284     P: PartialEq<Q>,
285 {
286     fn eq(&self, other: &Pin<Q>) -> bool {
287         self.pointer == other.pointer
288     }
289
290     fn ne(&self, other: &Pin<Q>) -> bool {
291         self.pointer != other.pointer
292     }
293 }
294
295 #[stable(feature = "pin_partialeq_partialord_impl_applicability", since = "1.34.0")]
296 impl<P, Q> PartialOrd<Pin<Q>> for Pin<P>
297 where
298     P: PartialOrd<Q>,
299 {
300     fn partial_cmp(&self, other: &Pin<Q>) -> Option<cmp::Ordering> {
301         self.pointer.partial_cmp(&other.pointer)
302     }
303
304     fn lt(&self, other: &Pin<Q>) -> bool {
305         self.pointer < other.pointer
306     }
307
308     fn le(&self, other: &Pin<Q>) -> bool {
309         self.pointer <= other.pointer
310     }
311
312     fn gt(&self, other: &Pin<Q>) -> bool {
313         self.pointer > other.pointer
314     }
315
316     fn ge(&self, other: &Pin<Q>) -> bool {
317         self.pointer >= other.pointer
318     }
319 }
320
321 impl<P: Deref> Pin<P>
322 where
323     P::Target: Unpin,
324 {
325     /// Construct a new `Pin` around a pointer to some data of a type that
326     /// implements [`Unpin`].
327     ///
328     /// Unlike `Pin::new_unchecked`, this method is safe because the pointer
329     /// `P` dereferences to an [`Unpin`] type, which nullifies the pinning guarantees.
330     ///
331     /// [`Unpin`]: ../../std/marker/trait.Unpin.html
332     #[stable(feature = "pin", since = "1.33.0")]
333     #[inline(always)]
334     pub fn new(pointer: P) -> Pin<P> {
335         // Safety: the value pointed to is `Unpin`, and so has no requirements
336         // around pinning.
337         unsafe { Pin::new_unchecked(pointer) }
338     }
339 }
340
341 impl<P: Deref> Pin<P> {
342     /// Construct a new `Pin` around a reference to some data of a type that
343     /// may or may not implement `Unpin`.
344     ///
345     /// If `pointer` dereferences to an `Unpin` type, `Pin::new` should be used
346     /// instead.
347     ///
348     /// # Safety
349     ///
350     /// This constructor is unsafe because we cannot guarantee that the data
351     /// pointed to by `pointer` is pinned, meaning that the data will not be moved or
352     /// its storage invalidated until it gets dropped. If the constructed `Pin<P>` does
353     /// not guarantee that the data `P` points to is pinned, constructing a
354     /// `Pin<P>` is unsafe.
355     ///
356     /// By using this method, you are making a promise about the `P::Deref` and
357     /// `P::DerefMut` implementations, if they exist. Most importantly, they
358     /// must not move out of their `self` arguments: `Pin::as_mut` and `Pin::as_ref`
359     /// will call `DerefMut::deref_mut` and `Deref::deref` *on the pinned pointer*
360     /// and expect these methods to uphold the pinning invariants.
361     /// Moreover, by calling this method you promise that the reference `P`
362     /// dereferences to will not be moved out of again; in particular, it
363     /// must not be possible to obtain a `&mut P::Target` and then
364     /// move out of that reference (using, for example [`mem::swap`]).
365     ///
366     /// For example, calling `Pin::new_unchecked` on an `&'a mut T` is unsafe because
367     /// while you are able to pin it for the given lifetime `'a`, you have no control
368     /// over whether it is kept pinned once `'a` ends:
369     /// ```
370     /// use std::mem;
371     /// use std::pin::Pin;
372     ///
373     /// fn move_pinned_ref<T>(mut a: T, mut b: T) {
374     ///     unsafe { let p = Pin::new_unchecked(&mut a); } // should mean `a` can never move again
375     ///     mem::swap(&mut a, &mut b);
376     ///     // the address of `a` changed to `b`'s stack slot, so `a` got moved even
377     ///     // though we have previously pinned it!
378     /// }
379     /// ```
380     /// A value, once pinned, must remain pinned forever (unless its type implements `Unpin`).
381     ///
382     /// Similarily, calling `Pin::new_unchecked` on a `Rc<T>` is unsafe because there could be
383     /// aliases to the same data that are not subject to the pinning restrictions:
384     /// ```
385     /// use std::rc::Rc;
386     /// use std::pin::Pin;
387     ///
388     /// fn move_pinned_rc<T>(mut x: Rc<T>) {
389     ///     let pinned = unsafe { Pin::new_unchecked(x.clone()) };
390     ///     { let p: Pin<&T> = pinned.as_ref(); } // should mean the pointee can never move again
391     ///     drop(pinned);
392     ///     let content = Rc::get_mut(&mut x).unwrap();
393     ///     // Now, if `x` was the only reference, we have a mutable reference to
394     ///     // data that we pinned above, which we could use to move it as we have
395     ///     // seen in the previous example.
396     ///  }
397     ///  ```
398     ///
399     /// [`mem::swap`]: ../../std/mem/fn.swap.html
400     #[stable(feature = "pin", since = "1.33.0")]
401     #[inline(always)]
402     pub unsafe fn new_unchecked(pointer: P) -> Pin<P> {
403         Pin { pointer }
404     }
405
406     /// Gets a pinned shared reference from this pinned pointer.
407     ///
408     /// This is a generic method to go from `&Pin<Pointer<T>>` to `Pin<&T>`.
409     /// It is safe because, as part of the contract of `Pin::new_unchecked`,
410     /// the pointee cannot move after `Pin<Pointer<T>>` got created.
411     /// "Malicious" implementations of `Pointer::Deref` are likewise
412     /// ruled out by the contract of `Pin::new_unchecked`.
413     #[stable(feature = "pin", since = "1.33.0")]
414     #[inline(always)]
415     pub fn as_ref(self: &Pin<P>) -> Pin<&P::Target> {
416         unsafe { Pin::new_unchecked(&*self.pointer) }
417     }
418 }
419
420 impl<P: DerefMut> Pin<P> {
421     /// Gets a pinned mutable reference from this pinned pointer.
422     ///
423     /// This is a generic method to go from `&mut Pin<Pointer<T>>` to `Pin<&mut T>`.
424     /// It is safe because, as part of the contract of `Pin::new_unchecked`,
425     /// the pointee cannot move after `Pin<Pointer<T>>` got created.
426     /// "Malicious" implementations of `Pointer::DerefMut` are likewise
427     /// ruled out by the contract of `Pin::new_unchecked`.
428     #[stable(feature = "pin", since = "1.33.0")]
429     #[inline(always)]
430     pub fn as_mut(self: &mut Pin<P>) -> Pin<&mut P::Target> {
431         unsafe { Pin::new_unchecked(&mut *self.pointer) }
432     }
433
434     /// Assigns a new value to the memory behind the pinned reference.
435     ///
436     /// This overwrites pinned data, but that is okay: its destructor gets
437     /// run before being overwritten, so no pinning guarantee is violated.
438     #[stable(feature = "pin", since = "1.33.0")]
439     #[inline(always)]
440     pub fn set(self: &mut Pin<P>, value: P::Target)
441     where
442         P::Target: Sized,
443     {
444         *(self.pointer) = value;
445     }
446 }
447
448 impl<'a, T: ?Sized> Pin<&'a T> {
449     /// Constructs a new pin by mapping the interior value.
450     ///
451     /// For example, if you  wanted to get a `Pin` of a field of something,
452     /// you could use this to get access to that field in one line of code.
453     /// However, there are several gotchas with these "pinning projections";
454     /// see the [`pin` module] documentation for further details on that topic.
455     ///
456     /// # Safety
457     ///
458     /// This function is unsafe. You must guarantee that the data you return
459     /// will not move so long as the argument value does not move (for example,
460     /// because it is one of the fields of that value), and also that you do
461     /// not move out of the argument you receive to the interior function.
462     ///
463     /// [`pin` module]: ../../std/pin/index.html#projections-and-structural-pinning
464     #[stable(feature = "pin", since = "1.33.0")]
465     pub unsafe fn map_unchecked<U, F>(self: Pin<&'a T>, func: F) -> Pin<&'a U> where
466         F: FnOnce(&T) -> &U,
467     {
468         let pointer = &*self.pointer;
469         let new_pointer = func(pointer);
470         Pin::new_unchecked(new_pointer)
471     }
472
473     /// Gets a shared reference out of a pin.
474     ///
475     /// This is safe because it is not possible to move out of a shared reference.
476     /// It may seem like there is an issue here with interior mutability: in fact,
477     /// it *is* possible to move a `T` out of a `&RefCell<T>`. However, this is
478     /// not a problem as long as there does not also exist a `Pin<&T>` pointing
479     /// to the same data, and `RefCell` does not let you create a pinned reference
480     /// to its contents. See the discussion on ["pinning projections"] for further
481     /// details.
482     ///
483     /// Note: `Pin` also implements `Deref` to the target, which can be used
484     /// to access the inner value. However, `Deref` only provides a reference
485     /// that lives for as long as the borrow of the `Pin`, not the lifetime of
486     /// the `Pin` itself. This method allows turning the `Pin` into a reference
487     /// with the same lifetime as the original `Pin`.
488     ///
489     /// ["pinning projections"]: ../../std/pin/index.html#projections-and-structural-pinning
490     #[stable(feature = "pin", since = "1.33.0")]
491     #[inline(always)]
492     pub fn get_ref(self: Pin<&'a T>) -> &'a T {
493         self.pointer
494     }
495 }
496
497 impl<'a, T: ?Sized> Pin<&'a mut T> {
498     /// Converts this `Pin<&mut T>` into a `Pin<&T>` with the same lifetime.
499     #[stable(feature = "pin", since = "1.33.0")]
500     #[inline(always)]
501     pub fn into_ref(self: Pin<&'a mut T>) -> Pin<&'a T> {
502         Pin { pointer: self.pointer }
503     }
504
505     /// Gets a mutable reference to the data inside of this `Pin`.
506     ///
507     /// This requires that the data inside this `Pin` is `Unpin`.
508     ///
509     /// Note: `Pin` also implements `DerefMut` to the data, which can be used
510     /// to access the inner value. However, `DerefMut` only provides a reference
511     /// that lives for as long as the borrow of the `Pin`, not the lifetime of
512     /// the `Pin` itself. This method allows turning the `Pin` into a reference
513     /// with the same lifetime as the original `Pin`.
514     #[stable(feature = "pin", since = "1.33.0")]
515     #[inline(always)]
516     pub fn get_mut(self: Pin<&'a mut T>) -> &'a mut T
517         where T: Unpin,
518     {
519         self.pointer
520     }
521
522     /// Gets a mutable reference to the data inside of this `Pin`.
523     ///
524     /// # Safety
525     ///
526     /// This function is unsafe. You must guarantee that you will never move
527     /// the data out of the mutable reference you receive when you call this
528     /// function, so that the invariants on the `Pin` type can be upheld.
529     ///
530     /// If the underlying data is `Unpin`, `Pin::get_mut` should be used
531     /// instead.
532     #[stable(feature = "pin", since = "1.33.0")]
533     #[inline(always)]
534     pub unsafe fn get_unchecked_mut(self: Pin<&'a mut T>) -> &'a mut T {
535         self.pointer
536     }
537
538     /// Construct a new pin by mapping the interior value.
539     ///
540     /// For example, if you  wanted to get a `Pin` of a field of something,
541     /// you could use this to get access to that field in one line of code.
542     /// However, there are several gotchas with these "pinning projections";
543     /// see the [`pin` module] documentation for further details on that topic.
544     ///
545     /// # Safety
546     ///
547     /// This function is unsafe. You must guarantee that the data you return
548     /// will not move so long as the argument value does not move (for example,
549     /// because it is one of the fields of that value), and also that you do
550     /// not move out of the argument you receive to the interior function.
551     ///
552     /// [`pin` module]: ../../std/pin/index.html#projections-and-structural-pinning
553     #[stable(feature = "pin", since = "1.33.0")]
554     pub unsafe fn map_unchecked_mut<U, F>(self: Pin<&'a mut T>, func: F) -> Pin<&'a mut U> where
555         F: FnOnce(&mut T) -> &mut U,
556     {
557         let pointer = Pin::get_unchecked_mut(self);
558         let new_pointer = func(pointer);
559         Pin::new_unchecked(new_pointer)
560     }
561 }
562
563 #[stable(feature = "pin", since = "1.33.0")]
564 impl<P: Deref> Deref for Pin<P> {
565     type Target = P::Target;
566     fn deref(&self) -> &P::Target {
567         Pin::get_ref(Pin::as_ref(self))
568     }
569 }
570
571 #[stable(feature = "pin", since = "1.33.0")]
572 impl<P: DerefMut> DerefMut for Pin<P>
573 where
574     P::Target: Unpin
575 {
576     fn deref_mut(&mut self) -> &mut P::Target {
577         Pin::get_mut(Pin::as_mut(self))
578     }
579 }
580
581 #[unstable(feature = "receiver_trait", issue = "0")]
582 impl<P: Receiver> Receiver for Pin<P> {}
583
584 #[stable(feature = "pin", since = "1.33.0")]
585 impl<P: fmt::Debug> fmt::Debug for Pin<P> {
586     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
587         fmt::Debug::fmt(&self.pointer, f)
588     }
589 }
590
591 #[stable(feature = "pin", since = "1.33.0")]
592 impl<P: fmt::Display> fmt::Display for Pin<P> {
593     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
594         fmt::Display::fmt(&self.pointer, f)
595     }
596 }
597
598 #[stable(feature = "pin", since = "1.33.0")]
599 impl<P: fmt::Pointer> fmt::Pointer for Pin<P> {
600     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
601         fmt::Pointer::fmt(&self.pointer, f)
602     }
603 }
604
605 // Note: this means that any impl of `CoerceUnsized` that allows coercing from
606 // a type that impls `Deref<Target=impl !Unpin>` to a type that impls
607 // `Deref<Target=Unpin>` is unsound. Any such impl would probably be unsound
608 // for other reasons, though, so we just need to take care not to allow such
609 // impls to land in std.
610 #[stable(feature = "pin", since = "1.33.0")]
611 impl<P, U> CoerceUnsized<Pin<U>> for Pin<P>
612 where
613     P: CoerceUnsized<U>,
614 {}
615
616 #[stable(feature = "pin", since = "1.33.0")]
617 impl<'a, P, U> DispatchFromDyn<Pin<U>> for Pin<P>
618 where
619     P: DispatchFromDyn<U>,
620 {}