-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathcache.rs
131 lines (117 loc) · 3.35 KB
/
cache.rs
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
use crate::CACHE_TTL;
use std::{
collections::{hash_map::Entry, HashMap},
mem,
sync::Arc,
sync::Mutex,
thread,
time::{Duration, Instant},
};
/// State used by the server.
///
/// This state is useful to cache renders, for instance, so that we don’t have to generate the same content over and
/// over.
///
/// From time to time, a scheduler will run an eviction job on the cache entries for those who have passed their TTLs.
#[derive(Clone)]
pub struct Cache {
cache: Arc<Mutex<HashMap<String, CacheEntry>>>,
ttl: Duration,
}
impl Cache {
/// Create a new state.
pub fn new(ttl: Duration) -> Self {
let cache = Arc::new(Mutex::new(HashMap::new()));
Self { cache, ttl }
}
pub fn invalidate_all(&self) {
self.cache.lock().expect("cache lock").clear();
}
/// Get a cached entry, if any, or compute it and cache it.
pub fn cache(&self, key: &str, gen: impl FnOnce() -> String) -> String {
let current = {
self
.cache
.lock()
.expect("cache lock")
.get(key)
.map(|entry| entry.content.clone())
};
current.unwrap_or_else(|| {
let content = gen();
let _ = self.insert(key, content.clone());
content
})
}
/// Get a cached entry, if any, or compute it and cache it, if any.
pub fn cache_if_any(&self, key: &str, gen: impl FnOnce() -> Option<String>) -> Option<String> {
let current = {
self
.cache
.lock()
.expect("cache lock")
.get(key)
.map(|entry| entry.content.clone())
};
current.or_else(|| {
let content = gen()?;
let _ = self.insert(key, content.clone());
Some(content)
})
}
/// Insert or update some content.
///
/// If the key doesn’t have any associated content in the cache, a new cache entry is created.
/// If the key does already have associated content, the content is replaced and the old one returned.
pub fn insert(&self, key: impl Into<String>, content: String) -> Option<String> {
match self.cache.lock().expect("cache lock").entry(key.into()) {
Entry::Occupied(mut entry) => {
let entry = entry.get_mut();
let old = mem::replace(&mut entry.content, content);
entry.last_update_time = Instant::now();
Some(old)
}
Entry::Vacant(entry) => {
entry.insert(CacheEntry::new(content));
None
}
}
}
/// Evict cache entries that have passed their TTLs.
fn evict_due_entries(&self) {
let ttl = self.ttl;
self.cache.lock().expect("cache lock").retain(|key, entry| {
let retain = entry.last_update_time.elapsed() <= ttl;
if !retain {
log::debug!("evicting cache entry: {}", key);
}
retain
});
}
/// Run a scheduled job that will evict cache entries from time to time.
pub fn schedule_eviction(&self) {
let cache = self.clone();
thread::spawn(move || loop {
log::debug!("running cache eviction…");
cache.evict_due_entries();
thread::sleep(CACHE_TTL);
});
}
}
/// Cache entry.
///
/// This cache entry contains the actual rendered content along with a TTL (Time To Live).
#[derive(Clone)]
pub struct CacheEntry {
content: String,
last_update_time: Instant,
}
impl CacheEntry {
pub fn new(content: String) -> Self {
let last_update_time = Instant::now();
Self {
content,
last_update_time,
}
}
}