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
use std::str::FromStr;

use crate::{errors::ProgramError, patterns::Pattern};

#[derive(Debug, Copy, Clone, PartialEq)]
pub enum OptionBool {
    Auto,
    No,
    Yes,
}

impl FromStr for OptionBool {
    type Err = ProgramError;
    fn from_str(s: &str) -> Result<OptionBool, ProgramError> {
        match s {
            "auto" => Ok(OptionBool::Auto),
            "yes" => Ok(OptionBool::Yes),
            "no" => Ok(OptionBool::No),
            _ => Err(ProgramError::ArgParse {
                bad: s.to_string(),
                valid: "auto, yes, no".to_string(),
            }),
        }
    }
}

#[derive(Debug, Clone)]
pub struct TreeOptions {
    pub show_hidden: bool, // whether files whose name starts with a dot should be shown
    pub only_folders: bool, // whether to hide normal files and links
    pub show_sizes: bool,  // whether to compute and show sizes of files and dirs
    pub show_dates: bool,  // whether to show the last modified date
    pub trim_root: bool,   // whether to cut out direct children of root
    pub show_permissions: bool, // show classic rwx unix permissions
    pub respect_git_ignore: OptionBool, // hide files as requested by .gitignore ?
    pub pattern: Pattern,  // an optional filtering/scoring pattern
}

impl TreeOptions {
    pub fn without_pattern(&self) -> TreeOptions {
        TreeOptions {
            show_hidden: self.show_hidden,
            only_folders: self.only_folders,
            show_sizes: self.show_sizes,
            show_dates: self.show_dates,
            trim_root: self.trim_root,
            show_permissions: self.show_permissions,
            respect_git_ignore: self.respect_git_ignore,
            pattern: Pattern::None,
        }
    }
}

impl Default for TreeOptions {
    fn default() -> Self {
        Self {
            show_hidden: false,
            only_folders: false,
            show_sizes: false,
            show_dates: false,
            trim_root: true,
            show_permissions: false,
            respect_git_ignore: OptionBool::Auto,
            pattern: Pattern::None,
        }
    }
}