use std::fmt::Display;
use std::str::FromStr;
use sqlparser::parser::ParserError;
#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
pub enum CompressionTypeVariant {
GZIP,
BZIP2,
XZ,
ZSTD,
UNCOMPRESSED,
}
impl FromStr for CompressionTypeVariant {
type Err = ParserError;
fn from_str(s: &str) -> Result<Self, ParserError> {
let s = s.to_uppercase();
match s.as_str() {
"GZIP" | "GZ" => Ok(Self::GZIP),
"BZIP2" | "BZ2" => Ok(Self::BZIP2),
"XZ" => Ok(Self::XZ),
"ZST" | "ZSTD" => Ok(Self::ZSTD),
"" | "UNCOMPRESSED" => Ok(Self::UNCOMPRESSED),
_ => Err(ParserError::ParserError(format!(
"Unsupported file compression type {s}"
))),
}
}
}
impl Display for CompressionTypeVariant {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
let str = match self {
Self::GZIP => "GZIP",
Self::BZIP2 => "BZIP2",
Self::XZ => "XZ",
Self::ZSTD => "ZSTD",
Self::UNCOMPRESSED => "",
};
write!(f, "{}", str)
}
}
impl CompressionTypeVariant {
pub const fn is_compressed(&self) -> bool {
!matches!(self, &Self::UNCOMPRESSED)
}
}