-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathutil.rs
243 lines (224 loc) · 6.3 KB
/
util.rs
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
use anyhow::Context;
use cargo::{
core::{package::Package, Workspace},
sources::PathSource,
};
use git2::Repository;
use log::{trace, warn};
use std::{collections::HashSet, fs};
use toml_edit::{Document, InlineTable, Item, Table, Value};
pub fn changed_packages<'a>(
ws: &'a Workspace,
reference: &str,
) -> Result<HashSet<Package>, anyhow::Error> {
ws.config()
.shell()
.status("Calculating", format!("git diff since {:}", reference))
.expect("Writing to Shell doesn't fail");
let path = ws.root();
let repo = Repository::open(&path).context("Workspace isn't a git repo")?;
let current_head = repo
.head()
.and_then(|b| b.peel_to_commit())
.and_then(|c| c.tree())
.context("Could not determine current git HEAD")?;
let main = repo
.resolve_reference_from_short_name(reference)
.and_then(|d| d.peel_to_commit())
.and_then(|c| c.tree())
.context("Reference not found in git repository")?;
let diff = repo
.diff_tree_to_tree(Some(¤t_head), Some(&main), None)
.context("Diffing failed")?;
let files = diff
.deltas()
.filter_map(|d| d.new_file().path())
.filter_map(|d| if d.is_file() { d.parent() } else { Some(d) })
.map(|l| path.join(l))
.collect::<Vec<_>>();
trace!("Files changed since: {:#?}", files);
let mut packages = HashSet::new();
for m in members_deep(ws) {
let root = m.root();
for f in files.iter() {
if f.starts_with(root) {
packages.insert(m);
break
}
}
}
Ok(packages)
}
// Find all members of the workspace, into the total depth
pub fn members_deep(ws: &'_ Workspace) -> Vec<Package> {
let mut total_list = Vec::new();
for m in ws.members() {
total_list.push(m.clone());
for dep in m.dependencies() {
let source = dep.source_id();
if source.is_path() {
let dst = source.url().to_file_path().expect("It was just checked before. qed");
let mut src = PathSource::new(&dst, source, ws.config());
let pkg = src.root_package().expect("Path must have a package");
if !ws.is_member(&pkg) {
total_list.push(pkg);
}
}
}
}
total_list
}
/// Run f on every package's manifest, write the doc. Fail on first error
pub fn edit_each<'a, I, F, R>(iter: I, f: F) -> Result<Vec<R>, anyhow::Error>
where
F: Fn(&'a Package, &mut Document) -> Result<R, anyhow::Error>,
I: Iterator<Item = &'a Package>,
{
let mut results = Vec::new();
for pkg in iter {
let manifest_path = pkg.manifest_path();
let content = fs::read_to_string(manifest_path)?;
let mut doc: Document = content.parse()?;
results.push(f(pkg, &mut doc)?);
fs::write(manifest_path, doc.to_string())?;
}
Ok(results)
}
/// Wrap each the different dependency as a mutable item
pub enum DependencyEntry<'a> {
Table(&'a mut Table),
Inline(&'a mut InlineTable),
}
#[derive(Debug, PartialEq, Eq)]
/// The action (should be) taken on the dependency entry
pub enum DependencyAction {
/// Ignored, we didn't touch
Untouched,
/// Entry was changed, needs to be saved
Mutated,
/// Remove this entry and save the manifest
Remove,
}
#[derive(Debug, PartialEq, Eq, Clone)]
/// Which Dependency Section a dependency belongs to
pub enum DependencySection {
/// Just a regular `dependency`
Regular,
/// A `dev-`dependency
Dev,
/// A build dependency
Build,
}
impl DependencySection {
fn key(&self) -> &'static str {
match self {
DependencySection::Regular => "dependencies",
DependencySection::Dev => "dev-dependencies",
DependencySection::Build => "build-dependencies",
}
}
}
/// Iterate through the dependency sections of root, find each
/// dependency entry, that is a subsection and hand it and its name
/// to f. Return the counter of how many times f returned true.
pub fn edit_each_dep<F>(root: &mut Table, f: F) -> u32
where
F: Fn(String, Option<String>, DependencyEntry, DependencySection) -> DependencyAction,
{
let mut counter = 0;
let mut removed = Vec::new();
for case in [DependencySection::Regular, DependencySection::Dev, DependencySection::Build] {
let k = case.key();
let keys = {
if let Some(Item::Table(t)) = &root.get(k) {
t.iter()
.filter_map(|(key, v)| {
if v.is_table() || v.is_inline_table() {
Some(key.to_owned())
} else {
None
}
})
.collect::<Vec<_>>()
} else {
continue
}
};
let t = root.get_mut(k).expect("Exists. qed").as_table_mut().expect("Is table. qed");
for key in keys {
let (name, action) = match t.get_mut(&key) {
Some(Item::Value(Value::InlineTable(info))) => {
let (name, alias) = {
if let Some(name) = info.get("package") {
// is there a rename
(
name.as_str()
.expect("Package is always a string, or cargo would have failed before. qed")
.to_owned(),
Some(key.clone()),
)
} else {
(key.clone(), None)
}
};
(name.clone(), f(name, alias, DependencyEntry::Inline(info), case.clone()))
},
Some(Item::Table(info)) => {
let (name, alias) = {
if let Some(name) = info.get("package") {
// is there a rename
(
name.as_str()
.expect("Package is always a string, or cargo would have failed before. qed")
.to_owned(),
Some(key.clone()),
)
} else {
(key.clone(), None)
}
};
(name.clone(), f(name, alias, DependencyEntry::Table(info), case.clone()))
},
None => continue,
_ => {
warn!("Unsupported dependency format");
(key, DependencyAction::Untouched)
},
};
if action == DependencyAction::Remove {
t.remove(&name);
removed.push(name);
}
if action != DependencyAction::Untouched {
counter += 1;
}
}
}
if !removed.is_empty() {
if let Some(Item::Table(features)) = root.get_mut("features") {
let keys = features.iter().map(|(k, _v)| k.to_owned()).collect::<Vec<_>>();
for feat in keys {
if let Some(Item::Value(Value::Array(deps))) = features.get_mut(&feat) {
let mut to_remove = Vec::new();
for (idx, dep) in deps.iter().enumerate() {
if let Value::String(s) = dep {
if let Some(s) = s.value().trim().split('/').next() {
if removed.contains(&s.to_owned()) {
to_remove.push(idx);
}
}
}
}
if !to_remove.is_empty() {
// remove starting from the end:
to_remove.reverse();
for idx in to_remove {
deps.remove(idx);
}
}
}
}
}
}
counter
}