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
use std::{
borrow::Cow,
path::{Component, Path},
};
use crate::path;
pub mod existing {
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 },
}
}
pub fn existing(directory: impl AsRef<Path>) -> Result<crate::Path, existing::Error> {
let directory = maybe_canonicalize(directory.as_ref()).map_err(|_| existing::Error::InaccessibleDirectory {
path: directory.as_ref().into(),
})?;
if !directory.is_dir() {
return Err(existing::Error::InaccessibleDirectory {
path: directory.into_owned(),
});
}
let mut cursor: &Path = &directory;
loop {
if let Ok(kind) = path::is::git(cursor) {
break Ok(crate::Path::from_dot_git_dir(cursor, kind));
}
let git_dir = cursor.join(".git");
if let Ok(kind) = path::is::git(&git_dir) {
break Ok(crate::Path::from_dot_git_dir(git_dir, kind));
}
match cursor.parent() {
Some(parent) => cursor = parent,
None => {
break Err(existing::Error::NoGitRepository {
path: directory.into_owned(),
})
}
}
}
}
fn maybe_canonicalize(path: &Path) -> std::io::Result<Cow<'_, Path>> {
let ends_with_relative_component = path
.components()
.last()
.map_or(true, |c| matches!(c, Component::CurDir | Component::ParentDir));
if ends_with_relative_component {
path.canonicalize().map(Into::into)
} else {
Ok(path.into())
}
}
#[cfg(test)]
mod maybe_canonicalize {
use super::*;
fn relative_component_count(path: impl AsRef<Path>) -> usize {
path.as_ref()
.components()
.filter(|c| matches!(c, Component::CurDir | Component::ParentDir))
.count()
}
#[test]
fn empty_paths_are_invalid() {
assert!(
maybe_canonicalize(Path::new("")).is_err(),
"empty paths are not equivalent to '.' but are non-existing"
);
}
#[test]
fn paths_starting_with_dot_but_end_with_normal_path_are_not_canonicalized() {
assert_eq!(
relative_component_count(maybe_canonicalize(&Path::new(".").join("hello")).unwrap()),
1,
);
}
#[test]
fn paths_ending_with_non_normal_component_are_canonicalized() {
assert_eq!(
relative_component_count(maybe_canonicalize(&Path::new(".").join(".")).unwrap()),
0,
);
}
}