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
//! Implementation of the BWT construction algorithm in small space,
//! described in Algorithm 11.8 of the book:
//! [Compact Data Structures - A Practical Approach](https://users.dcc.uchile.cl/~gnavarro/CDSbook/),
//! Gonzalo Navarro, 2016.
use std::io::Write;
use anyhow::{anyhow, Result};
/// Verifies that the smallest character appears only at the end of the text.
///
/// # Arguments
///
/// * `text` - The text to be verified.
///
/// # Errors
///
/// An error is returned if the smallest character does not appear only at the end of the text.
///
/// # Examples
///
/// ```
/// use small_bwt::verify_terminal_character;
///
/// let text = "abracadabra$";
/// let result = verify_terminal_character(text.as_bytes());
/// assert!(result.is_ok());
///
/// let text = "abrac$dabra$";
/// let result = verify_terminal_character(text.as_bytes());
/// assert!(result.is_err());
/// ```
pub fn verify_terminal_character(text: &[u8]) -> Result<()> {
if text.is_empty() {
return Err(anyhow!("text must not be empty."));
}
let smallest = *text.last().unwrap();
for (i, &c) in text[..text.len() - 1].iter().enumerate() {
if c <= smallest {
return Err(anyhow!(
"text must have the smallest special character only at the end, but found {c:?} at position {i}."
));
}
}
Ok(())
}
/// BWT builder in small space.
///
/// # Specifications
///
/// This assumes that the smallest character appears only at the end of the text.
/// Given an unexpected text, the behavior is undefined.
/// If you want to verify the text, use [`verify_terminal_character`].
///
/// # Examples
///
/// ```
/// # fn main() -> Result<(), Box<dyn std::error::Error>> {
/// use small_bwt::BwtBuilder;
///
/// let text = "abracadabra$";
/// let mut bwt = vec![];
/// BwtBuilder::new(text.as_bytes())?.build(&mut bwt)?;
/// let bwt_str = String::from_utf8_lossy(&bwt);
/// assert_eq!(bwt_str, "ard$rcaaaabb");
/// # Ok(())
/// # }
/// ```
pub struct BwtBuilder<'a> {
text: &'a [u8],
chunk_size: usize,
progress: Progress,
}
impl<'a> BwtBuilder<'a> {
/// Creates a new builder.
///
/// # Arguments
///
/// * `text` - The text to be transformed.
///
/// # Errors
///
/// An error is returned if `text` is empty.
pub fn new(text: &'a [u8]) -> Result<Self> {
if text.is_empty() {
return Err(anyhow!("text must not be empty."));
}
let n = text.len() as f64;
let chunk_size = (n / n.log2()).ceil() as usize;
let chunk_size = chunk_size.max(1);
Ok(Self {
text,
chunk_size,
progress: Progress::new(false),
})
}
/// Sets the chunk size.
///
/// # Arguments
///
/// * `chunk_size` - The chunk size.
///
/// # Default value
///
/// `ceil(n / log2(n))`, where `n` is the text length.
///
/// # Errors
///
/// An error is returned if `chunk_size` is zero.
pub fn chunk_size(mut self, chunk_size: usize) -> Result<Self> {
if chunk_size == 0 {
return Err(anyhow!("chunk_size must be positive."));
}
self.chunk_size = chunk_size;
Ok(self)
}
/// Sets the verbosity.
/// If `verbose` is `true`, the progress is printed to stderr.
///
/// # Arguments
///
/// * `verbose` - The verbosity.
///
/// # Default value
///
/// `false`
pub const fn verbose(mut self, verbose: bool) -> Self {
self.progress = Progress::new(verbose);
self
}
/// Builds the BWT and writes it to `wrt`.
///
/// # Specifications
///
/// This assumes that the smallest character appears only at the end of the text.
/// Given an unexpected text, the behavior is undefined.
/// If you want to verify the text, use [`verify_terminal_character`].
///
/// # Arguments
///
/// * `wrt` - The writer to write the BWT.
///
/// # Errors
///
/// An error is returned if `wrt` returns an error.
pub fn build<W: Write>(&self, wrt: W) -> Result<()> {
assert!(!self.text.is_empty());
assert_ne!(self.chunk_size, 0);
let text = self.text;
let chunk_size = self.chunk_size;
let n_expected_cuts = text.len() / chunk_size;
self.progress
.print(&format!("Text length: {:?} MiB", to_mib(text.len())));
self.progress
.print(&format!("Chunk size: {:?} M", to_mb(chunk_size)));
self.progress
.print(&format!("Expected number of cuts: {:?}", n_expected_cuts));
self.progress.print("Generating cuts...");
let cuts = CutGenerator::generate(text, chunk_size);
self.progress
.print(&format!("Actual number of cuts: {:?}", cuts.len()));
bwt_from_cuts(text, &cuts, wrt, &self.progress)
}
}
fn bwt_from_cuts<W: Write>(
text: &[u8],
cuts: &[Vec<u8>],
mut wrt: W,
progress: &Progress,
) -> Result<()> {
assert!(cuts[0].is_empty());
let mut chunks = vec![];
for q in 1..=cuts.len() {
progress.print(&format!("Generating BWT: {}/{}", q, cuts.len()));
let cut_p = cuts[q - 1].as_slice();
if q < cuts.len() {
let cut_q = cuts[q].as_slice();
for j in 0..text.len() {
let suffix = &text[j..];
if cut_p < suffix && suffix <= cut_q {
chunks.push(j);
}
}
} else {
for j in 0..text.len() {
let suffix = &text[j..];
if cut_p < suffix {
chunks.push(j);
}
}
}
// TODO: Use radix sort.
chunks.sort_by(|&a, &b| text[a..].cmp(&text[b..]));
for &j in &chunks {
let c = if j == 0 {
*text.last().unwrap()
} else {
text[j - 1]
};
wrt.write_all(&[c])?;
}
chunks.clear();
}
Ok(())
}
struct CutGenerator<'a> {
text: &'a [u8],
chunk_size: usize,
cuts: Vec<Vec<u8>>,
lens: Vec<usize>,
}
impl<'a> CutGenerator<'a> {
fn generate(text: &'a [u8], chunk_size: usize) -> Vec<Vec<u8>> {
let mut builder = Self {
text,
chunk_size,
cuts: vec![vec![]],
lens: vec![],
};
builder.expand(vec![]);
builder.cuts
}
fn expand(&mut self, mut cut: Vec<u8>) {
let freqs = symbol_freqs(self.text, &cut);
cut.push(0); // dummy last symbol
for (symbol, &freq) in freqs.iter().enumerate() {
if freq == 0 {
continue;
}
*cut.last_mut().unwrap() = symbol as u8;
if freq <= self.chunk_size {
if self.lens.is_empty() || *self.lens.last().unwrap() + freq > self.chunk_size {
self.cuts.push(vec![]);
self.lens.push(0);
}
*self.cuts.last_mut().unwrap() = cut.clone();
*self.lens.last_mut().unwrap() += freq;
} else {
self.expand(cut.clone());
}
}
}
}
/// Computes the frequencies of symbols following cut in text.
fn symbol_freqs(text: &[u8], cut: &[u8]) -> Vec<usize> {
let mut freqs = vec![0; 256];
for j in cut.len()..text.len() {
let i = j - cut.len();
if cut == &text[i..j] {
freqs[text[j] as usize] += 1;
}
}
freqs
}
struct Progress {
verbose: bool,
}
impl Progress {
const fn new(verbose: bool) -> Self {
Self { verbose }
}
fn print(&self, msg: &str) {
if self.verbose {
eprintln!("{}", msg);
}
}
}
fn to_mb(bytes: usize) -> f64 {
bytes as f64 / 1000.0 / 1000.0
}
fn to_mib(bytes: usize) -> f64 {
bytes as f64 / 1024.0 / 1024.0
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_bwt_builder() {
let text = "abracadabra$";
let mut bwt = vec![];
BwtBuilder::new(text.as_bytes())
.unwrap()
.build(&mut bwt)
.unwrap();
let bwt_str = String::from_utf8_lossy(&bwt);
assert_eq!(bwt_str, "ard$rcaaaabb");
}
#[test]
fn test_bwt_builder_3() {
let text = "abracadabra$";
let mut bwt = vec![];
BwtBuilder::new(text.as_bytes())
.unwrap()
.chunk_size(3)
.unwrap()
.build(&mut bwt)
.unwrap();
let bwt_str = String::from_utf8_lossy(&bwt);
assert_eq!(bwt_str, "ard$rcaaaabb");
}
#[test]
fn test_bwt_builder_4() {
let text = "abracadabra$";
let mut bwt = vec![];
BwtBuilder::new(text.as_bytes())
.unwrap()
.chunk_size(4)
.unwrap()
.build(&mut bwt)
.unwrap();
let bwt_str = String::from_utf8_lossy(&bwt);
assert_eq!(bwt_str, "ard$rcaaaabb");
}
#[test]
fn test_bwt_from_cuts_3() {
let text = b"abracadabra$";
let cuts = &[
b"".to_vec(),
b"a$".to_vec(),
b"ac".to_vec(),
b"b".to_vec(),
b"d".to_vec(),
b"r".to_vec(),
];
let mut bwt = vec![];
bwt_from_cuts(text, cuts, &mut bwt, &Progress::new(false)).unwrap();
let bwt_str = String::from_utf8_lossy(&bwt);
assert_eq!(bwt_str, "ard$rcaaaabb");
}
#[test]
fn test_bwt_from_cuts_4() {
let text = b"abracadabra$";
let cuts = &[b"".to_vec(), b"ab".to_vec(), b"b".to_vec(), b"r".to_vec()];
let mut bwt = vec![];
bwt_from_cuts(text, cuts, &mut bwt, &Progress::new(false)).unwrap();
let bwt_str = String::from_utf8_lossy(&bwt);
assert_eq!(bwt_str, "ard$rcaaaabb");
}
#[test]
fn test_symbol_freqs() {
let text = b"abracadabra$";
let cut = b"ra";
let freqs = symbol_freqs(text, cut);
let mut expected = vec![0; 256];
expected[b'$' as usize] = 1;
expected[b'c' as usize] = 1;
assert_eq!(freqs, expected);
}
#[test]
fn test_symbol_freqs_empty() {
let text = b"abracadabra$";
let cut = b"";
let freqs = symbol_freqs(text, cut);
let mut expected = vec![0; 256];
expected[b'$' as usize] = 1;
expected[b'a' as usize] = 5;
expected[b'b' as usize] = 2;
expected[b'c' as usize] = 1;
expected[b'd' as usize] = 1;
expected[b'r' as usize] = 2;
assert_eq!(freqs, expected);
}
}