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
extern crate lock_api;
use lock_api::RawRwLock;
use std::cell::UnsafeCell;
use std::collections::hash_map::HashMap;
use std::{fmt, hash, ops};
pub struct StorageMap<L, M> {
lock: L,
map: UnsafeCell<M>,
}
unsafe impl<L: Send, M> Send for StorageMap<L, M> {}
unsafe impl<L: Sync, M> Sync for StorageMap<L, M> {}
impl<L: RawRwLock, M: Default> Default for StorageMap<L, M> {
fn default() -> Self {
StorageMap {
lock: L::INIT,
map: UnsafeCell::new(M::default()),
}
}
}
impl<L, M: fmt::Debug> fmt::Debug for StorageMap<L, M> {
fn fmt(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
self.map.get().fmt(formatter)
}
}
pub struct StorageMapGuard<'a, L: 'a + RawRwLock, V: 'a> {
lock: &'a L,
value: &'a V,
exclusive: bool,
}
impl<'a, L: RawRwLock, V> ops::Deref for StorageMapGuard<'a, L, V> {
type Target = V;
fn deref(&self) -> &V {
self.value
}
}
impl<'a, L: RawRwLock, V> Drop for StorageMapGuard<'a, L, V> {
fn drop(&mut self) {
if self.exclusive {
self.lock.unlock_exclusive();
} else {
self.lock.unlock_shared();
}
}
}
pub enum PrepareResult {
AlreadyExists,
UnableToCreate,
Created,
}
impl<L, K, V, S> StorageMap<L, HashMap<K, V, S>>
where
L: RawRwLock,
K: Clone + Eq + hash::Hash,
S: hash::BuildHasher,
{
pub fn with_hasher(hash_builder: S) -> Self {
StorageMap {
lock: L::INIT,
map: UnsafeCell::new(HashMap::with_hasher(hash_builder)),
}
}
pub fn get_or_create_with<'a, F: FnOnce() -> V>(
&'a self, key: &K, create_fn: F
) -> StorageMapGuard<'a, L, V> {
self.lock.lock_shared();
let map = unsafe { &*self.map.get() };
if let Some(value) = map.get(key) {
return StorageMapGuard {
lock: &self.lock,
value,
exclusive: false,
};
}
self.lock.unlock_shared();
let value = create_fn();
self.lock.lock_exclusive();
let map = unsafe { &mut *self.map.get() };
StorageMapGuard {
lock: &self.lock,
value: &*map.entry(key.clone()).or_insert(value),
exclusive: true,
}
}
pub fn prepare_maybe<F: FnOnce() -> Option<V>>(
&self, key: &K, create_fn: F
) -> PrepareResult {
self.lock.lock_shared();
let map = unsafe { &*self.map.get() };
let has = map.contains_key(key);
self.lock.unlock_shared();
if has {
return PrepareResult::AlreadyExists;
}
let value = match create_fn() {
Some(value) => value,
None => return PrepareResult::UnableToCreate,
};
self.lock.lock_exclusive();
let map = unsafe { &mut *self.map.get() };
map.insert(key.clone(), value);
self.lock.unlock_exclusive();
PrepareResult::Created
}
}