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
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
use core::{alloc, mem};
use alloc_traits::{NonZeroLayout, LocalAlloc};
use super::{
boxed::Box,
fixed_vec::FixedVec,
rc::Rc,
uninit::Uninit,
};
#[derive(Debug)]
pub struct LeakedAllocation<'a, T: ?Sized=()> {
pub uninit: Uninit<'a, T>,
}
pub trait LocalAllocLeakExt<'alloc>: LocalAlloc<'alloc> {
fn alloc_layout(&'alloc self, layout: NonZeroLayout)
-> Option<LeakedAllocation<'alloc>>
{
let alloc = self.alloc(layout)?;
let uninit = unsafe {
Uninit::from_memory(alloc.ptr, alloc.layout.size().into())
};
Some(LeakedAllocation {
uninit,
})
}
fn alloc_t<V>(&'alloc self) -> Option<LeakedAllocation<'alloc, V>> {
match NonZeroLayout::new::<V>() {
None => Some(LeakedAllocation::zst_fake_alloc()),
Some(alloc) => {
let allocation = self.alloc_layout(alloc)?;
let right_type = allocation.cast().unwrap();
Some(right_type)
},
}
}
fn boxed<V>(&'alloc self, val: V) -> Option<Box<'alloc, V>> {
let alloc = self.alloc_t::<V>()?;
Some(Box::new(val, alloc.uninit))
}
fn fixed_vec<V>(&'alloc self, capacity: usize) -> Option<FixedVec<'alloc, V>> {
let size = mem::size_of::<V>().checked_mul(capacity)?;
let layout = alloc::Layout::from_size_align(size, mem::align_of::<V>()).ok()?;
let uninit = match NonZeroLayout::from_layout(layout.into()) {
None => Uninit::empty(),
Some(layout) => {
let allocation = self.alloc_layout(layout)?;
let right_type = allocation.cast_slice().unwrap();
right_type.uninit
}
};
Some(FixedVec::new(uninit))
}
fn rc<V>(&'alloc self, val: V) -> Option<Rc<'alloc, V>> {
let layout = Rc::<V>::layout();
let layout = NonZeroLayout::from_layout(layout.into()).unwrap();
let alloc = self.alloc_layout(layout)?;
Some(Rc::new(val, alloc.uninit))
}
}
impl<'alloc, T> LocalAllocLeakExt<'alloc> for T
where T: LocalAlloc<'alloc>,
{ }
impl<Zst> LeakedAllocation<'_, Zst> {
pub fn zst_fake_alloc() -> Self {
LeakedAllocation {
uninit: Uninit::invent_for_zst(),
}
}
}
impl<'a, T> LeakedAllocation<'a, T> {
fn cast<U>(self) -> Option<LeakedAllocation<'a, U>> {
Some(LeakedAllocation {
uninit: self.uninit.cast().ok()?,
})
}
fn cast_slice<U>(self) -> Option<LeakedAllocation<'a, [U]>> {
Some(LeakedAllocation {
uninit: self.uninit.cast_slice().ok()?,
})
}
}