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
use std::path::Path;

use nu_data::config::NuConfig;
use nu_protocol::ConfigPath;

/// ConfigHolder holds information which configs have been loaded.
#[derive(Clone)]
pub struct ConfigHolder {
    pub global_config: Option<NuConfig>,
    pub local_configs: Vec<NuConfig>,
}

impl Default for ConfigHolder {
    fn default() -> Self {
        Self::new()
    }
}

impl ConfigHolder {
    pub fn new() -> ConfigHolder {
        ConfigHolder {
            global_config: None,
            local_configs: vec![],
        }
    }

    pub fn global_config(&self) -> NuConfig {
        match &self.global_config {
            Some(config) => config.clone(),
            None => NuConfig::default(),
        }
    }

    pub fn add_local_cfg(&mut self, cfg: NuConfig) {
        self.local_configs.push(cfg);
    }

    pub fn set_global_cfg(&mut self, cfg: NuConfig) {
        self.global_config = Some(cfg);
    }

    pub fn remove_cfg(&mut self, cfg_path: &ConfigPath) {
        match cfg_path {
            ConfigPath::Global(_) => self.global_config = None,
            ConfigPath::Local(p) => self.remove_local_cfg(p),
        }
    }

    fn remove_local_cfg<P: AsRef<Path>>(&mut self, cfg_path: P) {
        // Remove the first loaded local config with specified cfg_path
        if let Some(index) = self
            .local_configs
            .iter()
            .rev()
            .position(|cfg| cfg.file_path == cfg_path.as_ref())
        {
            self.local_configs.remove(index);
        }
    }
}