Skip to content

Commit 3d7833f

Browse files
committed
Merge branch 'harness' of https://github.com/wenyuzhao/MallocKit into harness
2 parents e967c2d + c4b1b61 commit 3d7833f

File tree

2 files changed

+223
-102
lines changed

2 files changed

+223
-102
lines changed

mallockit/src/lib.rs

+1
Original file line numberDiff line numberDiff line change
@@ -12,6 +12,7 @@
1212
#![feature(effects)]
1313
#![feature(asm_const)]
1414
#![feature(const_refs_to_cell)]
15+
#![feature(const_refs_to_static)]
1516

1617
extern crate mallockit_macros;
1718
pub extern crate spin;

mallockit/src/stat.rs

+222-102
Original file line numberDiff line numberDiff line change
@@ -1,104 +1,253 @@
11
use std::{
22
alloc::Layout,
33
sync::{
4-
atomic::{AtomicUsize, Ordering},
4+
atomic::{AtomicBool, Ordering},
55
Arc,
66
},
77
};
88

9-
use spin::Mutex;
9+
use atomic::Atomic;
10+
use spin::{Mutex, Once};
1011

11-
use crate::{
12-
space::meta::{Meta, Vec},
13-
util::Lazy,
14-
};
12+
use crate::space::meta::{Meta, Vec};
1513

16-
static COUNTERS: Mutex<Vec<Arc<Counter, Meta>>> = Mutex::new(Vec::new_in(Meta));
14+
pub static DEFAULT_COUNTER_GROUP: CounterGroup = CounterGroup::new("default");
15+
pub static ALL_GROUPS: Mutex<Vec<&'static CounterGroup>> = Mutex::new(Vec::new_in(Meta));
1716

18-
pub type CounterRef = Lazy<Arc<Counter, Meta>>;
17+
pub struct CounterGroup {
18+
name: &'static str,
19+
counters: Mutex<Vec<Arc<dyn DynCounter, Meta>>>,
20+
report_fn: Option<fn()>,
21+
registered: AtomicBool,
22+
}
1923

20-
pub const fn define_counter<const NAME: &'static str>() -> Lazy<Arc<Counter, Meta>> {
21-
Lazy::new(|| {
22-
let c = Arc::new_in(Counter::new(NAME), Meta);
23-
COUNTERS.lock().push(c.clone());
24-
c
25-
})
24+
impl CounterGroup {
25+
pub const fn new(name: &'static str) -> Self {
26+
Self {
27+
name,
28+
counters: Mutex::new(Vec::new_in(Meta)),
29+
report_fn: None,
30+
registered: AtomicBool::new(false),
31+
}
32+
}
33+
34+
pub const fn with_report_fn(mut self, report_fn: fn()) -> Self {
35+
self.report_fn = Some(report_fn);
36+
self
37+
}
38+
39+
pub const fn new_counter<T: Default + ToString + Copy + 'static>(
40+
&'static self,
41+
name: &'static str,
42+
) -> Counter<T> {
43+
Counter::new_grouped(name, self)
44+
}
45+
46+
fn add_counter(&'static self, counter: Arc<dyn DynCounter, Meta>) {
47+
if self
48+
.registered
49+
.compare_exchange(false, true, Ordering::SeqCst, Ordering::SeqCst)
50+
.is_ok()
51+
{
52+
ALL_GROUPS.lock().push(self);
53+
}
54+
self.counters.lock().push(counter);
55+
}
56+
57+
pub(crate) fn report(&self) {
58+
if let Some(report_fn) = self.report_fn.as_ref() {
59+
report_fn();
60+
} else {
61+
eprintln!("{}:", self.name);
62+
while let Some(c) = self.counters.lock().pop() {
63+
eprintln!(" {}: {}", c.name(), c.format_value());
64+
}
65+
}
66+
}
67+
}
68+
69+
#[allow(unused)]
70+
trait DynCounter: 'static + Sync + Send {
71+
fn name(&self) -> &'static str;
72+
fn format_value(&self) -> String;
73+
}
74+
75+
struct CounterImpl<T: Default + ToString + Copy + 'static> {
76+
name: &'static str,
77+
value: Atomic<T>,
78+
}
79+
80+
impl<T: Default + ToString + Copy + 'static> CounterImpl<T> {
81+
pub fn new(name: &'static str) -> Self {
82+
Self {
83+
name,
84+
value: Atomic::new(T::default()),
85+
}
86+
}
87+
}
88+
89+
unsafe impl<T: Default + ToString + Copy + 'static> Send for CounterImpl<T> {}
90+
unsafe impl<T: Default + ToString + Copy + 'static> Sync for CounterImpl<T> {}
91+
92+
impl<T: Default + ToString + Copy + 'static> DynCounter for CounterImpl<T> {
93+
fn name(&self) -> &'static str {
94+
self.name
95+
}
96+
fn format_value(&self) -> String {
97+
self.value.load(Ordering::SeqCst).to_string()
98+
}
99+
}
100+
101+
pub struct Counter<T: Default + ToString + Copy + 'static = usize> {
102+
name: &'static str,
103+
inner: Once<Arc<CounterImpl<T>, Meta>>,
104+
group: *const CounterGroup,
105+
}
106+
107+
unsafe impl<T: Default + ToString + Copy + 'static> Send for Counter<T> {}
108+
unsafe impl<T: Default + ToString + Copy + 'static> Sync for Counter<T> {}
109+
110+
impl<T: Default + ToString + Copy + 'static> Counter<T> {
111+
pub const fn new(name: &'static str) -> Self {
112+
Self {
113+
name,
114+
inner: Once::new(),
115+
group: &DEFAULT_COUNTER_GROUP,
116+
}
117+
}
118+
119+
pub const fn new_grouped(name: &'static str, group: &'static CounterGroup) -> Self {
120+
Self {
121+
name,
122+
inner: Once::new(),
123+
group,
124+
}
125+
}
126+
127+
fn inner(&self) -> &Arc<CounterImpl<T>, Meta> {
128+
self.inner.call_once(|| {
129+
let c: Arc<CounterImpl<T>, Meta> = Arc::new_in(CounterImpl::new(self.name), Meta);
130+
unsafe { &*self.group }.add_counter(c.clone());
131+
c
132+
})
133+
}
134+
135+
pub fn get(&self) -> T {
136+
assert!(cfg!(feature = "stat"));
137+
self.inner().value.load(Ordering::SeqCst)
138+
}
139+
140+
pub fn set(&self, value: T) {
141+
assert!(cfg!(feature = "stat"));
142+
self.inner().value.store(value, Ordering::SeqCst);
143+
}
144+
145+
pub fn swap(&self, value: T) -> T {
146+
assert!(cfg!(feature = "stat"));
147+
self.inner().value.swap(value, Ordering::SeqCst)
148+
}
149+
150+
pub fn fetch_update<F>(&self, f: impl FnMut(T) -> Option<T>) -> Result<T, T> {
151+
assert!(cfg!(feature = "stat"));
152+
self.inner()
153+
.value
154+
.fetch_update(Ordering::SeqCst, Ordering::SeqCst, f)
155+
}
156+
}
157+
158+
macro_rules! impl_inc_dec {
159+
($t: ty) => {
160+
impl Counter<$t> {
161+
pub fn inc(&self, delta: $t) {
162+
assert!(cfg!(feature = "stat"));
163+
self.inner().value.fetch_add(delta, Ordering::SeqCst);
164+
}
165+
166+
pub fn dec(&self, delta: $t) {
167+
assert!(cfg!(feature = "stat"));
168+
self.inner().value.fetch_sub(delta, Ordering::SeqCst);
169+
}
170+
}
171+
};
26172
}
27173

28-
static TOTAL_ALLOCATIONS: Lazy<Arc<Counter, Meta>> = define_counter::<"total-allocations">();
29-
static LARGE_ALLOCATIONS: Lazy<Arc<Counter, Meta>> = define_counter::<"large-allocations">();
30-
static TOTAL_DEALLOCATIONS: Lazy<Arc<Counter, Meta>> = define_counter::<"total-deallocations">();
31-
static LARGE_DEALLOCATIONS: Lazy<Arc<Counter, Meta>> = define_counter::<"large-deallocations">();
32-
33-
static ALIGNMENTS: [Counter; 11] = [
34-
Counter::new(""), // 1
35-
Counter::new(""), // 2
36-
Counter::new(""), // 4
37-
Counter::new(""), // 8
38-
Counter::new(""), // 16
39-
Counter::new(""), // 32
40-
Counter::new(""), // 64
41-
Counter::new(""), // 128
42-
Counter::new(""), // 256
43-
Counter::new(""), // 512
44-
Counter::new(""), // 1024
45-
];
46-
static OTHER_ALIGNMENT: Counter = Counter::new("");
47-
48-
static SIZES: [Counter; 22] = [
49-
Counter::new(""), // 1B
50-
Counter::new(""),
51-
Counter::new(""),
52-
Counter::new(""),
53-
Counter::new(""),
54-
Counter::new(""),
55-
Counter::new(""),
56-
Counter::new(""),
57-
Counter::new(""),
58-
Counter::new(""),
59-
Counter::new(""), // 1K
60-
Counter::new(""),
61-
Counter::new(""), // 4K
62-
Counter::new(""),
63-
Counter::new(""),
64-
Counter::new(""),
65-
Counter::new(""),
66-
Counter::new(""),
67-
Counter::new(""),
68-
Counter::new(""),
69-
Counter::new(""), // 1M
70-
Counter::new(""), // 2M
71-
];
72-
static OTHER_SIZE: Counter = Counter::new("");
174+
impl_inc_dec!(usize);
175+
impl_inc_dec!(u128);
176+
impl_inc_dec!(u64);
177+
impl_inc_dec!(u32);
178+
impl_inc_dec!(u16);
179+
impl_inc_dec!(u8);
180+
181+
impl_inc_dec!(isize);
182+
impl_inc_dec!(i128);
183+
impl_inc_dec!(i64);
184+
impl_inc_dec!(i32);
185+
impl_inc_dec!(i16);
186+
impl_inc_dec!(i8);
73187

188+
// impl_inc_dec!(f32);
189+
// impl_inc_dec!(f64);
190+
// impl_inc_dec!(u32);
191+
// impl_inc_dec!(u64);
192+
193+
pub static ALLOC_COUNTERS: CounterGroup = CounterGroup::new("alloc").with_report_fn(|| {
194+
eprintln!("alloc:");
195+
eprintln!(" total-allocations: {}", TOTAL_ALLOCATIONS.get());
196+
eprintln!(" large-allocations: {}", LARGE_ALLOCATIONS.get());
197+
eprintln!(" total-deallocations: {}", TOTAL_DEALLOCATIONS.get());
198+
eprintln!(" large-deallocations: {}", LARGE_DEALLOCATIONS.get());
199+
eprintln!("alignment:");
200+
for (i, c) in ALIGNMENTS.iter().enumerate().take(ALIGNMENTS.len() - 1) {
201+
eprintln!(" - {} = {}", i, c.get());
202+
}
203+
eprintln!(" - others = {}", ALIGNMENTS[ALIGNMENTS.len() - 1].get());
204+
eprintln!("size:");
205+
for (i, c) in SIZES.iter().enumerate().take(SIZES.len() - 1) {
206+
eprintln!(" - {} = {}", i, c.get());
207+
}
208+
eprintln!(" - others = {}", SIZES[SIZES.len() - 1].get());
209+
});
210+
211+
static TOTAL_ALLOCATIONS: Counter = ALLOC_COUNTERS.new_counter("total-allocations");
212+
static LARGE_ALLOCATIONS: Counter = ALLOC_COUNTERS.new_counter("large-allocations");
213+
static TOTAL_DEALLOCATIONS: Counter = ALLOC_COUNTERS.new_counter("total-deallocations");
214+
static LARGE_DEALLOCATIONS: Counter = ALLOC_COUNTERS.new_counter("large-deallocations");
215+
216+
/// Power of two alignments from 1 to 1024, plus others.
217+
static ALIGNMENTS: [Counter; 12] = [const { ALLOC_COUNTERS.new_counter("align") }; 12];
218+
219+
/// Power of two sizes from 1b to 2M, plus others.
220+
static SIZES: [Counter; 23] = [const { ALLOC_COUNTERS.new_counter("size") }; 23];
221+
222+
#[inline(always)]
74223
pub fn run(block: impl Fn()) {
75224
if cfg!(not(feature = "stat")) {
76225
return;
77226
}
78227
block()
79228
}
80229

230+
#[inline(always)]
81231
pub fn track_allocation(layout: Layout, is_large: bool) {
82232
run(|| {
83-
let i = layout.align().trailing_zeros() as usize;
84-
if i < ALIGNMENTS.len() {
85-
ALIGNMENTS[i].inc(1);
86-
} else {
87-
OTHER_ALIGNMENT.inc(1);
233+
let mut i = layout.align().trailing_zeros() as usize;
234+
if i >= ALIGNMENTS.len() {
235+
i = ALIGNMENTS.len() - 1;
88236
}
89-
let i = layout.size().next_power_of_two().trailing_zeros() as usize;
90-
if i < SIZES.len() {
91-
SIZES[i].inc(1);
92-
} else {
93-
OTHER_SIZE.inc(1);
237+
ALIGNMENTS[i].inc(1);
238+
let mut i = layout.size().next_power_of_two().trailing_zeros() as usize;
239+
if i >= SIZES.len() {
240+
i = SIZES.len() - 1;
94241
}
242+
SIZES[i].inc(1);
95243
if is_large {
96244
LARGE_ALLOCATIONS.inc(1);
97245
}
98246
TOTAL_ALLOCATIONS.inc(1);
99247
})
100248
}
101249

250+
#[inline(always)]
102251
pub fn track_deallocation(is_large: bool) {
103252
run(|| {
104253
if is_large {
@@ -108,40 +257,11 @@ pub fn track_deallocation(is_large: bool) {
108257
})
109258
}
110259

111-
pub struct Counter(#[allow(unused)] &'static str, AtomicUsize);
112-
113-
impl Counter {
114-
pub const fn new(name: &'static str) -> Self {
115-
Self(name, AtomicUsize::new(0))
116-
}
117-
pub fn get(&self) -> usize {
118-
assert!(cfg!(feature = "stat"));
119-
self.1.load(Ordering::SeqCst)
120-
}
121-
pub fn inc(&self, delta: usize) {
122-
assert!(cfg!(feature = "stat"));
123-
self.1.fetch_add(delta, Ordering::SeqCst);
124-
}
125-
}
126-
127-
#[cfg(not(feature = "stat"))]
128-
pub(crate) fn report() {}
129-
130-
#[cfg(feature = "stat")]
131260
pub(crate) fn report() {
132-
eprintln!("alignment:");
133-
for i in 0..ALIGNMENTS.len() {
134-
eprintln!(" - {} = {}", i, ALIGNMENTS[i].get());
135-
}
136-
eprintln!(" - others = {}", OTHER_ALIGNMENT.get());
137-
eprintln!("");
138-
eprintln!("size:");
139-
for i in 0..SIZES.len() {
140-
eprintln!(" - {} = {}", i, SIZES[i].get());
261+
if cfg!(not(feature = "stat")) {
262+
return;
141263
}
142-
eprintln!(" - others = {}", OTHER_SIZE.get());
143-
eprintln!("");
144-
while let Some(c) = COUNTERS.lock().pop() {
145-
eprintln!("{}: {}", c.0, c.get());
264+
for group in ALL_GROUPS.lock().iter() {
265+
group.report();
146266
}
147267
}

0 commit comments

Comments
 (0)