storage_stress_test_utils/
data.rs1use rand::rngs::SmallRng;
6use rand::seq::SliceRandom;
7use rand::Rng;
8use std::cmp::min;
9
10pub enum Compressibility {
13 Compressible,
14 Uncompressible,
15}
16
17pub enum UncompressedSize {
19 Exact(u64),
20 InRange(u64, u64),
21}
22
23fn generate_compressible_data_bytes(rng: &mut SmallRng, size_bytes: u64) -> Vec<u8> {
26 let mut bytes: Vec<u8> = Vec::with_capacity(size_bytes as usize);
27
28 let byte_choices: [u8; 6] = [0xde, 0xad, 0xbe, 0xef, 0x42, 0x0];
30 let mut ptr = 0;
31 while ptr < size_bytes {
32 let mut run_length = rng.gen_range(10..1024);
34
35 run_length = min(run_length, size_bytes - ptr);
37
38 if rng.gen_bool(0.5) {
41 let choice = byte_choices.choose(rng).unwrap();
43
44 for _ in 0..run_length {
46 bytes.push(*choice);
47 }
48 } else {
49 for _ in 0..run_length {
51 bytes.push(rng.gen());
52 }
53 }
54
55 ptr += run_length;
56 }
57
58 assert!(bytes.len() == size_bytes as usize);
60
61 bytes
62}
63
64fn generate_uncompressible_data_bytes(rng: &mut SmallRng, size_bytes: u64) -> Vec<u8> {
67 let mut bytes: Vec<u8> = Vec::with_capacity(size_bytes as usize);
68 for _ in 0..size_bytes {
69 bytes.push(rng.gen());
70 }
71 bytes
72}
73
74pub struct FileFactory {
76 pub rng: SmallRng,
77 pub uncompressed_size: UncompressedSize,
78 pub compressibility: Compressibility,
79 pub file_name_count: u64,
80}
81
82impl FileFactory {
83 #[must_use]
84 pub fn new(
85 rng: SmallRng,
86 uncompressed_size: UncompressedSize,
87 compressibility: Compressibility,
88 ) -> Self {
89 Self { rng, uncompressed_size, compressibility, file_name_count: 0 }
90 }
91
92 pub fn generate_filename(&mut self) -> String {
94 self.file_name_count += 1;
95 format!("file_{}", self.file_name_count)
96 }
97
98 pub fn generate_bytes(&mut self) -> Vec<u8> {
101 let size_bytes = match self.uncompressed_size {
102 UncompressedSize::Exact(size_bytes) => size_bytes,
103 UncompressedSize::InRange(min, max) => self.rng.gen_range(min..max),
104 };
105
106 match self.compressibility {
107 Compressibility::Compressible => {
108 generate_compressible_data_bytes(&mut self.rng, size_bytes)
109 }
110 Compressibility::Uncompressible => {
111 generate_uncompressible_data_bytes(&mut self.rng, size_bytes)
112 }
113 }
114 }
115}