1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546
// Copyright Materialize, Inc. and contributors. All rights reserved.
//
// Use of this software is governed by the Business Source License
// included in the LICENSE file.
//
// As of the Change Date specified in that file, in accordance with
// the Business Source License, use of this software will be governed
// by the Apache License, Version 2.0.
// This module is mostly boilerplate, with all relevant
// documentation on `RocksDBTuningParameters`.
#![allow(missing_docs)]
//! This module offers a protobuf implementation (to be used
//! with LaunchDarkly) `RocksDBTuningParameters` that can be used
//! to tune a RocksDB instance. The supported options are carefully
//! considered to be a minimal set required to tune RocksDB to perform
//! well for the `UPSERT` usecase. This usecase is slightly odd:
//! - Very high write rate (1:1 with reads)
//! - No durability requirements
//! - Minimal space amplification
//! - Relatively relaxed read and write latency requirements
//! - (note that `UPSERT` RocksDB instances are NOT in the
//! critical path for any sort of query.
//!
//! The defaults (so, the values resulting from derserializing `{}`
//! into a `RocksDBTuningParameters`) should be reasonable defaults.
//!
//! The documentation on each field in `RocksDBTuningParameters` has more
//! information
//!
//! Note that the following documents are required reading to deeply understand
//! this module:
//! - <https://github.com/EighteenZi/rocksdb_wiki/blob/master/RocksDB-Tuning-Guide.md>
//! - <https://github.com/EighteenZi/rocksdb_wiki/blob/master/Compression.md>
//! - <https://github.com/facebook/rocksdb/wiki/Setup-Options-and-Basic-Tuning>
//! - <https://www.eecg.toronto.edu/~stumm/Papers/Dong-CIDR-16.pdf>
//! - <http://smalldatum.blogspot.com/2015/11/read-write-space-amplification-pick-2_23.html>
use std::fmt::Debug;
use std::str::FromStr;
use std::time::Duration;
use mz_ore::cast::CastFrom;
use mz_proto::{IntoRustIfSome, RustType, TryFromProtoError};
use proptest_derive::Arbitrary;
use serde::{Deserialize, Serialize};
use uncased::UncasedStr;
include!(concat!(env!("OUT_DIR"), "/mz_rocksdb_types.config.rs"));
/// A set of parameters to tune RocksDB. This struct is plain-old-data, and is
/// used to update `RocksDBConfig`, which contains some dynamic value for some
/// parameters.
#[derive(Serialize, Deserialize, PartialEq, Clone, Debug, Arbitrary)]
pub struct RocksDBTuningParameters {
/// RocksDB has 2 primary styles of compaction:
/// - The default, usually referred to as "level" compaction
/// - "universal"
///
/// Universal is simpler and for some workloads could be
/// better. Also, you can directly configure its space-amplification ratio
/// (using `universal_compaction_target_ratio`). However, its unclear
/// if the `UPSERT` workload is a good workload for universal compaction,
/// and its also might be the case that universal compaction uses significantly
/// more space temporarily while performing compaction.
///
/// For these reasons, the default is `CompactionStyle::Level`.
pub compaction_style: CompactionStyle,
/// The `RocksDB` api offers a single configuration method that sets some
/// reasonable defaults for heavy-write workloads, either
/// <https://docs.rs/rocksdb/latest/rocksdb/struct.Options.html#method.optimize_level_style_compaction>
/// or
/// <https://docs.rs/rocksdb/latest/rocksdb/struct.Options.html#method.optimize_universal_style_compaction>
/// depending on `compaction_style`. We ALSO enable this configuration, which is tuned
/// by the size of the memtable (basically the in-memory buffer used to avoid IO). The default
/// here is ~512MB, which is the default from here: <https://github.com/facebook/rocksdb/blob/main/include/rocksdb/options.h#L102>,
/// and about twice the global RocksDB default.
pub optimize_compaction_memtable_budget: usize,
/// This option, when enabled, dynamically tunes
/// the size of the various LSM levels to put a bound on space-amplification.
/// With the default level-ratio of `10`, this means space-amplification is
/// O(1.11 * the size of data). Note this is big-O notation, and the actual
/// amplification factor depends on the workload.
///
/// See <https://www.eecg.toronto.edu/~stumm/Papers/Dong-CIDR-16.pdf> for more details.
///
/// This option defaults to true, as its basically free saved-space, and only applies to
/// `CompactionStyle::Level`.
pub level_compaction_dynamic_level_bytes: bool,
/// The additional space-amplification used with universal compaction.
/// Only applies to `CompactionStyle::Universal`.
///
/// See `compaction_style` for more information.
pub universal_compaction_target_ratio: i32,
/// By default, RocksDB uses only 1 thread to perform compaction and other background tasks.
///
/// The default here is the number of cores, as mentioned by
/// <https://docs.rs/rocksdb/latest/rocksdb/struct.Options.html#method.increase_parallelism>.
///
/// Note that this option is shared across all RocksDB instances that share a `rocksdb::Env`.
pub parallelism: Option<i32>,
/// The most important way to reduce space amplification in RocksDB is compression.
///
/// In RocksDB, data on disk is stored in an LSM tree. Because the higher layers (which are
/// smaller) will need to be read during reads that aren't cached, we want a relatively
/// lightweight compression scheme, choosing `Lz4` as the default, which is considered almost
/// always better than `Snappy`.
///
/// The meat of the data is stored in the largest, bottom layer, which can be configured
/// (using `bottommost_compression_type`) to use a more expensive compression scheme to save
/// more space. The default is `Zstd`, which many think has the best compression ratio. Note
/// that tuning the bottommost layer separately only makes sense when you have free cpu,
/// which we have in the case of the `UPSERT` usecase.
pub compression_type: CompressionType,
/// See `compression_type` for more information.
pub bottommost_compression_type: CompressionType,
/// The size of the `multi_get` and `multi_put` batches sent to RocksDB. The default is 1024.
pub batch_size: usize,
/// The maximum duration for the retries when performing rocksdb actions in case of retry-able errors.
pub retry_max_duration: Duration,
/// The interval to dump stats in `LOG`.
pub stats_log_interval_seconds: u32,
/// The interval to persist stats into rocksdb.
pub stats_persist_interval_seconds: u32,
/// The optional block cache size in MiB for optimizing rocksdb for point lookups.
/// If not provided there will be no optimization.
/// <https://github.com/facebook/rocksdb/blob/main/include/rocksdb/options.h#L82-L85>
pub point_lookup_block_cache_size_mb: Option<u32>,
/// The number of times by which unused buffers will be reduced.
/// For example, if the number is 2, the buffers will be reduced to being twice as small,
/// i.e. halved.
/// Shrinking will be disabled if value is 0;
pub shrink_buffers_by_ratio: usize,
/// Optional write buffer manager bytes. This needs to be set to enable write buffer manager
/// across all rocksdb instances
pub write_buffer_manager_memory_bytes: Option<usize>,
/// Optional write buffer manager memory limit as a percentage of cluster limit
pub write_buffer_manager_memory_fraction: Option<f64>,
/// Config to enable stalls with write buffer manager
pub write_buffer_manager_allow_stall: bool,
}
impl Default for RocksDBTuningParameters {
fn default() -> Self {
Self {
compaction_style: defaults::DEFAULT_COMPACTION_STYLE,
optimize_compaction_memtable_budget:
defaults::DEFAULT_OPTIMIZE_COMPACTION_MEMTABLE_BUDGET,
level_compaction_dynamic_level_bytes:
defaults::DEFAULT_LEVEL_COMPACTION_DYNAMIC_LEVEL_BYTES,
universal_compaction_target_ratio: defaults::DEFAULT_UNIVERSAL_COMPACTION_RATIO,
parallelism: defaults::DEFAULT_PARALLELISM,
compression_type: defaults::DEFAULT_COMPRESSION_TYPE,
bottommost_compression_type: defaults::DEFAULT_BOTTOMMOST_COMPRESSION_TYPE,
batch_size: defaults::DEFAULT_BATCH_SIZE,
retry_max_duration: defaults::DEFAULT_RETRY_DURATION,
stats_log_interval_seconds: defaults::DEFAULT_STATS_LOG_INTERVAL_S,
stats_persist_interval_seconds: defaults::DEFAULT_STATS_PERSIST_INTERVAL_S,
point_lookup_block_cache_size_mb: None,
shrink_buffers_by_ratio: defaults::DEFAULT_SHRINK_BUFFERS_BY_RATIO,
write_buffer_manager_memory_bytes: None,
write_buffer_manager_memory_fraction: None,
write_buffer_manager_allow_stall: false,
}
}
}
impl RocksDBTuningParameters {
/// Build a `RocksDBTuningParameters` from strings and values from LD parameters.
pub fn from_parameters(
compaction_style: CompactionStyle,
optimize_compaction_memtable_budget: usize,
level_compaction_dynamic_level_bytes: bool,
universal_compaction_target_ratio: i32,
parallelism: Option<i32>,
compression_type: CompressionType,
bottommost_compression_type: CompressionType,
batch_size: usize,
retry_max_duration: Duration,
stats_log_interval_seconds: u32,
stats_persist_interval_seconds: u32,
point_lookup_block_cache_size_mb: Option<u32>,
shrink_buffers_by_ratio: usize,
write_buffer_manager_memory_bytes: Option<usize>,
write_buffer_manager_memory_fraction: Option<f64>,
write_buffer_manager_allow_stall: bool,
) -> Result<Self, anyhow::Error> {
Ok(Self {
compaction_style,
optimize_compaction_memtable_budget,
level_compaction_dynamic_level_bytes,
universal_compaction_target_ratio: if universal_compaction_target_ratio > 100 {
universal_compaction_target_ratio
} else {
return Err(anyhow::anyhow!(
"universal_compaction_target_ratio ({}) must be > 100",
universal_compaction_target_ratio
));
},
parallelism: match parallelism {
Some(parallelism) => {
if parallelism < 1 {
return Err(anyhow::anyhow!(
"parallelism({}) must be > 1, or not specified",
universal_compaction_target_ratio
));
}
Some(parallelism)
}
None => None,
},
compression_type,
bottommost_compression_type,
batch_size,
retry_max_duration,
stats_log_interval_seconds,
stats_persist_interval_seconds,
point_lookup_block_cache_size_mb,
shrink_buffers_by_ratio,
write_buffer_manager_memory_bytes,
write_buffer_manager_memory_fraction,
write_buffer_manager_allow_stall,
})
}
}
/// The 2 primary compaction styles in RocksDB`. See `RocksDBTuningParameters::compaction_style`
/// for more information.
#[derive(Serialize, Deserialize, Clone, Copy, PartialEq, Eq, Debug, Arbitrary)]
pub enum CompactionStyle {
Level,
Universal,
}
impl FromStr for CompactionStyle {
type Err = anyhow::Error;
fn from_str(s: &str) -> Result<Self, Self::Err> {
let s = UncasedStr::new(s);
if s == "level" {
Ok(Self::Level)
} else if s == "universal" {
Ok(Self::Universal)
} else {
Err(anyhow::anyhow!("{} is not a supported compaction style", s))
}
}
}
impl std::fmt::Display for CompactionStyle {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
CompactionStyle::Level => write!(f, "level"),
CompactionStyle::Universal => write!(f, "universal"),
}
}
}
/// Mz-supported compression types in RocksDB`. See `RocksDBTuningParameters::compression_type`
/// for more information.
#[derive(Serialize, Deserialize, Clone, Copy, PartialEq, Eq, Debug, Arbitrary)]
pub enum CompressionType {
Zstd,
Snappy,
Lz4,
None,
}
impl FromStr for CompressionType {
type Err = anyhow::Error;
fn from_str(s: &str) -> Result<Self, Self::Err> {
let s = UncasedStr::new(s);
if s == "zstd" {
Ok(Self::Zstd)
} else if s == "snappy" {
Ok(Self::Snappy)
} else if s == "lz4" {
Ok(Self::Lz4)
} else if s == "none" {
Ok(Self::None)
} else {
Err(anyhow::anyhow!("{} is not a supported compression type", s))
}
}
}
impl std::fmt::Display for CompressionType {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
CompressionType::Zstd => write!(f, "zstd"),
CompressionType::Snappy => write!(f, "snappy"),
CompressionType::Lz4 => write!(f, "lz4"),
CompressionType::None => write!(f, "none"),
}
}
}
impl RustType<ProtoRocksDbTuningParameters> for RocksDBTuningParameters {
fn into_proto(&self) -> ProtoRocksDbTuningParameters {
use proto_rocks_db_tuning_parameters::{
proto_compaction_style, proto_compression_type, ProtoCompactionStyle,
ProtoCompressionType,
};
fn compression_into_proto(compression_type: &CompressionType) -> ProtoCompressionType {
ProtoCompressionType {
kind: Some(match compression_type {
CompressionType::Zstd => proto_compression_type::Kind::Zstd(()),
CompressionType::Snappy => proto_compression_type::Kind::Snappy(()),
CompressionType::Lz4 => proto_compression_type::Kind::Lz4(()),
CompressionType::None => proto_compression_type::Kind::None(()),
}),
}
}
ProtoRocksDbTuningParameters {
compaction_style: Some(ProtoCompactionStyle {
kind: Some(match self.compaction_style {
CompactionStyle::Level => proto_compaction_style::Kind::Level(()),
CompactionStyle::Universal => proto_compaction_style::Kind::Universal(()),
}),
}),
optimize_compaction_memtable_budget: u64::cast_from(
self.optimize_compaction_memtable_budget,
),
level_compaction_dynamic_level_bytes: self.level_compaction_dynamic_level_bytes,
universal_compaction_target_ratio: self.universal_compaction_target_ratio,
parallelism: self.parallelism,
compression_type: Some(compression_into_proto(&self.compression_type)),
bottommost_compression_type: Some(compression_into_proto(
&self.bottommost_compression_type,
)),
batch_size: u64::cast_from(self.batch_size),
retry_max_duration: Some(self.retry_max_duration.into_proto()),
stats_log_interval_seconds: self.stats_log_interval_seconds,
stats_persist_interval_seconds: self.stats_persist_interval_seconds,
point_lookup_block_cache_size_mb: self.point_lookup_block_cache_size_mb,
shrink_buffers_by_ratio: u64::cast_from(self.shrink_buffers_by_ratio),
write_buffer_manager_memory_bytes: self
.write_buffer_manager_memory_bytes
.map(u64::cast_from),
write_buffer_manager_memory_fraction: self.write_buffer_manager_memory_fraction,
write_buffer_manager_allow_stall: self.write_buffer_manager_allow_stall,
}
}
fn from_proto(proto: ProtoRocksDbTuningParameters) -> Result<Self, TryFromProtoError> {
use proto_rocks_db_tuning_parameters::{
proto_compaction_style, proto_compression_type, ProtoCompactionStyle,
ProtoCompressionType,
};
fn compression_from_proto(
compression_type: Option<ProtoCompressionType>,
) -> Result<CompressionType, TryFromProtoError> {
match compression_type {
Some(ProtoCompressionType {
kind: Some(proto_compression_type::Kind::Zstd(())),
}) => Ok(CompressionType::Zstd),
Some(ProtoCompressionType {
kind: Some(proto_compression_type::Kind::Snappy(())),
}) => Ok(CompressionType::Snappy),
Some(ProtoCompressionType {
kind: Some(proto_compression_type::Kind::Lz4(())),
}) => Ok(CompressionType::Lz4),
Some(ProtoCompressionType {
kind: Some(proto_compression_type::Kind::None(())),
}) => Ok(CompressionType::None),
Some(ProtoCompressionType { kind: None }) => Err(TryFromProtoError::MissingField(
"ProtoRocksDbTuningParameters::compression_type::kind".into(),
)),
None => Err(TryFromProtoError::MissingField(
"ProtoRocksDbTuningParameters::compression_type".into(),
)),
}
}
Ok(Self {
compaction_style: match proto.compaction_style {
Some(ProtoCompactionStyle {
kind: Some(proto_compaction_style::Kind::Level(())),
}) => CompactionStyle::Level,
Some(ProtoCompactionStyle {
kind: Some(proto_compaction_style::Kind::Universal(())),
}) => CompactionStyle::Universal,
Some(ProtoCompactionStyle { kind: None }) => {
return Err(TryFromProtoError::MissingField(
"ProtoRocksDbTuningParameters::compaction_style::kind".into(),
))
}
None => {
return Err(TryFromProtoError::MissingField(
"ProtoRocksDbTuningParameters::compaction_style".into(),
))
}
},
optimize_compaction_memtable_budget: usize::cast_from(
proto.optimize_compaction_memtable_budget,
),
level_compaction_dynamic_level_bytes: proto.level_compaction_dynamic_level_bytes,
universal_compaction_target_ratio: proto.universal_compaction_target_ratio,
parallelism: proto.parallelism,
compression_type: compression_from_proto(proto.compression_type)?,
bottommost_compression_type: compression_from_proto(proto.bottommost_compression_type)?,
batch_size: usize::cast_from(proto.batch_size),
retry_max_duration: proto
.retry_max_duration
.into_rust_if_some("ProtoRocksDbTuningParameters::retry_max_duration")?,
stats_log_interval_seconds: proto.stats_log_interval_seconds,
stats_persist_interval_seconds: proto.stats_persist_interval_seconds,
point_lookup_block_cache_size_mb: proto.point_lookup_block_cache_size_mb,
shrink_buffers_by_ratio: usize::cast_from(proto.shrink_buffers_by_ratio),
write_buffer_manager_memory_bytes: proto
.write_buffer_manager_memory_bytes
.map(usize::cast_from),
write_buffer_manager_memory_fraction: proto.write_buffer_manager_memory_fraction,
write_buffer_manager_allow_stall: proto.write_buffer_manager_allow_stall,
})
}
}
#[derive(Clone, Debug)]
pub struct RocksDbWriteBufferManagerConfig {
/// Optional write buffer manager bytes. This needs to be set to enable write buffer manager
/// across all rocksdb instances
pub write_buffer_manager_memory_bytes: Option<usize>,
/// Optional write buffer manager memory limit as a percentage of cluster limit
pub write_buffer_manager_memory_fraction: Option<f64>,
/// Config to enable stalls with write buffer manager
pub write_buffer_manager_allow_stall: bool,
/// Cluster memory limit used to calculate write buffer manager limit
/// if `write_buffer_manager_memory_fraction` is provided
pub cluster_memory_limit: Option<usize>,
}
/// The following are defaults (and default strings for LD parameters)
/// for `RocksDBTuningParameters`.
pub mod defaults {
use std::time::Duration;
use super::*;
pub const DEFAULT_COMPACTION_STYLE: CompactionStyle = CompactionStyle::Level;
/// From here: <https://github.com/facebook/rocksdb/blob/main/include/rocksdb/options.h#L102>
/// And then setting it to 1/3rd from our testing in production
pub const DEFAULT_OPTIMIZE_COMPACTION_MEMTABLE_BUDGET: usize = 512 * 1024 * 1024 / 3;
pub const DEFAULT_LEVEL_COMPACTION_DYNAMIC_LEVEL_BYTES: bool = true;
/// From here: <https://docs.rs/rocksdb/latest/rocksdb/struct.UniversalCompactOptions.html>
pub const DEFAULT_UNIVERSAL_COMPACTION_RATIO: i32 = 200;
pub const DEFAULT_PARALLELISM: Option<i32> = None;
pub const DEFAULT_COMPRESSION_TYPE: CompressionType = CompressionType::Lz4;
pub const DEFAULT_BOTTOMMOST_COMPRESSION_TYPE: CompressionType = CompressionType::Lz4;
/// A reasonable default batch size for gets and puts in RocksDB. Based
/// on advice here: <https://github.com/facebook/rocksdb/wiki/RocksDB-FAQ>.
/// Based on our testing we are using 20 times that.
pub const DEFAULT_BATCH_SIZE: usize = 20 * 1024;
/// The default max duration for retrying the retry-able errors in rocksdb.
pub const DEFAULT_RETRY_DURATION: Duration = Duration::from_secs(1);
/// The default for spilling from memory to rocksdb is 2 write buffers. Some initial tests
/// found that 2 write buffers were the minimum memory usage of rocksdb when processing small
/// amounts of data.
///
/// The calculation is based on the `MEMTABLE_BUDGET`, and is inverting the logic here:
/// <https://github.com/facebook/rocksdb/blob/bc0db33483d5e79b281ba3137ebf286b2d1efd8d/options/options.cc#L632-L637>
pub const DEFAULT_AUTO_SPILL_MEMORY_THRESHOLD: usize =
DEFAULT_OPTIMIZE_COMPACTION_MEMTABLE_BUDGET / 4 * 2;
/// Default is 10 minutes, from <https://docs.rs/rocksdb/latest/rocksdb/struct.Options.html#method.set_stats_dump_period_sec>
pub const DEFAULT_STATS_LOG_INTERVAL_S: u32 = 600;
/// Default is 10 minutes, from <https://docs.rs/rocksdb/latest/rocksdb/struct.Options.html#method.set_stats_persist_period_sec>
pub const DEFAULT_STATS_PERSIST_INTERVAL_S: u32 = 600;
/// Default is 0, i.e. shrinking will be disabled
pub const DEFAULT_SHRINK_BUFFERS_BY_RATIO: usize = 0;
/// Not allowing stalls for write buffer manager. Only applicable if write buffer manager is enabled by other flags.
pub const DEFAULT_WRITE_BUFFER_MANAGER_ALLOW_STALL: bool = false;
}
#[cfg(test)]
mod tests {
use mz_ore::assert_ok;
use mz_proto::protobuf_roundtrip;
use proptest::prelude::*;
use super::*;
#[mz_ore::test]
fn defaults_equality() {
let r = RocksDBTuningParameters::from_parameters(
defaults::DEFAULT_COMPACTION_STYLE,
defaults::DEFAULT_OPTIMIZE_COMPACTION_MEMTABLE_BUDGET,
defaults::DEFAULT_LEVEL_COMPACTION_DYNAMIC_LEVEL_BYTES,
defaults::DEFAULT_UNIVERSAL_COMPACTION_RATIO,
defaults::DEFAULT_PARALLELISM,
defaults::DEFAULT_COMPRESSION_TYPE,
defaults::DEFAULT_BOTTOMMOST_COMPRESSION_TYPE,
defaults::DEFAULT_BATCH_SIZE,
defaults::DEFAULT_RETRY_DURATION,
defaults::DEFAULT_STATS_LOG_INTERVAL_S,
defaults::DEFAULT_STATS_PERSIST_INTERVAL_S,
None,
defaults::DEFAULT_SHRINK_BUFFERS_BY_RATIO,
None,
None,
defaults::DEFAULT_WRITE_BUFFER_MANAGER_ALLOW_STALL,
)
.unwrap();
assert_eq!(r, RocksDBTuningParameters::default());
}
#[mz_ore::test]
#[cfg_attr(miri, ignore)] // too slow
fn rocksdb_tuning_roundtrip() {
proptest!(|(expect in any::<RocksDBTuningParameters>())| {
let actual = protobuf_roundtrip::<_, ProtoRocksDbTuningParameters>(&expect);
assert_ok!(actual);
assert_eq!(actual.unwrap(), expect);
});
}
}