pub struct Options { /* private fields */ }Expand description
Database-wide options around performance and behavior.
Please read the official tuning guide and most importantly, measure performance under realistic workloads with realistic hardware.
§Examples
use rust_rocksdb::{Options, DB};
use rust_rocksdb::DBCompactionStyle;
fn badly_tuned_for_somebody_elses_disk() -> DB {
   let path = "path/for/rocksdb/storageX";
   let mut opts = Options::default();
   opts.create_if_missing(true);
   opts.set_max_open_files(10000);
   opts.set_use_fsync(false);
   opts.set_bytes_per_sync(8388608);
   opts.optimize_for_point_lookup(1024);
   opts.set_table_cache_num_shard_bits(6);
   opts.set_max_write_buffer_number(32);
   opts.set_write_buffer_size(536870912);
   opts.set_target_file_size_base(1073741824);
   opts.set_min_write_buffer_number_to_merge(4);
   opts.set_level_zero_stop_writes_trigger(2000);
   opts.set_level_zero_slowdown_writes_trigger(0);
   opts.set_compaction_style(DBCompactionStyle::Universal);
   opts.set_disable_auto_compactions(true);
   DB::open(&opts, path).unwrap()
}Implementations§
Source§impl Options
 
impl Options
Sourcepub fn load_latest<P: AsRef<Path>>(
    path: P,
    env: Env,
    ignore_unknown_options: bool,
    cache: Cache,
) -> Result<(Options, Vec<ColumnFamilyDescriptor>), Error>
 
pub fn load_latest<P: AsRef<Path>>( path: P, env: Env, ignore_unknown_options: bool, cache: Cache, ) -> Result<(Options, Vec<ColumnFamilyDescriptor>), Error>
Constructs the DBOptions and ColumnFamilyDescriptors by loading the latest RocksDB options file stored in the specified rocksdb database.
IMPORTANT:
ROCKSDB DOES NOT STORE cf ttl in the options file. If you have set it via
ColumnFamilyDescriptor::new_with_ttl then you need to set it again after loading the options file.
Tll will be set to ColumnFamilyTtl::Disabled for all column families for your safety.
Sourcepub fn set_options_from_string(
    &mut self,
    string: impl CStrLike,
) -> Result<&mut Self, Error>
 
pub fn set_options_from_string( &mut self, string: impl CStrLike, ) -> Result<&mut Self, Error>
Updates DBOptions with values parsed from a string.
See official wiki for more information.
Sourcepub fn increase_parallelism(&mut self, parallelism: i32)
 
pub fn increase_parallelism(&mut self, parallelism: i32)
By default, RocksDB uses only one background thread for flush and
compaction. Calling this function will set it up such that total of
total_threads is used. Good value for total_threads is the number of
cores. You almost definitely want to call this function if your system is
bottlenecked by RocksDB.
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.increase_parallelism(3);Sourcepub fn optimize_level_style_compaction(&mut self, memtable_memory_budget: usize)
 
pub fn optimize_level_style_compaction(&mut self, memtable_memory_budget: usize)
Optimize level style compaction.
Default values for some parameters in Options are not optimized for heavy
workloads and big datasets, which means you might observe write stalls under
some conditions.
This can be used as one of the starting points for tuning RocksDB options in such cases.
Internally, it sets write_buffer_size, min_write_buffer_number_to_merge,
max_write_buffer_number, level0_file_num_compaction_trigger,
target_file_size_base, max_bytes_for_level_base, so it can override if those
parameters were set before.
It sets buffer sizes so that memory consumption would be constrained by
memtable_memory_budget.
Sourcepub fn optimize_universal_style_compaction(
    &mut self,
    memtable_memory_budget: usize,
)
 
pub fn optimize_universal_style_compaction( &mut self, memtable_memory_budget: usize, )
Optimize universal style compaction.
Default values for some parameters in Options are not optimized for heavy
workloads and big datasets, which means you might observe write stalls under
some conditions.
This can be used as one of the starting points for tuning RocksDB options in such cases.
Internally, it sets write_buffer_size, min_write_buffer_number_to_merge,
max_write_buffer_number, level0_file_num_compaction_trigger,
target_file_size_base, max_bytes_for_level_base, so it can override if those
parameters were set before.
It sets buffer sizes so that memory consumption would be constrained by
memtable_memory_budget.
Sourcepub fn create_if_missing(&mut self, create_if_missing: bool)
 
pub fn create_if_missing(&mut self, create_if_missing: bool)
If true, the database will be created if it is missing.
Default: false
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.create_if_missing(true);Sourcepub fn create_missing_column_families(&mut self, create_missing_cfs: bool)
 
pub fn create_missing_column_families(&mut self, create_missing_cfs: bool)
If true, any column families that didn’t exist when opening the database will be created.
Default: false
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.create_missing_column_families(true);Sourcepub fn set_error_if_exists(&mut self, enabled: bool)
 
pub fn set_error_if_exists(&mut self, enabled: bool)
Specifies whether an error should be raised if the database already exists.
Default: false
Sourcepub fn set_paranoid_checks(&mut self, enabled: bool)
 
pub fn set_paranoid_checks(&mut self, enabled: bool)
Enable/disable paranoid checks.
If true, the implementation will do aggressive checking of the data it is processing and will stop early if it detects any errors. This may have unforeseen ramifications: for example, a corruption of one DB entry may cause a large number of entries to become unreadable or for the entire DB to become unopenable. If any of the writes to the database fails (Put, Delete, Merge, Write), the database will switch to read-only mode and fail all other Write operations.
Default: false
Sourcepub fn set_db_paths(&mut self, paths: &[DBPath])
 
pub fn set_db_paths(&mut self, paths: &[DBPath])
A list of paths where SST files can be put into, with its target size. Newer data is placed into paths specified earlier in the vector while older data gradually moves to paths specified later in the vector.
For example, you have a flash device with 10GB allocated for the DB, as well as a hard drive of 2TB, you should config it to be: [{“/flash_path”, 10GB}, {“/hard_drive”, 2TB}]
The system will try to guarantee data under each path is close to but not larger than the target size. But current and future file sizes used by determining where to place a file are based on best-effort estimation, which means there is a chance that the actual size under the directory is slightly more than target size under some workloads. User should give some buffer room for those cases.
If none of the paths has sufficient room to place a file, the file will be placed to the last path anyway, despite to the target size.
Placing newer data to earlier paths is also best-efforts. User should expect user files to be placed in higher levels in some extreme cases.
If left empty, only one path will be used, which is path passed when
opening the DB.
Default: empty
Sourcepub fn set_env(&mut self, env: &Env)
 
pub fn set_env(&mut self, env: &Env)
Use the specified object to interact with the environment, e.g. to read/write files, schedule background work, etc. In the near future, support for doing storage operations such as read/write files through env will be deprecated in favor of file_system.
Default: Env::default()
Sourcepub fn set_compression_type(&mut self, t: DBCompressionType)
 
pub fn set_compression_type(&mut self, t: DBCompressionType)
Sets the compression algorithm that will be used for compressing blocks.
Default: DBCompressionType::Snappy (DBCompressionType::None if
snappy feature is not enabled).
§Examples
use rust_rocksdb::{Options, DBCompressionType};
let mut opts = Options::default();
opts.set_compression_type(DBCompressionType::Snappy);Sourcepub fn set_compression_options_parallel_threads(&mut self, num: i32)
 
pub fn set_compression_options_parallel_threads(&mut self, num: i32)
Number of threads for parallel compression. Parallel compression is enabled only if threads > 1. THE FEATURE IS STILL EXPERIMENTAL
See code for more information.
Default: 1
Examples
use rust_rocksdb::{Options, DBCompressionType};
let mut opts = Options::default();
opts.set_compression_type(DBCompressionType::Zstd);
opts.set_compression_options_parallel_threads(3);Sourcepub fn set_wal_compression_type(&mut self, t: DBCompressionType)
 
pub fn set_wal_compression_type(&mut self, t: DBCompressionType)
Sets the compression algorithm that will be used for compressing WAL.
At present, only ZSTD compression is supported!
Default: DBCompressionType::None
§Examples
use rust_rocksdb::{Options, DBCompressionType};
let mut opts = Options::default();
opts.set_wal_compression_type(DBCompressionType::Zstd);
// Or None to disable it
opts.set_wal_compression_type(DBCompressionType::None);Sourcepub fn set_bottommost_compression_type(&mut self, t: DBCompressionType)
 
pub fn set_bottommost_compression_type(&mut self, t: DBCompressionType)
Sets the bottom-most compression algorithm that will be used for compressing blocks at the bottom-most level.
Note that to actually enable bottom-most compression configuration after
setting the compression type, it needs to be enabled by calling
set_bottommost_compression_options or
set_bottommost_zstd_max_train_bytes method with enabled argument
set to true.
§Examples
use rust_rocksdb::{Options, DBCompressionType};
let mut opts = Options::default();
opts.set_bottommost_compression_type(DBCompressionType::Zstd);
opts.set_bottommost_zstd_max_train_bytes(0, true);Sourcepub fn set_compression_per_level(&mut self, level_types: &[DBCompressionType])
 
pub fn set_compression_per_level(&mut self, level_types: &[DBCompressionType])
Different levels can have different compression policies. There are cases where most lower levels would like to use quick compression algorithms while the higher levels (which have more data) use compression algorithms that have better compression but could be slower. This array, if non-empty, should have an entry for each level of the database; these override the value specified in the previous field ‘compression’.
§Examples
use rust_rocksdb::{Options, DBCompressionType};
let mut opts = Options::default();
opts.set_compression_per_level(&[
    DBCompressionType::None,
    DBCompressionType::None,
    DBCompressionType::Snappy,
    DBCompressionType::Snappy,
    DBCompressionType::Snappy
]);Sourcepub fn set_compression_options(
    &mut self,
    w_bits: c_int,
    level: c_int,
    strategy: c_int,
    max_dict_bytes: c_int,
)
 
pub fn set_compression_options( &mut self, w_bits: c_int, level: c_int, strategy: c_int, max_dict_bytes: c_int, )
Maximum size of dictionaries used to prime the compression library. Enabling dictionary can improve compression ratios when there are repetitions across data blocks.
The dictionary is created by sampling the SST file data. If
zstd_max_train_bytes is nonzero, the samples are passed through zstd’s
dictionary generator. Otherwise, the random samples are used directly as
the dictionary.
When compression dictionary is disabled, we compress and write each block before buffering data for the next one. When compression dictionary is enabled, we buffer all SST file data in-memory so we can sample it, as data can only be compressed and written after the dictionary has been finalized. So users of this feature may see increased memory usage.
Default: 0
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_compression_options(4, 5, 6, 7);Sourcepub fn set_bottommost_compression_options(
    &mut self,
    w_bits: c_int,
    level: c_int,
    strategy: c_int,
    max_dict_bytes: c_int,
    enabled: bool,
)
 
pub fn set_bottommost_compression_options( &mut self, w_bits: c_int, level: c_int, strategy: c_int, max_dict_bytes: c_int, enabled: bool, )
Sets compression options for blocks at the bottom-most level.  Meaning
of all settings is the same as in set_compression_options method but
affect only the bottom-most compression which is set using
set_bottommost_compression_type method.
§Examples
use rust_rocksdb::{Options, DBCompressionType};
let mut opts = Options::default();
opts.set_bottommost_compression_type(DBCompressionType::Zstd);
opts.set_bottommost_compression_options(4, 5, 6, 7, true);Sourcepub fn set_zstd_max_train_bytes(&mut self, value: c_int)
 
pub fn set_zstd_max_train_bytes(&mut self, value: c_int)
Sets maximum size of training data passed to zstd’s dictionary trainer. Using zstd’s
dictionary trainer can achieve even better compression ratio improvements than using
max_dict_bytes alone.
The training data will be used to generate a dictionary of max_dict_bytes.
Default: 0.
Sourcepub fn set_bottommost_zstd_max_train_bytes(
    &mut self,
    value: c_int,
    enabled: bool,
)
 
pub fn set_bottommost_zstd_max_train_bytes( &mut self, value: c_int, enabled: bool, )
Sets maximum size of training data passed to zstd’s dictionary trainer
when compressing the bottom-most level. Using zstd’s dictionary trainer
can achieve even better compression ratio improvements than using
max_dict_bytes alone.
The training data will be used to generate a dictionary of
max_dict_bytes.
Default: 0.
Sourcepub fn set_compaction_readahead_size(
    &mut self,
    compaction_readahead_size: usize,
)
 
pub fn set_compaction_readahead_size( &mut self, compaction_readahead_size: usize, )
If non-zero, we perform bigger reads when doing compaction. If you’re running RocksDB on spinning disks, you should set this to at least 2MB. That way RocksDB’s compaction is doing sequential instead of random reads.
Default: 2 * 1024 * 1024 (2 MB)
Sourcepub fn set_level_compaction_dynamic_level_bytes(&mut self, v: bool)
 
pub fn set_level_compaction_dynamic_level_bytes(&mut self, v: bool)
Allow RocksDB to pick dynamic base of bytes for levels. With this feature turned on, RocksDB will automatically adjust max bytes for each level. The goal of this feature is to have lower bound on size amplification.
Default: false.
Sourcepub fn set_periodic_compaction_seconds(&mut self, secs: u64)
 
pub fn set_periodic_compaction_seconds(&mut self, secs: u64)
This option has different meanings for different compaction styles:
Leveled: files older than periodic_compaction_seconds will be picked up
for compaction and will be re-written to the same level as they were
before if level_compaction_dynamic_level_bytes is disabled. Otherwise,
it will rewrite files to the next level except for the last level files
to the same level.
FIFO: not supported. Setting this option has no effect for FIFO compaction.
Universal: when there are files older than periodic_compaction_seconds,
rocksdb will try to do as large a compaction as possible including the
last level. Such compaction is only skipped if only last level is to
be compacted and no file in last level is older than
periodic_compaction_seconds. See more in
UniversalCompactionBuilder::PickPeriodicCompaction().
For backward compatibility, the effective value of this option takes
into account the value of option ttl. The logic is as follows:
- both options are set to 30 days if they have the default value.
- if both options are zero, zero is picked. Otherwise, we take the min value among non-zero options values (i.e. takes the stricter limit).
One main use of the feature is to make sure a file goes through compaction filters periodically. Users can also use the feature to clear up SST files using old format.
A file’s age is computed by looking at file_creation_time or creation_time table properties in order, if they have valid non-zero values; if not, the age is based on the file’s last modified time (given by the underlying Env).
This option only supports block based table format for any compaction style.
unit: seconds. Ex: 7 days = 7 * 24 * 60 * 60
Values: 0: Turn off Periodic compactions. UINT64_MAX - 1 (0xfffffffffffffffe) is special flag to allow RocksDB to pick default.
Default: 30 days if using block based table format + compaction filter + leveled compaction or block based table format + universal compaction. 0 (disabled) otherwise.
Sourcepub fn set_ttl(&mut self, secs: u64)
 
pub fn set_ttl(&mut self, secs: u64)
This option has different meanings for different compaction styles:
Leveled: Non-bottom-level files with all keys older than TTL will go through the compaction process. This usually happens in a cascading way so that those entries will be compacted to bottommost level/file. The feature is used to remove stale entries that have been deleted or updated from the file system.
FIFO: Files with all keys older than TTL will be deleted. TTL is only supported if option max_open_files is set to -1.
Universal: users should only set the option periodic_compaction_seconds
instead. For backward compatibility, this option has the same
meaning as periodic_compaction_seconds. See more in comments for
periodic_compaction_seconds on the interaction between these two
options.
This option only supports block based table format for any compaction style.
unit: seconds. Ex: 1 day = 1 * 24 * 60 * 60 0 means disabling. UINT64_MAX - 1 (0xfffffffffffffffe) is special flag to allow RocksDB to pick default.
Default: 30 days if using block based table. 0 (disable) otherwise.
Dynamically changeable
Note that dynamically changing this option only works for leveled and FIFO
compaction. For universal compaction, dynamically changing this option has
no effect, users should dynamically change periodic_compaction_seconds
instead.
pub fn set_merge_operator_associative<F: MergeFn + Clone>( &mut self, name: impl CStrLike, full_merge_fn: F, )
pub fn set_merge_operator<F: MergeFn, PF: MergeFn>( &mut self, name: impl CStrLike, full_merge_fn: F, partial_merge_fn: PF, )
pub fn add_merge_operator<F: MergeFn + Clone>( &mut self, name: &str, merge_fn: F, )
Sourcepub fn set_compaction_filter<F>(&mut self, name: impl CStrLike, filter_fn: F)where
    F: CompactionFilterFn + Send + 'static,
 
pub fn set_compaction_filter<F>(&mut self, name: impl CStrLike, filter_fn: F)where
    F: CompactionFilterFn + Send + 'static,
Sets a compaction filter used to determine if entries should be kept, changed, or removed during compaction.
An example use case is to remove entries with an expired TTL.
If you take a snapshot of the database, only values written since the last snapshot will be passed through the compaction filter.
If multi-threaded compaction is used, filter_fn may be called multiple times
simultaneously.
Sourcepub fn set_compaction_filter_factory<F>(&mut self, factory: F)where
    F: CompactionFilterFactory + 'static,
 
pub fn set_compaction_filter_factory<F>(&mut self, factory: F)where
    F: CompactionFilterFactory + 'static,
This is a factory that provides compaction filter objects which allow an application to modify/delete a key-value during background compaction.
A new filter will be created on each compaction run. If multithreaded compaction is being used, each created CompactionFilter will only be used from a single thread and so does not need to be thread-safe.
Default: nullptr
Sourcepub fn set_comparator(
    &mut self,
    name: impl CStrLike,
    compare_fn: Box<dyn Fn(&[u8], &[u8]) -> Ordering>,
)
 
pub fn set_comparator( &mut self, name: impl CStrLike, compare_fn: Box<dyn Fn(&[u8], &[u8]) -> Ordering>, )
Sets the comparator used to define the order of keys in the table. Default: a comparator that uses lexicographic byte-wise ordering
The client must ensure that the comparator supplied here has the same name and orders keys exactly the same as the comparator provided to previous open calls on the same DB.
Sourcepub fn set_comparator_with_ts(
    &mut self,
    name: impl CStrLike,
    timestamp_size: usize,
    compare_fn: Box<dyn Fn(&[u8], &[u8]) -> Ordering>,
    compare_ts_fn: Box<dyn Fn(&[u8], &[u8]) -> Ordering>,
    compare_without_ts_fn: Box<dyn Fn(&[u8], bool, &[u8], bool) -> Ordering>,
)
 
pub fn set_comparator_with_ts( &mut self, name: impl CStrLike, timestamp_size: usize, compare_fn: Box<dyn Fn(&[u8], &[u8]) -> Ordering>, compare_ts_fn: Box<dyn Fn(&[u8], &[u8]) -> Ordering>, compare_without_ts_fn: Box<dyn Fn(&[u8], bool, &[u8], bool) -> Ordering>, )
Sets the comparator that are timestamp-aware, used to define the order of keys in the table, taking timestamp into consideration. Find more information on timestamp-aware comparator on here
The client must ensure that the comparator supplied here has the same name and orders keys exactly the same as the comparator provided to previous open calls on the same DB.
pub fn set_prefix_extractor(&mut self, prefix_extractor: SliceTransform)
pub fn optimize_for_point_lookup(&mut self, block_cache_size_mb: u64)
Sourcepub fn set_optimize_filters_for_hits(&mut self, optimize_for_hits: bool)
 
pub fn set_optimize_filters_for_hits(&mut self, optimize_for_hits: bool)
Sets the optimize_filters_for_hits flag
Default: false
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_optimize_filters_for_hits(true);Sourcepub fn set_delete_obsolete_files_period_micros(&mut self, micros: u64)
 
pub fn set_delete_obsolete_files_period_micros(&mut self, micros: u64)
Sets the periodicity when obsolete files get deleted.
The files that get out of scope by compaction process will still get automatically delete on every compaction, regardless of this setting.
Default: 6 hours
Sourcepub fn prepare_for_bulk_load(&mut self)
 
pub fn prepare_for_bulk_load(&mut self)
Prepare the DB for bulk loading.
All data will be in level 0 without any automatic compaction. It’s recommended to manually call CompactRange(NULL, NULL) before reading from the database, because otherwise the read can be very slow.
Sourcepub fn set_max_open_files(&mut self, nfiles: c_int)
 
pub fn set_max_open_files(&mut self, nfiles: c_int)
Sets the number of open files that can be used by the DB. You may need to
increase this if your database has a large working set. Value -1 means
files opened are always kept open. You can estimate number of files based
on target_file_size_base and target_file_size_multiplier for level-based
compaction. For universal-style compaction, you can usually set it to -1.
Default: -1
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_max_open_files(10);Sourcepub fn set_max_file_opening_threads(&mut self, nthreads: c_int)
 
pub fn set_max_file_opening_threads(&mut self, nthreads: c_int)
If max_open_files is -1, DB will open all files on DB::Open(). You can use this option to increase the number of threads used to open the files. Default: 16
Sourcepub fn set_use_fsync(&mut self, useit: bool)
 
pub fn set_use_fsync(&mut self, useit: bool)
By default, writes to stable storage use fdatasync (on platforms where this function is available). If this option is true, fsync is used instead.
fsync and fdatasync are equally safe for our purposes and fdatasync is faster, so it is rarely necessary to set this option. It is provided as a workaround for kernel/filesystem bugs, such as one that affected fdatasync with ext4 in kernel versions prior to 3.7.
Default: false
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_use_fsync(true);Sourcepub fn get_use_fsync(&self) -> bool
 
pub fn get_use_fsync(&self) -> bool
Returns the value of the use_fsync option.
Sourcepub fn set_db_log_dir<P: AsRef<Path>>(&mut self, path: P)
 
pub fn set_db_log_dir<P: AsRef<Path>>(&mut self, path: P)
Specifies the absolute info LOG dir.
If it is empty, the log files will be in the same dir as data. If it is non empty, the log files will be in the specified dir, and the db data dir’s absolute path will be used as the log file name’s prefix.
Default: empty
Sourcepub fn set_log_level(&mut self, level: LogLevel)
 
pub fn set_log_level(&mut self, level: LogLevel)
Specifies the log level.
Consider the LogLevel enum for a list of possible levels.
Default: Info
§Examples
use rust_rocksdb::{Options, LogLevel};
let mut opts = Options::default();
opts.set_log_level(LogLevel::Warn);Sourcepub fn set_bytes_per_sync(&mut self, nbytes: u64)
 
pub fn set_bytes_per_sync(&mut self, nbytes: u64)
Allows OS to incrementally sync files to disk while they are being
written, asynchronously, in the background. This operation can be used
to smooth out write I/Os over time. Users shouldn’t rely on it for
persistency guarantee.
Issue one request for every bytes_per_sync written. 0 turns it off.
Default: 0
You may consider using rate_limiter to regulate write rate to device. When rate limiter is enabled, it automatically enables bytes_per_sync to 1MB.
This option applies to table files
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_bytes_per_sync(1024 * 1024);Sourcepub fn set_wal_bytes_per_sync(&mut self, nbytes: u64)
 
pub fn set_wal_bytes_per_sync(&mut self, nbytes: u64)
Same as bytes_per_sync, but applies to WAL files.
Default: 0, turned off
Dynamically changeable through SetDBOptions() API.
Sourcepub fn set_writable_file_max_buffer_size(&mut self, nbytes: u64)
 
pub fn set_writable_file_max_buffer_size(&mut self, nbytes: u64)
Sets the maximum buffer size that is used by WritableFileWriter.
On Windows, we need to maintain an aligned buffer for writes. We allow the buffer to grow until it’s size hits the limit in buffered IO and fix the buffer size when using direct IO to ensure alignment of write requests if the logical sector size is unusual
Default: 1024 * 1024 (1 MB)
Dynamically changeable through SetDBOptions() API.
Sourcepub fn set_allow_concurrent_memtable_write(&mut self, allow: bool)
 
pub fn set_allow_concurrent_memtable_write(&mut self, allow: bool)
If true, allow multi-writers to update mem tables in parallel. Only some memtable_factory-s support concurrent writes; currently it is implemented only for SkipListFactory. Concurrent memtable writes are not compatible with inplace_update_support or filter_deletes. It is strongly recommended to set enable_write_thread_adaptive_yield if you are going to use this feature.
Default: true
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_allow_concurrent_memtable_write(false);Sourcepub fn set_enable_write_thread_adaptive_yield(&mut self, enabled: bool)
 
pub fn set_enable_write_thread_adaptive_yield(&mut self, enabled: bool)
If true, threads synchronizing with the write batch group leader will wait for up to write_thread_max_yield_usec before blocking on a mutex. This can substantially improve throughput for concurrent workloads, regardless of whether allow_concurrent_memtable_write is enabled.
Default: true
Sourcepub fn set_max_sequential_skip_in_iterations(&mut self, num: u64)
 
pub fn set_max_sequential_skip_in_iterations(&mut self, num: u64)
Specifies whether an iteration->Next() sequentially skips over keys with the same user-key or not.
This number specifies the number of keys (with the same userkey) that will be sequentially skipped before a reseek is issued.
Default: 8
Sourcepub fn set_use_direct_reads(&mut self, enabled: bool)
 
pub fn set_use_direct_reads(&mut self, enabled: bool)
Enable direct I/O mode for reading they may or may not improve performance depending on the use case
Files will be opened in “direct I/O” mode which means that data read from the disk will not be cached or buffered. The hardware buffer of the devices may however still be used. Memory mapped files are not impacted by these parameters.
Default: false
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_use_direct_reads(true);Sourcepub fn set_use_direct_io_for_flush_and_compaction(&mut self, enabled: bool)
 
pub fn set_use_direct_io_for_flush_and_compaction(&mut self, enabled: bool)
Enable direct I/O mode for flush and compaction
Files will be opened in “direct I/O” mode which means that data written to the disk will not be cached or buffered. The hardware buffer of the devices may however still be used. Memory mapped files are not impacted by these parameters. they may or may not improve performance depending on the use case
Default: false
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_use_direct_io_for_flush_and_compaction(true);Sourcepub fn set_is_fd_close_on_exec(&mut self, enabled: bool)
 
pub fn set_is_fd_close_on_exec(&mut self, enabled: bool)
Enable/disable child process inherit open files.
Default: true
Sourcepub fn set_allow_os_buffer(&mut self, is_allow: bool)
 👎Deprecated since 0.7.0: replaced with set_use_direct_reads/set_use_direct_io_for_flush_and_compaction methods
pub fn set_allow_os_buffer(&mut self, is_allow: bool)
Hints to the OS that it should not buffer disk I/O. Enabling this parameter may improve performance but increases pressure on the system cache.
The exact behavior of this parameter is platform dependent.
On POSIX systems, after RocksDB reads data from disk it will mark the pages as “unneeded”. The operating system may or may not evict these pages from memory, reducing pressure on the system cache. If the disk block is requested again this can result in additional disk I/O.
On WINDOWS systems, files will be opened in “unbuffered I/O” mode which means that data read from the disk will not be cached or bufferized. The hardware buffer of the devices may however still be used. Memory mapped files are not impacted by this parameter.
Default: true
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
#[allow(deprecated)]
opts.set_allow_os_buffer(false);Sourcepub fn set_table_cache_num_shard_bits(&mut self, nbits: c_int)
 
pub fn set_table_cache_num_shard_bits(&mut self, nbits: c_int)
Sets the number of shards used for table cache.
Default: 6
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_table_cache_num_shard_bits(4);Sourcepub fn set_target_file_size_multiplier(&mut self, multiplier: i32)
 
pub fn set_target_file_size_multiplier(&mut self, multiplier: i32)
By default target_file_size_multiplier is 1, which means by default files in different levels will have similar size.
Dynamically changeable through SetOptions() API
Sourcepub fn set_min_write_buffer_number(&mut self, nbuf: c_int)
 
pub fn set_min_write_buffer_number(&mut self, nbuf: c_int)
Sets the minimum number of write buffers that will be merged
before writing to storage.  If set to 1, then
all write buffers are flushed to L0 as individual files and this increases
read amplification because a get request has to check in all of these
files. Also, an in-memory merge may result in writing lesser
data to storage if there are duplicate records in each of these
individual write buffers.
Default: 1
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_min_write_buffer_number(2);Sourcepub fn set_max_write_buffer_number(&mut self, nbuf: c_int)
 
pub fn set_max_write_buffer_number(&mut self, nbuf: c_int)
Sets the maximum number of write buffers that are built up in memory. The default and the minimum number is 2, so that when 1 write buffer is being flushed to storage, new writes can continue to the other write buffer. If max_write_buffer_number > 3, writing will be slowed down to options.delayed_write_rate if we are writing to the last write buffer allowed.
Default: 2
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_max_write_buffer_number(4);Sourcepub fn set_write_buffer_size(&mut self, size: usize)
 
pub fn set_write_buffer_size(&mut self, size: usize)
Sets the amount of data to build up in memory (backed by an unsorted log on disk) before converting to a sorted on-disk file.
Larger values increase performance, especially during bulk loads. Up to max_write_buffer_number write buffers may be held in memory at the same time, so you may wish to adjust this parameter to control memory usage. Also, a larger write buffer will result in a longer recovery time the next time the database is opened.
Note that write_buffer_size is enforced per column family. See db_write_buffer_size for sharing memory across column families.
Default: 0x4000000 (64MiB)
Dynamically changeable through SetOptions() API
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_write_buffer_size(128 * 1024 * 1024);Sourcepub fn set_db_write_buffer_size(&mut self, size: usize)
 
pub fn set_db_write_buffer_size(&mut self, size: usize)
Amount of data to build up in memtables across all column families before writing to disk.
This is distinct from write_buffer_size, which enforces a limit for a single memtable.
This feature is disabled by default. Specify a non-zero value to enable it.
Default: 0 (disabled)
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_db_write_buffer_size(128 * 1024 * 1024);Sourcepub fn set_max_bytes_for_level_base(&mut self, size: u64)
 
pub fn set_max_bytes_for_level_base(&mut self, size: u64)
Control maximum total data size for a level. max_bytes_for_level_base is the max total for level-1. Maximum number of bytes for level L can be calculated as (max_bytes_for_level_base) * (max_bytes_for_level_multiplier ^ (L-1)) For example, if max_bytes_for_level_base is 200MB, and if max_bytes_for_level_multiplier is 10, total data size for level-1 will be 200MB, total file size for level-2 will be 2GB, and total file size for level-3 will be 20GB.
Default: 0x10000000 (256MiB).
Dynamically changeable through SetOptions() API
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_max_bytes_for_level_base(512 * 1024 * 1024);Sourcepub fn set_max_bytes_for_level_multiplier(&mut self, mul: f64)
 
pub fn set_max_bytes_for_level_multiplier(&mut self, mul: f64)
Default: 10
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_max_bytes_for_level_multiplier(4.0);Sourcepub fn set_max_manifest_file_size(&mut self, size: usize)
 
pub fn set_max_manifest_file_size(&mut self, size: usize)
The manifest file is rolled over on reaching this limit. The older manifest file be deleted. The default value is MAX_INT so that roll-over does not take place.
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_max_manifest_file_size(20 * 1024 * 1024);Sourcepub fn set_target_file_size_base(&mut self, size: u64)
 
pub fn set_target_file_size_base(&mut self, size: u64)
Sets the target file size for compaction. target_file_size_base is per-file size for level-1. Target file size for level L can be calculated by target_file_size_base * (target_file_size_multiplier ^ (L-1)) For example, if target_file_size_base is 2MB and target_file_size_multiplier is 10, then each file on level-1 will be 2MB, and each file on level 2 will be 20MB, and each file on level-3 will be 200MB.
Default: 0x4000000 (64MiB)
Dynamically changeable through SetOptions() API
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_target_file_size_base(128 * 1024 * 1024);Sourcepub fn set_min_write_buffer_number_to_merge(&mut self, to_merge: c_int)
 
pub fn set_min_write_buffer_number_to_merge(&mut self, to_merge: c_int)
Sets the minimum number of write buffers that will be merged together
before writing to storage.  If set to 1, then
all write buffers are flushed to L0 as individual files and this increases
read amplification because a get request has to check in all of these
files. Also, an in-memory merge may result in writing lesser
data to storage if there are duplicate records in each of these
individual write buffers.
Default: 1
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_min_write_buffer_number_to_merge(2);Sourcepub fn set_level_zero_file_num_compaction_trigger(&mut self, n: c_int)
 
pub fn set_level_zero_file_num_compaction_trigger(&mut self, n: c_int)
Sets the number of files to trigger level-0 compaction. A value < 0 means that
level-0 compaction will not be triggered by number of files at all.
Default: 4
Dynamically changeable through SetOptions() API
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_level_zero_file_num_compaction_trigger(8);Sourcepub fn set_level_zero_slowdown_writes_trigger(&mut self, n: c_int)
 
pub fn set_level_zero_slowdown_writes_trigger(&mut self, n: c_int)
Sets the soft limit on number of level-0 files. We start slowing down writes at this
point. A value < 0 means that no writing slowdown will be triggered by
number of files in level-0.
Default: 20
Dynamically changeable through SetOptions() API
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_level_zero_slowdown_writes_trigger(10);Sourcepub fn set_level_zero_stop_writes_trigger(&mut self, n: c_int)
 
pub fn set_level_zero_stop_writes_trigger(&mut self, n: c_int)
Sets the maximum number of level-0 files. We stop writes at this point.
Default: 24
Dynamically changeable through SetOptions() API
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_level_zero_stop_writes_trigger(48);Sourcepub fn set_compaction_style(&mut self, style: DBCompactionStyle)
 
pub fn set_compaction_style(&mut self, style: DBCompactionStyle)
Sets the compaction style.
Default: DBCompactionStyle::Level
§Examples
use rust_rocksdb::{Options, DBCompactionStyle};
let mut opts = Options::default();
opts.set_compaction_style(DBCompactionStyle::Universal);Sourcepub fn set_universal_compaction_options(
    &mut self,
    uco: &UniversalCompactOptions,
)
 
pub fn set_universal_compaction_options( &mut self, uco: &UniversalCompactOptions, )
Sets the options needed to support Universal Style compactions.
Sourcepub fn set_fifo_compaction_options(&mut self, fco: &FifoCompactOptions)
 
pub fn set_fifo_compaction_options(&mut self, fco: &FifoCompactOptions)
Sets the options for FIFO compaction style.
Sourcepub fn set_unordered_write(&mut self, unordered: bool)
 
pub fn set_unordered_write(&mut self, unordered: bool)
Sets unordered_write to true trades higher write throughput with relaxing the immutability guarantee of snapshots. This violates the repeatability one expects from ::Get from a snapshot, as well as ::MultiGet and Iterator’s consistent-point-in-time view property. If the application cannot tolerate the relaxed guarantees, it can implement its own mechanisms to work around that and yet benefit from the higher throughput. Using TransactionDB with WRITE_PREPARED write policy and two_write_queues=true is one way to achieve immutable snapshots despite unordered_write.
By default, i.e., when it is false, rocksdb does not advance the sequence number for new snapshots unless all the writes with lower sequence numbers are already finished. This provides the immutability that we expect from snapshots. Moreover, since Iterator and MultiGet internally depend on snapshots, the snapshot immutability results into Iterator and MultiGet offering consistent-point-in-time view. If set to true, although Read-Your-Own-Write property is still provided, the snapshot immutability property is relaxed: the writes issued after the snapshot is obtained (with larger sequence numbers) will be still not visible to the reads from that snapshot, however, there still might be pending writes (with lower sequence number) that will change the state visible to the snapshot after they are landed to the memtable.
Default: false
Sourcepub fn set_max_subcompactions(&mut self, num: u32)
 
pub fn set_max_subcompactions(&mut self, num: u32)
Sets maximum number of threads that will concurrently perform a compaction job by breaking it into multiple, smaller ones that are run simultaneously.
Default: 1 (i.e. no subcompactions)
Sourcepub fn set_max_background_jobs(&mut self, jobs: c_int)
 
pub fn set_max_background_jobs(&mut self, jobs: c_int)
Sets maximum number of concurrent background jobs (compactions and flushes).
Default: 2
Dynamically changeable through SetDBOptions() API.
Sourcepub fn set_max_background_compactions(&mut self, n: c_int)
 👎Deprecated since 0.15.0: RocksDB automatically decides this based on the value of max_background_jobs
pub fn set_max_background_compactions(&mut self, n: c_int)
Sets the maximum number of concurrent background compaction jobs, submitted to
the default LOW priority thread pool.
We first try to schedule compactions based on
base_background_compactions. If the compaction cannot catch up , we
will increase number of compaction threads up to
max_background_compactions.
If you’re increasing this, also consider increasing number of threads in LOW priority thread pool. For more information, see Env::SetBackgroundThreads
Default: 1
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
#[allow(deprecated)]
opts.set_max_background_compactions(2);Sourcepub fn set_max_background_flushes(&mut self, n: c_int)
 👎Deprecated since 0.15.0: RocksDB automatically decides this based on the value of max_background_jobs
pub fn set_max_background_flushes(&mut self, n: c_int)
Sets the maximum number of concurrent background memtable flush jobs, submitted to the HIGH priority thread pool.
By default, all background jobs (major compaction and memtable flush) go to the LOW priority pool. If this option is set to a positive number, memtable flush jobs will be submitted to the HIGH priority pool. It is important when the same Env is shared by multiple db instances. Without a separate pool, long running major compaction jobs could potentially block memtable flush jobs of other db instances, leading to unnecessary Put stalls.
If you’re increasing this, also consider increasing number of threads in HIGH priority thread pool. For more information, see Env::SetBackgroundThreads
Default: 1
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
#[allow(deprecated)]
opts.set_max_background_flushes(2);Sourcepub fn set_disable_auto_compactions(&mut self, disable: bool)
 
pub fn set_disable_auto_compactions(&mut self, disable: bool)
Disables automatic compactions. Manual compactions can still be issued on this column family
Default: false
Dynamically changeable through SetOptions() API
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_disable_auto_compactions(true);Sourcepub fn set_memtable_huge_page_size(&mut self, size: size_t)
 
pub fn set_memtable_huge_page_size(&mut self, size: size_t)
SetMemtableHugePageSize sets the page size for huge page for arena used by the memtable. If <=0, it won’t allocate from huge page but from malloc. Users are responsible to reserve huge pages for it to be allocated. For example: sysctl -w vm.nr_hugepages=20 See linux doc Documentation/vm/hugetlbpage.txt If there isn’t enough free huge page available, it will fall back to malloc.
Dynamically changeable through SetOptions() API
Sourcepub fn set_max_successive_merges(&mut self, num: usize)
 
pub fn set_max_successive_merges(&mut self, num: usize)
Sets the maximum number of successive merge operations on a key in the memtable.
When a merge operation is added to the memtable and the maximum number of successive merges is reached, the value of the key will be calculated and inserted into the memtable instead of the merge operation. This will ensure that there are never more than max_successive_merges merge operations in the memtable.
Default: 0 (disabled)
Sourcepub fn set_bloom_locality(&mut self, v: u32)
 
pub fn set_bloom_locality(&mut self, v: u32)
Control locality of bloom filter probes to improve cache miss rate. This option only applies to memtable prefix bloom and plaintable prefix bloom. It essentially limits the max number of cache lines each bloom filter check can touch.
This optimization is turned off when set to 0. The number should never be greater than number of probes. This option can boost performance for in-memory workload but should use with care since it can cause higher false positive rate.
Default: 0
Sourcepub fn set_inplace_update_support(&mut self, enabled: bool)
 
pub fn set_inplace_update_support(&mut self, enabled: bool)
Enable/disable thread-safe inplace updates.
Requires updates if
- key exists in current memtable
- new sizeof(new_value) <= sizeof(old_value)
- old_value for that key is a put i.e. kTypeValue
Default: false.
Sourcepub fn set_inplace_update_locks(&mut self, num: usize)
 
pub fn set_inplace_update_locks(&mut self, num: usize)
Sets the number of locks used for inplace update.
Default: 10000 when inplace_update_support = true, otherwise 0.
Sourcepub fn set_max_bytes_for_level_multiplier_additional(
    &mut self,
    level_values: &[i32],
)
 
pub fn set_max_bytes_for_level_multiplier_additional( &mut self, level_values: &[i32], )
Different max-size multipliers for different levels. These are multiplied by max_bytes_for_level_multiplier to arrive at the max-size of each level.
Default: 1
Dynamically changeable through SetOptions() API
Sourcepub fn set_skip_checking_sst_file_sizes_on_db_open(&mut self, value: bool)
 
pub fn set_skip_checking_sst_file_sizes_on_db_open(&mut self, value: bool)
If true, then DB::Open() will not fetch and check sizes of all sst files. This may significantly speed up startup if there are many sst files, especially when using non-default Env with expensive GetFileSize(). We’ll still check that all required sst files exist. If paranoid_checks is false, this option is ignored, and sst files are not checked at all.
Default: false
Sourcepub fn set_max_write_buffer_size_to_maintain(&mut self, size: i64)
 
pub fn set_max_write_buffer_size_to_maintain(&mut self, size: i64)
The total maximum size(bytes) of write buffers to maintain in memory including copies of buffers that have already been flushed. This parameter only affects trimming of flushed buffers and does not affect flushing. This controls the maximum amount of write history that will be available in memory for conflict checking when Transactions are used. The actual size of write history (flushed Memtables) might be higher than this limit if further trimming will reduce write history total size below this limit. For example, if max_write_buffer_size_to_maintain is set to 64MB, and there are three flushed Memtables, with sizes of 32MB, 20MB, 20MB. Because trimming the next Memtable of size 20MB will reduce total memory usage to 52MB which is below the limit, RocksDB will stop trimming.
When using an OptimisticTransactionDB: If this value is too low, some transactions may fail at commit time due to not being able to determine whether there were any write conflicts.
When using a TransactionDB: If Transaction::SetSnapshot is used, TransactionDB will read either in-memory write buffers or SST files to do write-conflict checking. Increasing this value can reduce the number of reads to SST files done for conflict detection.
Setting this value to 0 will cause write buffers to be freed immediately after they are flushed. If this value is set to -1, ‘max_write_buffer_number * write_buffer_size’ will be used.
Default: If using a TransactionDB/OptimisticTransactionDB, the default value will be set to the value of ‘max_write_buffer_number * write_buffer_size’ if it is not explicitly set by the user. Otherwise, the default is 0.
Sourcepub fn set_enable_pipelined_write(&mut self, value: bool)
 
pub fn set_enable_pipelined_write(&mut self, value: bool)
By default, a single write thread queue is maintained. The thread gets to the head of the queue becomes write batch group leader and responsible for writing to WAL and memtable for the batch group.
If enable_pipelined_write is true, separate write thread queue is maintained for WAL write and memtable write. A write thread first enter WAL writer queue and then memtable writer queue. Pending thread on the WAL writer queue thus only have to wait for previous writers to finish their WAL writing but not the memtable writing. Enabling the feature may improve write throughput and reduce latency of the prepare phase of two-phase commit.
Default: false
Sourcepub fn set_memtable_factory(&mut self, factory: MemtableFactory)
 
pub fn set_memtable_factory(&mut self, factory: MemtableFactory)
Defines the underlying memtable implementation. See official wiki for more information. Defaults to using a skiplist.
§Examples
use rust_rocksdb::{Options, MemtableFactory};
let mut opts = Options::default();
let factory = MemtableFactory::HashSkipList {
    bucket_count: 1_000_000,
    height: 4,
    branching_factor: 4,
};
opts.set_allow_concurrent_memtable_write(false);
opts.set_memtable_factory(factory);pub fn set_block_based_table_factory(&mut self, factory: &BlockBasedOptions)
Sourcepub fn set_cuckoo_table_factory(&mut self, factory: &CuckooTableOptions)
 
pub fn set_cuckoo_table_factory(&mut self, factory: &CuckooTableOptions)
Sets the table factory to a CuckooTableFactory (the default table factory is a block-based table factory that provides a default implementation of TableBuilder and TableReader with default BlockBasedTableOptions). See official wiki for more information on this table format.
§Examples
use rust_rocksdb::{Options, CuckooTableOptions};
let mut opts = Options::default();
let mut factory_opts = CuckooTableOptions::default();
factory_opts.set_hash_ratio(0.8);
factory_opts.set_max_search_depth(20);
factory_opts.set_cuckoo_block_size(10);
factory_opts.set_identity_as_first_hash(true);
factory_opts.set_use_module_hash(false);
opts.set_cuckoo_table_factory(&factory_opts);Sourcepub fn set_plain_table_factory(&mut self, options: &PlainTableFactoryOptions)
 
pub fn set_plain_table_factory(&mut self, options: &PlainTableFactoryOptions)
Sets the factory as plain table. See official wiki for more information.
§Examples
use rust_rocksdb::{KeyEncodingType, Options, PlainTableFactoryOptions};
let mut opts = Options::default();
let factory_opts = PlainTableFactoryOptions {
  user_key_length: 0,
  bloom_bits_per_key: 20,
  hash_table_ratio: 0.75,
  index_sparseness: 16,
  huge_page_tlb_size: 0,
  encoding_type: KeyEncodingType::Plain,
  full_scan_mode: false,
  store_index_in_file: false,
};
opts.set_plain_table_factory(&factory_opts);Sourcepub fn set_min_level_to_compress(&mut self, lvl: c_int)
 
pub fn set_min_level_to_compress(&mut self, lvl: c_int)
Sets the start level to use compression.
Sourcepub fn set_report_bg_io_stats(&mut self, enable: bool)
 
pub fn set_report_bg_io_stats(&mut self, enable: bool)
Measure IO stats in compactions and flushes, if true.
Default: false
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_report_bg_io_stats(true);Sourcepub fn set_max_total_wal_size(&mut self, size: u64)
 
pub fn set_max_total_wal_size(&mut self, size: u64)
Once write-ahead logs exceed this size, we will start forcing the flush of column families whose memtables are backed by the oldest live WAL file (i.e. the ones that are causing all the space amplification).
Default: 0
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
// Set max total wal size to 1G.
opts.set_max_total_wal_size(1 << 30);Sourcepub fn set_wal_recovery_mode(&mut self, mode: DBRecoveryMode)
 
pub fn set_wal_recovery_mode(&mut self, mode: DBRecoveryMode)
Recovery mode to control the consistency while replaying WAL.
Default: DBRecoveryMode::PointInTime
§Examples
use rust_rocksdb::{Options, DBRecoveryMode};
let mut opts = Options::default();
opts.set_wal_recovery_mode(DBRecoveryMode::AbsoluteConsistency);pub fn enable_statistics(&mut self)
pub fn get_statistics(&self) -> Option<String>
Sourcepub fn set_statistics_level(&self, level: StatsLevel)
 
pub fn set_statistics_level(&self, level: StatsLevel)
StatsLevel can be used to reduce statistics overhead by skipping certain types of stats in the stats collection process.
Sourcepub fn get_ticker_count(&self, ticker: Ticker) -> u64
 
pub fn get_ticker_count(&self, ticker: Ticker) -> u64
Returns the value of cumulative db counters if stat collection is enabled.
Sourcepub fn get_histogram_data(&self, histogram: Histogram) -> HistogramData
 
pub fn get_histogram_data(&self, histogram: Histogram) -> HistogramData
Gets Histogram data from collected db stats. Requires stats to be enabled.
Sourcepub fn set_stats_dump_period_sec(&mut self, period: c_uint)
 
pub fn set_stats_dump_period_sec(&mut self, period: c_uint)
If not zero, dump rocksdb.stats to LOG every stats_dump_period_sec.
Default: 600 (10 mins)
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_stats_dump_period_sec(300);Sourcepub fn set_stats_persist_period_sec(&mut self, period: c_uint)
 
pub fn set_stats_persist_period_sec(&mut self, period: c_uint)
If not zero, dump rocksdb.stats to RocksDB to LOG every stats_persist_period_sec.
Default: 600 (10 mins)
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_stats_persist_period_sec(5);Sourcepub fn set_advise_random_on_open(&mut self, advise: bool)
 
pub fn set_advise_random_on_open(&mut self, advise: bool)
When set to true, reading SST files will opt out of the filesystem’s readahead. Setting this to false may improve sequential iteration performance.
Default: true
Sourcepub fn set_use_adaptive_mutex(&mut self, enabled: bool)
 
pub fn set_use_adaptive_mutex(&mut self, enabled: bool)
Enable/disable adaptive mutex, which spins in the user space before resorting to kernel.
This could reduce context switch when the mutex is not heavily contended. However, if the mutex is hot, we could end up wasting spin time.
Default: false
Sourcepub fn set_num_levels(&mut self, n: c_int)
 
pub fn set_num_levels(&mut self, n: c_int)
Sets the number of levels for this database.
Sourcepub fn set_memtable_prefix_bloom_ratio(&mut self, ratio: f64)
 
pub fn set_memtable_prefix_bloom_ratio(&mut self, ratio: f64)
When a prefix_extractor is defined through opts.set_prefix_extractor this
creates a prefix bloom filter for each memtable with the size of
write_buffer_size * memtable_prefix_bloom_ratio (capped at 0.25).
Default: 0
§Examples
use rust_rocksdb::{Options, SliceTransform};
let mut opts = Options::default();
let transform = SliceTransform::create_fixed_prefix(10);
opts.set_prefix_extractor(transform);
opts.set_memtable_prefix_bloom_ratio(0.2);Sourcepub fn set_max_compaction_bytes(&mut self, nbytes: u64)
 
pub fn set_max_compaction_bytes(&mut self, nbytes: u64)
Sets the maximum number of bytes in all compacted files. We try to limit number of bytes in one compaction to be lower than this threshold. But it’s not guaranteed.
Value 0 will be sanitized.
Default: target_file_size_base * 25
Sourcepub fn set_wal_dir<P: AsRef<Path>>(&mut self, path: P)
 
pub fn set_wal_dir<P: AsRef<Path>>(&mut self, path: P)
Specifies the absolute path of the directory the write-ahead log (WAL) should be written to.
Default: same directory as the database
§Examples
use rust_rocksdb::Options;
let mut opts = Options::default();
opts.set_wal_dir("/path/to/dir");Sourcepub fn set_wal_ttl_seconds(&mut self, secs: u64)
 
pub fn set_wal_ttl_seconds(&mut self, secs: u64)
Sets the WAL ttl in seconds.
The following two options affect how archived logs will be deleted.
- If both set to 0, logs will be deleted asap and will not get into the archive.
- If wal_ttl_seconds is 0 and wal_size_limit_mb is not 0, WAL files will be checked every 10 min and if total size is greater then wal_size_limit_mb, they will be deleted starting with the earliest until size_limit is met. All empty files will be deleted.
- If wal_ttl_seconds is not 0 and wall_size_limit_mb is 0, then WAL files will be checked every wal_ttl_seconds / 2 and those that are older than wal_ttl_seconds will be deleted.
- If both are not 0, WAL files will be checked every 10 min and both checks will be performed with ttl being first.
Default: 0
Sourcepub fn set_wal_size_limit_mb(&mut self, size: u64)
 
pub fn set_wal_size_limit_mb(&mut self, size: u64)
Sets the WAL size limit in MB.
If total size of WAL files is greater then wal_size_limit_mb, they will be deleted starting with the earliest until size_limit is met.
Default: 0
Sourcepub fn set_manifest_preallocation_size(&mut self, size: usize)
 
pub fn set_manifest_preallocation_size(&mut self, size: usize)
Sets the number of bytes to preallocate (via fallocate) the manifest files.
Default is 4MB, which is reasonable to reduce random IO as well as prevent overallocation for mounts that preallocate large amounts of data (such as xfs’s allocsize option).
Sourcepub fn set_skip_stats_update_on_db_open(&mut self, skip: bool)
 
pub fn set_skip_stats_update_on_db_open(&mut self, skip: bool)
If true, then DB::Open() will not update the statistics used to optimize compaction decision by loading table properties from many files. Turning off this feature will improve DBOpen time especially in disk environment.
Default: false
Sourcepub fn set_keep_log_file_num(&mut self, nfiles: usize)
 
pub fn set_keep_log_file_num(&mut self, nfiles: usize)
Specify the maximal number of info log files to be kept.
Default: 1000
§Examples
use rust_rocksdb::Options;
let mut options = Options::default();
options.set_keep_log_file_num(100);Sourcepub fn set_allow_mmap_writes(&mut self, is_enabled: bool)
 
pub fn set_allow_mmap_writes(&mut self, is_enabled: bool)
Allow the OS to mmap file for writing.
Default: false
§Examples
use rust_rocksdb::Options;
let mut options = Options::default();
options.set_allow_mmap_writes(true);Sourcepub fn set_allow_mmap_reads(&mut self, is_enabled: bool)
 
pub fn set_allow_mmap_reads(&mut self, is_enabled: bool)
Allow the OS to mmap file for reading sst tables.
Default: false
§Examples
use rust_rocksdb::Options;
let mut options = Options::default();
options.set_allow_mmap_reads(true);Sourcepub fn set_manual_wal_flush(&mut self, is_enabled: bool)
 
pub fn set_manual_wal_flush(&mut self, is_enabled: bool)
If enabled, WAL is not flushed automatically after each write. Instead it
relies on manual invocation of DB::flush_wal() to write the WAL buffer
to its file.
Default: false
§Examples
use rust_rocksdb::Options;
let mut options = Options::default();
options.set_manual_wal_flush(true);Sourcepub fn set_atomic_flush(&mut self, atomic_flush: bool)
 
pub fn set_atomic_flush(&mut self, atomic_flush: bool)
Guarantee that all column families are flushed together atomically.
This option applies to both manual flushes (db.flush()) and automatic
background flushes caused when memtables are filled.
Note that this is only useful when the WAL is disabled. When using the WAL, writes are always consistent across column families.
Default: false
§Examples
use rust_rocksdb::Options;
let mut options = Options::default();
options.set_atomic_flush(true);Sourcepub fn set_row_cache(&mut self, cache: &Cache)
 
pub fn set_row_cache(&mut self, cache: &Cache)
Sets global cache for table-level rows.
Default: null (disabled) Not supported in ROCKSDB_LITE mode!
Sourcepub fn set_ratelimiter(
    &mut self,
    rate_bytes_per_sec: i64,
    refill_period_us: i64,
    fairness: i32,
)
 
pub fn set_ratelimiter( &mut self, rate_bytes_per_sec: i64, refill_period_us: i64, fairness: i32, )
Use to control write rate of flush and compaction. Flush has higher priority than compaction. If rate limiter is enabled, bytes_per_sync is set to 1MB by default.
Default: disable
§Examples
use rust_rocksdb::Options;
let mut options = Options::default();
options.set_ratelimiter(1024 * 1024, 100 * 1000, 10);Sourcepub fn set_auto_tuned_ratelimiter(
    &mut self,
    rate_bytes_per_sec: i64,
    refill_period_us: i64,
    fairness: i32,
)
 
pub fn set_auto_tuned_ratelimiter( &mut self, rate_bytes_per_sec: i64, refill_period_us: i64, fairness: i32, )
Use to control write rate of flush and compaction. Flush has higher priority than compaction. If rate limiter is enabled, bytes_per_sync is set to 1MB by default.
Default: disable
Sourcepub fn set_ratelimiter_with_mode(
    &mut self,
    rate_bytes_per_sec: i64,
    refill_period_us: i64,
    fairness: i32,
    mode: RateLimiterMode,
    auto_tuned: bool,
)
 
pub fn set_ratelimiter_with_mode( &mut self, rate_bytes_per_sec: i64, refill_period_us: i64, fairness: i32, mode: RateLimiterMode, auto_tuned: bool, )
Create a RateLimiter object, which can be shared among RocksDB instances to control write rate of flush and compaction.
rate_bytes_per_sec: this is the only parameter you want to set most of the time. It controls the total write rate of compaction and flush in bytes per second. Currently, RocksDB does not enforce rate limit for anything other than flush and compaction, e.g. write to WAL.
refill_period_us: this controls how often tokens are refilled. For example, when rate_bytes_per_sec is set to 10MB/s and refill_period_us is set to 100ms, then 1MB is refilled every 100ms internally. Larger value can lead to burstier writes while smaller value introduces more CPU overhead. The default should work for most cases.
fairness: RateLimiter accepts high-pri requests and low-pri requests. A low-pri request is usually blocked in favor of hi-pri request. Currently, RocksDB assigns low-pri to request from compaction and high-pri to request from flush. Low-pri requests can get blocked if flush requests come in continuously. This fairness parameter grants low-pri requests permission by 1/fairness chance even though high-pri requests exist to avoid starvation. You should be good by leaving it at default 10.
mode: Mode indicates which types of operations count against the limit.
auto_tuned: Enables dynamic adjustment of rate limit within the range
[rate_bytes_per_sec / 20, rate_bytes_per_sec], according to
the recent demand for background I/O.
Sourcepub fn set_max_log_file_size(&mut self, size: usize)
 
pub fn set_max_log_file_size(&mut self, size: usize)
Sets the maximal size of the info log file.
If the log file is larger than max_log_file_size, a new info log file
will be created. If max_log_file_size is equal to zero, all logs will
be written to one log file.
Default: 0
§Examples
use rust_rocksdb::Options;
let mut options = Options::default();
options.set_max_log_file_size(0);Sourcepub fn set_log_file_time_to_roll(&mut self, secs: usize)
 
pub fn set_log_file_time_to_roll(&mut self, secs: usize)
Sets the time for the info log file to roll (in seconds).
If specified with non-zero value, log file will be rolled
if it has been active longer than log_file_time_to_roll.
Default: 0 (disabled)
Sourcepub fn set_recycle_log_file_num(&mut self, num: usize)
 
pub fn set_recycle_log_file_num(&mut self, num: usize)
Controls the recycling of log files.
If non-zero, previously written log files will be reused for new logs, overwriting the old data. The value indicates how many such files we will keep around at any point in time for later use. This is more efficient because the blocks are already allocated and fdatasync does not need to update the inode after each write.
Default: 0
§Examples
use rust_rocksdb::Options;
let mut options = Options::default();
options.set_recycle_log_file_num(5);Sourcepub fn set_stderr_logger(&mut self, log_level: LogLevel, prefix: impl CStrLike)
 
pub fn set_stderr_logger(&mut self, log_level: LogLevel, prefix: impl CStrLike)
Prints logs to stderr for faster debugging See official wiki for more information.
Sourcepub fn set_callback_logger<'a, F>(&mut self, log_level: LogLevel, func: &'a F)
 
pub fn set_callback_logger<'a, F>(&mut self, log_level: LogLevel, func: &'a F)
Invokes callback with log messages.
§Examples
use rust_rocksdb::{LogLevel, Options};
let mut options = Options::default();
options.set_callback_logger(LogLevel::Debug, &|level, msg| println!("{level:?} {msg}"));Sourcepub fn set_soft_pending_compaction_bytes_limit(&mut self, limit: usize)
 
pub fn set_soft_pending_compaction_bytes_limit(&mut self, limit: usize)
Sets the threshold at which all writes will be slowed down to at least delayed_write_rate if estimated bytes needed to be compaction exceed this threshold.
Default: 64GB
Sourcepub fn set_hard_pending_compaction_bytes_limit(&mut self, limit: usize)
 
pub fn set_hard_pending_compaction_bytes_limit(&mut self, limit: usize)
Sets the bytes threshold at which all writes are stopped if estimated bytes needed to be compaction exceed this threshold.
Default: 256GB
Sourcepub fn set_arena_block_size(&mut self, size: usize)
 
pub fn set_arena_block_size(&mut self, size: usize)
Sets the size of one block in arena memory allocation.
If <= 0, a proper value is automatically calculated (usually 1/10 of writer_buffer_size).
Default: 0
Sourcepub fn set_dump_malloc_stats(&mut self, enabled: bool)
 
pub fn set_dump_malloc_stats(&mut self, enabled: bool)
If true, then print malloc stats together with rocksdb.stats when printing to LOG.
Default: false
Sourcepub fn set_memtable_whole_key_filtering(&mut self, whole_key_filter: bool)
 
pub fn set_memtable_whole_key_filtering(&mut self, whole_key_filter: bool)
Enable whole key bloom filter in memtable. Note this will only take effect if memtable_prefix_bloom_size_ratio is not 0. Enabling whole key filtering can potentially reduce CPU usage for point-look-ups.
Default: false (disable)
Dynamically changeable through SetOptions() API
Sourcepub fn set_enable_blob_files(&mut self, val: bool)
 
pub fn set_enable_blob_files(&mut self, val: bool)
Enable the use of key-value separation.
More details can be found here: Integrated BlobDB.
Default: false (disable)
Dynamically changeable through SetOptions() API
Sourcepub fn set_min_blob_size(&mut self, val: u64)
 
pub fn set_min_blob_size(&mut self, val: u64)
Sets the minimum threshold value at or above which will be written to blob files during flush or compaction.
Dynamically changeable through SetOptions() API
Sourcepub fn set_blob_file_size(&mut self, val: u64)
 
pub fn set_blob_file_size(&mut self, val: u64)
Sets the size limit for blob files.
Dynamically changeable through SetOptions() API
Sourcepub fn set_blob_compression_type(&mut self, val: DBCompressionType)
 
pub fn set_blob_compression_type(&mut self, val: DBCompressionType)
Sets the blob compression type. All blob files use the same compression type.
Dynamically changeable through SetOptions() API
Sourcepub fn set_enable_blob_gc(&mut self, val: bool)
 
pub fn set_enable_blob_gc(&mut self, val: bool)
If this is set to true RocksDB will actively relocate valid blobs from the oldest blob files as they are encountered during compaction.
Dynamically changeable through SetOptions() API
Sourcepub fn set_blob_gc_age_cutoff(&mut self, val: c_double)
 
pub fn set_blob_gc_age_cutoff(&mut self, val: c_double)
Sets the threshold that the GC logic uses to determine which blob files should be considered “old.”
For example, the default value of 0.25 signals to RocksDB that blobs residing in the oldest 25% of blob files should be relocated by GC. This parameter can be tuned to adjust the trade-off between write amplification and space amplification.
Dynamically changeable through SetOptions() API
Sourcepub fn set_blob_gc_force_threshold(&mut self, val: c_double)
 
pub fn set_blob_gc_force_threshold(&mut self, val: c_double)
Sets the blob GC force threshold.
Dynamically changeable through SetOptions() API
Sourcepub fn set_blob_compaction_readahead_size(&mut self, val: u64)
 
pub fn set_blob_compaction_readahead_size(&mut self, val: u64)
Sets the blob compaction read ahead size.
Dynamically changeable through SetOptions() API
Sourcepub fn set_blob_cache(&mut self, cache: &Cache)
 
pub fn set_blob_cache(&mut self, cache: &Cache)
Sets the blob cache.
Using a dedicated object for blobs and using the same object for the block and blob caches are both supported. In the latter case, note that blobs are less valuable from a caching perspective than SST blocks, and some cache implementations have configuration options that can be used to prioritize items accordingly (see Cache::Priority and LRUCacheOptions::{high,low}_pri_pool_ratio).
Default: disabled
Sourcepub fn set_allow_ingest_behind(&mut self, val: bool)
 
pub fn set_allow_ingest_behind(&mut self, val: bool)
Set this option to true during creation of database if you want to be able to ingest behind (call IngestExternalFile() skipping keys that already exist, rather than overwriting matching keys). Setting this option to true has the following effects:
- Disable some internal optimizations around SST file compression.
- Reserve the last level for ingested files only.
- Compaction will not include any file from the last level.
Note that only Universal Compaction supports allow_ingest_behind.
num_levels should be >= 3 if this option is turned on.
DEFAULT: false Immutable.
pub fn add_compact_on_deletion_collector_factory( &mut self, window_size: size_t, num_dels_trigger: size_t, deletion_ratio: f64, )
Sourcepub fn set_write_buffer_manager(
    &mut self,
    write_buffer_manager: &WriteBufferManager,
)
 
pub fn set_write_buffer_manager( &mut self, write_buffer_manager: &WriteBufferManager, )
https://github.com/facebook/rocksdb/wiki/Write-Buffer-Manager Write buffer manager helps users control the total memory used by memtables across multiple column families and/or DB instances. Users can enable this control by 2 ways:
1- Limit the total memtable usage across multiple column families and DBs under a threshold. 2- Cost the memtable memory usage to block cache so that memory of RocksDB can be capped by the single limit. The usage of a write buffer manager is similar to rate_limiter and sst_file_manager. Users can create one write buffer manager object and pass it to all the options of column families or DBs whose memtable size they want to be controlled by this object.
Sourcepub fn set_avoid_unnecessary_blocking_io(&mut self, val: bool)
 
pub fn set_avoid_unnecessary_blocking_io(&mut self, val: bool)
If true, working thread may avoid doing unnecessary and long-latency operation (such as deleting obsolete files directly or deleting memtable) and will instead schedule a background job to do it.
Use it if you’re latency-sensitive.
Default: false (disabled)
Sourcepub fn set_compaction_pri(&mut self, pri: DBCompactionPri)
 
pub fn set_compaction_pri(&mut self, pri: DBCompactionPri)
Sets the compaction priority.
If level compaction_style = kCompactionStyleLevel, for each level, which files are prioritized to be picked to compact.
Default: DBCompactionPri::MinOverlappingRatio
§Examples
use rust_rocksdb::{Options, DBCompactionPri};
let mut opts = Options::default();
opts.set_compaction_pri(DBCompactionPri::RoundRobin);Sourcepub fn set_track_and_verify_wals_in_manifest(&mut self, val: bool)
 
pub fn set_track_and_verify_wals_in_manifest(&mut self, val: bool)
If true, the log numbers and sizes of the synced WALs are tracked in MANIFEST. During DB recovery, if a synced WAL is missing from disk, or the WAL’s size does not match the recorded size in MANIFEST, an error will be reported and the recovery will be aborted.
This is one additional protection against WAL corruption besides the per-WAL-entry checksum.
Note that this option does not work with secondary instance.
Currently, only syncing closed WALs are tracked. Calling DB::SyncWAL(),
etc. or writing with WriteOptions::sync=true to sync the live WAL is not
tracked for performance/efficiency reasons.
See: https://github.com/facebook/rocksdb/wiki/Track-WAL-in-MANIFEST
Default: false (disabled)
Sourcepub fn get_track_and_verify_wals_in_manifest(&self) -> bool
 
pub fn get_track_and_verify_wals_in_manifest(&self) -> bool
Returns the value of the track_and_verify_wals_in_manifest option.
Sourcepub fn set_write_dbid_to_manifest(&mut self, val: bool)
 
pub fn set_write_dbid_to_manifest(&mut self, val: bool)
The DB unique ID can be saved in the DB manifest (preferred, this option)
or an IDENTITY file (historical, deprecated), or both. If this option is
set to false (old behavior), then write_identity_file must be set to true.
The manifest is preferred because
- The IDENTITY file is not checksummed, so it is not as safe against corruption.
- The IDENTITY file may or may not be copied with the DB (e.g. not copied by BackupEngine), so is not reliable for the provenance of a DB.
This option might eventually be obsolete and removed as Identity files are phased out.
Default: true (enabled)
Sourcepub fn get_write_dbid_to_manifest(&self) -> bool
 
pub fn get_write_dbid_to_manifest(&self) -> bool
Returns the value of the write_dbid_to_manifest option.