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
// This Source Code Form is subject to the terms of the Mozilla Public
// License, v. 2.0. If a copy of the MPL was not distributed with this
// file, You can obtain one at https://mozilla.org/MPL/2.0/.
/*! Interfaces for .deb package files.
The .deb file specification lives at <https://manpages.debian.org/unstable/dpkg-dev/deb.5.en.html>.
*/
use {crate::error::Result, std::io::Read};
pub mod builder;
pub mod reader;
/// Compression format to apply to `.deb` files.
pub enum DebCompression {
/// Do not compress contents of `.deb` files.
Uncompressed,
/// Compress as `.gz` files.
Gzip,
/// Compress as `.xz` files using a specified compression level.
Xz(u32),
/// Compress as `.zst` files using a specified compression level.
Zstandard(i32),
}
impl DebCompression {
/// Obtain the filename extension for this compression format.
pub fn extension(&self) -> &'static str {
match self {
Self::Uncompressed => "",
Self::Gzip => ".gz",
Self::Xz(_) => ".xz",
Self::Zstandard(_) => ".zst",
}
}
/// Compress input data from a reader.
pub fn compress(&self, reader: &mut impl Read) -> Result<Vec<u8>> {
let mut buffer = vec![];
match self {
Self::Uncompressed => {
std::io::copy(reader, &mut buffer)?;
}
Self::Gzip => {
let header = libflate::gzip::HeaderBuilder::new().finish();
let mut encoder = libflate::gzip::Encoder::with_options(
&mut buffer,
libflate::gzip::EncodeOptions::new().header(header),
)?;
std::io::copy(reader, &mut encoder)?;
encoder.finish().into_result()?;
}
Self::Xz(level) => {
let mut encoder = xz2::write::XzEncoder::new(buffer, *level);
std::io::copy(reader, &mut encoder)?;
buffer = encoder.finish()?;
}
Self::Zstandard(level) => {
let mut encoder = zstd::Encoder::new(buffer, *level)?;
std::io::copy(reader, &mut encoder)?;
buffer = encoder.finish()?;
}
}
Ok(buffer)
}
}