]> git.lizzy.rs Git - rust.git/blob - src/libcore/mem.rs
Auto merge of #51246 - vakaras:select_polonius_algo_via_env_var, r=nikomatsakis
[rust.git] / src / libcore / mem.rs
1 // Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! Basic functions for dealing with memory.
12 //!
13 //! This module contains functions for querying the size and alignment of
14 //! types, initializing and manipulating memory.
15
16 #![stable(feature = "rust1", since = "1.0.0")]
17
18 use clone;
19 use cmp;
20 use fmt;
21 use hash;
22 use intrinsics;
23 use marker::{Copy, PhantomData, Sized, Unpin, Unsize};
24 use ptr;
25 use ops::{Deref, DerefMut, CoerceUnsized};
26
27 #[stable(feature = "rust1", since = "1.0.0")]
28 pub use intrinsics::transmute;
29
30 /// Leaks a value: takes ownership and "forgets" about the value **without running
31 /// its destructor**.
32 ///
33 /// Any resources the value manages, such as heap memory or a file handle, will linger
34 /// forever in an unreachable state.
35 ///
36 /// If you want to dispose of a value properly, running its destructor, see
37 /// [`mem::drop`][drop].
38 ///
39 /// # Safety
40 ///
41 /// `forget` is not marked as `unsafe`, because Rust's safety guarantees
42 /// do not include a guarantee that destructors will always run. For example,
43 /// a program can create a reference cycle using [`Rc`][rc], or call
44 /// [`process::exit`][exit] to exit without running destructors. Thus, allowing
45 /// `mem::forget` from safe code does not fundamentally change Rust's safety
46 /// guarantees.
47 ///
48 /// That said, leaking resources such as memory or I/O objects is usually undesirable,
49 /// so `forget` is only recommended for specialized use cases like those shown below.
50 ///
51 /// Because forgetting a value is allowed, any `unsafe` code you write must
52 /// allow for this possibility. You cannot return a value and expect that the
53 /// caller will necessarily run the value's destructor.
54 ///
55 /// [rc]: ../../std/rc/struct.Rc.html
56 /// [exit]: ../../std/process/fn.exit.html
57 ///
58 /// # Examples
59 ///
60 /// Leak some heap memory by never deallocating it:
61 ///
62 /// ```
63 /// use std::mem;
64 ///
65 /// let heap_memory = Box::new(3);
66 /// mem::forget(heap_memory);
67 /// ```
68 ///
69 /// Leak an I/O object, never closing the file:
70 ///
71 /// ```no_run
72 /// use std::mem;
73 /// use std::fs::File;
74 ///
75 /// let file = File::open("foo.txt").unwrap();
76 /// mem::forget(file);
77 /// ```
78 ///
79 /// The practical use cases for `forget` are rather specialized and mainly come
80 /// up in unsafe or FFI code.
81 ///
82 /// ## Use case 1
83 ///
84 /// You have created an uninitialized value using [`mem::uninitialized`][uninit].
85 /// You must either initialize or `forget` it on every computation path before
86 /// Rust drops it automatically, like at the end of a scope or after a panic.
87 /// Running the destructor on an uninitialized value would be [undefined behavior][ub].
88 ///
89 /// ```
90 /// use std::mem;
91 /// use std::ptr;
92 ///
93 /// # let some_condition = false;
94 /// unsafe {
95 ///     let mut uninit_vec: Vec<u32> = mem::uninitialized();
96 ///
97 ///     if some_condition {
98 ///         // Initialize the variable.
99 ///         ptr::write(&mut uninit_vec, Vec::new());
100 ///     } else {
101 ///         // Forget the uninitialized value so its destructor doesn't run.
102 ///         mem::forget(uninit_vec);
103 ///     }
104 /// }
105 /// ```
106 ///
107 /// ## Use case 2
108 ///
109 /// You have duplicated the bytes making up a value, without doing a proper
110 /// [`Clone`][clone]. You need the value's destructor to run only once,
111 /// because a double `free` is undefined behavior.
112 ///
113 /// An example is a possible implementation of [`mem::swap`][swap]:
114 ///
115 /// ```
116 /// use std::mem;
117 /// use std::ptr;
118 ///
119 /// # #[allow(dead_code)]
120 /// fn swap<T>(x: &mut T, y: &mut T) {
121 ///     unsafe {
122 ///         // Give ourselves some scratch space to work with
123 ///         let mut t: T = mem::uninitialized();
124 ///
125 ///         // Perform the swap, `&mut` pointers never alias
126 ///         ptr::copy_nonoverlapping(&*x, &mut t, 1);
127 ///         ptr::copy_nonoverlapping(&*y, x, 1);
128 ///         ptr::copy_nonoverlapping(&t, y, 1);
129 ///
130 ///         // y and t now point to the same thing, but we need to completely
131 ///         // forget `t` because we do not want to run the destructor for `T`
132 ///         // on its value, which is still owned somewhere outside this function.
133 ///         mem::forget(t);
134 ///     }
135 /// }
136 /// ```
137 ///
138 /// ## Use case 3
139 ///
140 /// You are transferring ownership across a [FFI] boundary to code written in
141 /// another language. You need to `forget` the value on the Rust side because Rust
142 /// code is no longer responsible for it.
143 ///
144 /// ```no_run
145 /// use std::mem;
146 ///
147 /// extern "C" {
148 ///     fn my_c_function(x: *const u32);
149 /// }
150 ///
151 /// let x: Box<u32> = Box::new(3);
152 ///
153 /// // Transfer ownership into C code.
154 /// unsafe {
155 ///     my_c_function(&*x);
156 /// }
157 /// mem::forget(x);
158 /// ```
159 ///
160 /// In this case, C code must call back into Rust to free the object. Calling C's `free`
161 /// function on a [`Box`][box] is *not* safe! Also, `Box` provides an [`into_raw`][into_raw]
162 /// method which is the preferred way to do this in practice.
163 ///
164 /// [drop]: fn.drop.html
165 /// [uninit]: fn.uninitialized.html
166 /// [clone]: ../clone/trait.Clone.html
167 /// [swap]: fn.swap.html
168 /// [FFI]: ../../book/first-edition/ffi.html
169 /// [box]: ../../std/boxed/struct.Box.html
170 /// [into_raw]: ../../std/boxed/struct.Box.html#method.into_raw
171 /// [ub]: ../../reference/behavior-considered-undefined.html
172 #[inline]
173 #[stable(feature = "rust1", since = "1.0.0")]
174 pub fn forget<T>(t: T) {
175     ManuallyDrop::new(t);
176 }
177
178 /// Returns the size of a type in bytes.
179 ///
180 /// More specifically, this is the offset in bytes between successive elements
181 /// in an array with that item type including alignment padding. Thus, for any
182 /// type `T` and length `n`, `[T; n]` has a size of `n * size_of::<T>()`.
183 ///
184 /// In general, the size of a type is not stable across compilations, but
185 /// specific types such as primitives are.
186 ///
187 /// The following table gives the size for primitives.
188 ///
189 /// Type | size_of::\<Type>()
190 /// ---- | ---------------
191 /// () | 0
192 /// bool | 1
193 /// u8 | 1
194 /// u16 | 2
195 /// u32 | 4
196 /// u64 | 8
197 /// i8 | 1
198 /// i16 | 2
199 /// i32 | 4
200 /// i64 | 8
201 /// f32 | 4
202 /// f64 | 8
203 /// char | 4
204 ///
205 /// Furthermore, `usize` and `isize` have the same size.
206 ///
207 /// The types `*const T`, `&T`, `Box<T>`, `Option<&T>`, and `Option<Box<T>>` all have
208 /// the same size. If `T` is Sized, all of those types have the same size as `usize`.
209 ///
210 /// The mutability of a pointer does not change its size. As such, `&T` and `&mut T`
211 /// have the same size. Likewise for `*const T` and `*mut T`.
212 ///
213 /// # Size of `#[repr(C)]` items
214 ///
215 /// The `C` representation for items has a defined layout. With this layout,
216 /// the size of items is also stable as long as all fields have a stable size.
217 ///
218 /// ## Size of Structs
219 ///
220 /// For `structs`, the size is determined by the following algorithm.
221 ///
222 /// For each field in the struct ordered by declaration order:
223 ///
224 /// 1. Add the size of the field.
225 /// 2. Round up the current size to the nearest multiple of the next field's [alignment].
226 ///
227 /// Finally, round the size of the struct to the nearest multiple of its [alignment].
228 ///
229 /// Unlike `C`, zero sized structs are not rounded up to one byte in size.
230 ///
231 /// ## Size of Enums
232 ///
233 /// Enums that carry no data other than the descriminant have the same size as C enums
234 /// on the platform they are compiled for.
235 ///
236 /// ## Size of Unions
237 ///
238 /// The size of a union is the size of its largest field.
239 ///
240 /// Unlike `C`, zero sized unions are not rounded up to one byte in size.
241 ///
242 /// # Examples
243 ///
244 /// ```
245 /// use std::mem;
246 ///
247 /// // Some primitives
248 /// assert_eq!(4, mem::size_of::<i32>());
249 /// assert_eq!(8, mem::size_of::<f64>());
250 /// assert_eq!(0, mem::size_of::<()>());
251 ///
252 /// // Some arrays
253 /// assert_eq!(8, mem::size_of::<[i32; 2]>());
254 /// assert_eq!(12, mem::size_of::<[i32; 3]>());
255 /// assert_eq!(0, mem::size_of::<[i32; 0]>());
256 ///
257 ///
258 /// // Pointer size equality
259 /// assert_eq!(mem::size_of::<&i32>(), mem::size_of::<*const i32>());
260 /// assert_eq!(mem::size_of::<&i32>(), mem::size_of::<Box<i32>>());
261 /// assert_eq!(mem::size_of::<&i32>(), mem::size_of::<Option<&i32>>());
262 /// assert_eq!(mem::size_of::<Box<i32>>(), mem::size_of::<Option<Box<i32>>>());
263 /// ```
264 ///
265 /// Using `#[repr(C)]`.
266 ///
267 /// ```
268 /// use std::mem;
269 ///
270 /// #[repr(C)]
271 /// struct FieldStruct {
272 ///     first: u8,
273 ///     second: u16,
274 ///     third: u8
275 /// }
276 ///
277 /// // The size of the first field is 1, so add 1 to the size. Size is 1.
278 /// // The alignment of the second field is 2, so add 1 to the size for padding. Size is 2.
279 /// // The size of the second field is 2, so add 2 to the size. Size is 4.
280 /// // The alignment of the third field is 1, so add 0 to the size for padding. Size is 4.
281 /// // The size of the third field is 1, so add 1 to the size. Size is 5.
282 /// // Finally, the alignment of the struct is 2, so add 1 to the size for padding. Size is 6.
283 /// assert_eq!(6, mem::size_of::<FieldStruct>());
284 ///
285 /// #[repr(C)]
286 /// struct TupleStruct(u8, u16, u8);
287 ///
288 /// // Tuple structs follow the same rules.
289 /// assert_eq!(6, mem::size_of::<TupleStruct>());
290 ///
291 /// // Note that reordering the fields can lower the size. We can remove both padding bytes
292 /// // by putting `third` before `second`.
293 /// #[repr(C)]
294 /// struct FieldStructOptimized {
295 ///     first: u8,
296 ///     third: u8,
297 ///     second: u16
298 /// }
299 ///
300 /// assert_eq!(4, mem::size_of::<FieldStructOptimized>());
301 ///
302 /// // Union size is the size of the largest field.
303 /// #[repr(C)]
304 /// union ExampleUnion {
305 ///     smaller: u8,
306 ///     larger: u16
307 /// }
308 ///
309 /// assert_eq!(2, mem::size_of::<ExampleUnion>());
310 /// ```
311 ///
312 /// [alignment]: ./fn.align_of.html
313 #[inline]
314 #[stable(feature = "rust1", since = "1.0.0")]
315 pub const fn size_of<T>() -> usize {
316     unsafe { intrinsics::size_of::<T>() }
317 }
318
319 /// Returns the size of the pointed-to value in bytes.
320 ///
321 /// This is usually the same as `size_of::<T>()`. However, when `T` *has* no
322 /// statically known size, e.g. a slice [`[T]`][slice] or a [trait object],
323 /// then `size_of_val` can be used to get the dynamically-known size.
324 ///
325 /// [slice]: ../../std/primitive.slice.html
326 /// [trait object]: ../../book/first-edition/trait-objects.html
327 ///
328 /// # Examples
329 ///
330 /// ```
331 /// use std::mem;
332 ///
333 /// assert_eq!(4, mem::size_of_val(&5i32));
334 ///
335 /// let x: [u8; 13] = [0; 13];
336 /// let y: &[u8] = &x;
337 /// assert_eq!(13, mem::size_of_val(y));
338 /// ```
339 #[inline]
340 #[stable(feature = "rust1", since = "1.0.0")]
341 pub fn size_of_val<T: ?Sized>(val: &T) -> usize {
342     unsafe { intrinsics::size_of_val(val) }
343 }
344
345 /// Returns the [ABI]-required minimum alignment of a type.
346 ///
347 /// Every reference to a value of the type `T` must be a multiple of this number.
348 ///
349 /// This is the alignment used for struct fields. It may be smaller than the preferred alignment.
350 ///
351 /// [ABI]: https://en.wikipedia.org/wiki/Application_binary_interface
352 ///
353 /// # Examples
354 ///
355 /// ```
356 /// # #![allow(deprecated)]
357 /// use std::mem;
358 ///
359 /// assert_eq!(4, mem::min_align_of::<i32>());
360 /// ```
361 #[inline]
362 #[stable(feature = "rust1", since = "1.0.0")]
363 #[rustc_deprecated(reason = "use `align_of` instead", since = "1.2.0")]
364 pub fn min_align_of<T>() -> usize {
365     unsafe { intrinsics::min_align_of::<T>() }
366 }
367
368 /// Returns the [ABI]-required minimum alignment of the type of the value that `val` points to.
369 ///
370 /// Every reference to a value of the type `T` must be a multiple of this number.
371 ///
372 /// [ABI]: https://en.wikipedia.org/wiki/Application_binary_interface
373 ///
374 /// # Examples
375 ///
376 /// ```
377 /// # #![allow(deprecated)]
378 /// use std::mem;
379 ///
380 /// assert_eq!(4, mem::min_align_of_val(&5i32));
381 /// ```
382 #[inline]
383 #[stable(feature = "rust1", since = "1.0.0")]
384 #[rustc_deprecated(reason = "use `align_of_val` instead", since = "1.2.0")]
385 pub fn min_align_of_val<T: ?Sized>(val: &T) -> usize {
386     unsafe { intrinsics::min_align_of_val(val) }
387 }
388
389 /// Returns the [ABI]-required minimum alignment of a type.
390 ///
391 /// Every reference to a value of the type `T` must be a multiple of this number.
392 ///
393 /// This is the alignment used for struct fields. It may be smaller than the preferred alignment.
394 ///
395 /// [ABI]: https://en.wikipedia.org/wiki/Application_binary_interface
396 ///
397 /// # Examples
398 ///
399 /// ```
400 /// use std::mem;
401 ///
402 /// assert_eq!(4, mem::align_of::<i32>());
403 /// ```
404 #[inline]
405 #[stable(feature = "rust1", since = "1.0.0")]
406 pub const fn align_of<T>() -> usize {
407     unsafe { intrinsics::min_align_of::<T>() }
408 }
409
410 /// Returns the [ABI]-required minimum alignment of the type of the value that `val` points to.
411 ///
412 /// Every reference to a value of the type `T` must be a multiple of this number.
413 ///
414 /// [ABI]: https://en.wikipedia.org/wiki/Application_binary_interface
415 ///
416 /// # Examples
417 ///
418 /// ```
419 /// use std::mem;
420 ///
421 /// assert_eq!(4, mem::align_of_val(&5i32));
422 /// ```
423 #[inline]
424 #[stable(feature = "rust1", since = "1.0.0")]
425 pub fn align_of_val<T: ?Sized>(val: &T) -> usize {
426     unsafe { intrinsics::min_align_of_val(val) }
427 }
428
429 /// Returns whether dropping values of type `T` matters.
430 ///
431 /// This is purely an optimization hint, and may be implemented conservatively:
432 /// it may return `true` for types that don't actually need to be dropped.
433 /// As such always returning `true` would be a valid implementation of
434 /// this function. However if this function actually returns `false`, then you
435 /// can be certain dropping `T` has no side effect.
436 ///
437 /// Low level implementations of things like collections, which need to manually
438 /// drop their data, should use this function to avoid unnecessarily
439 /// trying to drop all their contents when they are destroyed. This might not
440 /// make a difference in release builds (where a loop that has no side-effects
441 /// is easily detected and eliminated), but is often a big win for debug builds.
442 ///
443 /// Note that `ptr::drop_in_place` already performs this check, so if your workload
444 /// can be reduced to some small number of drop_in_place calls, using this is
445 /// unnecessary. In particular note that you can drop_in_place a slice, and that
446 /// will do a single needs_drop check for all the values.
447 ///
448 /// Types like Vec therefore just `drop_in_place(&mut self[..])` without using
449 /// needs_drop explicitly. Types like HashMap, on the other hand, have to drop
450 /// values one at a time and should use this API.
451 ///
452 ///
453 /// # Examples
454 ///
455 /// Here's an example of how a collection might make use of needs_drop:
456 ///
457 /// ```
458 /// use std::{mem, ptr};
459 ///
460 /// pub struct MyCollection<T> {
461 /// #   data: [T; 1],
462 ///     /* ... */
463 /// }
464 /// # impl<T> MyCollection<T> {
465 /// #   fn iter_mut(&mut self) -> &mut [T] { &mut self.data }
466 /// #   fn free_buffer(&mut self) {}
467 /// # }
468 ///
469 /// impl<T> Drop for MyCollection<T> {
470 ///     fn drop(&mut self) {
471 ///         unsafe {
472 ///             // drop the data
473 ///             if mem::needs_drop::<T>() {
474 ///                 for x in self.iter_mut() {
475 ///                     ptr::drop_in_place(x);
476 ///                 }
477 ///             }
478 ///             self.free_buffer();
479 ///         }
480 ///     }
481 /// }
482 /// ```
483 #[inline]
484 #[stable(feature = "needs_drop", since = "1.21.0")]
485 pub fn needs_drop<T>() -> bool {
486     unsafe { intrinsics::needs_drop::<T>() }
487 }
488
489 /// Creates a value whose bytes are all zero.
490 ///
491 /// This has the same effect as allocating space with
492 /// [`mem::uninitialized`][uninit] and then zeroing it out. It is useful for
493 /// [FFI] sometimes, but should generally be avoided.
494 ///
495 /// There is no guarantee that an all-zero byte-pattern represents a valid value of
496 /// some type `T`. If `T` has a destructor and the value is destroyed (due to
497 /// a panic or the end of a scope) before being initialized, then the destructor
498 /// will run on zeroed data, likely leading to [undefined behavior][ub].
499 ///
500 /// See also the documentation for [`mem::uninitialized`][uninit], which has
501 /// many of the same caveats.
502 ///
503 /// [uninit]: fn.uninitialized.html
504 /// [FFI]: ../../book/first-edition/ffi.html
505 /// [ub]: ../../reference/behavior-considered-undefined.html
506 ///
507 /// # Examples
508 ///
509 /// ```
510 /// use std::mem;
511 ///
512 /// let x: i32 = unsafe { mem::zeroed() };
513 /// assert_eq!(0, x);
514 /// ```
515 #[inline]
516 #[stable(feature = "rust1", since = "1.0.0")]
517 pub unsafe fn zeroed<T>() -> T {
518     intrinsics::init()
519 }
520
521 /// Bypasses Rust's normal memory-initialization checks by pretending to
522 /// produce a value of type `T`, while doing nothing at all.
523 ///
524 /// **This is incredibly dangerous and should not be done lightly. Deeply
525 /// consider initializing your memory with a default value instead.**
526 ///
527 /// This is useful for [FFI] functions and initializing arrays sometimes,
528 /// but should generally be avoided.
529 ///
530 /// [FFI]: ../../book/first-edition/ffi.html
531 ///
532 /// # Undefined behavior
533 ///
534 /// It is [undefined behavior][ub] to read uninitialized memory, even just an
535 /// uninitialized boolean. For instance, if you branch on the value of such
536 /// a boolean, your program may take one, both, or neither of the branches.
537 ///
538 /// Writing to the uninitialized value is similarly dangerous. Rust believes the
539 /// value is initialized, and will therefore try to [`Drop`] the uninitialized
540 /// value and its fields if you try to overwrite it in a normal manner. The only way
541 /// to safely initialize an uninitialized value is with [`ptr::write`][write],
542 /// [`ptr::copy`][copy], or [`ptr::copy_nonoverlapping`][copy_no].
543 ///
544 /// If the value does implement [`Drop`], it must be initialized before
545 /// it goes out of scope (and therefore would be dropped). Note that this
546 /// includes a `panic` occurring and unwinding the stack suddenly.
547 ///
548 /// # Examples
549 ///
550 /// Here's how to safely initialize an array of [`Vec`]s.
551 ///
552 /// ```
553 /// use std::mem;
554 /// use std::ptr;
555 ///
556 /// // Only declare the array. This safely leaves it
557 /// // uninitialized in a way that Rust will track for us.
558 /// // However we can't initialize it element-by-element
559 /// // safely, and we can't use the `[value; 1000]`
560 /// // constructor because it only works with `Copy` data.
561 /// let mut data: [Vec<u32>; 1000];
562 ///
563 /// unsafe {
564 ///     // So we need to do this to initialize it.
565 ///     data = mem::uninitialized();
566 ///
567 ///     // DANGER ZONE: if anything panics or otherwise
568 ///     // incorrectly reads the array here, we will have
569 ///     // Undefined Behavior.
570 ///
571 ///     // It's ok to mutably iterate the data, since this
572 ///     // doesn't involve reading it at all.
573 ///     // (ptr and len are statically known for arrays)
574 ///     for elem in &mut data[..] {
575 ///         // *elem = Vec::new() would try to drop the
576 ///         // uninitialized memory at `elem` -- bad!
577 ///         //
578 ///         // Vec::new doesn't allocate or do really
579 ///         // anything. It's only safe to call here
580 ///         // because we know it won't panic.
581 ///         ptr::write(elem, Vec::new());
582 ///     }
583 ///
584 ///     // SAFE ZONE: everything is initialized.
585 /// }
586 ///
587 /// println!("{:?}", &data[0]);
588 /// ```
589 ///
590 /// This example emphasizes exactly how delicate and dangerous using `mem::uninitialized`
591 /// can be. Note that the [`vec!`] macro *does* let you initialize every element with a
592 /// value that is only [`Clone`], so the following is semantically equivalent and
593 /// vastly less dangerous, as long as you can live with an extra heap
594 /// allocation:
595 ///
596 /// ```
597 /// let data: Vec<Vec<u32>> = vec![Vec::new(); 1000];
598 /// println!("{:?}", &data[0]);
599 /// ```
600 ///
601 /// [`Vec`]: ../../std/vec/struct.Vec.html
602 /// [`vec!`]: ../../std/macro.vec.html
603 /// [`Clone`]: ../../std/clone/trait.Clone.html
604 /// [ub]: ../../reference/behavior-considered-undefined.html
605 /// [write]: ../ptr/fn.write.html
606 /// [copy]: ../intrinsics/fn.copy.html
607 /// [copy_no]: ../intrinsics/fn.copy_nonoverlapping.html
608 /// [`Drop`]: ../ops/trait.Drop.html
609 #[inline]
610 #[stable(feature = "rust1", since = "1.0.0")]
611 pub unsafe fn uninitialized<T>() -> T {
612     intrinsics::uninit()
613 }
614
615 /// Swaps the values at two mutable locations, without deinitializing either one.
616 ///
617 /// # Examples
618 ///
619 /// ```
620 /// use std::mem;
621 ///
622 /// let mut x = 5;
623 /// let mut y = 42;
624 ///
625 /// mem::swap(&mut x, &mut y);
626 ///
627 /// assert_eq!(42, x);
628 /// assert_eq!(5, y);
629 /// ```
630 #[inline]
631 #[stable(feature = "rust1", since = "1.0.0")]
632 pub fn swap<T>(x: &mut T, y: &mut T) {
633     unsafe {
634         ptr::swap_nonoverlapping(x, y, 1);
635     }
636 }
637
638 /// Moves `src` into the referenced `dest`, returning the previous `dest` value.
639 ///
640 /// Neither value is dropped.
641 ///
642 /// # Examples
643 ///
644 /// A simple example:
645 ///
646 /// ```
647 /// use std::mem;
648 ///
649 /// let mut v: Vec<i32> = vec![1, 2];
650 ///
651 /// let old_v = mem::replace(&mut v, vec![3, 4, 5]);
652 /// assert_eq!(2, old_v.len());
653 /// assert_eq!(3, v.len());
654 /// ```
655 ///
656 /// `replace` allows consumption of a struct field by replacing it with another value.
657 /// Without `replace` you can run into issues like these:
658 ///
659 /// ```compile_fail,E0507
660 /// struct Buffer<T> { buf: Vec<T> }
661 ///
662 /// impl<T> Buffer<T> {
663 ///     fn get_and_reset(&mut self) -> Vec<T> {
664 ///         // error: cannot move out of dereference of `&mut`-pointer
665 ///         let buf = self.buf;
666 ///         self.buf = Vec::new();
667 ///         buf
668 ///     }
669 /// }
670 /// ```
671 ///
672 /// Note that `T` does not necessarily implement [`Clone`], so it can't even clone and reset
673 /// `self.buf`. But `replace` can be used to disassociate the original value of `self.buf` from
674 /// `self`, allowing it to be returned:
675 ///
676 /// ```
677 /// # #![allow(dead_code)]
678 /// use std::mem;
679 ///
680 /// # struct Buffer<T> { buf: Vec<T> }
681 /// impl<T> Buffer<T> {
682 ///     fn get_and_reset(&mut self) -> Vec<T> {
683 ///         mem::replace(&mut self.buf, Vec::new())
684 ///     }
685 /// }
686 /// ```
687 ///
688 /// [`Clone`]: ../../std/clone/trait.Clone.html
689 #[inline]
690 #[stable(feature = "rust1", since = "1.0.0")]
691 pub fn replace<T>(dest: &mut T, mut src: T) -> T {
692     swap(dest, &mut src);
693     src
694 }
695
696 /// Disposes of a value.
697 ///
698 /// While this does call the argument's implementation of [`Drop`][drop],
699 /// it will not release any borrows, as borrows are based on lexical scope.
700 ///
701 /// This effectively does nothing for
702 /// [types which implement `Copy`](../../book/first-edition/ownership.html#copy-types),
703 /// e.g. integers. Such values are copied and _then_ moved into the function,
704 /// so the value persists after this function call.
705 ///
706 /// This function is not magic; it is literally defined as
707 ///
708 /// ```
709 /// pub fn drop<T>(_x: T) { }
710 /// ```
711 ///
712 /// Because `_x` is moved into the function, it is automatically dropped before
713 /// the function returns.
714 ///
715 /// [drop]: ../ops/trait.Drop.html
716 ///
717 /// # Examples
718 ///
719 /// Basic usage:
720 ///
721 /// ```
722 /// let v = vec![1, 2, 3];
723 ///
724 /// drop(v); // explicitly drop the vector
725 /// ```
726 ///
727 /// Borrows are based on lexical scope, so this produces an error:
728 ///
729 /// ```compile_fail,E0502
730 /// let mut v = vec![1, 2, 3];
731 /// let x = &v[0];
732 ///
733 /// drop(x); // explicitly drop the reference, but the borrow still exists
734 ///
735 /// v.push(4); // error: cannot borrow `v` as mutable because it is also
736 ///            // borrowed as immutable
737 /// ```
738 ///
739 /// An inner scope is needed to fix this:
740 ///
741 /// ```
742 /// let mut v = vec![1, 2, 3];
743 ///
744 /// {
745 ///     let x = &v[0];
746 ///
747 ///     drop(x); // this is now redundant, as `x` is going out of scope anyway
748 /// }
749 ///
750 /// v.push(4); // no problems
751 /// ```
752 ///
753 /// Since [`RefCell`] enforces the borrow rules at runtime, `drop` can
754 /// release a [`RefCell`] borrow:
755 ///
756 /// ```
757 /// use std::cell::RefCell;
758 ///
759 /// let x = RefCell::new(1);
760 ///
761 /// let mut mutable_borrow = x.borrow_mut();
762 /// *mutable_borrow = 1;
763 ///
764 /// drop(mutable_borrow); // relinquish the mutable borrow on this slot
765 ///
766 /// let borrow = x.borrow();
767 /// println!("{}", *borrow);
768 /// ```
769 ///
770 /// Integers and other types implementing [`Copy`] are unaffected by `drop`.
771 ///
772 /// ```
773 /// #[derive(Copy, Clone)]
774 /// struct Foo(u8);
775 ///
776 /// let x = 1;
777 /// let y = Foo(2);
778 /// drop(x); // a copy of `x` is moved and dropped
779 /// drop(y); // a copy of `y` is moved and dropped
780 ///
781 /// println!("x: {}, y: {}", x, y.0); // still available
782 /// ```
783 ///
784 /// [`RefCell`]: ../../std/cell/struct.RefCell.html
785 /// [`Copy`]: ../../std/marker/trait.Copy.html
786 #[inline]
787 #[stable(feature = "rust1", since = "1.0.0")]
788 pub fn drop<T>(_x: T) { }
789
790 /// Interprets `src` as having type `&U`, and then reads `src` without moving
791 /// the contained value.
792 ///
793 /// This function will unsafely assume the pointer `src` is valid for
794 /// [`size_of::<U>`][size_of] bytes by transmuting `&T` to `&U` and then reading
795 /// the `&U`. It will also unsafely create a copy of the contained value instead of
796 /// moving out of `src`.
797 ///
798 /// It is not a compile-time error if `T` and `U` have different sizes, but it
799 /// is highly encouraged to only invoke this function where `T` and `U` have the
800 /// same size. This function triggers [undefined behavior][ub] if `U` is larger than
801 /// `T`.
802 ///
803 /// [ub]: ../../reference/behavior-considered-undefined.html
804 /// [size_of]: fn.size_of.html
805 ///
806 /// # Examples
807 ///
808 /// ```
809 /// use std::mem;
810 ///
811 /// #[repr(packed)]
812 /// struct Foo {
813 ///     bar: u8,
814 /// }
815 ///
816 /// let foo_slice = [10u8];
817 ///
818 /// unsafe {
819 ///     // Copy the data from 'foo_slice' and treat it as a 'Foo'
820 ///     let mut foo_struct: Foo = mem::transmute_copy(&foo_slice);
821 ///     assert_eq!(foo_struct.bar, 10);
822 ///
823 ///     // Modify the copied data
824 ///     foo_struct.bar = 20;
825 ///     assert_eq!(foo_struct.bar, 20);
826 /// }
827 ///
828 /// // The contents of 'foo_slice' should not have changed
829 /// assert_eq!(foo_slice, [10]);
830 /// ```
831 #[inline]
832 #[stable(feature = "rust1", since = "1.0.0")]
833 pub unsafe fn transmute_copy<T, U>(src: &T) -> U {
834     ptr::read(src as *const T as *const U)
835 }
836
837 /// Opaque type representing the discriminant of an enum.
838 ///
839 /// See the [`discriminant`] function in this module for more information.
840 ///
841 /// [`discriminant`]: fn.discriminant.html
842 #[stable(feature = "discriminant_value", since = "1.21.0")]
843 pub struct Discriminant<T>(u64, PhantomData<fn() -> T>);
844
845 // N.B. These trait implementations cannot be derived because we don't want any bounds on T.
846
847 #[stable(feature = "discriminant_value", since = "1.21.0")]
848 impl<T> Copy for Discriminant<T> {}
849
850 #[stable(feature = "discriminant_value", since = "1.21.0")]
851 impl<T> clone::Clone for Discriminant<T> {
852     fn clone(&self) -> Self {
853         *self
854     }
855 }
856
857 #[stable(feature = "discriminant_value", since = "1.21.0")]
858 impl<T> cmp::PartialEq for Discriminant<T> {
859     fn eq(&self, rhs: &Self) -> bool {
860         self.0 == rhs.0
861     }
862 }
863
864 #[stable(feature = "discriminant_value", since = "1.21.0")]
865 impl<T> cmp::Eq for Discriminant<T> {}
866
867 #[stable(feature = "discriminant_value", since = "1.21.0")]
868 impl<T> hash::Hash for Discriminant<T> {
869     fn hash<H: hash::Hasher>(&self, state: &mut H) {
870         self.0.hash(state);
871     }
872 }
873
874 #[stable(feature = "discriminant_value", since = "1.21.0")]
875 impl<T> fmt::Debug for Discriminant<T> {
876     fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
877         fmt.debug_tuple("Discriminant")
878            .field(&self.0)
879            .finish()
880     }
881 }
882
883 /// Returns a value uniquely identifying the enum variant in `v`.
884 ///
885 /// If `T` is not an enum, calling this function will not result in undefined behavior, but the
886 /// return value is unspecified.
887 ///
888 /// # Stability
889 ///
890 /// The discriminant of an enum variant may change if the enum definition changes. A discriminant
891 /// of some variant will not change between compilations with the same compiler.
892 ///
893 /// # Examples
894 ///
895 /// This can be used to compare enums that carry data, while disregarding
896 /// the actual data:
897 ///
898 /// ```
899 /// use std::mem;
900 ///
901 /// enum Foo { A(&'static str), B(i32), C(i32) }
902 ///
903 /// assert!(mem::discriminant(&Foo::A("bar")) == mem::discriminant(&Foo::A("baz")));
904 /// assert!(mem::discriminant(&Foo::B(1))     == mem::discriminant(&Foo::B(2)));
905 /// assert!(mem::discriminant(&Foo::B(3))     != mem::discriminant(&Foo::C(3)));
906 /// ```
907 #[stable(feature = "discriminant_value", since = "1.21.0")]
908 pub fn discriminant<T>(v: &T) -> Discriminant<T> {
909     unsafe {
910         Discriminant(intrinsics::discriminant_value(v), PhantomData)
911     }
912 }
913
914
915 /// A wrapper to inhibit compiler from automatically calling `T`’s destructor.
916 ///
917 /// This wrapper is 0-cost.
918 ///
919 /// # Examples
920 ///
921 /// This wrapper helps with explicitly documenting the drop order dependencies between fields of
922 /// the type:
923 ///
924 /// ```rust
925 /// use std::mem::ManuallyDrop;
926 /// struct Peach;
927 /// struct Banana;
928 /// struct Melon;
929 /// struct FruitBox {
930 ///     // Immediately clear there’s something non-trivial going on with these fields.
931 ///     peach: ManuallyDrop<Peach>,
932 ///     melon: Melon, // Field that’s independent of the other two.
933 ///     banana: ManuallyDrop<Banana>,
934 /// }
935 ///
936 /// impl Drop for FruitBox {
937 ///     fn drop(&mut self) {
938 ///         unsafe {
939 ///             // Explicit ordering in which field destructors are run specified in the intuitive
940 ///             // location – the destructor of the structure containing the fields.
941 ///             // Moreover, one can now reorder fields within the struct however much they want.
942 ///             ManuallyDrop::drop(&mut self.peach);
943 ///             ManuallyDrop::drop(&mut self.banana);
944 ///         }
945 ///         // After destructor for `FruitBox` runs (this function), the destructor for Melon gets
946 ///         // invoked in the usual manner, as it is not wrapped in `ManuallyDrop`.
947 ///     }
948 /// }
949 /// ```
950 #[stable(feature = "manually_drop", since = "1.20.0")]
951 #[allow(unions_with_drop_fields)]
952 #[derive(Copy)]
953 pub union ManuallyDrop<T>{ value: T }
954
955 impl<T> ManuallyDrop<T> {
956     /// Wrap a value to be manually dropped.
957     ///
958     /// # Examples
959     ///
960     /// ```rust
961     /// use std::mem::ManuallyDrop;
962     /// ManuallyDrop::new(Box::new(()));
963     /// ```
964     #[stable(feature = "manually_drop", since = "1.20.0")]
965     #[rustc_const_unstable(feature = "const_manually_drop_new")]
966     #[inline]
967     pub const fn new(value: T) -> ManuallyDrop<T> {
968         ManuallyDrop { value: value }
969     }
970
971     /// Extract the value from the ManuallyDrop container.
972     ///
973     /// # Examples
974     ///
975     /// ```rust
976     /// use std::mem::ManuallyDrop;
977     /// let x = ManuallyDrop::new(Box::new(()));
978     /// let _: Box<()> = ManuallyDrop::into_inner(x);
979     /// ```
980     #[stable(feature = "manually_drop", since = "1.20.0")]
981     #[inline]
982     pub fn into_inner(slot: ManuallyDrop<T>) -> T {
983         unsafe {
984             slot.value
985         }
986     }
987
988     /// Manually drops the contained value.
989     ///
990     /// # Safety
991     ///
992     /// This function runs the destructor of the contained value and thus the wrapped value
993     /// now represents uninitialized data. It is up to the user of this method to ensure the
994     /// uninitialized data is not actually used.
995     #[stable(feature = "manually_drop", since = "1.20.0")]
996     #[inline]
997     pub unsafe fn drop(slot: &mut ManuallyDrop<T>) {
998         ptr::drop_in_place(&mut slot.value)
999     }
1000 }
1001
1002 #[stable(feature = "manually_drop", since = "1.20.0")]
1003 impl<T> Deref for ManuallyDrop<T> {
1004     type Target = T;
1005     #[inline]
1006     fn deref(&self) -> &Self::Target {
1007         unsafe {
1008             &self.value
1009         }
1010     }
1011 }
1012
1013 #[stable(feature = "manually_drop", since = "1.20.0")]
1014 impl<T> DerefMut for ManuallyDrop<T> {
1015     #[inline]
1016     fn deref_mut(&mut self) -> &mut Self::Target {
1017         unsafe {
1018             &mut self.value
1019         }
1020     }
1021 }
1022
1023 #[stable(feature = "manually_drop", since = "1.20.0")]
1024 impl<T: ::fmt::Debug> ::fmt::Debug for ManuallyDrop<T> {
1025     fn fmt(&self, fmt: &mut ::fmt::Formatter) -> ::fmt::Result {
1026         unsafe {
1027             fmt.debug_tuple("ManuallyDrop").field(&self.value).finish()
1028         }
1029     }
1030 }
1031
1032 #[stable(feature = "manually_drop_impls", since = "1.22.0")]
1033 impl<T: Clone> Clone for ManuallyDrop<T> {
1034     fn clone(&self) -> Self {
1035         ManuallyDrop::new(self.deref().clone())
1036     }
1037
1038     fn clone_from(&mut self, source: &Self) {
1039         self.deref_mut().clone_from(source);
1040     }
1041 }
1042
1043 #[stable(feature = "manually_drop_impls", since = "1.22.0")]
1044 impl<T: Default> Default for ManuallyDrop<T> {
1045     fn default() -> Self {
1046         ManuallyDrop::new(Default::default())
1047     }
1048 }
1049
1050 #[stable(feature = "manually_drop_impls", since = "1.22.0")]
1051 impl<T: PartialEq> PartialEq for ManuallyDrop<T> {
1052     fn eq(&self, other: &Self) -> bool {
1053         self.deref().eq(other)
1054     }
1055
1056     fn ne(&self, other: &Self) -> bool {
1057         self.deref().ne(other)
1058     }
1059 }
1060
1061 #[stable(feature = "manually_drop_impls", since = "1.22.0")]
1062 impl<T: Eq> Eq for ManuallyDrop<T> {}
1063
1064 #[stable(feature = "manually_drop_impls", since = "1.22.0")]
1065 impl<T: PartialOrd> PartialOrd for ManuallyDrop<T> {
1066     fn partial_cmp(&self, other: &Self) -> Option<::cmp::Ordering> {
1067         self.deref().partial_cmp(other)
1068     }
1069
1070     fn lt(&self, other: &Self) -> bool {
1071         self.deref().lt(other)
1072     }
1073
1074     fn le(&self, other: &Self) -> bool {
1075         self.deref().le(other)
1076     }
1077
1078     fn gt(&self, other: &Self) -> bool {
1079         self.deref().gt(other)
1080     }
1081
1082     fn ge(&self, other: &Self) -> bool {
1083         self.deref().ge(other)
1084     }
1085 }
1086
1087 #[stable(feature = "manually_drop_impls", since = "1.22.0")]
1088 impl<T: Ord> Ord for ManuallyDrop<T> {
1089     fn cmp(&self, other: &Self) -> ::cmp::Ordering {
1090         self.deref().cmp(other)
1091     }
1092 }
1093
1094 #[stable(feature = "manually_drop_impls", since = "1.22.0")]
1095 impl<T: ::hash::Hash> ::hash::Hash for ManuallyDrop<T> {
1096     fn hash<H: ::hash::Hasher>(&self, state: &mut H) {
1097         self.deref().hash(state);
1098     }
1099 }
1100
1101 /// A pinned reference.
1102 ///
1103 /// A pinned reference is a lot like a mutable reference, except that it is not
1104 /// safe to move a value out of a pinned reference unless the type of that
1105 /// value implements the `Unpin` trait.
1106 #[unstable(feature = "pin", issue = "49150")]
1107 #[fundamental]
1108 pub struct PinMut<'a, T: ?Sized + 'a> {
1109     inner: &'a mut T,
1110 }
1111
1112 #[unstable(feature = "pin", issue = "49150")]
1113 impl<'a, T: ?Sized + Unpin> PinMut<'a, T> {
1114     /// Construct a new `PinMut` around a reference to some data of a type that
1115     /// implements `Unpin`.
1116     #[unstable(feature = "pin", issue = "49150")]
1117     pub fn new(reference: &'a mut T) -> PinMut<'a, T> {
1118         PinMut { inner: reference }
1119     }
1120 }
1121
1122
1123 #[unstable(feature = "pin", issue = "49150")]
1124 impl<'a, T: ?Sized> PinMut<'a, T> {
1125     /// Construct a new `PinMut` around a reference to some data of a type that
1126     /// may or may not implement `Unpin`.
1127     ///
1128     /// This constructor is unsafe because we do not know what will happen with
1129     /// that data after the reference ends. If you cannot guarantee that the
1130     /// data will never move again, calling this constructor is invalid.
1131     #[unstable(feature = "pin", issue = "49150")]
1132     pub unsafe fn new_unchecked(reference: &'a mut T) -> PinMut<'a, T> {
1133         PinMut { inner: reference }
1134     }
1135
1136     /// Reborrow a `PinMut` for a shorter lifetime.
1137     ///
1138     /// For example, `PinMut::get_mut(x.reborrow())` (unsafely) returns a
1139     /// short-lived mutable reference reborrowing from `x`.
1140     #[unstable(feature = "pin", issue = "49150")]
1141     pub fn reborrow<'b>(&'b mut self) -> PinMut<'b, T> {
1142         PinMut { inner: self.inner }
1143     }
1144
1145     /// Get a mutable reference to the data inside of this `PinMut`.
1146     ///
1147     /// This function is unsafe. You must guarantee that you will never move
1148     /// the data out of the mutable reference you receive when you call this
1149     /// function.
1150     #[unstable(feature = "pin", issue = "49150")]
1151     pub unsafe fn get_mut(this: PinMut<'a, T>) -> &'a mut T {
1152         this.inner
1153     }
1154
1155     /// Construct a new pin by mapping the interior value.
1156     ///
1157     /// For example, if you  wanted to get a `PinMut` of a field of something, you
1158     /// could use this to get access to that field in one line of code.
1159     ///
1160     /// This function is unsafe. You must guarantee that the data you return
1161     /// will not move so long as the argument value does not move (for example,
1162     /// because it is one of the fields of that value), and also that you do
1163     /// not move out of the argument you receive to the interior function.
1164     #[unstable(feature = "pin", issue = "49150")]
1165     pub unsafe fn map<U, F>(this: PinMut<'a, T>, f: F) -> PinMut<'a, U> where
1166         F: FnOnce(&mut T) -> &mut U
1167     {
1168         PinMut { inner: f(this.inner) }
1169     }
1170
1171     /// Assign a new value to the memory behind the pinned reference.
1172     #[unstable(feature = "pin", issue = "49150")]
1173     pub fn set(this: PinMut<'a, T>, value: T)
1174         where T: Sized,
1175     {
1176         *this.inner = value;
1177     }
1178 }
1179
1180 #[unstable(feature = "pin", issue = "49150")]
1181 impl<'a, T: ?Sized> Deref for PinMut<'a, T> {
1182     type Target = T;
1183
1184     fn deref(&self) -> &T {
1185         &*self.inner
1186     }
1187 }
1188
1189 #[unstable(feature = "pin", issue = "49150")]
1190 impl<'a, T: ?Sized + Unpin> DerefMut for PinMut<'a, T> {
1191     fn deref_mut(&mut self) -> &mut T {
1192         self.inner
1193     }
1194 }
1195
1196 #[unstable(feature = "pin", issue = "49150")]
1197 impl<'a, T: fmt::Debug + ?Sized> fmt::Debug for PinMut<'a, T> {
1198     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1199         fmt::Debug::fmt(&**self, f)
1200     }
1201 }
1202
1203 #[unstable(feature = "pin", issue = "49150")]
1204 impl<'a, T: fmt::Display + ?Sized> fmt::Display for PinMut<'a, T> {
1205     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1206         fmt::Display::fmt(&**self, f)
1207     }
1208 }
1209
1210 #[unstable(feature = "pin", issue = "49150")]
1211 impl<'a, T: ?Sized> fmt::Pointer for PinMut<'a, T> {
1212     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1213         fmt::Pointer::fmt(&(&*self.inner as *const T), f)
1214     }
1215 }
1216
1217 #[unstable(feature = "pin", issue = "49150")]
1218 impl<'a, T: ?Sized + Unsize<U>, U: ?Sized> CoerceUnsized<PinMut<'a, U>> for PinMut<'a, T> {}
1219
1220 #[unstable(feature = "pin", issue = "49150")]
1221 impl<'a, T: ?Sized> Unpin for PinMut<'a, T> {}