system_alloc.rs 2.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263
  1. use core::alloc::{GlobalAlloc, Layout};
  2. use core::{cmp, mem, ptr};
  3. pub struct System;
  4. const MIN_ALIGN: usize = mem::size_of::<usize>() * 2;
  5. // Taken std
  6. unsafe impl GlobalAlloc for System {
  7. #[inline]
  8. unsafe fn alloc(&self, layout: Layout) -> *mut u8 {
  9. if layout.align() <= MIN_ALIGN && layout.align() <= layout.size() {
  10. unsafe { libc::malloc(layout.size()) as *mut u8 }
  11. } else {
  12. let mut out = ptr::null_mut();
  13. let align = layout.align().max(mem::size_of::<usize>());
  14. let ret = unsafe { libc::posix_memalign(&mut out, align, layout.size()) };
  15. if ret != 0 {
  16. ptr::null_mut()
  17. } else {
  18. out as *mut u8
  19. }
  20. }
  21. }
  22. #[inline]
  23. unsafe fn alloc_zeroed(&self, layout: Layout) -> *mut u8 {
  24. if layout.align() <= MIN_ALIGN && layout.align() <= layout.size() {
  25. unsafe { libc::calloc(layout.size(), 1) as *mut u8 }
  26. } else {
  27. let ptr = unsafe { self.alloc(layout) };
  28. if !ptr.is_null() {
  29. unsafe { ptr::write_bytes(ptr, 0, layout.size()) };
  30. }
  31. ptr
  32. }
  33. }
  34. #[inline]
  35. unsafe fn dealloc(&self, ptr: *mut u8, _layout: Layout) {
  36. unsafe { libc::free(ptr as *mut libc::c_void) }
  37. }
  38. #[inline]
  39. unsafe fn realloc(&self, ptr: *mut u8, layout: Layout, new_size: usize) -> *mut u8 {
  40. if layout.align() <= MIN_ALIGN && layout.align() <= new_size {
  41. unsafe { libc::realloc(ptr as *mut libc::c_void, new_size) as *mut u8 }
  42. } else {
  43. let new_layout = unsafe { Layout::from_size_align_unchecked(new_size, layout.align()) };
  44. let new_ptr = unsafe { self.alloc(new_layout) };
  45. if !new_ptr.is_null() {
  46. let size = cmp::min(layout.size(), new_size);
  47. unsafe { ptr::copy_nonoverlapping(ptr, new_ptr, size) };
  48. unsafe { self.dealloc(ptr, layout) };
  49. }
  50. new_ptr
  51. }
  52. }
  53. }
  54. #[global_allocator]
  55. pub static GLOBAL: System = System;