]> git.lizzy.rs Git - rust.git/blob - src/liballoc/alloc.rs
Auto merge of #70582 - pnkfelix:update-llvm-to-fix-69841, r=cuviper
[rust.git] / src / liballoc / alloc.rs
1 //! Memory allocation APIs
2
3 #![stable(feature = "alloc_module", since = "1.28.0")]
4
5 use core::intrinsics::{self, min_align_of_val, size_of_val};
6 use core::ptr::{NonNull, Unique};
7 use core::usize;
8
9 #[stable(feature = "alloc_module", since = "1.28.0")]
10 #[doc(inline)]
11 pub use core::alloc::*;
12
13 #[cfg(test)]
14 mod tests;
15
16 extern "Rust" {
17     // These are the magic symbols to call the global allocator.  rustc generates
18     // them from the `#[global_allocator]` attribute if there is one, or uses the
19     // default implementations in libstd (`__rdl_alloc` etc in `src/libstd/alloc.rs`)
20     // otherwise.
21     #[rustc_allocator]
22     #[rustc_allocator_nounwind]
23     fn __rust_alloc(size: usize, align: usize) -> *mut u8;
24     #[rustc_allocator_nounwind]
25     fn __rust_dealloc(ptr: *mut u8, size: usize, align: usize);
26     #[rustc_allocator_nounwind]
27     fn __rust_realloc(ptr: *mut u8, old_size: usize, align: usize, new_size: usize) -> *mut u8;
28     #[rustc_allocator_nounwind]
29     fn __rust_alloc_zeroed(size: usize, align: usize) -> *mut u8;
30 }
31
32 /// The global memory allocator.
33 ///
34 /// This type implements the [`AllocRef`] trait by forwarding calls
35 /// to the allocator registered with the `#[global_allocator]` attribute
36 /// if there is one, or the `std` crate’s default.
37 ///
38 /// Note: while this type is unstable, the functionality it provides can be
39 /// accessed through the [free functions in `alloc`](index.html#functions).
40 ///
41 /// [`AllocRef`]: trait.AllocRef.html
42 #[unstable(feature = "allocator_api", issue = "32838")]
43 #[derive(Copy, Clone, Default, Debug)]
44 pub struct Global;
45
46 /// Allocate memory with the global allocator.
47 ///
48 /// This function forwards calls to the [`GlobalAlloc::alloc`] method
49 /// of the allocator registered with the `#[global_allocator]` attribute
50 /// if there is one, or the `std` crate’s default.
51 ///
52 /// This function is expected to be deprecated in favor of the `alloc` method
53 /// of the [`Global`] type when it and the [`AllocRef`] trait become stable.
54 ///
55 /// # Safety
56 ///
57 /// See [`GlobalAlloc::alloc`].
58 ///
59 /// [`Global`]: struct.Global.html
60 /// [`AllocRef`]: trait.AllocRef.html
61 /// [`GlobalAlloc::alloc`]: trait.GlobalAlloc.html#tymethod.alloc
62 ///
63 /// # Examples
64 ///
65 /// ```
66 /// use std::alloc::{alloc, dealloc, Layout};
67 ///
68 /// unsafe {
69 ///     let layout = Layout::new::<u16>();
70 ///     let ptr = alloc(layout);
71 ///
72 ///     *(ptr as *mut u16) = 42;
73 ///     assert_eq!(*(ptr as *mut u16), 42);
74 ///
75 ///     dealloc(ptr, layout);
76 /// }
77 /// ```
78 #[stable(feature = "global_alloc", since = "1.28.0")]
79 #[inline]
80 pub unsafe fn alloc(layout: Layout) -> *mut u8 {
81     __rust_alloc(layout.size(), layout.align())
82 }
83
84 /// Deallocate memory with the global allocator.
85 ///
86 /// This function forwards calls to the [`GlobalAlloc::dealloc`] method
87 /// of the allocator registered with the `#[global_allocator]` attribute
88 /// if there is one, or the `std` crate’s default.
89 ///
90 /// This function is expected to be deprecated in favor of the `dealloc` method
91 /// of the [`Global`] type when it and the [`AllocRef`] trait become stable.
92 ///
93 /// # Safety
94 ///
95 /// See [`GlobalAlloc::dealloc`].
96 ///
97 /// [`Global`]: struct.Global.html
98 /// [`AllocRef`]: trait.AllocRef.html
99 /// [`GlobalAlloc::dealloc`]: trait.GlobalAlloc.html#tymethod.dealloc
100 #[stable(feature = "global_alloc", since = "1.28.0")]
101 #[inline]
102 pub unsafe fn dealloc(ptr: *mut u8, layout: Layout) {
103     __rust_dealloc(ptr, layout.size(), layout.align())
104 }
105
106 /// Reallocate memory with the global allocator.
107 ///
108 /// This function forwards calls to the [`GlobalAlloc::realloc`] method
109 /// of the allocator registered with the `#[global_allocator]` attribute
110 /// if there is one, or the `std` crate’s default.
111 ///
112 /// This function is expected to be deprecated in favor of the `realloc` method
113 /// of the [`Global`] type when it and the [`AllocRef`] trait become stable.
114 ///
115 /// # Safety
116 ///
117 /// See [`GlobalAlloc::realloc`].
118 ///
119 /// [`Global`]: struct.Global.html
120 /// [`AllocRef`]: trait.AllocRef.html
121 /// [`GlobalAlloc::realloc`]: trait.GlobalAlloc.html#method.realloc
122 #[stable(feature = "global_alloc", since = "1.28.0")]
123 #[inline]
124 pub unsafe fn realloc(ptr: *mut u8, layout: Layout, new_size: usize) -> *mut u8 {
125     __rust_realloc(ptr, layout.size(), layout.align(), new_size)
126 }
127
128 /// Allocate zero-initialized memory with the global allocator.
129 ///
130 /// This function forwards calls to the [`GlobalAlloc::alloc_zeroed`] method
131 /// of the allocator registered with the `#[global_allocator]` attribute
132 /// if there is one, or the `std` crate’s default.
133 ///
134 /// This function is expected to be deprecated in favor of the `alloc_zeroed` method
135 /// of the [`Global`] type when it and the [`AllocRef`] trait become stable.
136 ///
137 /// # Safety
138 ///
139 /// See [`GlobalAlloc::alloc_zeroed`].
140 ///
141 /// [`Global`]: struct.Global.html
142 /// [`AllocRef`]: trait.AllocRef.html
143 /// [`GlobalAlloc::alloc_zeroed`]: trait.GlobalAlloc.html#method.alloc_zeroed
144 ///
145 /// # Examples
146 ///
147 /// ```
148 /// use std::alloc::{alloc_zeroed, dealloc, Layout};
149 ///
150 /// unsafe {
151 ///     let layout = Layout::new::<u16>();
152 ///     let ptr = alloc_zeroed(layout);
153 ///
154 ///     assert_eq!(*(ptr as *mut u16), 0);
155 ///
156 ///     dealloc(ptr, layout);
157 /// }
158 /// ```
159 #[stable(feature = "global_alloc", since = "1.28.0")]
160 #[inline]
161 pub unsafe fn alloc_zeroed(layout: Layout) -> *mut u8 {
162     __rust_alloc_zeroed(layout.size(), layout.align())
163 }
164
165 #[unstable(feature = "allocator_api", issue = "32838")]
166 unsafe impl AllocRef for Global {
167     #[inline]
168     fn alloc(&mut self, layout: Layout, init: AllocInit) -> Result<MemoryBlock, AllocErr> {
169         unsafe {
170             let size = layout.size();
171             if size == 0 {
172                 Ok(MemoryBlock { ptr: layout.dangling(), size: 0 })
173             } else {
174                 let raw_ptr = match init {
175                     AllocInit::Uninitialized => alloc(layout),
176                     AllocInit::Zeroed => alloc_zeroed(layout),
177                 };
178                 let ptr = NonNull::new(raw_ptr).ok_or(AllocErr)?;
179                 Ok(MemoryBlock { ptr, size })
180             }
181         }
182     }
183
184     #[inline]
185     unsafe fn dealloc(&mut self, ptr: NonNull<u8>, layout: Layout) {
186         if layout.size() != 0 {
187             dealloc(ptr.as_ptr(), layout)
188         }
189     }
190
191     #[inline]
192     unsafe fn grow(
193         &mut self,
194         ptr: NonNull<u8>,
195         layout: Layout,
196         new_size: usize,
197         placement: ReallocPlacement,
198         init: AllocInit,
199     ) -> Result<MemoryBlock, AllocErr> {
200         let size = layout.size();
201         debug_assert!(
202             new_size >= size,
203             "`new_size` must be greater than or equal to `memory.size()`"
204         );
205
206         if size == new_size {
207             return Ok(MemoryBlock { ptr, size });
208         }
209
210         match placement {
211             ReallocPlacement::InPlace => Err(AllocErr),
212             ReallocPlacement::MayMove if layout.size() == 0 => {
213                 let new_layout = Layout::from_size_align_unchecked(new_size, layout.align());
214                 self.alloc(new_layout, init)
215             }
216             ReallocPlacement::MayMove => {
217                 // `realloc` probably checks for `new_size > size` or something similar.
218                 intrinsics::assume(new_size > size);
219                 let ptr = realloc(ptr.as_ptr(), layout, new_size);
220                 let memory =
221                     MemoryBlock { ptr: NonNull::new(ptr).ok_or(AllocErr)?, size: new_size };
222                 init.init_offset(memory, size);
223                 Ok(memory)
224             }
225         }
226     }
227
228     #[inline]
229     unsafe fn shrink(
230         &mut self,
231         ptr: NonNull<u8>,
232         layout: Layout,
233         new_size: usize,
234         placement: ReallocPlacement,
235     ) -> Result<MemoryBlock, AllocErr> {
236         let size = layout.size();
237         debug_assert!(
238             new_size <= size,
239             "`new_size` must be smaller than or equal to `memory.size()`"
240         );
241
242         if size == new_size {
243             return Ok(MemoryBlock { ptr, size });
244         }
245
246         match placement {
247             ReallocPlacement::InPlace => Err(AllocErr),
248             ReallocPlacement::MayMove if new_size == 0 => {
249                 self.dealloc(ptr, layout);
250                 Ok(MemoryBlock { ptr: layout.dangling(), size: 0 })
251             }
252             ReallocPlacement::MayMove => {
253                 // `realloc` probably checks for `new_size < size` or something similar.
254                 intrinsics::assume(new_size < size);
255                 let ptr = realloc(ptr.as_ptr(), layout, new_size);
256                 Ok(MemoryBlock { ptr: NonNull::new(ptr).ok_or(AllocErr)?, size: new_size })
257             }
258         }
259     }
260 }
261
262 /// The allocator for unique pointers.
263 // This function must not unwind. If it does, MIR codegen will fail.
264 #[cfg(not(test))]
265 #[lang = "exchange_malloc"]
266 #[inline]
267 unsafe fn exchange_malloc(size: usize, align: usize) -> *mut u8 {
268     let layout = Layout::from_size_align_unchecked(size, align);
269     match Global.alloc(layout, AllocInit::Uninitialized) {
270         Ok(memory) => memory.ptr.as_ptr(),
271         Err(_) => handle_alloc_error(layout),
272     }
273 }
274
275 #[cfg_attr(not(test), lang = "box_free")]
276 #[inline]
277 // This signature has to be the same as `Box`, otherwise an ICE will happen.
278 // When an additional parameter to `Box` is added (like `A: AllocRef`), this has to be added here as
279 // well.
280 // For example if `Box` is changed to  `struct Box<T: ?Sized, A: AllocRef>(Unique<T>, A)`,
281 // this function has to be changed to `fn box_free<T: ?Sized, A: AllocRef>(Unique<T>, A)` as well.
282 pub(crate) unsafe fn box_free<T: ?Sized>(ptr: Unique<T>) {
283     let size = size_of_val(ptr.as_ref());
284     let align = min_align_of_val(ptr.as_ref());
285     let layout = Layout::from_size_align_unchecked(size, align);
286     Global.dealloc(ptr.cast().into(), layout)
287 }
288
289 /// Abort on memory allocation error or failure.
290 ///
291 /// Callers of memory allocation APIs wishing to abort computation
292 /// in response to an allocation error are encouraged to call this function,
293 /// rather than directly invoking `panic!` or similar.
294 ///
295 /// The default behavior of this function is to print a message to standard error
296 /// and abort the process.
297 /// It can be replaced with [`set_alloc_error_hook`] and [`take_alloc_error_hook`].
298 ///
299 /// [`set_alloc_error_hook`]: ../../std/alloc/fn.set_alloc_error_hook.html
300 /// [`take_alloc_error_hook`]: ../../std/alloc/fn.take_alloc_error_hook.html
301 #[stable(feature = "global_alloc", since = "1.28.0")]
302 #[rustc_allocator_nounwind]
303 pub fn handle_alloc_error(layout: Layout) -> ! {
304     extern "Rust" {
305         #[lang = "oom"]
306         fn oom_impl(layout: Layout) -> !;
307     }
308     unsafe { oom_impl(layout) }
309 }