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
use std::cell::RefCell;
use rustc_hash::FxHashMap;
use scoped_tls::ScopedKey;
#[cfg(test)]
mod tests;
pub struct CacheData<T>(RefCell<FxHashMap<*const (), T>>);
impl<T> Default for CacheData<T> {
fn default() -> Self {
Self(Default::default())
}
}
#[macro_export]
macro_rules! visit_cache {
($(#[$attrs:meta])* $vis:vis static $name:ident: $ty:ty) => (
$(#[$attrs])*
$vis static $name: $crate::visit_cache::VisitCache<$ty> = $crate::visit_cache::VisitCache {
inner: {
$crate::scoped_tls::scoped_thread_local!(static CACHE: $crate::visit_cache::CacheData<$ty>);
&CACHE
},
};
)
}
pub struct VisitCache<T>
where
T: 'static,
{
#[doc(hidden)]
pub inner: &'static ScopedKey<CacheData<T>>,
}
impl<T> VisitCache<T>
where
T: 'static,
{
#[inline]
pub fn configure<Ret>(&'static self, op: impl FnOnce() -> Ret) -> Ret {
if self.inner.is_set() {
op()
} else {
self.inner.set(&Default::default(), op)
}
}
#[inline]
pub fn insert(&'static self, key: *const (), value: T) {
self.inner.with(|cache| {
cache.0.borrow_mut().insert(key, value);
})
}
#[inline]
pub fn get_copied(&'static self, key: *const ()) -> Option<T>
where
T: Copy,
{
self.inner.with(|cache| cache.0.borrow().get(&key).copied())
}
#[inline]
pub fn get<F, Ret>(&'static self, key: *const (), op: F) -> Option<Ret>
where
F: FnOnce(&T) -> Ret,
{
self.inner.with(|cache| {
let b = cache.0.borrow();
let cached = b.get(&key);
cached.map(op)
})
}
#[inline(always)]
pub fn is_set(&'static self) -> bool {
self.inner.is_set()
}
}