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
|
pub use flate2::{Decompress, Status};
/// non-streaming interfaces for decompression
pub mod inflate {
/// The error returned by various [Inflate methods][super::Inflate]
#[derive(Debug, thiserror::Error)]
#[allow(missing_docs)]
pub enum Error {
#[error("Could not write all bytes when decompressing content")]
WriteInflated(#[from] std::io::Error),
#[error("Could not decode zip stream, status was '{0:?}'")]
Inflate(#[from] flate2::DecompressError),
#[error("The zlib status indicated an error, status was '{0:?}'")]
Status(flate2::Status),
}
}
/// Decompress a few bytes of a zlib stream without allocation
pub struct Inflate {
/// The actual decompressor doing all the work.
pub state: Decompress,
}
impl Default for Inflate {
fn default() -> Self {
Inflate {
state: Decompress::new(true),
}
}
}
impl Inflate {
/// Run the decompressor exactly once. Cannot be run multiple times
pub fn once(&mut self, input: &[u8], out: &mut [u8]) -> Result<(flate2::Status, usize, usize), inflate::Error> {
let before_in = self.state.total_in();
let before_out = self.state.total_out();
let status = self.state.decompress(input, out, flate2::FlushDecompress::None)?;
Ok((
status,
(self.state.total_in() - before_in) as usize,
(self.state.total_out() - before_out) as usize,
))
}
}
///
pub mod stream;
|