1use crate::Snapshot;
2use std::{cmp, collections::VecDeque};
34/// A circular cache for storing [`Snapshot`]s.
5///
6/// # Usage
7///
8/// [`Snapshot`]s are inserted in the cache using the [`push`] or [`try_push`]
9/// methods. If the cache is full, the oldest entry will be evicted to make space
10/// for the newer entry.
11///
12/// # Constraints
13///
14/// [`Snapshot`]s must be inserted sequentially relative to their [`jmt::Version`]
15/// numbers, and have consecutive version numbers.
16pub struct SnapshotCache {
17/// A sequence of increasingly recent [`Snapshot`]s.
18cache: VecDeque<Snapshot>,
19/// The max length and capacity of the cache.
20max_size: usize,
21}
2223impl SnapshotCache {
24/// Creates a [`SnapshotCache`] with `max_size` capacity, and inserts an initial `Snapshot` in
25 /// it. If the specified capacity is zero, the cache will default to having size 1.
26pub fn new(initial: Snapshot, max_size: usize) -> Self {
27let max_size = cmp::max(max_size, 1);
28let mut cache = VecDeque::with_capacity(max_size);
29 cache.push_front(initial);
3031Self { cache, max_size }
32 }
3334/// Attempts to insert a [`Snapshot`] entry into the cache. If the cache is full, the oldest
35 /// entry will be evicted to make space.
36 ///
37 /// [`Snapshot`]s must be inserted sequentially relative to their `jmt::Version`s and have
38 /// consecutive version numbers.
39 ///
40 /// ## Errors
41 ///
42 /// The method will return an error if the supplied `snapshot` has a version number that is:
43 ///
44 /// - stale i.e. older than the latest snapshot
45 ///
46 /// - skipping a version i.e. the difference between their version numbers is greater than 1
47pub fn try_push(&mut self, snapshot: Snapshot) -> anyhow::Result<()> {
48let latest_version = self.latest().version();
49if latest_version.wrapping_add(1) != snapshot.version() {
50anyhow::bail!("snapshot_cache: trying to insert stale snapshots.");
51 }
5253if self.cache.len() >= self.max_size {
54self.cache.pop_back();
55 }
5657self.cache.push_front(snapshot);
58Ok(())
59 }
6061/// Returns the latest inserted `Snapshot`.
62pub fn latest(&self) -> Snapshot {
63self.cache
64 .front()
65 .map(Clone::clone)
66 .expect("snapshot_cache cannot be empty")
67 }
6869/// Attempts to fetch a [`Snapshot`] with a matching `jmt::Version`, and returns `None` if none
70 /// was found.
71pub fn get(&self, version: jmt::Version) -> Option<Snapshot> {
72let latest_version = self.latest().version();
73// We compute the offset assuming that snapshot entries are cached
74 // such that the delta between entries is always 1.
75let offset = latest_version.wrapping_sub(version) as usize;
76self.cache
77 .get(offset)
78 .map(Clone::clone)
79 .filter(|s| s.version() == version)
80 }
8182/// Empties the cache.
83pub fn clear(&mut self) {
84self.cache.clear();
85 }
86}
8788#[cfg(test)]
89mod test {
9091use crate::snapshot::Snapshot;
92use crate::snapshot_cache::SnapshotCache;
93use crate::storage::Storage;
94use crate::store::multistore::MultistoreCache;
9596async fn create_storage_instance() -> Storage {
97use tempfile::tempdir;
98// create a storage backend for testing
99let dir = tempdir().expect("unable to create tempdir");
100let file_path = dir.path().join("snapshot-cache-testing.db");
101102 Storage::load(file_path, vec![])
103 .await
104.expect("unable to load storage")
105 }
106107#[tokio::test]
108/// `SnapshotCache` constructed with zero capacity instead defaults to one.
109async fn fail_zero_capacity() {
110let storage = create_storage_instance().await;
111let db = storage.db();
112let snapshot = storage.latest_snapshot();
113let mut cache = SnapshotCache::new(snapshot, 0);
114115// Check that the cache has a capacity at least 1
116assert!(cache.get(u64::MAX).is_some());
117let new_snapshot = Snapshot::new(db, 0, MultistoreCache::default());
118 cache
119 .try_push(new_snapshot)
120 .expect("should not fail to insert a new entry");
121122// Check that the cache has a capacity of exactly 1
123assert!(cache.get(u64::MAX).is_none());
124assert!(cache.get(0).is_some());
125 }
126127#[tokio::test]
128/// Fails to insert snapshot entries that are older than the latest'
129async fn fail_insert_stale_snapshot() {
130let storage = create_storage_instance().await;
131let db_handle = storage.db();
132let snapshot = storage.latest_snapshot();
133let mut cache = SnapshotCache::new(snapshot, 1);
134let stale_snapshot = Snapshot::new(db_handle, 1, MultistoreCache::default());
135 cache
136 .try_push(stale_snapshot)
137 .expect_err("should fail to insert a stale entry in the snapshot cache");
138 }
139140#[tokio::test]
141/// Fails to insert snapshot entries that have a version gap.
142async fn fail_insert_gapped_snapshot() {
143let storage = create_storage_instance().await;
144let db_handle = storage.db();
145let snapshot = Snapshot::new(db_handle.clone(), 0, MultistoreCache::default());
146let mut cache = SnapshotCache::new(snapshot, 2);
147let snapshot = Snapshot::new(db_handle, 2, MultistoreCache::default());
148 cache
149 .try_push(snapshot)
150 .expect_err("should fail to insert snapshot with skipped version number");
151 }
152153#[tokio::test]
154/// Checks that we handle pre-genesis `jmt::Version` correctly.
155async fn cache_manage_pre_genesis() {
156let storage = create_storage_instance().await;
157let db_handle = storage.db();
158let snapshot = storage.latest_snapshot();
159160// Create a cache of size 10, populated with one entry with version: u64::MAX
161let mut cache = SnapshotCache::new(snapshot, 10);
162163// Fill the entire cache by inserting 9 more entries.
164for i in 0..9 {
165let snapshot = Snapshot::new(db_handle.clone(), i, MultistoreCache::default());
166 cache
167 .try_push(snapshot)
168 .expect("should not fail to insert a new entry");
169 }
170171// The cache is full, check that the oldest entry is still in the cache.
172assert!(cache.get(u64::MAX).is_some());
173174// Push another snapshot in the cache, this should cause eviction of the oldest entry
175 // alone.
176let new_snapshot = Snapshot::new(db_handle, 9, MultistoreCache::default());
177 cache
178 .try_push(new_snapshot)
179 .expect("should not fail to insert a new entry");
180181// Check that the pre-genesis entry has been evicted!
182assert!(cache.get(u64::MAX).is_none());
183184// Check that all the other entries are still in the cache.
185for i in 0..10 {
186assert!(cache.get(i).is_some());
187 }
188 }
189190#[tokio::test]
191/// Checks that inserting on a full cache exclusively evicts the oldest snapshots.
192async fn drop_oldest_snapshot() {
193let storage = create_storage_instance().await;
194let db_handle = storage.db();
195let snapshot = Snapshot::new(db_handle.clone(), 0, MultistoreCache::default());
196197// Create a cache of size 10, populated with a snapshot at version 0.
198let mut cache = SnapshotCache::new(snapshot, 10);
199200// Saturate the cache by inserting 9 more entries.
201for i in 1..10 {
202let snapshot = Snapshot::new(db_handle.clone(), i, MultistoreCache::default());
203 cache
204 .try_push(snapshot)
205 .expect("should be able to insert new entries")
206 }
207208// Check that the oldest value is still present:
209assert!(cache.get(0).is_some());
210211// Insert a new value that should overflow the cache.
212let snapshot = Snapshot::new(db_handle, 10, MultistoreCache::default());
213 cache
214 .try_push(snapshot)
215 .expect("should be able to insert a new entry");
216217// Check that the oldest value has been dropped.
218assert!(cache.get(0).is_none());
219220// Check that the front of the cache is the latest inserted snapshot.
221assert_eq!(cache.latest().version(), 10);
222223// Check that all the other snapshots are still present in the cache.
224for i in 1..11 {
225assert!(cache.get(i).is_some());
226 }
227 }
228}