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
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
use crate::errors::*;
use camino::{Utf8Path, Utf8PathBuf};
use determinator::Utf8Paths0;
use guppy::{graph::PackageGraph, MetadataCommand};
use indoc::formatdoc;
use log::{debug, info};
use once_cell::sync::OnceCell;
use std::{
borrow::Cow,
ffi::{OsStr, OsString},
fmt,
process::{Command, Stdio},
};
#[derive(Clone, Debug)]
pub struct GitCli {
root: &'static Utf8Path,
tracked_files: OnceCell<Utf8Paths0>,
}
impl GitCli {
pub fn new(root: &'static Utf8Path) -> Result<Self> {
let git_cli = Self {
root,
tracked_files: OnceCell::new(),
};
git_cli.validate()?;
Ok(git_cli)
}
pub fn tracked_files(&self) -> Result<&Utf8Paths0> {
self.tracked_files.get_or_try_init(|| {
let output = self
.git_command()
.args(&["ls-files", "-z"])
.output()
.map_err(|err| SystemError::io("running git ls-files", err))?;
if !output.status.success() {
return Err(SystemError::Exec {
cmd: "git ls-files",
status: output.status,
});
}
Utf8Paths0::from_bytes(output.stdout)
.map_err(|(path, err)| SystemError::NonUtf8Path { path, err })
})
}
pub fn merge_base(&self, commit_ref: &str) -> Result<GitHash> {
let output = self
.git_command()
.args(&["merge-base", "HEAD", commit_ref])
.output()
.map_err(|err| {
SystemError::io(format!("running git merge-base HEAD {}", commit_ref), err)
})?;
if !output.status.success() {
return Err(SystemError::Exec {
cmd: "git merge-base",
status: output.status,
});
}
let stdout = &output.stdout[..(output.stdout.len() - 1)];
GitHash::from_hex(stdout)
}
pub fn files_changed_between<'a>(
&self,
old: impl Into<Cow<'a, OsStr>>,
new: impl Into<Option<Cow<'a, OsStr>>>,
diff_filter: Option<&str>,
) -> Result<Utf8Paths0> {
let mut command = self.git_command();
command.args(&["diff", "-z", "--name-only"]);
if let Some(diff_filter) = diff_filter {
command.arg(format!("--diff-filter={}", diff_filter));
}
command.arg(old.into());
if let Some(new) = new.into() {
command.arg(new);
}
let output = command
.output()
.map_err(|err| SystemError::io("running git diff", err))?;
if !output.status.success() {
return Err(SystemError::Exec {
cmd: "git diff",
status: output.status,
});
}
Utf8Paths0::from_bytes(output.stdout)
.map_err(|(path, err)| SystemError::NonUtf8Path { path, err })
}
pub fn package_graph_at(&self, commit_ref: &GitHash) -> Result<PackageGraph> {
let scratch = self.get_or_init_scratch(commit_ref)?;
MetadataCommand::new()
.current_dir(scratch)
.build_graph()
.map_err(|err| SystemError::guppy("building package graph", err))
}
fn validate(&self) -> Result<()> {
let output = self
.git_command()
.args(&["rev-parse", "--show-toplevel"])
.stderr(Stdio::inherit())
.output()
.map_err(|err| SystemError::io("running git rev-parse --show-toplevel", err))?;
if !output.status.success() {
let msg = formatdoc!(
"unable to find a git repo at {}
(hint: did you download an archive from GitHub? x requires a git clone)",
self.root
);
return Err(SystemError::git_root(msg));
}
let mut git_root_bytes = output.stdout;
git_root_bytes.pop();
let git_root = match String::from_utf8(git_root_bytes) {
Ok(git_root) => git_root,
Err(_) => {
return Err(SystemError::git_root(
"git rev-parse --show-toplevel returned a non-Unicode path",
));
}
};
if self.root != git_root {
let msg = formatdoc!(
"git root expected to be at {}, but actually found at {}
(hint: did you download an archive from GitHub? x requires a git clone)",
self.root,
git_root,
);
return Err(SystemError::git_root(msg));
}
Ok(())
}
fn git_command(&self) -> Command {
let mut command = Command::new("git");
command.current_dir(self.root).stderr(Stdio::inherit());
command
}
fn get_or_init_scratch(&self, hash: &GitHash) -> Result<Utf8PathBuf> {
let mut scratch_dir = self.root.join("target");
scratch_dir.extend(&["x-scratch", "tree"]);
if scratch_dir.is_dir() && self.is_git_repo(&scratch_dir)? {
debug!("Using existing scratch worktree at {}", scratch_dir,);
let output = self
.git_command()
.current_dir(&scratch_dir)
.args(&["reset", &format!("{:x}", hash), "--hard"])
.output()
.map_err(|err| SystemError::io("running git checkout in scratch tree", err))?;
if !output.status.success() {
return Err(SystemError::Exec {
cmd: "git checkout",
status: output.status,
});
}
} else {
if scratch_dir.is_dir() {
std::fs::remove_dir_all(&scratch_dir)
.map_err(|err| SystemError::io("cleaning old scratch_dir", err))?;
}
info!("Setting up scratch worktree in {}", scratch_dir);
let output = self
.git_command()
.args(&["worktree", "add", "-f"])
.arg(&scratch_dir)
.args(&[&format!("{:x}", hash), "--detach"])
.output()
.map_err(|err| SystemError::io("running git worktree add", err))?;
if !output.status.success() {
return Err(SystemError::Exec {
cmd: "git worktree add",
status: output.status,
});
}
}
Ok(scratch_dir)
}
pub fn is_git_repo(&self, dir: &Utf8Path) -> Result<bool> {
let output = self
.git_command()
.current_dir(dir)
.args(&["rev-parse", "--git-dir"])
.output()
.map_err(|err| SystemError::io("checking if a directory is a git repo", err))?;
Ok(output.status.success())
}
}
#[derive(Copy, Clone, Debug, Eq, PartialEq)]
pub struct GitHash([u8; 20]);
impl GitHash {
pub fn from_hex(hex: impl AsRef<[u8]>) -> Result<Self> {
let hex = hex.as_ref();
Ok(GitHash(hex::FromHex::from_hex(hex).map_err(|err| {
SystemError::from_hex(format!("parsing a Git hash: {:?}", hex), err)
})?))
}
}
impl<'a, 'b> From<&'a GitHash> for Cow<'b, OsStr> {
fn from(git_hash: &'a GitHash) -> Cow<'b, OsStr> {
OsString::from(format!("{:x}", git_hash)).into()
}
}
impl fmt::LowerHex for GitHash {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "{}", hex::encode(&self.0))
}
}