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
use lru::LruCache;
use std::convert::Infallible;
use std::hash::Hash;
use std::sync::Mutex;
/// A wrapper around `LruCache`. This struct is thread safe, doesn't return any references to any
/// elements inside.
pub struct SyncLruCache<K, V> {
inner: Mutex<LruCache<K, V>>,
}
impl<K, V> SyncLruCache<K, V>
where
K: Hash + Eq,
V: Clone,
{
/// Creats a new `LRU` cache that holds at most `cap` items.
pub fn new(cap: usize) -> Self {
Self { inner: Mutex::new(LruCache::<K, V>::new(cap)) }
}
/// Returns the number of key-value pairs that are currently in the the cache.
pub fn len(&self) -> usize {
self.inner.lock().unwrap().len()
}
/// Returns true if the cache is empty and false otherwise.
pub fn is_empty(&self) -> bool {
self.inner.lock().unwrap().is_empty()
}
/// Return the value of they key in the cache otherwise computes the value and inserts it into
/// the cache. If the key is already in the cache, they gets gets moved to the head of
/// the LRU list.
pub fn get_or_put<F>(&self, key: K, f: F) -> V
where
V: Clone,
F: FnOnce(&K) -> V,
{
Result::<_, Infallible>::unwrap(self.get_or_try_put(key, |k| Ok(f(k))))
}
/// Returns the value of they key in the cache if present, otherwise
/// computes the value using the provided closure.
///
/// If the key is already in the cache, it gets moved to the head of the LRU
/// list.
///
/// If the provided closure fails, the error is returned and the cache is
/// not updated.
pub fn get_or_try_put<F, E>(&self, key: K, f: F) -> Result<V, E>
where
V: Clone,
F: FnOnce(&K) -> Result<V, E>,
{
if let Some(result) = self.get(&key) {
return Ok(result);
}
let val = f(&key)?;
let val_clone = val.clone();
self.inner.lock().unwrap().put(key, val_clone);
Ok(val)
}
/// Puts a key-value pair into cache. If the key already exists in the cache,
/// then it updates the key's value.
pub fn put(&self, key: K, value: V) {
self.inner.lock().unwrap().put(key, value);
}
/// Returns the value of the key in the cache or None if it is not present in the cache.
/// Moves the key to the head of the LRU list if it exists.
pub fn get(&self, key: &K) -> Option<V> {
self.inner.lock().unwrap().get(key).cloned()
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_cache() {
let cache = SyncLruCache::<u64, Vec<u64>>::new(100);
assert_eq!(cache.get(&0u64), None);
assert_eq!(cache.get_or_put(123u64, |key| vec![*key, 123]), vec![123u64, 123]);
assert_eq!(cache.get(&123u64), Some(vec![123u64, 123]));
assert_eq!(cache.get(&0u64), None);
}
}