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
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
use std::path::PathBuf;
#[derive(Debug, thiserror::Error)]
#[allow(missing_docs)]
pub enum Error {
#[error("Failed to access a directory, or path is not a directory: '{}'", .path.display())]
InaccessibleDirectory { path: PathBuf },
#[error("Could find a git repository in '{}' or in any of its parents", .path.display())]
NoGitRepository { path: PathBuf },
#[error("Could find a trusted git repository in '{}' or in any of its parents, candidate at '{}' discarded", .path.display(), .candidate.display())]
NoTrustedGitRepository {
path: PathBuf,
candidate: PathBuf,
required: git_sec::Trust,
},
#[error("Could not determine trust level for path '{}'.", .path.display())]
CheckTrust {
path: PathBuf,
#[source]
err: std::io::Error,
},
}
pub struct Options {
pub required_trust: git_sec::Trust,
}
impl Default for Options {
fn default() -> Self {
Options {
required_trust: git_sec::Trust::Reduced,
}
}
}
pub(crate) mod function {
use std::path::{Path, PathBuf};
use git_sec::Trust;
use super::{Error, Options};
use crate::is_git;
pub fn discover_opts(
directory: impl AsRef<Path>,
Options { required_trust }: Options,
) -> Result<(crate::repository::Path, git_sec::Trust), Error> {
let cwd = std::env::current_dir().ok();
let dir = git_path::absolutize(directory.as_ref(), cwd.as_deref());
if !dir.is_dir() {
return Err(Error::InaccessibleDirectory { path: dir.into_owned() });
}
let mut is_canonicalized = false;
let filter_by_trust = |x: &std::path::Path| -> Result<Option<git_sec::Trust>, Error> {
let trust =
git_sec::Trust::from_path_ownership(x).map_err(|err| Error::CheckTrust { path: x.into(), err })?;
Ok((trust >= required_trust).then(|| (trust)))
};
let mut cursor = dir.clone().into_owned();
'outer: loop {
for append_dot_git in &[false, true] {
if *append_dot_git {
cursor.push(".git");
}
if let Ok(kind) = is_git(&cursor) {
match filter_by_trust(&cursor)? {
Some(trust) => {
let path = if is_canonicalized {
shorten_path_with_cwd(cursor, cwd)
} else {
cursor
};
break 'outer Ok((crate::repository::Path::from_dot_git_dir(path, kind), trust));
}
None => {
break 'outer Err(Error::NoTrustedGitRepository {
path: dir.into_owned(),
candidate: cursor,
required: required_trust,
})
}
}
}
if *append_dot_git {
cursor.pop();
}
}
if !cursor.pop() {
if is_canonicalized
|| matches!(
cursor.components().next(),
Some(std::path::Component::RootDir) | Some(std::path::Component::Prefix(_))
)
{
break Err(Error::NoGitRepository { path: dir.into_owned() });
} else {
is_canonicalized = true;
cursor = if cursor.as_os_str().is_empty() {
cwd.clone()
} else {
cursor.canonicalize().ok()
}
.ok_or(Error::InaccessibleDirectory { path: cursor })?;
}
}
}
}
fn shorten_path_with_cwd(cursor: PathBuf, cwd: Option<PathBuf>) -> PathBuf {
if let Some(cwd) = cwd {
debug_assert_eq!(cursor.file_name().and_then(|f| f.to_str()), Some(".git"));
let parent = cursor.parent().expect(".git appended");
cwd.strip_prefix(parent)
.ok()
.and_then(|path_relative_to_cwd| {
let relative_path_components = path_relative_to_cwd.components().count();
let current_component_len = cursor.components().map(comp_len).sum::<usize>();
(relative_path_components * "..".len() < current_component_len).then(|| {
std::iter::repeat("..")
.take(relative_path_components)
.chain(Some(".git"))
.collect()
})
})
.unwrap_or(cursor)
} else {
cursor
}
}
fn comp_len(c: std::path::Component<'_>) -> usize {
use std::path::Component::*;
match c {
Prefix(p) => p.as_os_str().len(),
CurDir => 1,
ParentDir => 2,
Normal(p) => p.len(),
RootDir => 1,
}
}
pub fn discover(directory: impl AsRef<Path>) -> Result<(crate::repository::Path, Trust), Error> {
discover_opts(directory, Default::default())
}
}