alloc/boxed.rs
1//! The `Box<T>` type for heap allocation.
2//!
3//! [`Box<T>`], casually referred to as a 'box', provides the simplest form of
4//! heap allocation in Rust. Boxes provide ownership for this allocation, and
5//! drop their contents when they go out of scope. Boxes also ensure that they
6//! never allocate more than `isize::MAX` bytes.
7//!
8//! # Examples
9//!
10//! Move a value from the stack to the heap by creating a [`Box`]:
11//!
12//! ```
13//! let val: u8 = 5;
14//! let boxed: Box<u8> = Box::new(val);
15//! ```
16//!
17//! Move a value from a [`Box`] back to the stack by [dereferencing]:
18//!
19//! ```
20//! let boxed: Box<u8> = Box::new(5);
21//! let val: u8 = *boxed;
22//! ```
23//!
24//! Creating a recursive data structure:
25//!
26//! ```
27//! # #[allow(dead_code)]
28//! #[derive(Debug)]
29//! enum List<T> {
30//! Cons(T, Box<List<T>>),
31//! Nil,
32//! }
33//!
34//! let list: List<i32> = List::Cons(1, Box::new(List::Cons(2, Box::new(List::Nil))));
35//! println!("{list:?}");
36//! ```
37//!
38//! This will print `Cons(1, Cons(2, Nil))`.
39//!
40//! Recursive structures must be boxed, because if the definition of `Cons`
41//! looked like this:
42//!
43//! ```compile_fail,E0072
44//! # enum List<T> {
45//! Cons(T, List<T>),
46//! # }
47//! ```
48//!
49//! It wouldn't work. This is because the size of a `List` depends on how many
50//! elements are in the list, and so we don't know how much memory to allocate
51//! for a `Cons`. By introducing a [`Box<T>`], which has a defined size, we know how
52//! big `Cons` needs to be.
53//!
54//! # Memory layout
55//!
56//! For non-zero-sized values, a [`Box`] will use the [`Global`] allocator for its allocation. It is
57//! valid to convert both ways between a [`Box`] and a raw pointer allocated with the [`Global`]
58//! allocator, given that the [`Layout`] used with the allocator is correct for the type and the raw
59//! pointer points to a valid value of the right type. More precisely, a `value: *mut T` that has
60//! been allocated with the [`Global`] allocator with `Layout::for_value(&*value)` may be converted
61//! into a box using [`Box::<T>::from_raw(value)`]. Conversely, the memory backing a `value: *mut T`
62//! obtained from [`Box::<T>::into_raw`] may be deallocated using the [`Global`] allocator with
63//! [`Layout::for_value(&*value)`].
64//!
65//! For zero-sized values, the `Box` pointer has to be non-null and sufficiently aligned. The
66//! recommended way to build a Box to a ZST if `Box::new` cannot be used is to use
67//! [`ptr::NonNull::dangling`].
68//!
69//! On top of these basic layout requirements, a `Box<T>` must point to a valid value of `T`.
70//!
71//! So long as `T: Sized`, a `Box<T>` is guaranteed to be represented
72//! as a single pointer and is also ABI-compatible with C pointers
73//! (i.e. the C type `T*`). This means that if you have extern "C"
74//! Rust functions that will be called from C, you can define those
75//! Rust functions using `Box<T>` types, and use `T*` as corresponding
76//! type on the C side. As an example, consider this C header which
77//! declares functions that create and destroy some kind of `Foo`
78//! value:
79//!
80//! ```c
81//! /* C header */
82//!
83//! /* Returns ownership to the caller */
84//! struct Foo* foo_new(void);
85//!
86//! /* Takes ownership from the caller; no-op when invoked with null */
87//! void foo_delete(struct Foo*);
88//! ```
89//!
90//! These two functions might be implemented in Rust as follows. Here, the
91//! `struct Foo*` type from C is translated to `Box<Foo>`, which captures
92//! the ownership constraints. Note also that the nullable argument to
93//! `foo_delete` is represented in Rust as `Option<Box<Foo>>`, since `Box<Foo>`
94//! cannot be null.
95//!
96//! ```
97//! #[repr(C)]
98//! pub struct Foo;
99//!
100//! #[unsafe(no_mangle)]
101//! pub extern "C" fn foo_new() -> Box<Foo> {
102//! Box::new(Foo)
103//! }
104//!
105//! #[unsafe(no_mangle)]
106//! pub extern "C" fn foo_delete(_: Option<Box<Foo>>) {}
107//! ```
108//!
109//! Even though `Box<T>` has the same representation and C ABI as a C pointer,
110//! this does not mean that you can convert an arbitrary `T*` into a `Box<T>`
111//! and expect things to work. `Box<T>` values will always be fully aligned,
112//! non-null pointers. Moreover, the destructor for `Box<T>` will attempt to
113//! free the value with the global allocator. In general, the best practice
114//! is to only use `Box<T>` for pointers that originated from the global
115//! allocator.
116//!
117//! **Important.** At least at present, you should avoid using
118//! `Box<T>` types for functions that are defined in C but invoked
119//! from Rust. In those cases, you should directly mirror the C types
120//! as closely as possible. Using types like `Box<T>` where the C
121//! definition is just using `T*` can lead to undefined behavior, as
122//! described in [rust-lang/unsafe-code-guidelines#198][ucg#198].
123//!
124//! # Considerations for unsafe code
125//!
126//! **Warning: This section is not normative and is subject to change, possibly
127//! being relaxed in the future! It is a simplified summary of the rules
128//! currently implemented in the compiler.**
129//!
130//! The aliasing rules for `Box<T>` are the same as for `&mut T`. `Box<T>`
131//! asserts uniqueness over its content. Using raw pointers derived from a box
132//! after that box has been mutated through, moved or borrowed as `&mut T`
133//! is not allowed. For more guidance on working with box from unsafe code, see
134//! [rust-lang/unsafe-code-guidelines#326][ucg#326].
135//!
136//! # Editions
137//!
138//! A special case exists for the implementation of `IntoIterator` for arrays on the Rust 2021
139//! edition, as documented [here][array]. Unfortunately, it was later found that a similar
140//! workaround should be added for boxed slices, and this was applied in the 2024 edition.
141//!
142//! Specifically, `IntoIterator` is implemented for `Box<[T]>` on all editions, but specific calls
143//! to `into_iter()` for boxed slices will defer to the slice implementation on editions before
144//! 2024:
145//!
146//! ```rust,edition2021
147//! // Rust 2015, 2018, and 2021:
148//!
149//! # #![allow(boxed_slice_into_iter)] // override our `deny(warnings)`
150//! let boxed_slice: Box<[i32]> = vec![0; 3].into_boxed_slice();
151//!
152//! // This creates a slice iterator, producing references to each value.
153//! for item in boxed_slice.into_iter().enumerate() {
154//! let (i, x): (usize, &i32) = item;
155//! println!("boxed_slice[{i}] = {x}");
156//! }
157//!
158//! // The `boxed_slice_into_iter` lint suggests this change for future compatibility:
159//! for item in boxed_slice.iter().enumerate() {
160//! let (i, x): (usize, &i32) = item;
161//! println!("boxed_slice[{i}] = {x}");
162//! }
163//!
164//! // You can explicitly iterate a boxed slice by value using `IntoIterator::into_iter`
165//! for item in IntoIterator::into_iter(boxed_slice).enumerate() {
166//! let (i, x): (usize, i32) = item;
167//! println!("boxed_slice[{i}] = {x}");
168//! }
169//! ```
170//!
171//! Similar to the array implementation, this may be modified in the future to remove this override,
172//! and it's best to avoid relying on this edition-dependent behavior if you wish to preserve
173//! compatibility with future versions of the compiler.
174//!
175//! [ucg#198]: https://github.com/rust-lang/unsafe-code-guidelines/issues/198
176//! [ucg#326]: https://github.com/rust-lang/unsafe-code-guidelines/issues/326
177//! [dereferencing]: core::ops::Deref
178//! [`Box::<T>::from_raw(value)`]: Box::from_raw
179//! [`Global`]: crate::alloc::Global
180//! [`Layout`]: crate::alloc::Layout
181//! [`Layout::for_value(&*value)`]: crate::alloc::Layout::for_value
182//! [valid]: ptr#safety
183
184#![stable(feature = "rust1", since = "1.0.0")]
185
186use core::borrow::{Borrow, BorrowMut};
187use core::clone::CloneToUninit;
188use core::cmp::Ordering;
189use core::error::{self, Error};
190use core::fmt;
191use core::future::Future;
192use core::hash::{Hash, Hasher};
193use core::marker::{Tuple, Unsize};
194#[cfg(not(no_global_oom_handling))]
195use core::mem::MaybeUninit;
196use core::mem::{self, SizedTypeProperties};
197use core::ops::{
198 AsyncFn, AsyncFnMut, AsyncFnOnce, CoerceUnsized, Coroutine, CoroutineState, Deref, DerefMut,
199 DerefPure, DispatchFromDyn, LegacyReceiver,
200};
201#[cfg(not(no_global_oom_handling))]
202use core::ops::{Residual, Try};
203use core::pin::{Pin, PinCoerceUnsized};
204use core::ptr::{self, NonNull, Unique};
205use core::task::{Context, Poll};
206
207#[cfg(not(no_global_oom_handling))]
208use crate::alloc::handle_alloc_error;
209use crate::alloc::{AllocError, Allocator, Global, Layout};
210use crate::raw_vec::RawVec;
211#[cfg(not(no_global_oom_handling))]
212use crate::str::from_boxed_utf8_unchecked;
213
214/// Conversion related impls for `Box<_>` (`From`, `downcast`, etc)
215mod convert;
216/// Iterator related impls for `Box<_>`.
217mod iter;
218/// [`ThinBox`] implementation.
219mod thin;
220
221#[unstable(feature = "thin_box", issue = "92791")]
222pub use thin::ThinBox;
223
224/// A pointer type that uniquely owns a heap allocation of type `T`.
225///
226/// See the [module-level documentation](../../std/boxed/index.html) for more.
227#[lang = "owned_box"]
228#[fundamental]
229#[stable(feature = "rust1", since = "1.0.0")]
230#[rustc_insignificant_dtor]
231#[doc(search_unbox)]
232// The declaration of the `Box` struct must be kept in sync with the
233// compiler or ICEs will happen.
234pub struct Box<
235 T: ?Sized,
236 #[unstable(feature = "allocator_api", issue = "32838")] A: Allocator = Global,
237>(Unique<T>, A);
238
239/// Monomorphic function for allocating an uninit `Box`.
240#[inline]
241// The is a separate function to avoid doing it in every generic version, but it
242// looks small to the mir inliner (particularly in panic=abort) so leave it to
243// the backend to decide whether pulling it in everywhere is worth doing.
244#[rustc_no_mir_inline]
245#[cfg_attr(miri, track_caller)] // even without panics, this helps for Miri backtraces
246#[cfg(not(no_global_oom_handling))]
247fn box_new_uninit(layout: Layout) -> *mut u8 {
248 match Global.allocate(layout) {
249 Ok(ptr) => ptr.as_mut_ptr(),
250 Err(_) => handle_alloc_error(layout),
251 }
252}
253
254/// Helper for `vec!`.
255///
256/// This is unsafe, but has to be marked as safe or else we couldn't use it in `vec!`.
257#[doc(hidden)]
258#[unstable(feature = "liballoc_internals", issue = "none")]
259#[inline(always)]
260#[cfg(not(no_global_oom_handling))]
261#[rustc_diagnostic_item = "box_assume_init_into_vec_unsafe"]
262pub fn box_assume_init_into_vec_unsafe<T, const N: usize>(
263 b: Box<MaybeUninit<[T; N]>>,
264) -> crate::vec::Vec<T> {
265 unsafe { (b.assume_init() as Box<[T]>).into_vec() }
266}
267
268impl<T> Box<T> {
269 /// Allocates memory on the heap and then places `x` into it.
270 ///
271 /// This doesn't actually allocate if `T` is zero-sized.
272 ///
273 /// # Examples
274 ///
275 /// ```
276 /// let five = Box::new(5);
277 /// ```
278 #[cfg(not(no_global_oom_handling))]
279 #[inline(always)]
280 #[stable(feature = "rust1", since = "1.0.0")]
281 #[must_use]
282 #[rustc_diagnostic_item = "box_new"]
283 #[cfg_attr(miri, track_caller)] // even without panics, this helps for Miri backtraces
284 pub fn new(x: T) -> Self {
285 // This is `Box::new_uninit` but inlined to avoid build time regressions.
286 let ptr = box_new_uninit(<T as SizedTypeProperties>::LAYOUT) as *mut T;
287 // Nothing below can panic so we do not have to worry about deallocating `ptr`.
288 // SAFETY: we just allocated the box to store `x`.
289 unsafe { core::intrinsics::write_via_move(ptr, x) };
290 // SAFETY: we just initialized `b`.
291 unsafe { mem::transmute(ptr) }
292 }
293
294 /// Constructs a new box with uninitialized contents.
295 ///
296 /// # Examples
297 ///
298 /// ```
299 /// let mut five = Box::<u32>::new_uninit();
300 /// // Deferred initialization:
301 /// five.write(5);
302 /// let five = unsafe { five.assume_init() };
303 ///
304 /// assert_eq!(*five, 5)
305 /// ```
306 #[cfg(not(no_global_oom_handling))]
307 #[stable(feature = "new_uninit", since = "1.82.0")]
308 #[must_use]
309 #[inline(always)]
310 #[cfg_attr(miri, track_caller)] // even without panics, this helps for Miri backtraces
311 pub fn new_uninit() -> Box<mem::MaybeUninit<T>> {
312 // This is the same as `Self::new_uninit_in(Global)`, but manually inlined (just like
313 // `Box::new`).
314
315 // SAFETY:
316 // - If `allocate` succeeds, the returned pointer exactly matches what `Box` needs.
317 unsafe { mem::transmute(box_new_uninit(<T as SizedTypeProperties>::LAYOUT)) }
318 }
319
320 /// Constructs a new `Box` with uninitialized contents, with the memory
321 /// being filled with `0` bytes.
322 ///
323 /// See [`MaybeUninit::zeroed`][zeroed] for examples of correct and incorrect usage
324 /// of this method.
325 ///
326 /// # Examples
327 ///
328 /// ```
329 /// let zero = Box::<u32>::new_zeroed();
330 /// let zero = unsafe { zero.assume_init() };
331 ///
332 /// assert_eq!(*zero, 0)
333 /// ```
334 ///
335 /// [zeroed]: mem::MaybeUninit::zeroed
336 #[cfg(not(no_global_oom_handling))]
337 #[inline]
338 #[stable(feature = "new_zeroed_alloc", since = "1.92.0")]
339 #[must_use]
340 pub fn new_zeroed() -> Box<mem::MaybeUninit<T>> {
341 Self::new_zeroed_in(Global)
342 }
343
344 /// Constructs a new `Pin<Box<T>>`. If `T` does not implement [`Unpin`], then
345 /// `x` will be pinned in memory and unable to be moved.
346 ///
347 /// Constructing and pinning of the `Box` can also be done in two steps: `Box::pin(x)`
348 /// does the same as <code>[Box::into_pin]\([Box::new]\(x))</code>. Consider using
349 /// [`into_pin`](Box::into_pin) if you already have a `Box<T>`, or if you want to
350 /// construct a (pinned) `Box` in a different way than with [`Box::new`].
351 #[cfg(not(no_global_oom_handling))]
352 #[stable(feature = "pin", since = "1.33.0")]
353 #[must_use]
354 #[inline(always)]
355 pub fn pin(x: T) -> Pin<Box<T>> {
356 Box::new(x).into()
357 }
358
359 /// Allocates memory on the heap then places `x` into it,
360 /// returning an error if the allocation fails
361 ///
362 /// This doesn't actually allocate if `T` is zero-sized.
363 ///
364 /// # Examples
365 ///
366 /// ```
367 /// #![feature(allocator_api)]
368 ///
369 /// let five = Box::try_new(5)?;
370 /// # Ok::<(), std::alloc::AllocError>(())
371 /// ```
372 #[unstable(feature = "allocator_api", issue = "32838")]
373 #[inline]
374 pub fn try_new(x: T) -> Result<Self, AllocError> {
375 Self::try_new_in(x, Global)
376 }
377
378 /// Constructs a new box with uninitialized contents on the heap,
379 /// returning an error if the allocation fails
380 ///
381 /// # Examples
382 ///
383 /// ```
384 /// #![feature(allocator_api)]
385 ///
386 /// let mut five = Box::<u32>::try_new_uninit()?;
387 /// // Deferred initialization:
388 /// five.write(5);
389 /// let five = unsafe { five.assume_init() };
390 ///
391 /// assert_eq!(*five, 5);
392 /// # Ok::<(), std::alloc::AllocError>(())
393 /// ```
394 #[unstable(feature = "allocator_api", issue = "32838")]
395 #[inline]
396 pub fn try_new_uninit() -> Result<Box<mem::MaybeUninit<T>>, AllocError> {
397 Box::try_new_uninit_in(Global)
398 }
399
400 /// Constructs a new `Box` with uninitialized contents, with the memory
401 /// being filled with `0` bytes on the heap
402 ///
403 /// See [`MaybeUninit::zeroed`][zeroed] for examples of correct and incorrect usage
404 /// of this method.
405 ///
406 /// # Examples
407 ///
408 /// ```
409 /// #![feature(allocator_api)]
410 ///
411 /// let zero = Box::<u32>::try_new_zeroed()?;
412 /// let zero = unsafe { zero.assume_init() };
413 ///
414 /// assert_eq!(*zero, 0);
415 /// # Ok::<(), std::alloc::AllocError>(())
416 /// ```
417 ///
418 /// [zeroed]: mem::MaybeUninit::zeroed
419 #[unstable(feature = "allocator_api", issue = "32838")]
420 #[inline]
421 pub fn try_new_zeroed() -> Result<Box<mem::MaybeUninit<T>>, AllocError> {
422 Box::try_new_zeroed_in(Global)
423 }
424
425 /// Maps the value in a box, reusing the allocation if possible.
426 ///
427 /// `f` is called on the value in the box, and the result is returned, also boxed.
428 ///
429 /// Note: this is an associated function, which means that you have
430 /// to call it as `Box::map(b, f)` instead of `b.map(f)`. This
431 /// is so that there is no conflict with a method on the inner type.
432 ///
433 /// # Examples
434 ///
435 /// ```
436 /// #![feature(smart_pointer_try_map)]
437 ///
438 /// let b = Box::new(7);
439 /// let new = Box::map(b, |i| i + 7);
440 /// assert_eq!(*new, 14);
441 /// ```
442 #[cfg(not(no_global_oom_handling))]
443 #[unstable(feature = "smart_pointer_try_map", issue = "144419")]
444 pub fn map<U>(this: Self, f: impl FnOnce(T) -> U) -> Box<U> {
445 if size_of::<T>() == size_of::<U>() && align_of::<T>() == align_of::<U>() {
446 let (value, allocation) = Box::take(this);
447 Box::write(
448 unsafe { mem::transmute::<Box<MaybeUninit<T>>, Box<MaybeUninit<U>>>(allocation) },
449 f(value),
450 )
451 } else {
452 Box::new(f(*this))
453 }
454 }
455
456 /// Attempts to map the value in a box, reusing the allocation if possible.
457 ///
458 /// `f` is called on the value in the box, and if the operation succeeds, the result is
459 /// returned, also boxed.
460 ///
461 /// Note: this is an associated function, which means that you have
462 /// to call it as `Box::try_map(b, f)` instead of `b.try_map(f)`. This
463 /// is so that there is no conflict with a method on the inner type.
464 ///
465 /// # Examples
466 ///
467 /// ```
468 /// #![feature(smart_pointer_try_map)]
469 ///
470 /// let b = Box::new(7);
471 /// let new = Box::try_map(b, u32::try_from).unwrap();
472 /// assert_eq!(*new, 7);
473 /// ```
474 #[cfg(not(no_global_oom_handling))]
475 #[unstable(feature = "smart_pointer_try_map", issue = "144419")]
476 pub fn try_map<R>(
477 this: Self,
478 f: impl FnOnce(T) -> R,
479 ) -> <R::Residual as Residual<Box<R::Output>>>::TryType
480 where
481 R: Try,
482 R::Residual: Residual<Box<R::Output>>,
483 {
484 if size_of::<T>() == size_of::<R::Output>() && align_of::<T>() == align_of::<R::Output>() {
485 let (value, allocation) = Box::take(this);
486 try {
487 Box::write(
488 unsafe {
489 mem::transmute::<Box<MaybeUninit<T>>, Box<MaybeUninit<R::Output>>>(
490 allocation,
491 )
492 },
493 f(value)?,
494 )
495 }
496 } else {
497 try { Box::new(f(*this)?) }
498 }
499 }
500}
501
502impl<T, A: Allocator> Box<T, A> {
503 /// Allocates memory in the given allocator then places `x` into it.
504 ///
505 /// This doesn't actually allocate if `T` is zero-sized.
506 ///
507 /// # Examples
508 ///
509 /// ```
510 /// #![feature(allocator_api)]
511 ///
512 /// use std::alloc::System;
513 ///
514 /// let five = Box::new_in(5, System);
515 /// ```
516 #[cfg(not(no_global_oom_handling))]
517 #[unstable(feature = "allocator_api", issue = "32838")]
518 #[must_use]
519 #[inline]
520 pub fn new_in(x: T, alloc: A) -> Self
521 where
522 A: Allocator,
523 {
524 let mut boxed = Self::new_uninit_in(alloc);
525 boxed.write(x);
526 unsafe { boxed.assume_init() }
527 }
528
529 /// Allocates memory in the given allocator then places `x` into it,
530 /// returning an error if the allocation fails
531 ///
532 /// This doesn't actually allocate if `T` is zero-sized.
533 ///
534 /// # Examples
535 ///
536 /// ```
537 /// #![feature(allocator_api)]
538 ///
539 /// use std::alloc::System;
540 ///
541 /// let five = Box::try_new_in(5, System)?;
542 /// # Ok::<(), std::alloc::AllocError>(())
543 /// ```
544 #[unstable(feature = "allocator_api", issue = "32838")]
545 #[inline]
546 pub fn try_new_in(x: T, alloc: A) -> Result<Self, AllocError>
547 where
548 A: Allocator,
549 {
550 let mut boxed = Self::try_new_uninit_in(alloc)?;
551 boxed.write(x);
552 unsafe { Ok(boxed.assume_init()) }
553 }
554
555 /// Constructs a new box with uninitialized contents in the provided allocator.
556 ///
557 /// # Examples
558 ///
559 /// ```
560 /// #![feature(allocator_api)]
561 ///
562 /// use std::alloc::System;
563 ///
564 /// let mut five = Box::<u32, _>::new_uninit_in(System);
565 /// // Deferred initialization:
566 /// five.write(5);
567 /// let five = unsafe { five.assume_init() };
568 ///
569 /// assert_eq!(*five, 5)
570 /// ```
571 #[unstable(feature = "allocator_api", issue = "32838")]
572 #[cfg(not(no_global_oom_handling))]
573 #[must_use]
574 pub fn new_uninit_in(alloc: A) -> Box<mem::MaybeUninit<T>, A>
575 where
576 A: Allocator,
577 {
578 let layout = Layout::new::<mem::MaybeUninit<T>>();
579 // NOTE: Prefer match over unwrap_or_else since closure sometimes not inlineable.
580 // That would make code size bigger.
581 match Box::try_new_uninit_in(alloc) {
582 Ok(m) => m,
583 Err(_) => handle_alloc_error(layout),
584 }
585 }
586
587 /// Constructs a new box with uninitialized contents in the provided allocator,
588 /// returning an error if the allocation fails
589 ///
590 /// # Examples
591 ///
592 /// ```
593 /// #![feature(allocator_api)]
594 ///
595 /// use std::alloc::System;
596 ///
597 /// let mut five = Box::<u32, _>::try_new_uninit_in(System)?;
598 /// // Deferred initialization:
599 /// five.write(5);
600 /// let five = unsafe { five.assume_init() };
601 ///
602 /// assert_eq!(*five, 5);
603 /// # Ok::<(), std::alloc::AllocError>(())
604 /// ```
605 #[unstable(feature = "allocator_api", issue = "32838")]
606 pub fn try_new_uninit_in(alloc: A) -> Result<Box<mem::MaybeUninit<T>, A>, AllocError>
607 where
608 A: Allocator,
609 {
610 let ptr = if T::IS_ZST {
611 NonNull::dangling()
612 } else {
613 let layout = Layout::new::<mem::MaybeUninit<T>>();
614 alloc.allocate(layout)?.cast()
615 };
616 unsafe { Ok(Box::from_raw_in(ptr.as_ptr(), alloc)) }
617 }
618
619 /// Constructs a new `Box` with uninitialized contents, with the memory
620 /// being filled with `0` bytes in the provided allocator.
621 ///
622 /// See [`MaybeUninit::zeroed`][zeroed] for examples of correct and incorrect usage
623 /// of this method.
624 ///
625 /// # Examples
626 ///
627 /// ```
628 /// #![feature(allocator_api)]
629 ///
630 /// use std::alloc::System;
631 ///
632 /// let zero = Box::<u32, _>::new_zeroed_in(System);
633 /// let zero = unsafe { zero.assume_init() };
634 ///
635 /// assert_eq!(*zero, 0)
636 /// ```
637 ///
638 /// [zeroed]: mem::MaybeUninit::zeroed
639 #[unstable(feature = "allocator_api", issue = "32838")]
640 #[cfg(not(no_global_oom_handling))]
641 #[must_use]
642 pub fn new_zeroed_in(alloc: A) -> Box<mem::MaybeUninit<T>, A>
643 where
644 A: Allocator,
645 {
646 let layout = Layout::new::<mem::MaybeUninit<T>>();
647 // NOTE: Prefer match over unwrap_or_else since closure sometimes not inlineable.
648 // That would make code size bigger.
649 match Box::try_new_zeroed_in(alloc) {
650 Ok(m) => m,
651 Err(_) => handle_alloc_error(layout),
652 }
653 }
654
655 /// Constructs a new `Box` with uninitialized contents, with the memory
656 /// being filled with `0` bytes in the provided allocator,
657 /// returning an error if the allocation fails,
658 ///
659 /// See [`MaybeUninit::zeroed`][zeroed] for examples of correct and incorrect usage
660 /// of this method.
661 ///
662 /// # Examples
663 ///
664 /// ```
665 /// #![feature(allocator_api)]
666 ///
667 /// use std::alloc::System;
668 ///
669 /// let zero = Box::<u32, _>::try_new_zeroed_in(System)?;
670 /// let zero = unsafe { zero.assume_init() };
671 ///
672 /// assert_eq!(*zero, 0);
673 /// # Ok::<(), std::alloc::AllocError>(())
674 /// ```
675 ///
676 /// [zeroed]: mem::MaybeUninit::zeroed
677 #[unstable(feature = "allocator_api", issue = "32838")]
678 pub fn try_new_zeroed_in(alloc: A) -> Result<Box<mem::MaybeUninit<T>, A>, AllocError>
679 where
680 A: Allocator,
681 {
682 let ptr = if T::IS_ZST {
683 NonNull::dangling()
684 } else {
685 let layout = Layout::new::<mem::MaybeUninit<T>>();
686 alloc.allocate_zeroed(layout)?.cast()
687 };
688 unsafe { Ok(Box::from_raw_in(ptr.as_ptr(), alloc)) }
689 }
690
691 /// Constructs a new `Pin<Box<T, A>>`. If `T` does not implement [`Unpin`], then
692 /// `x` will be pinned in memory and unable to be moved.
693 ///
694 /// Constructing and pinning of the `Box` can also be done in two steps: `Box::pin_in(x, alloc)`
695 /// does the same as <code>[Box::into_pin]\([Box::new_in]\(x, alloc))</code>. Consider using
696 /// [`into_pin`](Box::into_pin) if you already have a `Box<T, A>`, or if you want to
697 /// construct a (pinned) `Box` in a different way than with [`Box::new_in`].
698 ///
699 /// # Examples
700 ///
701 /// ```
702 /// #![feature(allocator_api)]
703 /// use std::alloc::System;
704 ///
705 /// let x = Box::pin_in(1, System);
706 /// ```
707 #[cfg(not(no_global_oom_handling))]
708 #[unstable(feature = "allocator_api", issue = "32838")]
709 #[must_use]
710 #[inline(always)]
711 pub fn pin_in(x: T, alloc: A) -> Pin<Self>
712 where
713 A: 'static + Allocator,
714 {
715 Self::into_pin(Self::new_in(x, alloc))
716 }
717
718 /// Converts a `Box<T>` into a `Box<[T]>`
719 ///
720 /// This conversion does not allocate on the heap and happens in place.
721 #[unstable(feature = "box_into_boxed_slice", issue = "71582")]
722 pub fn into_boxed_slice(boxed: Self) -> Box<[T], A> {
723 let (raw, alloc) = Box::into_raw_with_allocator(boxed);
724 unsafe { Box::from_raw_in(raw as *mut [T; 1], alloc) }
725 }
726
727 /// Consumes the `Box`, returning the wrapped value.
728 ///
729 /// # Examples
730 ///
731 /// ```
732 /// #![feature(box_into_inner)]
733 ///
734 /// let c = Box::new(5);
735 ///
736 /// assert_eq!(Box::into_inner(c), 5);
737 /// ```
738 #[unstable(feature = "box_into_inner", issue = "80437")]
739 #[inline]
740 pub fn into_inner(boxed: Self) -> T {
741 *boxed
742 }
743
744 /// Consumes the `Box` without consuming its allocation, returning the wrapped value and a `Box`
745 /// to the uninitialized memory where the wrapped value used to live.
746 ///
747 /// This can be used together with [`write`](Box::write) to reuse the allocation for multiple
748 /// boxed values.
749 ///
750 /// # Examples
751 ///
752 /// ```
753 /// #![feature(box_take)]
754 ///
755 /// let c = Box::new(5);
756 ///
757 /// // take the value out of the box
758 /// let (value, uninit) = Box::take(c);
759 /// assert_eq!(value, 5);
760 ///
761 /// // reuse the box for a second value
762 /// let c = Box::write(uninit, 6);
763 /// assert_eq!(*c, 6);
764 /// ```
765 #[unstable(feature = "box_take", issue = "147212")]
766 pub fn take(boxed: Self) -> (T, Box<mem::MaybeUninit<T>, A>) {
767 unsafe {
768 let (raw, alloc) = Box::into_non_null_with_allocator(boxed);
769 let value = raw.read();
770 let uninit = Box::from_non_null_in(raw.cast_uninit(), alloc);
771 (value, uninit)
772 }
773 }
774}
775
776impl<T: ?Sized + CloneToUninit> Box<T> {
777 /// Allocates memory on the heap then clones `src` into it.
778 ///
779 /// This doesn't actually allocate if `src` is zero-sized.
780 ///
781 /// # Examples
782 ///
783 /// ```
784 /// #![feature(clone_from_ref)]
785 ///
786 /// let hello: Box<str> = Box::clone_from_ref("hello");
787 /// ```
788 #[cfg(not(no_global_oom_handling))]
789 #[unstable(feature = "clone_from_ref", issue = "149075")]
790 #[must_use]
791 #[inline]
792 pub fn clone_from_ref(src: &T) -> Box<T> {
793 Box::clone_from_ref_in(src, Global)
794 }
795
796 /// Allocates memory on the heap then clones `src` into it, returning an error if allocation fails.
797 ///
798 /// This doesn't actually allocate if `src` is zero-sized.
799 ///
800 /// # Examples
801 ///
802 /// ```
803 /// #![feature(clone_from_ref)]
804 /// #![feature(allocator_api)]
805 ///
806 /// let hello: Box<str> = Box::try_clone_from_ref("hello")?;
807 /// # Ok::<(), std::alloc::AllocError>(())
808 /// ```
809 #[unstable(feature = "clone_from_ref", issue = "149075")]
810 //#[unstable(feature = "allocator_api", issue = "32838")]
811 #[must_use]
812 #[inline]
813 pub fn try_clone_from_ref(src: &T) -> Result<Box<T>, AllocError> {
814 Box::try_clone_from_ref_in(src, Global)
815 }
816}
817
818impl<T: ?Sized + CloneToUninit, A: Allocator> Box<T, A> {
819 /// Allocates memory in the given allocator then clones `src` into it.
820 ///
821 /// This doesn't actually allocate if `src` is zero-sized.
822 ///
823 /// # Examples
824 ///
825 /// ```
826 /// #![feature(clone_from_ref)]
827 /// #![feature(allocator_api)]
828 ///
829 /// use std::alloc::System;
830 ///
831 /// let hello: Box<str, System> = Box::clone_from_ref_in("hello", System);
832 /// ```
833 #[cfg(not(no_global_oom_handling))]
834 #[unstable(feature = "clone_from_ref", issue = "149075")]
835 //#[unstable(feature = "allocator_api", issue = "32838")]
836 #[must_use]
837 #[inline]
838 pub fn clone_from_ref_in(src: &T, alloc: A) -> Box<T, A> {
839 let layout = Layout::for_value::<T>(src);
840 match Box::try_clone_from_ref_in(src, alloc) {
841 Ok(bx) => bx,
842 Err(_) => handle_alloc_error(layout),
843 }
844 }
845
846 /// Allocates memory in the given allocator then clones `src` into it, returning an error if allocation fails.
847 ///
848 /// This doesn't actually allocate if `src` is zero-sized.
849 ///
850 /// # Examples
851 ///
852 /// ```
853 /// #![feature(clone_from_ref)]
854 /// #![feature(allocator_api)]
855 ///
856 /// use std::alloc::System;
857 ///
858 /// let hello: Box<str, System> = Box::try_clone_from_ref_in("hello", System)?;
859 /// # Ok::<(), std::alloc::AllocError>(())
860 /// ```
861 #[unstable(feature = "clone_from_ref", issue = "149075")]
862 //#[unstable(feature = "allocator_api", issue = "32838")]
863 #[must_use]
864 #[inline]
865 pub fn try_clone_from_ref_in(src: &T, alloc: A) -> Result<Box<T, A>, AllocError> {
866 struct DeallocDropGuard<'a, A: Allocator>(Layout, &'a A, NonNull<u8>);
867 impl<'a, A: Allocator> Drop for DeallocDropGuard<'a, A> {
868 fn drop(&mut self) {
869 let &mut DeallocDropGuard(layout, alloc, ptr) = self;
870 // Safety: `ptr` was allocated by `*alloc` with layout `layout`
871 unsafe {
872 alloc.deallocate(ptr, layout);
873 }
874 }
875 }
876 let layout = Layout::for_value::<T>(src);
877 let (ptr, guard) = if layout.size() == 0 {
878 (layout.dangling_ptr(), None)
879 } else {
880 // Safety: layout is non-zero-sized
881 let ptr = alloc.allocate(layout)?.cast();
882 (ptr, Some(DeallocDropGuard(layout, &alloc, ptr)))
883 };
884 let ptr = ptr.as_ptr();
885 // Safety: `*ptr` is newly allocated, correctly aligned to `align_of_val(src)`,
886 // and is valid for writes for `size_of_val(src)`.
887 // If this panics, then `guard` will deallocate for us (if allocation occuured)
888 unsafe {
889 <T as CloneToUninit>::clone_to_uninit(src, ptr);
890 }
891 // Defuse the deallocate guard
892 core::mem::forget(guard);
893 // Safety: We just initialized `*ptr` as a clone of `src`
894 Ok(unsafe { Box::from_raw_in(ptr.with_metadata_of(src), alloc) })
895 }
896}
897
898impl<T> Box<[T]> {
899 /// Constructs a new boxed slice with uninitialized contents.
900 ///
901 /// # Examples
902 ///
903 /// ```
904 /// let mut values = Box::<[u32]>::new_uninit_slice(3);
905 /// // Deferred initialization:
906 /// values[0].write(1);
907 /// values[1].write(2);
908 /// values[2].write(3);
909 /// let values = unsafe { values.assume_init() };
910 ///
911 /// assert_eq!(*values, [1, 2, 3])
912 /// ```
913 #[cfg(not(no_global_oom_handling))]
914 #[stable(feature = "new_uninit", since = "1.82.0")]
915 #[must_use]
916 pub fn new_uninit_slice(len: usize) -> Box<[mem::MaybeUninit<T>]> {
917 unsafe { RawVec::with_capacity(len).into_box(len) }
918 }
919
920 /// Constructs a new boxed slice with uninitialized contents, with the memory
921 /// being filled with `0` bytes.
922 ///
923 /// See [`MaybeUninit::zeroed`][zeroed] for examples of correct and incorrect usage
924 /// of this method.
925 ///
926 /// # Examples
927 ///
928 /// ```
929 /// let values = Box::<[u32]>::new_zeroed_slice(3);
930 /// let values = unsafe { values.assume_init() };
931 ///
932 /// assert_eq!(*values, [0, 0, 0])
933 /// ```
934 ///
935 /// [zeroed]: mem::MaybeUninit::zeroed
936 #[cfg(not(no_global_oom_handling))]
937 #[stable(feature = "new_zeroed_alloc", since = "1.92.0")]
938 #[must_use]
939 pub fn new_zeroed_slice(len: usize) -> Box<[mem::MaybeUninit<T>]> {
940 unsafe { RawVec::with_capacity_zeroed(len).into_box(len) }
941 }
942
943 /// Constructs a new boxed slice with uninitialized contents. Returns an error if
944 /// the allocation fails.
945 ///
946 /// # Examples
947 ///
948 /// ```
949 /// #![feature(allocator_api)]
950 ///
951 /// let mut values = Box::<[u32]>::try_new_uninit_slice(3)?;
952 /// // Deferred initialization:
953 /// values[0].write(1);
954 /// values[1].write(2);
955 /// values[2].write(3);
956 /// let values = unsafe { values.assume_init() };
957 ///
958 /// assert_eq!(*values, [1, 2, 3]);
959 /// # Ok::<(), std::alloc::AllocError>(())
960 /// ```
961 #[unstable(feature = "allocator_api", issue = "32838")]
962 #[inline]
963 pub fn try_new_uninit_slice(len: usize) -> Result<Box<[mem::MaybeUninit<T>]>, AllocError> {
964 let ptr = if T::IS_ZST || len == 0 {
965 NonNull::dangling()
966 } else {
967 let layout = match Layout::array::<mem::MaybeUninit<T>>(len) {
968 Ok(l) => l,
969 Err(_) => return Err(AllocError),
970 };
971 Global.allocate(layout)?.cast()
972 };
973 unsafe { Ok(RawVec::from_raw_parts_in(ptr.as_ptr(), len, Global).into_box(len)) }
974 }
975
976 /// Constructs a new boxed slice with uninitialized contents, with the memory
977 /// being filled with `0` bytes. Returns an error if the allocation fails.
978 ///
979 /// See [`MaybeUninit::zeroed`][zeroed] for examples of correct and incorrect usage
980 /// of this method.
981 ///
982 /// # Examples
983 ///
984 /// ```
985 /// #![feature(allocator_api)]
986 ///
987 /// let values = Box::<[u32]>::try_new_zeroed_slice(3)?;
988 /// let values = unsafe { values.assume_init() };
989 ///
990 /// assert_eq!(*values, [0, 0, 0]);
991 /// # Ok::<(), std::alloc::AllocError>(())
992 /// ```
993 ///
994 /// [zeroed]: mem::MaybeUninit::zeroed
995 #[unstable(feature = "allocator_api", issue = "32838")]
996 #[inline]
997 pub fn try_new_zeroed_slice(len: usize) -> Result<Box<[mem::MaybeUninit<T>]>, AllocError> {
998 let ptr = if T::IS_ZST || len == 0 {
999 NonNull::dangling()
1000 } else {
1001 let layout = match Layout::array::<mem::MaybeUninit<T>>(len) {
1002 Ok(l) => l,
1003 Err(_) => return Err(AllocError),
1004 };
1005 Global.allocate_zeroed(layout)?.cast()
1006 };
1007 unsafe { Ok(RawVec::from_raw_parts_in(ptr.as_ptr(), len, Global).into_box(len)) }
1008 }
1009
1010 /// Converts the boxed slice into a boxed array.
1011 ///
1012 /// This operation does not reallocate; the underlying array of the slice is simply reinterpreted as an array type.
1013 ///
1014 /// If `N` is not exactly equal to the length of `self`, then this method returns `None`.
1015 #[unstable(feature = "alloc_slice_into_array", issue = "148082")]
1016 #[inline]
1017 #[must_use]
1018 pub fn into_array<const N: usize>(self) -> Option<Box<[T; N]>> {
1019 if self.len() == N {
1020 let ptr = Self::into_raw(self) as *mut [T; N];
1021
1022 // SAFETY: The underlying array of a slice has the exact same layout as an actual array `[T; N]` if `N` is equal to the slice's length.
1023 let me = unsafe { Box::from_raw(ptr) };
1024 Some(me)
1025 } else {
1026 None
1027 }
1028 }
1029}
1030
1031impl<T, A: Allocator> Box<[T], A> {
1032 /// Constructs a new boxed slice with uninitialized contents in the provided allocator.
1033 ///
1034 /// # Examples
1035 ///
1036 /// ```
1037 /// #![feature(allocator_api)]
1038 ///
1039 /// use std::alloc::System;
1040 ///
1041 /// let mut values = Box::<[u32], _>::new_uninit_slice_in(3, System);
1042 /// // Deferred initialization:
1043 /// values[0].write(1);
1044 /// values[1].write(2);
1045 /// values[2].write(3);
1046 /// let values = unsafe { values.assume_init() };
1047 ///
1048 /// assert_eq!(*values, [1, 2, 3])
1049 /// ```
1050 #[cfg(not(no_global_oom_handling))]
1051 #[unstable(feature = "allocator_api", issue = "32838")]
1052 #[must_use]
1053 pub fn new_uninit_slice_in(len: usize, alloc: A) -> Box<[mem::MaybeUninit<T>], A> {
1054 unsafe { RawVec::with_capacity_in(len, alloc).into_box(len) }
1055 }
1056
1057 /// Constructs a new boxed slice with uninitialized contents in the provided allocator,
1058 /// with the memory being filled with `0` bytes.
1059 ///
1060 /// See [`MaybeUninit::zeroed`][zeroed] for examples of correct and incorrect usage
1061 /// of this method.
1062 ///
1063 /// # Examples
1064 ///
1065 /// ```
1066 /// #![feature(allocator_api)]
1067 ///
1068 /// use std::alloc::System;
1069 ///
1070 /// let values = Box::<[u32], _>::new_zeroed_slice_in(3, System);
1071 /// let values = unsafe { values.assume_init() };
1072 ///
1073 /// assert_eq!(*values, [0, 0, 0])
1074 /// ```
1075 ///
1076 /// [zeroed]: mem::MaybeUninit::zeroed
1077 #[cfg(not(no_global_oom_handling))]
1078 #[unstable(feature = "allocator_api", issue = "32838")]
1079 #[must_use]
1080 pub fn new_zeroed_slice_in(len: usize, alloc: A) -> Box<[mem::MaybeUninit<T>], A> {
1081 unsafe { RawVec::with_capacity_zeroed_in(len, alloc).into_box(len) }
1082 }
1083
1084 /// Constructs a new boxed slice with uninitialized contents in the provided allocator. Returns an error if
1085 /// the allocation fails.
1086 ///
1087 /// # Examples
1088 ///
1089 /// ```
1090 /// #![feature(allocator_api)]
1091 ///
1092 /// use std::alloc::System;
1093 ///
1094 /// let mut values = Box::<[u32], _>::try_new_uninit_slice_in(3, System)?;
1095 /// // Deferred initialization:
1096 /// values[0].write(1);
1097 /// values[1].write(2);
1098 /// values[2].write(3);
1099 /// let values = unsafe { values.assume_init() };
1100 ///
1101 /// assert_eq!(*values, [1, 2, 3]);
1102 /// # Ok::<(), std::alloc::AllocError>(())
1103 /// ```
1104 #[unstable(feature = "allocator_api", issue = "32838")]
1105 #[inline]
1106 pub fn try_new_uninit_slice_in(
1107 len: usize,
1108 alloc: A,
1109 ) -> Result<Box<[mem::MaybeUninit<T>], A>, AllocError> {
1110 let ptr = if T::IS_ZST || len == 0 {
1111 NonNull::dangling()
1112 } else {
1113 let layout = match Layout::array::<mem::MaybeUninit<T>>(len) {
1114 Ok(l) => l,
1115 Err(_) => return Err(AllocError),
1116 };
1117 alloc.allocate(layout)?.cast()
1118 };
1119 unsafe { Ok(RawVec::from_raw_parts_in(ptr.as_ptr(), len, alloc).into_box(len)) }
1120 }
1121
1122 /// Constructs a new boxed slice with uninitialized contents in the provided allocator, with the memory
1123 /// being filled with `0` bytes. Returns an error if the allocation fails.
1124 ///
1125 /// See [`MaybeUninit::zeroed`][zeroed] for examples of correct and incorrect usage
1126 /// of this method.
1127 ///
1128 /// # Examples
1129 ///
1130 /// ```
1131 /// #![feature(allocator_api)]
1132 ///
1133 /// use std::alloc::System;
1134 ///
1135 /// let values = Box::<[u32], _>::try_new_zeroed_slice_in(3, System)?;
1136 /// let values = unsafe { values.assume_init() };
1137 ///
1138 /// assert_eq!(*values, [0, 0, 0]);
1139 /// # Ok::<(), std::alloc::AllocError>(())
1140 /// ```
1141 ///
1142 /// [zeroed]: mem::MaybeUninit::zeroed
1143 #[unstable(feature = "allocator_api", issue = "32838")]
1144 #[inline]
1145 pub fn try_new_zeroed_slice_in(
1146 len: usize,
1147 alloc: A,
1148 ) -> Result<Box<[mem::MaybeUninit<T>], A>, AllocError> {
1149 let ptr = if T::IS_ZST || len == 0 {
1150 NonNull::dangling()
1151 } else {
1152 let layout = match Layout::array::<mem::MaybeUninit<T>>(len) {
1153 Ok(l) => l,
1154 Err(_) => return Err(AllocError),
1155 };
1156 alloc.allocate_zeroed(layout)?.cast()
1157 };
1158 unsafe { Ok(RawVec::from_raw_parts_in(ptr.as_ptr(), len, alloc).into_box(len)) }
1159 }
1160}
1161
1162impl<T, A: Allocator> Box<mem::MaybeUninit<T>, A> {
1163 /// Converts to `Box<T, A>`.
1164 ///
1165 /// # Safety
1166 ///
1167 /// As with [`MaybeUninit::assume_init`],
1168 /// it is up to the caller to guarantee that the value
1169 /// really is in an initialized state.
1170 /// Calling this when the content is not yet fully initialized
1171 /// causes immediate undefined behavior.
1172 ///
1173 /// [`MaybeUninit::assume_init`]: mem::MaybeUninit::assume_init
1174 ///
1175 /// # Examples
1176 ///
1177 /// ```
1178 /// let mut five = Box::<u32>::new_uninit();
1179 /// // Deferred initialization:
1180 /// five.write(5);
1181 /// let five: Box<u32> = unsafe { five.assume_init() };
1182 ///
1183 /// assert_eq!(*five, 5)
1184 /// ```
1185 #[stable(feature = "new_uninit", since = "1.82.0")]
1186 #[inline(always)]
1187 pub unsafe fn assume_init(self) -> Box<T, A> {
1188 // This is used in the `vec!` macro, so we optimize for minimal IR generation
1189 // even in debug builds.
1190 // SAFETY: `Box<T>` and `Box<MaybeUninit<T>>` have the same layout.
1191 unsafe { core::intrinsics::transmute_unchecked(self) }
1192 }
1193
1194 /// Writes the value and converts to `Box<T, A>`.
1195 ///
1196 /// This method converts the box similarly to [`Box::assume_init`] but
1197 /// writes `value` into it before conversion thus guaranteeing safety.
1198 /// In some scenarios use of this method may improve performance because
1199 /// the compiler may be able to optimize copying from stack.
1200 ///
1201 /// # Examples
1202 ///
1203 /// ```
1204 /// let big_box = Box::<[usize; 1024]>::new_uninit();
1205 ///
1206 /// let mut array = [0; 1024];
1207 /// for (i, place) in array.iter_mut().enumerate() {
1208 /// *place = i;
1209 /// }
1210 ///
1211 /// // The optimizer may be able to elide this copy, so previous code writes
1212 /// // to heap directly.
1213 /// let big_box = Box::write(big_box, array);
1214 ///
1215 /// for (i, x) in big_box.iter().enumerate() {
1216 /// assert_eq!(*x, i);
1217 /// }
1218 /// ```
1219 #[stable(feature = "box_uninit_write", since = "1.87.0")]
1220 #[inline]
1221 pub fn write(mut boxed: Self, value: T) -> Box<T, A> {
1222 unsafe {
1223 (*boxed).write(value);
1224 boxed.assume_init()
1225 }
1226 }
1227}
1228
1229impl<T, A: Allocator> Box<[mem::MaybeUninit<T>], A> {
1230 /// Converts to `Box<[T], A>`.
1231 ///
1232 /// # Safety
1233 ///
1234 /// As with [`MaybeUninit::assume_init`],
1235 /// it is up to the caller to guarantee that the values
1236 /// really are in an initialized state.
1237 /// Calling this when the content is not yet fully initialized
1238 /// causes immediate undefined behavior.
1239 ///
1240 /// [`MaybeUninit::assume_init`]: mem::MaybeUninit::assume_init
1241 ///
1242 /// # Examples
1243 ///
1244 /// ```
1245 /// let mut values = Box::<[u32]>::new_uninit_slice(3);
1246 /// // Deferred initialization:
1247 /// values[0].write(1);
1248 /// values[1].write(2);
1249 /// values[2].write(3);
1250 /// let values = unsafe { values.assume_init() };
1251 ///
1252 /// assert_eq!(*values, [1, 2, 3])
1253 /// ```
1254 #[stable(feature = "new_uninit", since = "1.82.0")]
1255 #[inline]
1256 pub unsafe fn assume_init(self) -> Box<[T], A> {
1257 let (raw, alloc) = Box::into_raw_with_allocator(self);
1258 unsafe { Box::from_raw_in(raw as *mut [T], alloc) }
1259 }
1260}
1261
1262impl<T: ?Sized> Box<T> {
1263 /// Constructs a box from a raw pointer.
1264 ///
1265 /// After calling this function, the raw pointer is owned by the
1266 /// resulting `Box`. Specifically, the `Box` destructor will call
1267 /// the destructor of `T` and free the allocated memory. For this
1268 /// to be safe, the memory must have been allocated in accordance
1269 /// with the [memory layout] used by `Box` .
1270 ///
1271 /// # Safety
1272 ///
1273 /// This function is unsafe because improper use may lead to
1274 /// memory problems. For example, a double-free may occur if the
1275 /// function is called twice on the same raw pointer.
1276 ///
1277 /// The raw pointer must point to a block of memory allocated by the global allocator.
1278 ///
1279 /// The safety conditions are described in the [memory layout] section.
1280 ///
1281 /// # Examples
1282 ///
1283 /// Recreate a `Box` which was previously converted to a raw pointer
1284 /// using [`Box::into_raw`]:
1285 /// ```
1286 /// let x = Box::new(5);
1287 /// let ptr = Box::into_raw(x);
1288 /// let x = unsafe { Box::from_raw(ptr) };
1289 /// ```
1290 /// Manually create a `Box` from scratch by using the global allocator:
1291 /// ```
1292 /// use std::alloc::{alloc, Layout};
1293 ///
1294 /// unsafe {
1295 /// let ptr = alloc(Layout::new::<i32>()) as *mut i32;
1296 /// // In general .write is required to avoid attempting to destruct
1297 /// // the (uninitialized) previous contents of `ptr`, though for this
1298 /// // simple example `*ptr = 5` would have worked as well.
1299 /// ptr.write(5);
1300 /// let x = Box::from_raw(ptr);
1301 /// }
1302 /// ```
1303 ///
1304 /// [memory layout]: self#memory-layout
1305 #[stable(feature = "box_raw", since = "1.4.0")]
1306 #[inline]
1307 #[must_use = "call `drop(Box::from_raw(ptr))` if you intend to drop the `Box`"]
1308 pub unsafe fn from_raw(raw: *mut T) -> Self {
1309 unsafe { Self::from_raw_in(raw, Global) }
1310 }
1311
1312 /// Constructs a box from a `NonNull` pointer.
1313 ///
1314 /// After calling this function, the `NonNull` pointer is owned by
1315 /// the resulting `Box`. Specifically, the `Box` destructor will call
1316 /// the destructor of `T` and free the allocated memory. For this
1317 /// to be safe, the memory must have been allocated in accordance
1318 /// with the [memory layout] used by `Box` .
1319 ///
1320 /// # Safety
1321 ///
1322 /// This function is unsafe because improper use may lead to
1323 /// memory problems. For example, a double-free may occur if the
1324 /// function is called twice on the same `NonNull` pointer.
1325 ///
1326 /// The non-null pointer must point to a block of memory allocated by the global allocator.
1327 ///
1328 /// The safety conditions are described in the [memory layout] section.
1329 ///
1330 /// # Examples
1331 ///
1332 /// Recreate a `Box` which was previously converted to a `NonNull`
1333 /// pointer using [`Box::into_non_null`]:
1334 /// ```
1335 /// #![feature(box_vec_non_null)]
1336 ///
1337 /// let x = Box::new(5);
1338 /// let non_null = Box::into_non_null(x);
1339 /// let x = unsafe { Box::from_non_null(non_null) };
1340 /// ```
1341 /// Manually create a `Box` from scratch by using the global allocator:
1342 /// ```
1343 /// #![feature(box_vec_non_null)]
1344 ///
1345 /// use std::alloc::{alloc, Layout};
1346 /// use std::ptr::NonNull;
1347 ///
1348 /// unsafe {
1349 /// let non_null = NonNull::new(alloc(Layout::new::<i32>()).cast::<i32>())
1350 /// .expect("allocation failed");
1351 /// // In general .write is required to avoid attempting to destruct
1352 /// // the (uninitialized) previous contents of `non_null`.
1353 /// non_null.write(5);
1354 /// let x = Box::from_non_null(non_null);
1355 /// }
1356 /// ```
1357 ///
1358 /// [memory layout]: self#memory-layout
1359 #[unstable(feature = "box_vec_non_null", issue = "130364")]
1360 #[inline]
1361 #[must_use = "call `drop(Box::from_non_null(ptr))` if you intend to drop the `Box`"]
1362 pub unsafe fn from_non_null(ptr: NonNull<T>) -> Self {
1363 unsafe { Self::from_raw(ptr.as_ptr()) }
1364 }
1365
1366 /// Consumes the `Box`, returning a wrapped raw pointer.
1367 ///
1368 /// The pointer will be properly aligned and non-null.
1369 ///
1370 /// After calling this function, the caller is responsible for the
1371 /// memory previously managed by the `Box`. In particular, the
1372 /// caller should properly destroy `T` and release the memory, taking
1373 /// into account the [memory layout] used by `Box`. The easiest way to
1374 /// do this is to convert the raw pointer back into a `Box` with the
1375 /// [`Box::from_raw`] function, allowing the `Box` destructor to perform
1376 /// the cleanup.
1377 ///
1378 /// Note: this is an associated function, which means that you have
1379 /// to call it as `Box::into_raw(b)` instead of `b.into_raw()`. This
1380 /// is so that there is no conflict with a method on the inner type.
1381 ///
1382 /// # Examples
1383 /// Converting the raw pointer back into a `Box` with [`Box::from_raw`]
1384 /// for automatic cleanup:
1385 /// ```
1386 /// let x = Box::new(String::from("Hello"));
1387 /// let ptr = Box::into_raw(x);
1388 /// let x = unsafe { Box::from_raw(ptr) };
1389 /// ```
1390 /// Manual cleanup by explicitly running the destructor and deallocating
1391 /// the memory:
1392 /// ```
1393 /// use std::alloc::{dealloc, Layout};
1394 /// use std::ptr;
1395 ///
1396 /// let x = Box::new(String::from("Hello"));
1397 /// let ptr = Box::into_raw(x);
1398 /// unsafe {
1399 /// ptr::drop_in_place(ptr);
1400 /// dealloc(ptr as *mut u8, Layout::new::<String>());
1401 /// }
1402 /// ```
1403 /// Note: This is equivalent to the following:
1404 /// ```
1405 /// let x = Box::new(String::from("Hello"));
1406 /// let ptr = Box::into_raw(x);
1407 /// unsafe {
1408 /// drop(Box::from_raw(ptr));
1409 /// }
1410 /// ```
1411 ///
1412 /// [memory layout]: self#memory-layout
1413 #[must_use = "losing the pointer will leak memory"]
1414 #[stable(feature = "box_raw", since = "1.4.0")]
1415 #[inline]
1416 pub fn into_raw(b: Self) -> *mut T {
1417 // Avoid `into_raw_with_allocator` as that interacts poorly with Miri's Stacked Borrows.
1418 let mut b = mem::ManuallyDrop::new(b);
1419 // We go through the built-in deref for `Box`, which is crucial for Miri to recognize this
1420 // operation for it's alias tracking.
1421 &raw mut **b
1422 }
1423
1424 /// Consumes the `Box`, returning a wrapped `NonNull` pointer.
1425 ///
1426 /// The pointer will be properly aligned.
1427 ///
1428 /// After calling this function, the caller is responsible for the
1429 /// memory previously managed by the `Box`. In particular, the
1430 /// caller should properly destroy `T` and release the memory, taking
1431 /// into account the [memory layout] used by `Box`. The easiest way to
1432 /// do this is to convert the `NonNull` pointer back into a `Box` with the
1433 /// [`Box::from_non_null`] function, allowing the `Box` destructor to
1434 /// perform the cleanup.
1435 ///
1436 /// Note: this is an associated function, which means that you have
1437 /// to call it as `Box::into_non_null(b)` instead of `b.into_non_null()`.
1438 /// This is so that there is no conflict with a method on the inner type.
1439 ///
1440 /// # Examples
1441 /// Converting the `NonNull` pointer back into a `Box` with [`Box::from_non_null`]
1442 /// for automatic cleanup:
1443 /// ```
1444 /// #![feature(box_vec_non_null)]
1445 ///
1446 /// let x = Box::new(String::from("Hello"));
1447 /// let non_null = Box::into_non_null(x);
1448 /// let x = unsafe { Box::from_non_null(non_null) };
1449 /// ```
1450 /// Manual cleanup by explicitly running the destructor and deallocating
1451 /// the memory:
1452 /// ```
1453 /// #![feature(box_vec_non_null)]
1454 ///
1455 /// use std::alloc::{dealloc, Layout};
1456 ///
1457 /// let x = Box::new(String::from("Hello"));
1458 /// let non_null = Box::into_non_null(x);
1459 /// unsafe {
1460 /// non_null.drop_in_place();
1461 /// dealloc(non_null.as_ptr().cast::<u8>(), Layout::new::<String>());
1462 /// }
1463 /// ```
1464 /// Note: This is equivalent to the following:
1465 /// ```
1466 /// #![feature(box_vec_non_null)]
1467 ///
1468 /// let x = Box::new(String::from("Hello"));
1469 /// let non_null = Box::into_non_null(x);
1470 /// unsafe {
1471 /// drop(Box::from_non_null(non_null));
1472 /// }
1473 /// ```
1474 ///
1475 /// [memory layout]: self#memory-layout
1476 #[must_use = "losing the pointer will leak memory"]
1477 #[unstable(feature = "box_vec_non_null", issue = "130364")]
1478 #[inline]
1479 pub fn into_non_null(b: Self) -> NonNull<T> {
1480 // SAFETY: `Box` is guaranteed to be non-null.
1481 unsafe { NonNull::new_unchecked(Self::into_raw(b)) }
1482 }
1483}
1484
1485impl<T: ?Sized, A: Allocator> Box<T, A> {
1486 /// Constructs a box from a raw pointer in the given allocator.
1487 ///
1488 /// After calling this function, the raw pointer is owned by the
1489 /// resulting `Box`. Specifically, the `Box` destructor will call
1490 /// the destructor of `T` and free the allocated memory. For this
1491 /// to be safe, the memory must have been allocated in accordance
1492 /// with the [memory layout] used by `Box` .
1493 ///
1494 /// # Safety
1495 ///
1496 /// This function is unsafe because improper use may lead to
1497 /// memory problems. For example, a double-free may occur if the
1498 /// function is called twice on the same raw pointer.
1499 ///
1500 /// The raw pointer must point to a block of memory allocated by `alloc`.
1501 ///
1502 /// # Examples
1503 ///
1504 /// Recreate a `Box` which was previously converted to a raw pointer
1505 /// using [`Box::into_raw_with_allocator`]:
1506 /// ```
1507 /// #![feature(allocator_api)]
1508 ///
1509 /// use std::alloc::System;
1510 ///
1511 /// let x = Box::new_in(5, System);
1512 /// let (ptr, alloc) = Box::into_raw_with_allocator(x);
1513 /// let x = unsafe { Box::from_raw_in(ptr, alloc) };
1514 /// ```
1515 /// Manually create a `Box` from scratch by using the system allocator:
1516 /// ```
1517 /// #![feature(allocator_api, slice_ptr_get)]
1518 ///
1519 /// use std::alloc::{Allocator, Layout, System};
1520 ///
1521 /// unsafe {
1522 /// let ptr = System.allocate(Layout::new::<i32>())?.as_mut_ptr() as *mut i32;
1523 /// // In general .write is required to avoid attempting to destruct
1524 /// // the (uninitialized) previous contents of `ptr`, though for this
1525 /// // simple example `*ptr = 5` would have worked as well.
1526 /// ptr.write(5);
1527 /// let x = Box::from_raw_in(ptr, System);
1528 /// }
1529 /// # Ok::<(), std::alloc::AllocError>(())
1530 /// ```
1531 ///
1532 /// [memory layout]: self#memory-layout
1533 #[unstable(feature = "allocator_api", issue = "32838")]
1534 #[inline]
1535 pub unsafe fn from_raw_in(raw: *mut T, alloc: A) -> Self {
1536 Box(unsafe { Unique::new_unchecked(raw) }, alloc)
1537 }
1538
1539 /// Constructs a box from a `NonNull` pointer in the given allocator.
1540 ///
1541 /// After calling this function, the `NonNull` pointer is owned by
1542 /// the resulting `Box`. Specifically, the `Box` destructor will call
1543 /// the destructor of `T` and free the allocated memory. For this
1544 /// to be safe, the memory must have been allocated in accordance
1545 /// with the [memory layout] used by `Box` .
1546 ///
1547 /// # Safety
1548 ///
1549 /// This function is unsafe because improper use may lead to
1550 /// memory problems. For example, a double-free may occur if the
1551 /// function is called twice on the same raw pointer.
1552 ///
1553 /// The non-null pointer must point to a block of memory allocated by `alloc`.
1554 ///
1555 /// # Examples
1556 ///
1557 /// Recreate a `Box` which was previously converted to a `NonNull` pointer
1558 /// using [`Box::into_non_null_with_allocator`]:
1559 /// ```
1560 /// #![feature(allocator_api)]
1561 ///
1562 /// use std::alloc::System;
1563 ///
1564 /// let x = Box::new_in(5, System);
1565 /// let (non_null, alloc) = Box::into_non_null_with_allocator(x);
1566 /// let x = unsafe { Box::from_non_null_in(non_null, alloc) };
1567 /// ```
1568 /// Manually create a `Box` from scratch by using the system allocator:
1569 /// ```
1570 /// #![feature(allocator_api)]
1571 ///
1572 /// use std::alloc::{Allocator, Layout, System};
1573 ///
1574 /// unsafe {
1575 /// let non_null = System.allocate(Layout::new::<i32>())?.cast::<i32>();
1576 /// // In general .write is required to avoid attempting to destruct
1577 /// // the (uninitialized) previous contents of `non_null`.
1578 /// non_null.write(5);
1579 /// let x = Box::from_non_null_in(non_null, System);
1580 /// }
1581 /// # Ok::<(), std::alloc::AllocError>(())
1582 /// ```
1583 ///
1584 /// [memory layout]: self#memory-layout
1585 #[unstable(feature = "allocator_api", issue = "32838")]
1586 // #[unstable(feature = "box_vec_non_null", issue = "130364")]
1587 #[inline]
1588 pub unsafe fn from_non_null_in(raw: NonNull<T>, alloc: A) -> Self {
1589 // SAFETY: guaranteed by the caller.
1590 unsafe { Box::from_raw_in(raw.as_ptr(), alloc) }
1591 }
1592
1593 /// Consumes the `Box`, returning a wrapped raw pointer and the allocator.
1594 ///
1595 /// The pointer will be properly aligned and non-null.
1596 ///
1597 /// After calling this function, the caller is responsible for the
1598 /// memory previously managed by the `Box`. In particular, the
1599 /// caller should properly destroy `T` and release the memory, taking
1600 /// into account the [memory layout] used by `Box`. The easiest way to
1601 /// do this is to convert the raw pointer back into a `Box` with the
1602 /// [`Box::from_raw_in`] function, allowing the `Box` destructor to perform
1603 /// the cleanup.
1604 ///
1605 /// Note: this is an associated function, which means that you have
1606 /// to call it as `Box::into_raw_with_allocator(b)` instead of `b.into_raw_with_allocator()`. This
1607 /// is so that there is no conflict with a method on the inner type.
1608 ///
1609 /// # Examples
1610 /// Converting the raw pointer back into a `Box` with [`Box::from_raw_in`]
1611 /// for automatic cleanup:
1612 /// ```
1613 /// #![feature(allocator_api)]
1614 ///
1615 /// use std::alloc::System;
1616 ///
1617 /// let x = Box::new_in(String::from("Hello"), System);
1618 /// let (ptr, alloc) = Box::into_raw_with_allocator(x);
1619 /// let x = unsafe { Box::from_raw_in(ptr, alloc) };
1620 /// ```
1621 /// Manual cleanup by explicitly running the destructor and deallocating
1622 /// the memory:
1623 /// ```
1624 /// #![feature(allocator_api)]
1625 ///
1626 /// use std::alloc::{Allocator, Layout, System};
1627 /// use std::ptr::{self, NonNull};
1628 ///
1629 /// let x = Box::new_in(String::from("Hello"), System);
1630 /// let (ptr, alloc) = Box::into_raw_with_allocator(x);
1631 /// unsafe {
1632 /// ptr::drop_in_place(ptr);
1633 /// let non_null = NonNull::new_unchecked(ptr);
1634 /// alloc.deallocate(non_null.cast(), Layout::new::<String>());
1635 /// }
1636 /// ```
1637 ///
1638 /// [memory layout]: self#memory-layout
1639 #[must_use = "losing the pointer will leak memory"]
1640 #[unstable(feature = "allocator_api", issue = "32838")]
1641 #[inline]
1642 pub fn into_raw_with_allocator(b: Self) -> (*mut T, A) {
1643 let mut b = mem::ManuallyDrop::new(b);
1644 // We carefully get the raw pointer out in a way that Miri's aliasing model understands what
1645 // is happening: using the primitive "deref" of `Box`. In case `A` is *not* `Global`, we
1646 // want *no* aliasing requirements here!
1647 // In case `A` *is* `Global`, this does not quite have the right behavior; `into_raw`
1648 // works around that.
1649 let ptr = &raw mut **b;
1650 let alloc = unsafe { ptr::read(&b.1) };
1651 (ptr, alloc)
1652 }
1653
1654 /// Consumes the `Box`, returning a wrapped `NonNull` pointer and the allocator.
1655 ///
1656 /// The pointer will be properly aligned.
1657 ///
1658 /// After calling this function, the caller is responsible for the
1659 /// memory previously managed by the `Box`. In particular, the
1660 /// caller should properly destroy `T` and release the memory, taking
1661 /// into account the [memory layout] used by `Box`. The easiest way to
1662 /// do this is to convert the `NonNull` pointer back into a `Box` with the
1663 /// [`Box::from_non_null_in`] function, allowing the `Box` destructor to
1664 /// perform the cleanup.
1665 ///
1666 /// Note: this is an associated function, which means that you have
1667 /// to call it as `Box::into_non_null_with_allocator(b)` instead of
1668 /// `b.into_non_null_with_allocator()`. This is so that there is no
1669 /// conflict with a method on the inner type.
1670 ///
1671 /// # Examples
1672 /// Converting the `NonNull` pointer back into a `Box` with
1673 /// [`Box::from_non_null_in`] for automatic cleanup:
1674 /// ```
1675 /// #![feature(allocator_api)]
1676 ///
1677 /// use std::alloc::System;
1678 ///
1679 /// let x = Box::new_in(String::from("Hello"), System);
1680 /// let (non_null, alloc) = Box::into_non_null_with_allocator(x);
1681 /// let x = unsafe { Box::from_non_null_in(non_null, alloc) };
1682 /// ```
1683 /// Manual cleanup by explicitly running the destructor and deallocating
1684 /// the memory:
1685 /// ```
1686 /// #![feature(allocator_api)]
1687 ///
1688 /// use std::alloc::{Allocator, Layout, System};
1689 ///
1690 /// let x = Box::new_in(String::from("Hello"), System);
1691 /// let (non_null, alloc) = Box::into_non_null_with_allocator(x);
1692 /// unsafe {
1693 /// non_null.drop_in_place();
1694 /// alloc.deallocate(non_null.cast::<u8>(), Layout::new::<String>());
1695 /// }
1696 /// ```
1697 ///
1698 /// [memory layout]: self#memory-layout
1699 #[must_use = "losing the pointer will leak memory"]
1700 #[unstable(feature = "allocator_api", issue = "32838")]
1701 // #[unstable(feature = "box_vec_non_null", issue = "130364")]
1702 #[inline]
1703 pub fn into_non_null_with_allocator(b: Self) -> (NonNull<T>, A) {
1704 let (ptr, alloc) = Box::into_raw_with_allocator(b);
1705 // SAFETY: `Box` is guaranteed to be non-null.
1706 unsafe { (NonNull::new_unchecked(ptr), alloc) }
1707 }
1708
1709 #[unstable(
1710 feature = "ptr_internals",
1711 issue = "none",
1712 reason = "use `Box::leak(b).into()` or `Unique::from(Box::leak(b))` instead"
1713 )]
1714 #[inline]
1715 #[doc(hidden)]
1716 pub fn into_unique(b: Self) -> (Unique<T>, A) {
1717 let (ptr, alloc) = Box::into_raw_with_allocator(b);
1718 unsafe { (Unique::from(&mut *ptr), alloc) }
1719 }
1720
1721 /// Returns a raw mutable pointer to the `Box`'s contents.
1722 ///
1723 /// The caller must ensure that the `Box` outlives the pointer this
1724 /// function returns, or else it will end up dangling.
1725 ///
1726 /// This method guarantees that for the purpose of the aliasing model, this method
1727 /// does not materialize a reference to the underlying memory, and thus the returned pointer
1728 /// will remain valid when mixed with other calls to [`as_ptr`] and [`as_mut_ptr`].
1729 /// Note that calling other methods that materialize references to the memory
1730 /// may still invalidate this pointer.
1731 /// See the example below for how this guarantee can be used.
1732 ///
1733 /// # Examples
1734 ///
1735 /// Due to the aliasing guarantee, the following code is legal:
1736 ///
1737 /// ```rust
1738 /// #![feature(box_as_ptr)]
1739 ///
1740 /// unsafe {
1741 /// let mut b = Box::new(0);
1742 /// let ptr1 = Box::as_mut_ptr(&mut b);
1743 /// ptr1.write(1);
1744 /// let ptr2 = Box::as_mut_ptr(&mut b);
1745 /// ptr2.write(2);
1746 /// // Notably, the write to `ptr2` did *not* invalidate `ptr1`:
1747 /// ptr1.write(3);
1748 /// }
1749 /// ```
1750 ///
1751 /// [`as_mut_ptr`]: Self::as_mut_ptr
1752 /// [`as_ptr`]: Self::as_ptr
1753 #[unstable(feature = "box_as_ptr", issue = "129090")]
1754 #[rustc_never_returns_null_ptr]
1755 #[rustc_as_ptr]
1756 #[inline]
1757 pub fn as_mut_ptr(b: &mut Self) -> *mut T {
1758 // This is a primitive deref, not going through `DerefMut`, and therefore not materializing
1759 // any references.
1760 &raw mut **b
1761 }
1762
1763 /// Returns a raw pointer to the `Box`'s contents.
1764 ///
1765 /// The caller must ensure that the `Box` outlives the pointer this
1766 /// function returns, or else it will end up dangling.
1767 ///
1768 /// The caller must also ensure that the memory the pointer (non-transitively) points to
1769 /// is never written to (except inside an `UnsafeCell`) using this pointer or any pointer
1770 /// derived from it. If you need to mutate the contents of the `Box`, use [`as_mut_ptr`].
1771 ///
1772 /// This method guarantees that for the purpose of the aliasing model, this method
1773 /// does not materialize a reference to the underlying memory, and thus the returned pointer
1774 /// will remain valid when mixed with other calls to [`as_ptr`] and [`as_mut_ptr`].
1775 /// Note that calling other methods that materialize mutable references to the memory,
1776 /// as well as writing to this memory, may still invalidate this pointer.
1777 /// See the example below for how this guarantee can be used.
1778 ///
1779 /// # Examples
1780 ///
1781 /// Due to the aliasing guarantee, the following code is legal:
1782 ///
1783 /// ```rust
1784 /// #![feature(box_as_ptr)]
1785 ///
1786 /// unsafe {
1787 /// let mut v = Box::new(0);
1788 /// let ptr1 = Box::as_ptr(&v);
1789 /// let ptr2 = Box::as_mut_ptr(&mut v);
1790 /// let _val = ptr2.read();
1791 /// // No write to this memory has happened yet, so `ptr1` is still valid.
1792 /// let _val = ptr1.read();
1793 /// // However, once we do a write...
1794 /// ptr2.write(1);
1795 /// // ... `ptr1` is no longer valid.
1796 /// // This would be UB: let _val = ptr1.read();
1797 /// }
1798 /// ```
1799 ///
1800 /// [`as_mut_ptr`]: Self::as_mut_ptr
1801 /// [`as_ptr`]: Self::as_ptr
1802 #[unstable(feature = "box_as_ptr", issue = "129090")]
1803 #[rustc_never_returns_null_ptr]
1804 #[rustc_as_ptr]
1805 #[inline]
1806 pub fn as_ptr(b: &Self) -> *const T {
1807 // This is a primitive deref, not going through `DerefMut`, and therefore not materializing
1808 // any references.
1809 &raw const **b
1810 }
1811
1812 /// Returns a reference to the underlying allocator.
1813 ///
1814 /// Note: this is an associated function, which means that you have
1815 /// to call it as `Box::allocator(&b)` instead of `b.allocator()`. This
1816 /// is so that there is no conflict with a method on the inner type.
1817 #[unstable(feature = "allocator_api", issue = "32838")]
1818 #[inline]
1819 pub fn allocator(b: &Self) -> &A {
1820 &b.1
1821 }
1822
1823 /// Consumes and leaks the `Box`, returning a mutable reference,
1824 /// `&'a mut T`.
1825 ///
1826 /// Note that the type `T` must outlive the chosen lifetime `'a`. If the type
1827 /// has only static references, or none at all, then this may be chosen to be
1828 /// `'static`.
1829 ///
1830 /// This function is mainly useful for data that lives for the remainder of
1831 /// the program's life. Dropping the returned reference will cause a memory
1832 /// leak. If this is not acceptable, the reference should first be wrapped
1833 /// with the [`Box::from_raw`] function producing a `Box`. This `Box` can
1834 /// then be dropped which will properly destroy `T` and release the
1835 /// allocated memory.
1836 ///
1837 /// Note: this is an associated function, which means that you have
1838 /// to call it as `Box::leak(b)` instead of `b.leak()`. This
1839 /// is so that there is no conflict with a method on the inner type.
1840 ///
1841 /// # Examples
1842 ///
1843 /// Simple usage:
1844 ///
1845 /// ```
1846 /// let x = Box::new(41);
1847 /// let static_ref: &'static mut usize = Box::leak(x);
1848 /// *static_ref += 1;
1849 /// assert_eq!(*static_ref, 42);
1850 /// # // FIXME(https://github.com/rust-lang/miri/issues/3670):
1851 /// # // use -Zmiri-disable-leak-check instead of unleaking in tests meant to leak.
1852 /// # drop(unsafe { Box::from_raw(static_ref) });
1853 /// ```
1854 ///
1855 /// Unsized data:
1856 ///
1857 /// ```
1858 /// let x = vec![1, 2, 3].into_boxed_slice();
1859 /// let static_ref = Box::leak(x);
1860 /// static_ref[0] = 4;
1861 /// assert_eq!(*static_ref, [4, 2, 3]);
1862 /// # // FIXME(https://github.com/rust-lang/miri/issues/3670):
1863 /// # // use -Zmiri-disable-leak-check instead of unleaking in tests meant to leak.
1864 /// # drop(unsafe { Box::from_raw(static_ref) });
1865 /// ```
1866 #[stable(feature = "box_leak", since = "1.26.0")]
1867 #[inline]
1868 pub fn leak<'a>(b: Self) -> &'a mut T
1869 where
1870 A: 'a,
1871 {
1872 let (ptr, alloc) = Box::into_raw_with_allocator(b);
1873 mem::forget(alloc);
1874 unsafe { &mut *ptr }
1875 }
1876
1877 /// Converts a `Box<T>` into a `Pin<Box<T>>`. If `T` does not implement [`Unpin`], then
1878 /// `*boxed` will be pinned in memory and unable to be moved.
1879 ///
1880 /// This conversion does not allocate on the heap and happens in place.
1881 ///
1882 /// This is also available via [`From`].
1883 ///
1884 /// Constructing and pinning a `Box` with <code>Box::into_pin([Box::new]\(x))</code>
1885 /// can also be written more concisely using <code>[Box::pin]\(x)</code>.
1886 /// This `into_pin` method is useful if you already have a `Box<T>`, or you are
1887 /// constructing a (pinned) `Box` in a different way than with [`Box::new`].
1888 ///
1889 /// # Notes
1890 ///
1891 /// It's not recommended that crates add an impl like `From<Box<T>> for Pin<T>`,
1892 /// as it'll introduce an ambiguity when calling `Pin::from`.
1893 /// A demonstration of such a poor impl is shown below.
1894 ///
1895 /// ```compile_fail
1896 /// # use std::pin::Pin;
1897 /// struct Foo; // A type defined in this crate.
1898 /// impl From<Box<()>> for Pin<Foo> {
1899 /// fn from(_: Box<()>) -> Pin<Foo> {
1900 /// Pin::new(Foo)
1901 /// }
1902 /// }
1903 ///
1904 /// let foo = Box::new(());
1905 /// let bar = Pin::from(foo);
1906 /// ```
1907 #[stable(feature = "box_into_pin", since = "1.63.0")]
1908 pub fn into_pin(boxed: Self) -> Pin<Self>
1909 where
1910 A: 'static,
1911 {
1912 // It's not possible to move or replace the insides of a `Pin<Box<T>>`
1913 // when `T: !Unpin`, so it's safe to pin it directly without any
1914 // additional requirements.
1915 unsafe { Pin::new_unchecked(boxed) }
1916 }
1917}
1918
1919#[stable(feature = "rust1", since = "1.0.0")]
1920unsafe impl<#[may_dangle] T: ?Sized, A: Allocator> Drop for Box<T, A> {
1921 #[inline]
1922 fn drop(&mut self) {
1923 // the T in the Box is dropped by the compiler before the destructor is run
1924
1925 let ptr = self.0;
1926
1927 unsafe {
1928 let layout = Layout::for_value_raw(ptr.as_ptr());
1929 if layout.size() != 0 {
1930 self.1.deallocate(From::from(ptr.cast()), layout);
1931 }
1932 }
1933 }
1934}
1935
1936#[cfg(not(no_global_oom_handling))]
1937#[stable(feature = "rust1", since = "1.0.0")]
1938impl<T: Default> Default for Box<T> {
1939 /// Creates a `Box<T>`, with the `Default` value for `T`.
1940 #[inline]
1941 fn default() -> Self {
1942 let mut x: Box<mem::MaybeUninit<T>> = Box::new_uninit();
1943 unsafe {
1944 // SAFETY: `x` is valid for writing and has the same layout as `T`.
1945 // If `T::default()` panics, dropping `x` will just deallocate the Box as `MaybeUninit<T>`
1946 // does not have a destructor.
1947 //
1948 // We use `ptr::write` as `MaybeUninit::write` creates
1949 // extra stack copies of `T` in debug mode.
1950 //
1951 // See https://github.com/rust-lang/rust/issues/136043 for more context.
1952 ptr::write(&raw mut *x as *mut T, T::default());
1953 // SAFETY: `x` was just initialized above.
1954 x.assume_init()
1955 }
1956 }
1957}
1958
1959#[cfg(not(no_global_oom_handling))]
1960#[stable(feature = "rust1", since = "1.0.0")]
1961impl<T> Default for Box<[T]> {
1962 /// Creates an empty `[T]` inside a `Box`.
1963 #[inline]
1964 fn default() -> Self {
1965 let ptr: Unique<[T]> = Unique::<[T; 0]>::dangling();
1966 Box(ptr, Global)
1967 }
1968}
1969
1970#[cfg(not(no_global_oom_handling))]
1971#[stable(feature = "default_box_extra", since = "1.17.0")]
1972impl Default for Box<str> {
1973 #[inline]
1974 fn default() -> Self {
1975 // SAFETY: This is the same as `Unique::cast<U>` but with an unsized `U = str`.
1976 let ptr: Unique<str> = unsafe {
1977 let bytes: Unique<[u8]> = Unique::<[u8; 0]>::dangling();
1978 Unique::new_unchecked(bytes.as_ptr() as *mut str)
1979 };
1980 Box(ptr, Global)
1981 }
1982}
1983
1984#[cfg(not(no_global_oom_handling))]
1985#[stable(feature = "pin_default_impls", since = "1.91.0")]
1986impl<T> Default for Pin<Box<T>>
1987where
1988 T: ?Sized,
1989 Box<T>: Default,
1990{
1991 #[inline]
1992 fn default() -> Self {
1993 Box::into_pin(Box::<T>::default())
1994 }
1995}
1996
1997#[cfg(not(no_global_oom_handling))]
1998#[stable(feature = "rust1", since = "1.0.0")]
1999impl<T: Clone, A: Allocator + Clone> Clone for Box<T, A> {
2000 /// Returns a new box with a `clone()` of this box's contents.
2001 ///
2002 /// # Examples
2003 ///
2004 /// ```
2005 /// let x = Box::new(5);
2006 /// let y = x.clone();
2007 ///
2008 /// // The value is the same
2009 /// assert_eq!(x, y);
2010 ///
2011 /// // But they are unique objects
2012 /// assert_ne!(&*x as *const i32, &*y as *const i32);
2013 /// ```
2014 #[inline]
2015 fn clone(&self) -> Self {
2016 // Pre-allocate memory to allow writing the cloned value directly.
2017 let mut boxed = Self::new_uninit_in(self.1.clone());
2018 unsafe {
2019 (**self).clone_to_uninit(boxed.as_mut_ptr().cast());
2020 boxed.assume_init()
2021 }
2022 }
2023
2024 /// Copies `source`'s contents into `self` without creating a new allocation.
2025 ///
2026 /// # Examples
2027 ///
2028 /// ```
2029 /// let x = Box::new(5);
2030 /// let mut y = Box::new(10);
2031 /// let yp: *const i32 = &*y;
2032 ///
2033 /// y.clone_from(&x);
2034 ///
2035 /// // The value is the same
2036 /// assert_eq!(x, y);
2037 ///
2038 /// // And no allocation occurred
2039 /// assert_eq!(yp, &*y);
2040 /// ```
2041 #[inline]
2042 fn clone_from(&mut self, source: &Self) {
2043 (**self).clone_from(&(**source));
2044 }
2045}
2046
2047#[cfg(not(no_global_oom_handling))]
2048#[stable(feature = "box_slice_clone", since = "1.3.0")]
2049impl<T: Clone, A: Allocator + Clone> Clone for Box<[T], A> {
2050 fn clone(&self) -> Self {
2051 let alloc = Box::allocator(self).clone();
2052 self.to_vec_in(alloc).into_boxed_slice()
2053 }
2054
2055 /// Copies `source`'s contents into `self` without creating a new allocation,
2056 /// so long as the two are of the same length.
2057 ///
2058 /// # Examples
2059 ///
2060 /// ```
2061 /// let x = Box::new([5, 6, 7]);
2062 /// let mut y = Box::new([8, 9, 10]);
2063 /// let yp: *const [i32] = &*y;
2064 ///
2065 /// y.clone_from(&x);
2066 ///
2067 /// // The value is the same
2068 /// assert_eq!(x, y);
2069 ///
2070 /// // And no allocation occurred
2071 /// assert_eq!(yp, &*y);
2072 /// ```
2073 fn clone_from(&mut self, source: &Self) {
2074 if self.len() == source.len() {
2075 self.clone_from_slice(&source);
2076 } else {
2077 *self = source.clone();
2078 }
2079 }
2080}
2081
2082#[cfg(not(no_global_oom_handling))]
2083#[stable(feature = "box_slice_clone", since = "1.3.0")]
2084impl Clone for Box<str> {
2085 fn clone(&self) -> Self {
2086 // this makes a copy of the data
2087 let buf: Box<[u8]> = self.as_bytes().into();
2088 unsafe { from_boxed_utf8_unchecked(buf) }
2089 }
2090}
2091
2092#[stable(feature = "rust1", since = "1.0.0")]
2093impl<T: ?Sized + PartialEq, A: Allocator> PartialEq for Box<T, A> {
2094 #[inline]
2095 fn eq(&self, other: &Self) -> bool {
2096 PartialEq::eq(&**self, &**other)
2097 }
2098 #[inline]
2099 fn ne(&self, other: &Self) -> bool {
2100 PartialEq::ne(&**self, &**other)
2101 }
2102}
2103
2104#[stable(feature = "rust1", since = "1.0.0")]
2105impl<T: ?Sized + PartialOrd, A: Allocator> PartialOrd for Box<T, A> {
2106 #[inline]
2107 fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
2108 PartialOrd::partial_cmp(&**self, &**other)
2109 }
2110 #[inline]
2111 fn lt(&self, other: &Self) -> bool {
2112 PartialOrd::lt(&**self, &**other)
2113 }
2114 #[inline]
2115 fn le(&self, other: &Self) -> bool {
2116 PartialOrd::le(&**self, &**other)
2117 }
2118 #[inline]
2119 fn ge(&self, other: &Self) -> bool {
2120 PartialOrd::ge(&**self, &**other)
2121 }
2122 #[inline]
2123 fn gt(&self, other: &Self) -> bool {
2124 PartialOrd::gt(&**self, &**other)
2125 }
2126}
2127
2128#[stable(feature = "rust1", since = "1.0.0")]
2129impl<T: ?Sized + Ord, A: Allocator> Ord for Box<T, A> {
2130 #[inline]
2131 fn cmp(&self, other: &Self) -> Ordering {
2132 Ord::cmp(&**self, &**other)
2133 }
2134}
2135
2136#[stable(feature = "rust1", since = "1.0.0")]
2137impl<T: ?Sized + Eq, A: Allocator> Eq for Box<T, A> {}
2138
2139#[stable(feature = "rust1", since = "1.0.0")]
2140impl<T: ?Sized + Hash, A: Allocator> Hash for Box<T, A> {
2141 fn hash<H: Hasher>(&self, state: &mut H) {
2142 (**self).hash(state);
2143 }
2144}
2145
2146#[stable(feature = "indirect_hasher_impl", since = "1.22.0")]
2147impl<T: ?Sized + Hasher, A: Allocator> Hasher for Box<T, A> {
2148 fn finish(&self) -> u64 {
2149 (**self).finish()
2150 }
2151 fn write(&mut self, bytes: &[u8]) {
2152 (**self).write(bytes)
2153 }
2154 fn write_u8(&mut self, i: u8) {
2155 (**self).write_u8(i)
2156 }
2157 fn write_u16(&mut self, i: u16) {
2158 (**self).write_u16(i)
2159 }
2160 fn write_u32(&mut self, i: u32) {
2161 (**self).write_u32(i)
2162 }
2163 fn write_u64(&mut self, i: u64) {
2164 (**self).write_u64(i)
2165 }
2166 fn write_u128(&mut self, i: u128) {
2167 (**self).write_u128(i)
2168 }
2169 fn write_usize(&mut self, i: usize) {
2170 (**self).write_usize(i)
2171 }
2172 fn write_i8(&mut self, i: i8) {
2173 (**self).write_i8(i)
2174 }
2175 fn write_i16(&mut self, i: i16) {
2176 (**self).write_i16(i)
2177 }
2178 fn write_i32(&mut self, i: i32) {
2179 (**self).write_i32(i)
2180 }
2181 fn write_i64(&mut self, i: i64) {
2182 (**self).write_i64(i)
2183 }
2184 fn write_i128(&mut self, i: i128) {
2185 (**self).write_i128(i)
2186 }
2187 fn write_isize(&mut self, i: isize) {
2188 (**self).write_isize(i)
2189 }
2190 fn write_length_prefix(&mut self, len: usize) {
2191 (**self).write_length_prefix(len)
2192 }
2193 fn write_str(&mut self, s: &str) {
2194 (**self).write_str(s)
2195 }
2196}
2197
2198#[stable(feature = "rust1", since = "1.0.0")]
2199impl<T: fmt::Display + ?Sized, A: Allocator> fmt::Display for Box<T, A> {
2200 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2201 fmt::Display::fmt(&**self, f)
2202 }
2203}
2204
2205#[stable(feature = "rust1", since = "1.0.0")]
2206impl<T: fmt::Debug + ?Sized, A: Allocator> fmt::Debug for Box<T, A> {
2207 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2208 fmt::Debug::fmt(&**self, f)
2209 }
2210}
2211
2212#[stable(feature = "rust1", since = "1.0.0")]
2213impl<T: ?Sized, A: Allocator> fmt::Pointer for Box<T, A> {
2214 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2215 // It's not possible to extract the inner Uniq directly from the Box,
2216 // instead we cast it to a *const which aliases the Unique
2217 let ptr: *const T = &**self;
2218 fmt::Pointer::fmt(&ptr, f)
2219 }
2220}
2221
2222#[stable(feature = "rust1", since = "1.0.0")]
2223impl<T: ?Sized, A: Allocator> Deref for Box<T, A> {
2224 type Target = T;
2225
2226 fn deref(&self) -> &T {
2227 &**self
2228 }
2229}
2230
2231#[stable(feature = "rust1", since = "1.0.0")]
2232impl<T: ?Sized, A: Allocator> DerefMut for Box<T, A> {
2233 fn deref_mut(&mut self) -> &mut T {
2234 &mut **self
2235 }
2236}
2237
2238#[unstable(feature = "deref_pure_trait", issue = "87121")]
2239unsafe impl<T: ?Sized, A: Allocator> DerefPure for Box<T, A> {}
2240
2241#[unstable(feature = "legacy_receiver_trait", issue = "none")]
2242impl<T: ?Sized, A: Allocator> LegacyReceiver for Box<T, A> {}
2243
2244#[stable(feature = "boxed_closure_impls", since = "1.35.0")]
2245impl<Args: Tuple, F: FnOnce<Args> + ?Sized, A: Allocator> FnOnce<Args> for Box<F, A> {
2246 type Output = <F as FnOnce<Args>>::Output;
2247
2248 extern "rust-call" fn call_once(self, args: Args) -> Self::Output {
2249 <F as FnOnce<Args>>::call_once(*self, args)
2250 }
2251}
2252
2253#[stable(feature = "boxed_closure_impls", since = "1.35.0")]
2254impl<Args: Tuple, F: FnMut<Args> + ?Sized, A: Allocator> FnMut<Args> for Box<F, A> {
2255 extern "rust-call" fn call_mut(&mut self, args: Args) -> Self::Output {
2256 <F as FnMut<Args>>::call_mut(self, args)
2257 }
2258}
2259
2260#[stable(feature = "boxed_closure_impls", since = "1.35.0")]
2261impl<Args: Tuple, F: Fn<Args> + ?Sized, A: Allocator> Fn<Args> for Box<F, A> {
2262 extern "rust-call" fn call(&self, args: Args) -> Self::Output {
2263 <F as Fn<Args>>::call(self, args)
2264 }
2265}
2266
2267#[stable(feature = "async_closure", since = "1.85.0")]
2268impl<Args: Tuple, F: AsyncFnOnce<Args> + ?Sized, A: Allocator> AsyncFnOnce<Args> for Box<F, A> {
2269 type Output = F::Output;
2270 type CallOnceFuture = F::CallOnceFuture;
2271
2272 extern "rust-call" fn async_call_once(self, args: Args) -> Self::CallOnceFuture {
2273 F::async_call_once(*self, args)
2274 }
2275}
2276
2277#[stable(feature = "async_closure", since = "1.85.0")]
2278impl<Args: Tuple, F: AsyncFnMut<Args> + ?Sized, A: Allocator> AsyncFnMut<Args> for Box<F, A> {
2279 type CallRefFuture<'a>
2280 = F::CallRefFuture<'a>
2281 where
2282 Self: 'a;
2283
2284 extern "rust-call" fn async_call_mut(&mut self, args: Args) -> Self::CallRefFuture<'_> {
2285 F::async_call_mut(self, args)
2286 }
2287}
2288
2289#[stable(feature = "async_closure", since = "1.85.0")]
2290impl<Args: Tuple, F: AsyncFn<Args> + ?Sized, A: Allocator> AsyncFn<Args> for Box<F, A> {
2291 extern "rust-call" fn async_call(&self, args: Args) -> Self::CallRefFuture<'_> {
2292 F::async_call(self, args)
2293 }
2294}
2295
2296#[unstable(feature = "coerce_unsized", issue = "18598")]
2297impl<T: ?Sized + Unsize<U>, U: ?Sized, A: Allocator> CoerceUnsized<Box<U, A>> for Box<T, A> {}
2298
2299#[unstable(feature = "pin_coerce_unsized_trait", issue = "150112")]
2300unsafe impl<T: ?Sized, A: Allocator> PinCoerceUnsized for Box<T, A> {}
2301
2302// It is quite crucial that we only allow the `Global` allocator here.
2303// Handling arbitrary custom allocators (which can affect the `Box` layout heavily!)
2304// would need a lot of codegen and interpreter adjustments.
2305#[unstable(feature = "dispatch_from_dyn", issue = "none")]
2306impl<T: ?Sized + Unsize<U>, U: ?Sized> DispatchFromDyn<Box<U>> for Box<T, Global> {}
2307
2308#[stable(feature = "box_borrow", since = "1.1.0")]
2309impl<T: ?Sized, A: Allocator> Borrow<T> for Box<T, A> {
2310 fn borrow(&self) -> &T {
2311 &**self
2312 }
2313}
2314
2315#[stable(feature = "box_borrow", since = "1.1.0")]
2316impl<T: ?Sized, A: Allocator> BorrowMut<T> for Box<T, A> {
2317 fn borrow_mut(&mut self) -> &mut T {
2318 &mut **self
2319 }
2320}
2321
2322#[stable(since = "1.5.0", feature = "smart_ptr_as_ref")]
2323impl<T: ?Sized, A: Allocator> AsRef<T> for Box<T, A> {
2324 fn as_ref(&self) -> &T {
2325 &**self
2326 }
2327}
2328
2329#[stable(since = "1.5.0", feature = "smart_ptr_as_ref")]
2330impl<T: ?Sized, A: Allocator> AsMut<T> for Box<T, A> {
2331 fn as_mut(&mut self) -> &mut T {
2332 &mut **self
2333 }
2334}
2335
2336/* Nota bene
2337 *
2338 * We could have chosen not to add this impl, and instead have written a
2339 * function of Pin<Box<T>> to Pin<T>. Such a function would not be sound,
2340 * because Box<T> implements Unpin even when T does not, as a result of
2341 * this impl.
2342 *
2343 * We chose this API instead of the alternative for a few reasons:
2344 * - Logically, it is helpful to understand pinning in regard to the
2345 * memory region being pointed to. For this reason none of the
2346 * standard library pointer types support projecting through a pin
2347 * (Box<T> is the only pointer type in std for which this would be
2348 * safe.)
2349 * - It is in practice very useful to have Box<T> be unconditionally
2350 * Unpin because of trait objects, for which the structural auto
2351 * trait functionality does not apply (e.g., Box<dyn Foo> would
2352 * otherwise not be Unpin).
2353 *
2354 * Another type with the same semantics as Box but only a conditional
2355 * implementation of `Unpin` (where `T: Unpin`) would be valid/safe, and
2356 * could have a method to project a Pin<T> from it.
2357 */
2358#[stable(feature = "pin", since = "1.33.0")]
2359impl<T: ?Sized, A: Allocator> Unpin for Box<T, A> {}
2360
2361#[unstable(feature = "coroutine_trait", issue = "43122")]
2362impl<G: ?Sized + Coroutine<R> + Unpin, R, A: Allocator> Coroutine<R> for Box<G, A> {
2363 type Yield = G::Yield;
2364 type Return = G::Return;
2365
2366 fn resume(mut self: Pin<&mut Self>, arg: R) -> CoroutineState<Self::Yield, Self::Return> {
2367 G::resume(Pin::new(&mut *self), arg)
2368 }
2369}
2370
2371#[unstable(feature = "coroutine_trait", issue = "43122")]
2372impl<G: ?Sized + Coroutine<R>, R, A: Allocator> Coroutine<R> for Pin<Box<G, A>>
2373where
2374 A: 'static,
2375{
2376 type Yield = G::Yield;
2377 type Return = G::Return;
2378
2379 fn resume(mut self: Pin<&mut Self>, arg: R) -> CoroutineState<Self::Yield, Self::Return> {
2380 G::resume((*self).as_mut(), arg)
2381 }
2382}
2383
2384#[stable(feature = "futures_api", since = "1.36.0")]
2385impl<F: ?Sized + Future + Unpin, A: Allocator> Future for Box<F, A> {
2386 type Output = F::Output;
2387
2388 fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
2389 F::poll(Pin::new(&mut *self), cx)
2390 }
2391}
2392
2393#[stable(feature = "box_error", since = "1.8.0")]
2394impl<E: Error> Error for Box<E> {
2395 #[allow(deprecated)]
2396 fn cause(&self) -> Option<&dyn Error> {
2397 Error::cause(&**self)
2398 }
2399
2400 fn source(&self) -> Option<&(dyn Error + 'static)> {
2401 Error::source(&**self)
2402 }
2403
2404 fn provide<'b>(&'b self, request: &mut error::Request<'b>) {
2405 Error::provide(&**self, request);
2406 }
2407}
2408
2409#[unstable(feature = "allocator_api", issue = "32838")]
2410unsafe impl<T: ?Sized + Allocator, A: Allocator> Allocator for Box<T, A> {
2411 #[inline]
2412 fn allocate(&self, layout: Layout) -> Result<NonNull<[u8]>, AllocError> {
2413 (**self).allocate(layout)
2414 }
2415
2416 #[inline]
2417 fn allocate_zeroed(&self, layout: Layout) -> Result<NonNull<[u8]>, AllocError> {
2418 (**self).allocate_zeroed(layout)
2419 }
2420
2421 #[inline]
2422 unsafe fn deallocate(&self, ptr: NonNull<u8>, layout: Layout) {
2423 // SAFETY: the safety contract must be upheld by the caller
2424 unsafe { (**self).deallocate(ptr, layout) }
2425 }
2426
2427 #[inline]
2428 unsafe fn grow(
2429 &self,
2430 ptr: NonNull<u8>,
2431 old_layout: Layout,
2432 new_layout: Layout,
2433 ) -> Result<NonNull<[u8]>, AllocError> {
2434 // SAFETY: the safety contract must be upheld by the caller
2435 unsafe { (**self).grow(ptr, old_layout, new_layout) }
2436 }
2437
2438 #[inline]
2439 unsafe fn grow_zeroed(
2440 &self,
2441 ptr: NonNull<u8>,
2442 old_layout: Layout,
2443 new_layout: Layout,
2444 ) -> Result<NonNull<[u8]>, AllocError> {
2445 // SAFETY: the safety contract must be upheld by the caller
2446 unsafe { (**self).grow_zeroed(ptr, old_layout, new_layout) }
2447 }
2448
2449 #[inline]
2450 unsafe fn shrink(
2451 &self,
2452 ptr: NonNull<u8>,
2453 old_layout: Layout,
2454 new_layout: Layout,
2455 ) -> Result<NonNull<[u8]>, AllocError> {
2456 // SAFETY: the safety contract must be upheld by the caller
2457 unsafe { (**self).shrink(ptr, old_layout, new_layout) }
2458 }
2459}