Merge pull request #355 from figsoda/ext
[ouch.git] / src / extension.rs
blob46b27dd4a3c5b6ed5d3d2610276131e6616e2366
1 //! Our representation of all the supported compression formats.
3 use std::{ffi::OsStr, fmt, path::Path};
5 use bstr::ByteSlice;
7 use self::CompressionFormat::*;
8 use crate::{error::Error, warning};
10 /// A wrapper around `CompressionFormat` that allows combinations like `tgz`
11 #[derive(Debug, Clone, Eq)]
12 #[non_exhaustive]
13 pub struct Extension {
14     /// One extension like "tgz" can be made of multiple CompressionFormats ([Tar, Gz])
15     pub compression_formats: &'static [CompressionFormat],
16     /// The input text for this extension, like "tgz", "tar" or "xz"
17     display_text: String,
20 // The display_text should be ignored when comparing extensions
21 impl PartialEq for Extension {
22     fn eq(&self, other: &Self) -> bool {
23         self.compression_formats == other.compression_formats
24     }
27 impl Extension {
28     /// # Panics:
29     ///   Will panic if `formats` is empty
30     pub fn new(formats: &'static [CompressionFormat], text: impl ToString) -> Self {
31         assert!(!formats.is_empty());
32         Self {
33             compression_formats: formats,
34             display_text: text.to_string(),
35         }
36     }
38     /// Checks if the first format in `compression_formats` is an archive
39     pub fn is_archive(&self) -> bool {
40         // Safety: we check that `compression_formats` is not empty in `Self::new`
41         self.compression_formats[0].is_archive_format()
42     }
45 impl fmt::Display for Extension {
46     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
47         self.display_text.fmt(f)
48     }
51 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
52 /// Accepted extensions for input and output
53 pub enum CompressionFormat {
54     /// .gz
55     Gzip,
56     /// .bz .bz2
57     Bzip,
58     /// .lz4
59     Lz4,
60     /// .xz .lzma
61     Lzma,
62     /// .sz
63     Snappy,
64     /// tar, tgz, tbz, tbz2, txz, tlz4, tlzma, tsz, tzst
65     Tar,
66     /// .zst
67     Zstd,
68     /// .zip
69     Zip,
72 impl CompressionFormat {
73     /// Currently supported archive formats are .tar (and aliases to it) and .zip
74     fn is_archive_format(&self) -> bool {
75         // Keep this match like that without a wildcard `_` so we don't forget to update it
76         match self {
77             Tar | Zip => true,
78             Gzip => false,
79             Bzip => false,
80             Lz4 => false,
81             Lzma => false,
82             Snappy => false,
83             Zstd => false,
84         }
85     }
88 pub const SUPPORTED_EXTENSIONS: &[&str] = &[
89     "tar", "tgz", "tbz", "tlz4", "txz", "tzlma", "tsz", "tzst", "zip", "bz", "bz2", "gz", "lz4", "xz", "lzma", "sz",
90     "zst",
93 fn to_extension(ext: &[u8]) -> Option<Extension> {
94     Some(Extension::new(
95         match ext {
96             b"tar" => &[Tar],
97             b"tgz" => &[Tar, Gzip],
98             b"tbz" | b"tbz2" => &[Tar, Bzip],
99             b"tlz4" => &[Tar, Lz4],
100             b"txz" | b"tlzma" => &[Tar, Lzma],
101             b"tsz" => &[Tar, Snappy],
102             b"tzst" => &[Tar, Zstd],
103             b"zip" => &[Zip],
104             b"bz" | b"bz2" => &[Bzip],
105             b"gz" => &[Gzip],
106             b"lz4" => &[Lz4],
107             b"xz" | b"lzma" => &[Lzma],
108             b"sz" => &[Snappy],
109             b"zst" => &[Zstd],
110             _ => return None,
111         },
112         ext.to_str_lossy(),
113     ))
116 fn split_extension(name: &mut &[u8]) -> Option<Extension> {
117     let (new_name, ext) = name.rsplit_once_str(b".")?;
118     if matches!(new_name, b"" | b"." | b"..") {
119         return None;
120     }
121     let ext = to_extension(ext)?;
122     *name = new_name;
123     Some(ext)
126 pub fn parse_format(fmt: &OsStr) -> crate::Result<Vec<Extension>> {
127     let fmt = <[u8] as ByteSlice>::from_os_str(fmt).ok_or_else(|| Error::InvalidFormat {
128         reason: "Invalid UTF-8".into(),
129     })?;
131     let mut extensions = Vec::new();
132     for extension in fmt.split_str(b".") {
133         let extension = to_extension(extension).ok_or_else(|| Error::InvalidFormat {
134             reason: format!("Unsupported extension: {}", extension.to_str_lossy()),
135         })?;
136         extensions.push(extension);
137     }
139     Ok(extensions)
142 /// Extracts extensions from a path.
144 /// Returns both the remaining path and the list of extension objects
145 pub fn separate_known_extensions_from_name(path: &Path) -> (&Path, Vec<Extension>) {
146     let mut extensions = vec![];
148     let Some(mut name) = path.file_name().and_then(<[u8] as ByteSlice>::from_os_str) else {
149         return (path, extensions);
150     };
152     // While there is known extensions at the tail, grab them
153     while let Some(extension) = split_extension(&mut name) {
154         extensions.insert(0, extension);
155     }
157     if let Ok(name) = name.to_str() {
158         let file_stem = name.trim_matches('.');
159         if SUPPORTED_EXTENSIONS.contains(&file_stem) {
160             warning!("Received a file with name '{file_stem}', but {file_stem} was expected as the extension.");
161         }
162     }
164     (name.to_path().unwrap(), extensions)
167 /// Extracts extensions from a path, return only the list of extension objects
168 pub fn extensions_from_path(path: &Path) -> Vec<Extension> {
169     let (_, extensions) = separate_known_extensions_from_name(path);
170     extensions
173 #[cfg(test)]
174 mod tests {
175     use super::*;
177     #[test]
178     fn test_extensions_from_path() {
179         use CompressionFormat::*;
180         let path = Path::new("bolovo.tar.gz");
182         let extensions: Vec<Extension> = extensions_from_path(path);
183         let formats: Vec<CompressionFormat> = flatten_compression_formats(&extensions);
185         assert_eq!(formats, vec![Tar, Gzip]);
186     }
189 // Panics if formats has an empty list of compression formats
190 pub fn split_first_compression_format(formats: &[Extension]) -> (CompressionFormat, Vec<CompressionFormat>) {
191     let mut extensions: Vec<CompressionFormat> = flatten_compression_formats(formats);
192     let first_extension = extensions.remove(0);
193     (first_extension, extensions)
196 pub fn flatten_compression_formats(extensions: &[Extension]) -> Vec<CompressionFormat> {
197     extensions
198         .iter()
199         .flat_map(|extension| extension.compression_formats.iter())
200         .copied()
201         .collect()