1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
use crate::buddy_alloc::{BuddyAlloc, BuddyAllocParam};
use crate::fast_alloc::{FastAlloc, FastAllocParam, BLOCK_SIZE};
use core::alloc::{GlobalAlloc, Layout};
use core::cell::RefCell;
const MAX_FAST_ALLOC_SIZE: usize = BLOCK_SIZE;
pub struct NonThreadsafeAlloc {
fast_alloc_param: FastAllocParam,
inner_fast_alloc: RefCell<Option<FastAlloc>>,
buddy_alloc_param: BuddyAllocParam,
inner_buddy_alloc: RefCell<Option<BuddyAlloc>>,
}
impl NonThreadsafeAlloc {
pub const fn new(fast_alloc_param: FastAllocParam, buddy_alloc_param: BuddyAllocParam) -> Self {
NonThreadsafeAlloc {
inner_fast_alloc: RefCell::new(None),
inner_buddy_alloc: RefCell::new(None),
fast_alloc_param,
buddy_alloc_param,
}
}
unsafe fn fetch_fast_alloc<R, F: FnOnce(&mut FastAlloc) -> R>(&self, f: F) -> R {
let mut inner = self.inner_fast_alloc.borrow_mut();
if inner.is_none() {
inner.replace(FastAlloc::new(self.fast_alloc_param));
}
f(inner.as_mut().expect("nerver"))
}
unsafe fn fetch_buddy_alloc<R, F: FnOnce(&mut BuddyAlloc) -> R>(&self, f: F) -> R {
let mut inner = self.inner_buddy_alloc.borrow_mut();
if inner.is_none() {
inner.replace(BuddyAlloc::new(self.buddy_alloc_param));
}
f(inner.as_mut().expect("nerver"))
}
}
unsafe impl GlobalAlloc for NonThreadsafeAlloc {
unsafe fn alloc(&self, layout: Layout) -> *mut u8 {
let bytes = layout.size();
if bytes > MAX_FAST_ALLOC_SIZE {
self.fetch_buddy_alloc(|alloc| alloc.malloc(bytes))
} else {
let mut p = self.fetch_fast_alloc(|alloc| alloc.malloc(bytes));
if p.is_null() {
p = self.fetch_buddy_alloc(|alloc| alloc.malloc(bytes));
}
p
}
}
unsafe fn dealloc(&self, ptr: *mut u8, _layout: Layout) {
let freed = self.fetch_fast_alloc(|alloc| {
if alloc.contains_ptr(ptr) {
alloc.free(ptr);
true
} else {
false
}
});
if !freed {
self.fetch_buddy_alloc(|alloc| alloc.free(ptr));
}
}
}
unsafe impl Sync for NonThreadsafeAlloc {}