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
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
// vim: tw=80
//! Rust bindings for the C-Blosc block-oriented compression library.
//!
//! Blosc is a high performance compressor optimized for binary data.  It is
//! especially good at compressing arrays of similar data.  For example, floats
//! that fit a particular statistical distribution, integers from a restricted
//! range, or pointers that all share the same alignment.  It also works well on
//! arrays of `Struct`s with similar content.
//!
//! Unlike most other compression libraries, Blosc is block-oriented, rather
//! than stream-oriented.  This works well when the entire dataset to be
//! compressed/decompressed is available at once.
//!
//! # Example
//! ```
//! # use blosc::*;
//! let data: Vec<u32> = vec![1, 1, 2, 5, 8, 13, 21, 34, 55, 89, 144];
//! let ctx = Context::new();
//! let compressed = ctx.compress(&data[..]);
//! let decompressed = decompress(&compressed).unwrap();
//! assert_eq!(data, decompressed);
//! ```

extern crate blosc_sys;
extern crate libc;

use blosc_sys::*;
use std::{mem, ptr};
use std::convert::Into;
use std::hash::{Hash, Hasher};
use std::marker::PhantomData;
use std::os::raw::{c_char, c_int, c_void};

/// The desired compression level.  Higher levels mean more compression.
#[derive(Clone, Copy, Debug)]
pub enum Clevel {
    /// No compression at all.
    ///
    /// Probably useless in single-threaded mode.
    None = 0,
    L1 = 1,
    L2 = 2,
    L3 = 3,
    L4 = 4,
    L5 = 5,
    L6 = 6,
    L7 = 7,
    L8 = 8,
    L9 = 9
}

const BLOSC_INVALID_COMPNAME: &'static [u8; 8usize] = b"invalid\0";

/// Compressor selection.
///
/// Under the hood, Blosc supports several different compression algorithms.
#[derive(Clone, Copy, Debug)]
pub enum Compressor {
    /// The default compressor, based on FastLZ.  It's very fast, but the
    /// compression isn't as good as the other compressors.
    BloscLZ,
    /// Another fast compressor.  See [lz4.org](http://www.lz4.org).
    LZ4,
    /// Slower, higher compression version of LZ4.
    /// See [lz4.org](http://www.lz4.org).
    LZ4HC,
    /// Another fast compressor from Google.  See
    /// [Snappy](https://github.com/google/snappy)
    Snappy,
    /// The venerable Zlib.  Slower, but better compression than most other
    /// algorithms.  See [zlib.net](https://www.zlib.net)
    Zlib,
    /// A high compression algorithm from Facebook.
    /// See [zstd](https://facebook.github.io/zstd).
    Zstd,
    /// For testing purposes only
    #[doc(hidden)]
    Invalid
}

impl Into<*const c_char> for Compressor {
    fn into(self) -> *const c_char {
        let compref = match self {
            Compressor::BloscLZ => BLOSC_BLOSCLZ_COMPNAME.as_ptr(),
            Compressor::LZ4 => BLOSC_LZ4_COMPNAME.as_ptr(),
            Compressor::LZ4HC => BLOSC_LZ4HC_COMPNAME.as_ptr(),
            Compressor::Snappy => BLOSC_SNAPPY_COMPNAME.as_ptr(),
            Compressor::Zlib => BLOSC_ZLIB_COMPNAME.as_ptr(),
            Compressor::Zstd => BLOSC_ZSTD_COMPNAME.as_ptr(),
            Compressor::Invalid => BLOSC_INVALID_COMPNAME.as_ptr()
        };
        compref as *const c_char
    }
}

/// Controls Blosc's shuffle operation.
///
/// The Shuffle operation is the key to efficiently compressing arrays.  It
/// rearranges the array to put every entry's MSB together and every entry's LSB
/// together, which improves the performance of every Compressor.
#[derive(Clone, Copy, Debug)]
pub enum ShuffleMode {
    /// No shuffle.  Use this mode for data that is not an array.
    None = BLOSC_NOSHUFFLE as isize,

    /// Byte shuffle.  Use this mode for most arrays.
    ///
    /// See [new-trends-in-storing-large-data-silos-in-python](https://speakerdeck.com/francescalted/new-trends-in-storing-large-data-silos-in-python)
    Byte = BLOSC_SHUFFLE as isize,

    /// Bit shuffle.
    ///
    /// This is similar to the `Byte` shuffle, but works bit-by-bit instead of
    /// byte-by-byte.  It gives better compression for most datasets, but runs a
    /// little slower.  Use it when compressing numeric data if higher
    /// compression is desired.
    ///
    /// See [new-bitshuffle-filter](http://blosc.org/posts/new-bitshuffle-filter/)
    Bit = BLOSC_BITSHUFFLE as isize,
}

/// Holds basic settings for `compress` operations.
#[derive(Clone, Copy, Debug)]
pub struct Context {
    blocksize: usize,
    clevel: Clevel,
    compressor: Compressor,
    shuffle_mode: ShuffleMode,
    typesize: Option<usize>
}

/// An opaque Blosc-compressed buffer.
///
/// It can be safely decompressed back into an array of the original type.
pub struct Buffer<T> {
    data: Vec<u8>,
    phantom: PhantomData<T>
}

impl<T> Buffer<T> {
    fn from_vec(src: Vec<u8>) -> Self {
        Buffer{data: src, phantom: PhantomData}
    }

    /// Return the size of the compressed buffer.
    pub fn size(&self) -> usize {
        self.data.len()
    }
}

impl<T> AsRef<[u8]> for Buffer<T> {
    fn as_ref(&self) -> &[u8] {
        self.data.as_ref()
    }
}

impl<T> Hash for Buffer<T> {
    fn hash<H: Hasher>(&self, hasher: &mut H) {
        hasher.write(self.as_ref());
    }
}

impl<T> Into<Vec<u8>> for Buffer<T> {
    /// Transform `self` into a raw `Vec` of bytes.  After this, it can no
    /// longer be safely decompressed.
    fn into(self) -> Vec<u8> {
        self.data
    }
}

impl Context {
    /// Select the `Context`'s blocksize.
    ///
    /// Blocksize is the amount of data the compressor will work on at one time.
    /// Limiting it can improve the CPU's cache hit rate.  Increasing it can
    /// improve compression.  Generally this should be `None`, in which case
    /// Blosc will choose a sensible value.
    pub fn blocksize(mut self, blocksize: Option<usize>) -> Self {
        self.blocksize = blocksize.unwrap_or(0);
        self
    }

    /// Select the `Context`'s compression level.
    ///
    /// Higher values will give better compression at the expense of speed.
    pub fn clevel(mut self, clevel: Clevel) -> Self {
        self.clevel = clevel;
        self
    }

    /// Select the `Context`'s compression algorithm.
    ///
    /// Returns an error if the `compressor` is not enabled in this build of
    /// C-Blosc.
    pub fn compressor(mut self, compressor: Compressor) -> Result<Self, ()> {
        let comp_ptr: *const c_char = compressor.into();
        let mut complib: *mut c_char = ptr::null_mut();
        let mut version: *mut c_char = ptr::null_mut();
        // TODO: In Blosc 1.14.4, make the complib and version arguments to
        // blosc_get_complib_info NULL
        // https://github.com/Blosc/c-blosc/issues/228
        let support = unsafe {
            blosc_get_complib_info(comp_ptr,
                                   &mut complib as *mut *mut c_char,
                                   &mut version as *mut *mut c_char)
        };
        unsafe {
            libc::free(complib as *mut libc::c_void);
            libc::free(version as *mut libc::c_void);
        }
        if support >= 0 {
            self.compressor = compressor;
            Ok(self)
        } else {
            // Compressor not supported
            Err(())
        }
    }

    /// Compress an array and return a newly allocated compressed buffer.
    pub fn compress<T>(&self, src: &[T]) -> Buffer<T> {
        let typesize = self.typesize.unwrap_or(mem::size_of::<T>());
        let src_size = src.len() * typesize;
        let dest_size = src_size + BLOSC_MAX_OVERHEAD as usize;
        let mut dest: Vec<u8> = Vec::with_capacity(dest_size);
        let rsize = unsafe {
            blosc_compress_ctx(
                self.clevel as c_int,
                self.shuffle_mode as c_int,
                typesize,
                src_size,
                src.as_ptr() as *const c_void,
                dest.as_mut_ptr() as *mut c_void,
                dest_size,
                self.compressor.into(),
                self.blocksize,
                1)
        };
        // Blosc's docs claim that blosc_compress_ctx should never return an
        // error
        assert!(rsize >= 0,
                "C-Blosc internal error with Context={:?}, typesize={:?} nbytes={:?} and destsize={:?}",
                self, typesize, src_size, dest_size);
        unsafe {
            dest.set_len(rsize as usize);
        }
        dest.shrink_to_fit();
        Buffer::from_vec(dest)
    }

    /// Build a default compression context.
    ///
    /// # Example
    ///
    /// ```
    /// # use blosc::*;
    /// # #[allow(unused)]
    /// let ctx = Context::new()
    ///     .blocksize(Some(262144))
    ///     .compressor(Compressor::Zstd).unwrap()
    ///     .clevel(Clevel::L9)
    ///     .shuffle(ShuffleMode::Bit);
    /// ```
    pub fn new() -> Self {
        Context{
            blocksize: 0,       // Automatic blocksize
            clevel: Clevel::L2, // Level 2 selects blocksize to equal L1 cache
            compressor: Compressor::BloscLZ,    // Default algorithm
            shuffle_mode: ShuffleMode::None,    // Don't shuffle by default
            typesize: None                      // autodetect by default
        }
    }

    /// Select which Shuffle filter to apply before compression.
    pub fn shuffle(mut self, shuffle_mode: ShuffleMode) -> Self {
        self.shuffle_mode = shuffle_mode;
        self
    }

    /// Manually set the size in bytes to assume for each uncompressed array
    /// element.
    ///
    /// The `typesize` is used for Blosc's shuffle operation.  When compressing
    /// arrays, the `typesize` should be the size of each array element.  If
    /// `None` or unspecified, it will be autodetected.  However, manually
    /// setting `typesize` can be useful when compressing preserialized buffers
    /// or single structures that contain arrays.
    ///
    /// # Examples
    ///
    /// Set the `typesize` when compressing an array-containing struct
    ///
    /// ```
    /// # use blosc::*;
    /// # use std::mem;
    /// #[derive(Default)]
    /// struct Foo {
    ///     x: usize,
    ///     y: [u32; 32]
    /// }
    /// let foo = [Foo::default()];
    /// let ctx = Context::new().typesize(Some(mem::size_of_val(&foo[0].y[0])));
    /// ctx.compress(&foo[..]);
    /// ```
    ///
    /// Set the `typesize` when compressing preserialized data.
    ///
    /// ```
    /// # extern crate bincode;
    /// # extern crate blosc;
    /// # extern crate serde;
    /// # use blosc::*;
    /// # use std::mem;
    /// # fn main() {
    /// let raw: Vec<i16> = vec![0, 1, 2, 3, 4, 5];
    /// let serialized = bincode::serialize(&raw).unwrap();
    /// let ctx = Context::new().typesize(Some(mem::size_of::<i16>()));
    /// ctx.compress(&serialized[..]);
    /// # }
    /// ```
    pub fn typesize(mut self, typesize: Option<usize>) -> Self {
        self.typesize = typesize;
        self
    }
}

/// Decompress a `blosc::Buffer` into a newly allocated `Vec`
///
/// # Safety
///
/// `decompress` is safe to use because the compiler will guarantee that `src`
/// came from the output of `Context::compress`.
///
/// # Example
/// The compiler won't allow decompressing into the wrong type.
///
/// ```compile_fail
/// # use blosc::*;
/// let data: Vec<u16> = vec![1, 2, 3, 65535];
/// let ctx = Context::new(None, Clevel::L2, Compressor::BloscLZ,
///                        ShuffleMode::Byte).unwrap();
/// let compressed = ctx.compress(&data[..]);
/// let decompressed: Vec<i16> = decompress(&compressed).unwrap();
/// ```
pub fn decompress<T>(src: &Buffer<T>) -> Result<Vec<T>, ()> {
    unsafe {
        decompress_bytes(&src.data[..])
    }
}

/// Decompress arbitrary data into a newly allocated `Vec`
///
/// Use this method when decompressing serialized data from disk, or receiving
/// it over the network.
///
/// # Safety
///
/// This function is `unsafe` because it can transmutes data into an arbitrary
/// type.  That can cause memory errors if the type parameter contains
/// references, pointers, or does anything interesting on `Drop`.  To use
/// safely, the caller must ensure that the serialized data was really created
/// by Blosc, with the correct type.
///
/// This function is also unsafe if the compressed buffer is untrusted.  See
/// [Blosc issue #229](https://github.com/Blosc/c-blosc/issues/229).
///
/// # Example
/// ```
/// # use blosc::*;
/// let serialized: Vec<u8> = vec![2, 1, 19, 4, 12, 0, 0, 0, 12, 0, 0, 0,
///     28, 0, 0, 0, 1, 0, 0, 0, 2, 0, 0, 0, 3, 0, 0, 0];
/// let decompressed = unsafe{ decompress_bytes(&serialized[..])}.unwrap();
/// assert_eq!(&[1, 2, 3], &decompressed[..]);
/// ```
pub unsafe fn decompress_bytes<T>(src: &[u8]) -> Result<Vec<T>, ()> {
    let typesize = mem::size_of::<T>();
    let mut nbytes: usize = 0;
    let mut _cbytes: usize = 0;
    let mut _blocksize: usize = 0;
    // Unsafe if src comes from an untrusted source.
    blosc_cbuffer_sizes(
        src.as_ptr() as *const c_void,
        &mut nbytes as *mut usize,
        &mut _cbytes as *mut usize,
        &mut _blocksize as *mut usize);
    let dest_size = nbytes / typesize;
    let mut dest: Vec<T> = Vec::with_capacity(dest_size);
    // Unsafe if src comes from an untrusted source.
    let rsize = blosc_decompress_ctx(
        src.as_ptr() as *const c_void,
        dest.as_mut_ptr() as *mut c_void,
        nbytes,
        1);
    if rsize > 0 {
        // Unsafe if T contains references or pointers
        dest.set_len(rsize as usize / typesize);
        dest.shrink_to_fit();
        Ok(dest)
    } else {
        // Buffer too small, data corrupted, decompressor not available, etc
        Err(())
    }
}

#[test]
fn test_buffer_into() {
    let v0 = vec![0u8, 1, 2, 3, 4, 5];
    let v1 = v0.clone();
    let buf = Buffer::<u16>::from_vec(v0);
    let v2: Vec<u8> = buf.into();
    assert_eq!(v1, v2);
}