% divANS Module

Overview

The divANS crate is meant to be used for generic data compression. The algorithm has been tuned to significantly favor gains in compression ratio over performance, operating at line speeds of 150 Mbit/s.

The name originates from "divided-ANS" since the intermediate representation is divided from the ANS codec

More information at https://blogs.dropbox.com/tech/2018/06/building-better-compression-together-with-divans/

Divans should primarily be considered for cold storage and compression research. The compression algorithm is highly modular and new algorithms only need to be written a single time since generic trait specialization constructs optimized variants of the codec for both compression and decompression at compile time.

Rust Usage

Decompression

rust extern crate divans; fn main() { use std::io; let stdin = &mut io::stdin(); { use std::io::{Read, Write}; let mut reader = divans::DivansDecompressorReader::new( stdin, 4096, // buffer size ); let mut buf = [0u8; 4096]; loop { match reader.read(&mut buf[..]) { Err(e) => { if let io::ErrorKind::Interrupted = e.kind() { continue; } panic!(e); } Ok(size) => { if size == 0 { break; } match io::stdout().write_all(&buf[..size]) { Err(e) => panic!(e), Ok(_) => {}, } } } } } }

Compression

rust extern crate divans; fn main() { use std::io; let stdout = &mut io::stdout(); { use std::io::{Read, Write}; let mut writer = divans::DivansBrotliHybridCompressorWriter::new( stdout, divans::DivansCompressorOptions{ literal_adaptation:None, // should we override how fast the cdfs converge for literals? window_size:Some(22), // log 2 of the window size lgblock:None, // should we override how often metablocks are created in brotli quality:Some(11), // the quality of brotli commands dynamic_context_mixing:Some(2), // if we want to mix together the stride prediction and the context map use_brotli:divans::BrotliCompressionSetting::default(), // ignored use_context_map:true, // whether we should use the brotli context map in addition to the last 8 bits of each byte as a prior force_stride_value: divans::StrideSelection::UseBrotliRec, // if we should use brotli to decide on the stride }, 4096, // internal buffer size ); let mut buf = [0u8; 4096]; loop { match io::stdin().read(&mut buf[..]) { Err(e) => { if let io::ErrorKind::Interrupted = e.kind() { continue; } panic!(e); } Ok(size) => { if size == 0 { match writer.flush() { Err(e) => { if let io::ErrorKind::Interrupted = e.kind() { continue; } panic!(e) } Ok(_) => break, } } match writer.write_all(&buf[..size]) { Err(e) => panic!(e), Ok(_) => {}, } } } } } }

C usage

The C api is a standard compression API like the one that zlib provides. Despite being rust code, no allocations are made unless the CAllocator struct is passed in with the custommalloc field set to NULL. This means that any user of the divans library may provide their own allocation system and all allocations will go through that allocation system. The pointers returned by custommalloc must be 32-byte aligned.

Compression

```C

include "divans/ffi.h"

// compress to stdout DivansResult compress(const unsigned char *data, sizet len) { unsigned char buf[4096]; struct CAllocator alloc = {custommalloc, customfree, customallocopaque}; // set all 3 to NULL to use rust allocators struct DivansCompressorState *state = divansnewcompressorwithcustomalloc(alloc); divanssetoption(state, DIVANSOPTIONUSECONTEXTMAP, 1); divanssetoption(state, DIVANSOPTIONDYNAMICCONTEXTMIXING, 2); divanssetoption(state, DIVANSOPTIONQUALITY, 11); while (len) { sizet readoffset = 0; sizet bufoffset = 0; DivansResult res = divansencode(state, data, len, &readoffset, buf, sizeof(buf), &bufoffset); if (res == DIVANSFAILURE) { divansfreecompressor(state); return res; } data += readoffset; len -= readoffset; fwrite(buf, bufoffset, 1, stdout); } DivansResult res; do { sizet bufoffset = 0; res = divansencodeflush(state, buf, sizeof(buf), &bufoffset); if (res == DIVANSFAILURE) { divansfreecompressor(state); return res; } fwrite(buf, bufoffset, 1, stdout); } while(res != DIVANSSUCCESS); divansfreecompressor(state); return DIVANSSUCCESS; } ```

Decompression

```C

include "divans/ffi.h"

//decompress to stdout DivansResult decompress(const unsigned char *data, sizet len) { unsigned char buf[4096]; struct CAllocator alloc = {custommalloc, customfree, customallocopaque}; // set all 3 to NULL for using rust allocators struct DivansDecompressorState *state = divansnewdecompressorwithcustomalloc(alloc); DivansResult res; do { sizet readoffset = 0; sizet bufoffset = 0; res = divansdecode(state, data, len, &readoffset, buf, sizeof(buf), &bufoffset); if (res == DIVANSFAILURE || (res == DIVANSNEEDSMOREINPUT && len == 0)) { divansfreedecompressor(state); return res; } data += readoffset; len -= readoffset; fwrite(buf, bufoffset, 1, stdout); } while (res != DIVANSSUCCESS); divansfreedecompressor(state); return DIVANSSUCCESS; } ```

Structure of the divANS codebase

Top Level Modules

| Module | Purpose | |:------: |-------| | probability | Optimized implementations of 16-wide 4-bit CDF's that support online training and renormalization | | codec/interface | CrossCommandState tracks data to be kept between brotli commands. Examples include CDF's, the previous few bytes, the ring buffer for copies, etc | | codec/dict | Encode/decode parts of the file that may arise from the included brotli dictionary | | codec/copy | Encode/decode parts of the file that have already been seen before and are still in the ring buffer | | codec/blocktype | Encode/decode markers in the file which divans can use as a prior for literals, distances or even command type | | codec/contextmap | Encode/decode the brotli contextmap which remaps the previous 6 bits and literalblocktype to a prior between 0 and 255 | | codec/literal | Encode/decode new raw data that appears in the file. This can use a number of strategies or combinations of strategies to encode each nibble | | codec/priors | Structs defining the size of the tables that contain dynamically-trained CDF holding statistics about past-data. | | codec/weights | struct that blend between multiple CDFs based on prior efficacy | | codec/specializations | Optimization system to generate separate codepaths for currently-running nibble-decode or encode path, based on which priors were selected | | codec | Encode/decode the overall commands themselves and track the state of the compression of the overall file and if it is complete | | divansdecompressor | Implementation of Decompressor trait that parses divans headers and translates the ANS stream into commands and into raw data | | brotliirgen | Implementation of Compressor trait that calls into the brotli codec and extracts the command array per metablock to be encoded | | divanscompressor | Alternate implementation of Compressor trait that calls into rawtocmd instead of brotli to get the command array per metablock | | divanstoraw | DecoderSpecialization for the codec to assume default input commands and incrementally populate them | | cmdtodivans | EncoderSpecialization for the codec to take input commands and produce divans | | rawtocmd | Future: a substitute for the Brotli compressor to generate commands | | cmdtoraw | Interpret a list of Brotli commands and produce the uncompressed file | | arithmeticcoder | Define EntropyEncoder and EntropyDecoder arithmetic coder traits | | ans | Fast implementation of EntropyEncoder and EntropyDecoder interfaces | | billing | Plugin to add attribution to an ArithmeticEncoderOrDecoder by providing the same interface and wrapping the en/decoder | | allocutil | Allocator that reuses a single slice of memory over many allocations | | sliceutil | A mechanism to borrow and reference an existing slice that can be frozen, unborrowing the slice, when divans returns to the caller to request more input or output space | | resizable_buffer | Simple resizing byte buffer that can hold the raw input and output streams being processed | | reader | Read implementation for both encoding and decoding of divans | | writer | Write implementation for both encoding and decoding of divans |

Overall flow

To Encode a file,

To Decode a file,

The codec state machine

codec::DivansCodec has three members, cross_command_state, which tracks the probability models, the state, to track which kind of command is being decoded, and codec_traits, used as a repository of compiler constant values that happen to be set that way during this decode or encode phase based on the header and command data.

The state value is an enumerant that can either carry command-specific information or can mark that the ring buffer must be populated, etc.

Overview of the available codec states

Acknowledgements

Special thanks to Jaroslaw (Jarek) Duda and Fabian Giesen for genius work and their detailed and thoughtful presentation of the ANS algorithm.