timecache: add timecache help for timed caches

Some things we definitely don't want to generate every frame, such as
relative-time formatted strings, as that would create a heap allocation
each frame.

Introduce TimeCached<T> which is responsible for updating some state
after some expiry.

Signed-off-by: William Casarin <jb55@jb55.com>
This commit is contained in:
William Casarin
2024-02-15 12:58:19 -08:00
parent 9a4f193e03
commit 2f54a05705
2 changed files with 28 additions and 0 deletions

View File

@@ -9,6 +9,7 @@ mod images;
mod result;
mod filter;
mod ui;
mod timecache;
mod frame_history;
mod timeline;

27
src/timecache.rs Normal file
View File

@@ -0,0 +1,27 @@
use std::time::{Duration, Instant};
pub struct TimeCached<T> {
last_update: Instant,
expires_in: Duration,
value: Option<T>,
refresh: Box<dyn Fn() -> T + 'static>,
}
impl<T> TimeCached<T> {
pub fn new(expires_in: Duration, refresh: Box<dyn Fn() -> T + 'static>) -> Self {
TimeCached {
last_update: Instant::now(),
expires_in,
value: None,
refresh,
}
}
pub fn get(&mut self) -> &T {
if self.value.is_none() || self.last_update.elapsed() > self.expires_in {
self.last_update = Instant::now();
self.value = Some((self.refresh)());
}
self.value.as_ref().unwrap() // This unwrap is safe because we just set the value if it was None.
}
}