Crates.io | foyer-bench |
lib.rs | foyer-bench |
version | 0.20.0 |
created_at | 2024-05-27 03:46:50.033692+00 |
updated_at | 2025-09-23 09:21:32.277441+00 |
description | bench tool for foyer - Hybrid cache for Rust |
homepage | https://foyer-rs.github.io/foyer |
repository | https://github.com/foyer-rs/foyer |
max_upload_size | |
id | 1253001 |
size | 172,392 |
Tutorial & Document: https://foyer-rs.github.io/foyer
foyer aims to be an efficient and user-friendly hybrid cache lib in Rust.
foyer draws inspiration from Facebook/CacheLib, a highly-regarded hybrid cache library written in C++, and ben-manes/caffeine, a popular Java caching library, among other projects.
However, foyer is more than just a rewrite in Rust effort; it introduces a variety of new and optimized features.
For more details, please visit foyer's website: https://foyer-rs.github.io/foyer 🥰
Website | Tutorial | API Docs | Crate
Feel free to open a PR and add your projects here:
This section only shows briefs. Please visit https://foyer-rs.github.io/foyer for more details.
To use foyer in your project, add this line to the dependencies
section of Cargo.toml
.
foyer = "0.20"
If your project is using the nightly rust toolchain, the nightly
feature needs to be enabled.
foyer = { version = "0.20", features = ["nightly"] }
The in-memory cache setup is extremely easy and can be setup in at least 1 line.
use foyer::{Cache, CacheBuilder};
fn main() {
let cache: Cache<String, String> = CacheBuilder::new(16).build();
let entry = cache.insert("hello".to_string(), "world".to_string());
let e = cache.get("hello").unwrap();
assert_eq!(entry.value(), e.value());
}
The setup of a hybrid cache is extremely easy.
use foyer::{BlockEngineBuilder, DeviceBuilder, FsDeviceBuilder, HybridCache, HybridCacheBuilder};
#[tokio::main]
async fn main() -> anyhow::Result<()> {
let dir = tempfile::tempdir()?;
let device = FsDeviceBuilder::new(dir.path())
.with_capacity(256 * 1024 * 1024)
.build()?;
let hybrid: HybridCache<u64, String> = HybridCacheBuilder::new()
.memory(64 * 1024 * 1024)
.storage()
// use block-based disk cache engine with default configuration
.with_engine_config(BlockEngineBuilder::new(device))
.build()
.await?;
hybrid.insert(42, "The answer to life, the universe, and everything.".to_string());
assert_eq!(
hybrid.get(&42).await?.unwrap().value(),
"The answer to life, the universe, and everything."
);
Ok(())
}
Here is an example of a hybrid cache setup with almost all configurations to show th possibilities of tuning.
use std::{hash::BuildHasherDefault, num::NonZeroUsize};
use chrono::Datelike;
use foyer::{
BlockEngineBuilder, DeviceBuilder, FifoPicker, FsDeviceBuilder, HybridCache, HybridCacheBuilder, HybridCachePolicy,
IoEngineBuilder, IopsCounter, LruConfig, PsyncIoEngineBuilder, RecoverMode, RejectAll, Result, RuntimeOptions,
StorageFilter, Throttle, TokioRuntimeOptions,
};
use tempfile::tempdir;
#[tokio::main]
async fn main() -> anyhow::Result<()> {
let dir = tempdir()?;
let device = FsDeviceBuilder::new(dir.path())
.with_capacity(64 * 1024 * 1024)
.with_throttle(
Throttle::new()
.with_read_iops(4000)
.with_write_iops(2000)
.with_write_throughput(100 * 1024 * 1024)
.with_read_throughput(800 * 1024 * 1024)
.with_iops_counter(IopsCounter::PerIoSize(NonZeroUsize::new(128 * 1024).unwrap())),
)
.build()?;
let io_engine = PsyncIoEngineBuilder::new().build().await?;
let hybrid: HybridCache<u64, String> = HybridCacheBuilder::new()
.with_name("my-hybrid-cache")
.with_policy(HybridCachePolicy::WriteOnEviction)
.memory(1024)
.with_shards(4)
.with_eviction_config(LruConfig {
high_priority_pool_ratio: 0.1,
})
.with_hash_builder(BuildHasherDefault::default())
.with_weighter(|_key, value: &String| value.len())
.with_filter(|_, _| true)
.storage()
.with_io_engine(io_engine)
.with_engine_config(
BlockEngineBuilder::new(device)
.with_block_size(16 * 1024 * 1024)
.with_indexer_shards(64)
.with_recover_concurrency(8)
.with_flushers(2)
.with_reclaimers(2)
.with_buffer_pool_size(256 * 1024 * 1024)
.with_clean_block_threshold(4)
.with_eviction_pickers(vec![Box::<FifoPicker>::default()])
.with_admission_filter(StorageFilter::new())
.with_reinsertion_filter(StorageFilter::new().with_condition(RejectAll))
.with_tombstone_log(false),
)
.with_recover_mode(RecoverMode::Quiet)
.with_compression(foyer::Compression::Lz4)
.with_runtime_options(RuntimeOptions::Separated {
read_runtime_options: TokioRuntimeOptions {
worker_threads: 4,
max_blocking_threads: 8,
},
write_runtime_options: TokioRuntimeOptions {
worker_threads: 4,
max_blocking_threads: 8,
},
})
.build()
.await?;
hybrid.insert(42, "The answer to life, the universe, and everything.".to_string());
assert_eq!(
hybrid.get(&42).await?.unwrap().value(),
"The answer to life, the universe, and everything."
);
let e = hybrid
.fetch(20230512, || async {
let value = mock().await?;
Ok(value)
})
.await?;
assert_eq!(e.key(), &20230512);
assert_eq!(e.value(), "Hello, foyer.");
hybrid.close().await.unwrap();
Ok(())
}
async fn mock() -> Result<String> {
let now = chrono::Utc::now();
if format!("{}{}{}", now.year(), now.month(), now.day()) == "20230512" {
let e: Box<dyn std::error::Error + Send + Sync + 'static> = "Hi, time traveler!".into();
return Err(e.into());
}
Ok("Hello, foyer.".to_string())
}
serde
Supportfoyer needs to serialize/deserialize entries between memory and disk with hybrid cache. Cached keys and values need to implement the Code
trait when using hybrid cache.
The Code
trait has already been implemented for general types, such as:
u8
, u16
, u32
, u64
, u128
, usize
, i8
, i16
, i32
, i64
, i128
, isize
, f32
, f64
.Vec<u8>
.String
.bool
.For more complex types, you need to implement the Code trait yourself.
To make things easier, foyer provides support for the serde
ecosystem. Types implement serde::Serialize
and serde::DeserializeOwned
, foyer will automatically implement the Code
trait. This feature requires enabling the serde
feature for foyer.
foyer = { version = "*", features = ["serde"] }
More code examples and details can be found here.
Case study of real-world usage in the production system can be found in Document - Case Study - RisingWave
The architecture of foyer is still not mature and is undergoing rapid iteration. Currently, the architectural design can refer to Document - Architecture
foyer is built against the recent stable release. The minimum supported version is 1.82.0. The current foyer version is not guaranteed to build on Rust versions earlier than the minimum supported version.
foyer is designed to serve on Linux OS, but can still be built on other OS for development.
However, other components may not support non-Linux OS.
Component | Linux | MacOS | Windows |
---|---|---|---|
foyer | ✓ | ✓ | ✓ |
foyer-bench | ✓ | ✗ | ✗ |
Currently, foyer is still under heavy development.
The development state and the roadmap can be found in foyer - Development Roadmap.
Contributions for foyer are warmly welcomed! 🥰
Don't forget to pass cargo x --fast
(which runs most necessary checks and tests) locally before submitting a PR. 🚀
If you want to run a broader range of checks locally, run cargo x
. 🙌
Thank you for your contribution~