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
use InflateStream;
fn inflate(inflater: &mut InflateStream, data: &[u8]) -> Result<Vec<u8>, String> {
let mut decoded = Vec::<u8>::new();
let mut n = 0;
loop {
let (num_bytes_read, bytes) = try!(inflater.update(&data[n..]));
if bytes.len() == 0 {
break;
}
n += num_bytes_read;
decoded.extend(bytes.iter().map(|v| *v));
}
Ok(decoded)
}
pub fn inflate_bytes(data: &[u8]) -> Result<Vec<u8>, String> {
inflate(&mut InflateStream::new(), data)
}
pub fn inflate_bytes_zlib(data: &[u8]) -> Result<Vec<u8>, String> {
inflate(&mut InflateStream::from_zlib(), data)
}
pub fn inflate_bytes_zlib_no_checksum(data: &[u8]) -> Result<Vec<u8>, String> {
inflate(&mut InflateStream::from_zlib_no_checksum(), data)
}
#[cfg(test)]
mod test {
#[test]
fn inflate_bytes_with_zlib() {
use super::inflate_bytes_zlib;
use std::str::from_utf8;
let encoded = [120, 156, 243, 72, 205, 201, 201, 215, 81, 168, 202, 201,
76, 82, 4, 0, 27, 101, 4, 19];
let decoded = inflate_bytes_zlib(&encoded).unwrap();
assert!(from_utf8(&decoded).unwrap() == "Hello, zlib!");
}
#[test]
fn inflate_bytes_with_zlib_checksum_fail() {
use super::inflate_bytes_zlib;
let encoded = [120, 156, 243, 72, 205, 201, 201, 215, 81, 168, 202, 201,
76, 82, 4, 0, 0, 0, 0, 0];
inflate_bytes_zlib(&encoded).unwrap_err();
}
#[test]
fn inflate_bytes_with_zlib_trailing() {
use super::inflate_bytes_zlib;
use std::str::from_utf8;
let encoded = [120, 156, 243, 72, 205, 201, 201, 215, 81, 168, 202, 201,
76, 82, 4, 0, 27, 101, 4, 19, 0, 0, 0, 0];
let decoded = inflate_bytes_zlib(&encoded).unwrap();
assert!(from_utf8(&decoded).unwrap() == "Hello, zlib!");
}
}