An arithmetic coder for Rust.
This crate provides the an efficient implementation of an arithmetic encoder/decoder. This crate is based off the paper that describes arithmetic coding found here. This implementation features many readability and performance improvements, especially on the decoding side.
The goal of this project is not to provide an out-of-the-box compression solution. Arithmetic coding (entropy encoding) is the backbone of almost every modern day compression scheme. This crate is meant to be included in future projects that rely on an efficient entropy coder e.g. PPM, LZ77/LZ78, h265/HEVC.
There are a lot of structs available for use but for the average user there are only a few that will be used. - Model models of the probability of symbols. Counts can be adjusted as encoding is done to improve compression. - Encoder encodes symbols given a source model and a symbol. - Decoder decodes symbols given a source model and a bitstream.
In the git repository there is an oldcomplex.rs file that does context switching on a per character basis. A simpler example can be found at newsimple.rs
In order for arithmetic coding to work streams need to be read a bit at a time (for decoding and for the encoders output). Because of this, BitBit is required. Wrapping whatever your input is in a buffered reader/writer should greatly improve performance.
Using bitbit to create an input stream. ```rust use arcode::bitbit::{BitReader, MSB, BitWriter}; use std::io::Cursor;
fn read_example() { // normally you would have a Read type with a BufReader let mut source = Cursor::new(vec![0u8; 4]); let input: BitReader<_, MSB> = BitReader::new(&mut source); }
fn outexample() { // once again would be Write type with a BufWriter let compressed = Cursor::new(vec![]); let mut compressedwriter = BitWriter::new(compressed); } ```
Depending on your application you could have one or many source models. The source model is relied on by the encoder and the decoder. If the decoder ever becomes out of phase with the encoder you will be decoding nonsense.
In order to make a source model you need to use the model::Builder struct.
```rust use arcode::{EOFKind, Model};
fn sourcemodelexample() { // create a new model that has symbols 0-256 // 8 bit values + one EOF marker let mut modelwitheof = Model::builder() .num_symbols(256) .eof(EOFKind::EndAddOne) .build();
// model for 8 bit 0 - 255, if we arent using // the EOF flag we can set it to NONE or let it default // to none as in the second example below. let modelwithouteof = Model::builder() .numsymbols(256) .eof(EOFKind::None) .build(); let modelwithouteof = Model::builder().numsymbols(256).build();
// we can also create a model for 0-255 using numbits let model8bit = Model::builder().numbits(8).build();
// update the probability of symbol 4. modelwitheof.update_symbol(4); } ```
Encoding some simple input ```rust use arcode::bitbit::BitWriter; use arcode::{ArithmeticEncoder, EOFKind, Model}; use std::io::{Cursor, Result};
/// Encodes bytes and returns the compressed form
fn encode(data: &[u8]) -> Result
// make a stream to collect the compressed data let compressed = Cursor::new(vec![]); let mut compressed_writer = BitWriter::new(compressed);
let mut encoder = ArithmeticEncoder::new(48);
for &sym in data { encoder.encode(sym as u32, &model, &mut compressedwriter)?; model.updatesymbol(sym as u32); }
encoder.encode(model.eof(), &model, &mut compressedwriter)?; encoder.finishencode(&mut compressedwriter)?; compressedwriter.padtobyte()?;
// retrieves the bytes from the writer. This will // be cleaner when bitbit updates. Not necessary if // using files or a stream Ok(compressedwriter.getref().get_ref().clone()) }
```
```rust use arcode::bitbit::{BitReader, MSB}; use arcode::{ArithmeticDecoder, EOFKind, Model}; use std::io::{Cursor, Result};
/// Decompresses the data
fn decode(data: &[u8]) -> Result
let mut inputreader = BitReader::<_, MSB>::new(data); let mut decoder = ArithmeticDecoder::new(48); let mut decompresseddata = vec![];
while !decoder.finished() { let sym = decoder.decode(&model, &mut inputreader)?; model.updatesymbol(sym); decompressed_data.push(sym as u8); }
decompressed_data.pop(); // remove the EOF
Ok(decompressed_data) } ```