aboutsummaryrefslogtreecommitdiff
path: root/src/gen/strx.rs
blob: d1b26fa64e212f0508922cbaf087d414a2b9ef44 (plain)
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
pub fn remove_to<'s, P>(s: &'s str, pattern: P) -> &'s str
where
    P: Fn(char) -> bool,
{
    match s.rfind(pattern) {
        Some(pos) => &s[(pos + 1)..],
        None => s,
    }
}

pub fn remove_suffix<'s>(s: &'s str, suffix: &str) -> &'s str {
    if !s.ends_with(suffix) {
        s
    } else {
        &s[..(s.len() - suffix.len())]
    }
}

pub fn capitalize(s: &str) -> String {
    if s.is_empty() {
        return String::new();
    }
    let mut char_indices = s.char_indices();
    char_indices.next().unwrap();
    match char_indices.next() {
        None => s.to_uppercase(),
        Some((i, _)) => s[..i].to_uppercase() + &s[i..],
    }
}

#[cfg(test)]
mod test {

    use super::capitalize;
    use super::remove_suffix;
    use super::remove_to;

    #[test]
    fn test_remove_to() {
        assert_eq!("aaa", remove_to("aaa", |c| c == '.'));
        assert_eq!("bbb", remove_to("aaa.bbb", |c| c == '.'));
        assert_eq!("ccc", remove_to("aaa.bbb.ccc", |c| c == '.'));
    }

    #[test]
    fn test_remove_suffix() {
        assert_eq!("bbb", remove_suffix("bbbaaa", "aaa"));
        assert_eq!("aaa", remove_suffix("aaa", "bbb"));
    }

    #[test]
    fn test_capitalize() {
        assert_eq!("", capitalize(""));
        assert_eq!("F", capitalize("f"));
        assert_eq!("Foo", capitalize("foo"));
    }
}