blob: db69897574bbfb49f4e7da6172b24807d6140c22 (
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
|
use std::env;
use git2::{ Repository, Status };
use colored::*;
pub fn vcs_status() -> Option<(colored::ColoredString, colored::ColoredString)> {
let current_dir = env::var("PWD").unwrap();
let repo = match Repository::open(current_dir) {
Ok(r) => r,
Err(_) => return None
};
let reference = repo.head().unwrap();
let mut branch;
if reference.is_branch() {
branch = format!("{}", reference.shorthand().unwrap()).bright_black();
} else {
let commit = reference.peel_to_commit().unwrap();
let id = commit.id();
branch = format!("{:.6}", id).bright_black();
}
let mut repo_stat = "".white();
let git_clean_color = env::var("GIT_CLEAN_COLOR").unwrap_or("green".into());
let git_wt_modified_color = env::var("GIT_WT_MODIFIED_COLOR").unwrap_or("red".into());
let git_index_modified_color = env::var("GIT_INDEX_MODIFIED_COLOR").unwrap_or("yellow".into());
let file_stats = repo.statuses(None).unwrap();
for file in file_stats.iter() {
match file.status() {
// STATE: unstaged (working tree modified)
Status::WT_NEW | Status::WT_MODIFIED |
Status::WT_DELETED | Status::WT_TYPECHANGE |
Status::WT_RENAMED => {
let stat_char = env::var("GIT_WT_MODIFIED").unwrap_or("×".into());
repo_stat = stat_char.color(&git_wt_modified_color[..]);
break;
},
// STATE: staged (changes added to index)
Status::INDEX_NEW | Status::INDEX_MODIFIED |
Status::INDEX_DELETED | Status::INDEX_TYPECHANGE |
Status::INDEX_RENAMED => {
let stat_char = env::var("GIT_INDEX_MODIFIED").unwrap_or("±".into());
repo_stat = stat_char.color(&git_index_modified_color[..]);
},
// STATE: comitted (changes have been saved in the repo)
_ => {
let stat_char = env::var("GIT_CLEAN").unwrap_or("·".into());
repo_stat = stat_char.color(&git_clean_color[..]);
}
}
}
return Some((branch, repo_stat))
}
|