memory.rs 1.1 KB

1234567891011121314151617181920212223242526272829303132333435363738
  1. use std::time::Duration;
  2. use moka::future::Cache;
  3. use crate::cache::{HttpCacheKey, HttpCacheStorage};
  4. /// In memory cache storage for the HTTP cache.
  5. ///
  6. /// This is the default cache storage backend, which is used if no other storage
  7. /// backend is provided, or if the provided storage backend is `None`.
  8. ///
  9. /// The cache is limited to 10,000 entries and it is not shared between
  10. /// instances nor persisted.
  11. pub struct InMemoryHttpCache(pub Cache<HttpCacheKey, Vec<u8>>);
  12. #[async_trait::async_trait]
  13. impl HttpCacheStorage for InMemoryHttpCache {
  14. fn new(cache_ttl: Duration, cache_tti: Duration) -> Self
  15. where
  16. Self: Sized,
  17. {
  18. InMemoryHttpCache(
  19. Cache::builder()
  20. .max_capacity(10_000)
  21. .time_to_live(cache_ttl)
  22. .time_to_idle(cache_tti)
  23. .build(),
  24. )
  25. }
  26. async fn get(&self, key: &HttpCacheKey) -> Option<Vec<u8>> {
  27. self.0.get(key)
  28. }
  29. async fn set(&self, key: HttpCacheKey, value: Vec<u8>) {
  30. self.0.insert(key, value).await;
  31. }
  32. }