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
//! Methods to compress and decompress individual blocks.
//!
//! These methods process all the input data at once.
//! It is therefore best used with relatively small blocks
//! (like small network packets).

mod compressor;
mod decompressor;

pub use self::compressor::Compressor;
pub use self::decompressor::Decompressor;

use std::io;

/// Compresses a single block of data to the given destination buffer.
///
/// Returns the number of bytes written, or an error if something happened
/// (for instance if the destination buffer was too small).
pub fn compress_to_buffer(destination: &mut [u8], source: &[u8], level: i32)
                          -> io::Result<usize> {

    Compressor::new().compress_to_buffer(destination, source, level)
}

/// Compresses a block of data and returns the compressed result.
pub fn compress(data: &[u8], level: i32) -> io::Result<Vec<u8>> {
    Compressor::new().compress(data, level)
}

/// Deompress a single block of data to the given destination buffer.
///
/// Returns the number of bytes written, or an error if something happened
/// (for instance if the destination buffer was too small).
pub fn decompress_to_buffer(destination: &mut [u8], source: &[u8])
                            -> io::Result<usize> {
    Decompressor::new().decompress_to_buffer(destination, source)
}

/// Decompresses a block of data and returns the decompressed result.
///
/// The decompressed data should be less than `capacity` bytes,
/// or an error will be returned.
pub fn decompress(data: &[u8], capacity: usize) -> io::Result<Vec<u8>> {
    Decompressor::new().decompress(data, capacity)
}

#[test]
fn test_direct() {
    // hipsum.co
    let text =
        "Pork belly art party wolf XOXO, neutra scenester ugh thundercats \
         tattooed squid skateboard beard readymade kogi. VHS cardigan \
         schlitz, meditation chartreuse kogi tilde church-key. Actually \
         direct trade hammock, aesthetic VHS semiotics organic narwhal lo-fi \
         heirloom flexitarian master cleanse polaroid man bun. Flannel \
         helvetica mustache, bicycle rights small batch slow-carb neutra \
         tilde williamsburg meh poutine humblebrag. Four dollar toast \
         butcher actually franzen, gastropub mustache tofu cardigan. 90's \
         fingerstache forage brooklyn meditation single-origin coffee tofu \
         actually, ramps pabst farm-to-table art party kombucha artisan \
         fanny pack. Flannel salvia ennui viral leggings selfies.";

    let compressed = compress(text.as_bytes(), 1).unwrap();

    let uncompressed = decompress(&compressed, text.len()).unwrap();

    assert_eq!(text.as_bytes(), &uncompressed[..]);
}