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
static PROFILES_VAR: &str = "APP_PROFILES";

/// Reads profiles from env variable `APP_PROFILES`. When variable is not specified 
/// falls back to `default_profie` passed as argument.
pub fn discover_profiles(default_profile: Option<&str>) -> Vec<String> {
    std::env::var(PROFILES_VAR)
        .unwrap_or_else(|_| default_profile.unwrap_or("").into())
        .split(',')
        .map(|profile| profile.trim())
        .filter(|profile| !profile.is_empty())
        .map(String::from)
        .collect()
}

#[cfg(test)]
mod tests {
    use crate::profiles::PROFILES_VAR;
    use std::env::{remove_var, set_var, var};

    use super::discover_profiles;

    fn empty_vec() -> Vec<String> {
        Vec::new()
    }
    #[test]
    fn should_return_empty_when_no_env_var() {
        remove_var(PROFILES_VAR);
        assert_eq!(discover_profiles(None), empty_vec())
    }

    #[test]
    fn should_return_default_when_no_env_var() {
        remove_var(PROFILES_VAR);
        assert_eq!(
            discover_profiles(Some("default")),
            vec!["default".to_string()]
        )
    }
    #[test]
    fn should_discover_single_profile() {
        set_var(PROFILES_VAR, "test_profile");
        assert_eq!(discover_profiles(None), vec!["test_profile".to_string()]);
    }

    #[test]
    fn should_discover_multiple_profiles() {
        set_var(PROFILES_VAR, "profile1,profile2");

        assert_eq!(
            discover_profiles(None),
            vec!["profile1".to_string(), "profile2".into()]
        );
    }
}