generated from EmbarkStudios/opensource-template
-
Notifications
You must be signed in to change notification settings - Fork 7
/
utils.rs
394 lines (327 loc) · 12.4 KB
/
utils.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
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
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
//! Provides several useful functions for determining the disk location of a
//! remote registry index
use crate::{Error, InvalidUrl, InvalidUrlError, PathBuf};
pub mod flock;
#[cfg(feature = "git")]
pub mod git;
/// Returns the storage directory (in utf-8) used by Cargo, often known as
/// `.cargo` or `CARGO_HOME`
#[inline]
pub fn cargo_home() -> Result<crate::PathBuf, crate::Error> {
Ok(crate::PathBuf::from_path_buf(home::cargo_home()?)?)
}
/// Encodes a slice of bytes into a hexadecimal string to the specified buffer
pub(crate) fn encode_hex<'out, const I: usize, const O: usize>(
input: &[u8; I],
output: &'out mut [u8; O],
) -> &'out str {
assert_eq!(I * 2, O);
const CHARS: &[u8] = b"0123456789abcdef";
for (i, &byte) in input.iter().enumerate() {
let i = i * 2;
output[i] = CHARS[(byte >> 4) as usize];
output[i + 1] = CHARS[(byte & 0xf) as usize];
}
// SAFETY: we only emit ASCII hex characters
#[allow(unsafe_code)]
unsafe {
std::str::from_utf8_unchecked(output)
}
}
/// The details for a remote url
pub struct UrlDir {
/// The unique directory name for the url
pub dir_name: String,
/// The canonical url for the remote url
pub canonical: String,
}
/// Canonicalizes a `git+` url the same as cargo
pub fn canonicalize_url(url: &str) -> Result<String, Error> {
let url = url.strip_prefix("git+").unwrap_or(url);
let scheme_ind = url.find("://").map(|i| i + 3).ok_or_else(|| InvalidUrl {
url: url.to_owned(),
source: InvalidUrlError::MissingScheme,
})?;
// Could use the Url crate for this, but it's simple enough and we don't
// need to deal with every possible url (I hope...)
let host = match url[scheme_ind..].find('/') {
Some(end) => &url[scheme_ind..scheme_ind + end],
None => &url[scheme_ind..],
};
// trim port
let host = host.split(':').next().unwrap();
// cargo special cases github.com for reasons, so do the same
let mut canonical = if host == "github.com" {
url.to_lowercase()
} else {
url.to_owned()
};
// Chop off any query params/fragments
if let Some(hash) = canonical.rfind('#') {
canonical.truncate(hash);
}
if let Some(query) = canonical.rfind('?') {
canonical.truncate(query);
}
if canonical.ends_with('/') {
canonical.pop();
}
if canonical.ends_with(".git") {
canonical.truncate(canonical.len() - 4);
}
Ok(canonical)
}
/// Converts a url into a relative path and its canonical form
///
/// Cargo uses a small algorithm to create unique directory names for any url
/// so that they can be located in the same root without clashing
///
/// This function currently only supports 3 different URL kinds.
///
/// * `(?:registry+)?<git registry url>`
/// * `sparse+<sparse registry url>`
/// * `git+<git repo url>`
#[allow(deprecated)]
pub fn url_to_local_dir(url: &str) -> Result<UrlDir, Error> {
use std::hash::{Hash, Hasher, SipHasher};
const GIT_REPO: u64 = 0;
const GIT_REGISTRY: u64 = 2;
const SPARSE_REGISTRY: u64 = 3;
// Ensure we have a registry or bare url
let (url, scheme_ind, kind) = {
let mut scheme_ind = url.find("://").ok_or_else(|| InvalidUrl {
url: url.to_owned(),
source: InvalidUrlError::MissingScheme,
})?;
let scheme_str = &url[..scheme_ind];
let (url, kind) = match scheme_str.split_once('+') {
Some(("sparse", _)) => (url, SPARSE_REGISTRY),
// If there is no scheme modifier, assume git registry, same as cargo
None => (url, GIT_REGISTRY),
Some(("registry", _)) => {
scheme_ind -= 9;
(&url[9..], GIT_REGISTRY)
}
Some(("git", _)) => {
scheme_ind -= 4;
(&url[4..], GIT_REPO)
}
Some((_, _)) => {
return Err(InvalidUrl {
url: url.to_owned(),
source: InvalidUrlError::UnknownSchemeModifier,
}
.into());
}
};
(url, scheme_ind + 3, kind)
};
let (dir_name, url) = if kind == GIT_REPO {
let canonical = canonicalize_url(url)?;
// For git repo sources, the ident is made up of the last path component
// which for most git hosting providers is the name of the repo itself
// rather than the other parts of the path that indicate user/org, but
// the hash is the hash of the full canonical url so still unique even
// for repos with the same name, but different org/user owners
let mut dir_name = canonical
.split('/')
.next_back()
.unwrap_or("_empty")
.to_owned();
let hash = {
let mut hasher = SipHasher::new_with_keys(0, 0);
canonical.hash(&mut hasher);
hasher.finish()
};
let mut raw_ident = [0u8; 16];
let ident = encode_hex(&hash.to_le_bytes(), &mut raw_ident);
dir_name.push('-');
dir_name.push_str(ident);
(dir_name, canonical)
} else {
let hash = {
let mut hasher = SipHasher::new_with_keys(0, 0);
kind.hash(&mut hasher);
url.hash(&mut hasher);
hasher.finish()
};
let mut raw_ident = [0u8; 16];
let ident = encode_hex(&hash.to_le_bytes(), &mut raw_ident);
// Could use the Url crate for this, but it's simple enough and we don't
// need to deal with every possible url (I hope...)
let host = match url[scheme_ind..].find('/') {
Some(end) => &url[scheme_ind..scheme_ind + end],
None => &url[scheme_ind..],
};
// trim port
let host = host.split(':').next().unwrap();
let host = host.split_once('@').map_or(host, |(_user, host)| host);
(format!("{host}-{ident}"), url.to_owned())
};
Ok(UrlDir {
dir_name,
canonical: url,
})
}
/// Get the disk location of the specified url, as well as its canonical form
///
/// If not specified, the root directory is the user's default cargo home
pub fn get_index_details(url: &str, root: Option<PathBuf>) -> Result<(PathBuf, String), Error> {
let url_dir = url_to_local_dir(url)?;
let mut path = match root {
Some(path) => path,
None => cargo_home()?,
};
path.push("registry");
path.push("index");
path.push(url_dir.dir_name);
Ok((path, url_dir.canonical))
}
use std::io;
/// Parses the output of `cargo -V` to get the semver
///
/// This handles the 2? cases that I am aware of
///
/// 1. Official cargo prints `cargo <semver>(?:-<channel>)? (<sha1[..7]> <date>)`
/// 2. Non-official builds may drop the additional metadata and just print `cargo <semver>`
#[inline]
fn parse_cargo_semver(s: &str) -> Result<semver::Version, Error> {
let semver = s.trim().split(' ').nth(1).ok_or_else(|| {
io::Error::new(
io::ErrorKind::InvalidData,
"cargo version information was in an invalid format",
)
})?;
Ok(semver.parse()?)
}
/// Retrieves the current version of cargo being used
pub fn cargo_version(working_dir: Option<&crate::Path>) -> Result<semver::Version, Error> {
let mut cargo = std::process::Command::new(
std::env::var_os("CARGO")
.as_deref()
.unwrap_or(std::ffi::OsStr::new("cargo")),
);
cargo.arg("-V");
if let Some(wd) = working_dir {
cargo.current_dir(wd);
}
cargo.stdout(std::process::Stdio::piped());
let output = cargo.output()?;
if !output.status.success() {
return Err(io::Error::new(
io::ErrorKind::Other,
"failed to request cargo version information",
)
.into());
}
let stdout = String::from_utf8(output.stdout)
.map_err(|err| io::Error::new(io::ErrorKind::InvalidData, err))?;
parse_cargo_semver(&stdout)
}
#[cfg(test)]
mod test {
use super::{get_index_details, url_to_local_dir};
use crate::PathBuf;
#[test]
fn canonicalizes_git_urls() {
let super::UrlDir { dir_name, canonical } = url_to_local_dir("git+https://github.com/EmbarkStudios/cpal.git?rev=d59b4de#d59b4decf72a96932a1482cc27fe4c0b50c40d32").unwrap();
assert_eq!("https://github.com/embarkstudios/cpal", canonical);
assert_eq!("cpal-a7ffd7cabefac714", dir_name);
let super::UrlDir {
dir_name,
canonical,
} = url_to_local_dir("git+https://github.com/gfx-rs/genmesh?rev=71abe4d").unwrap();
assert_eq!("https://github.com/gfx-rs/genmesh", canonical);
assert_eq!("genmesh-401fe503e87439cc", dir_name);
// For registry urls, even if they come from github, they are _not_ canonicalized
// and their exact url (other than the registry+ scheme modifier) is used
// for the hash calculation, as technically URLs are case sensitive, but
// in practice doesn't matter for connection purposes
let super::UrlDir {
dir_name,
canonical,
} = url_to_local_dir("registry+https://github.com/Rust-Lang/crates.io-index").unwrap();
assert_eq!("https://github.com/Rust-Lang/crates.io-index", canonical);
assert_eq!("git.luolix.top-016fae53232cc64d", dir_name);
// cargo treats github.com specially (eg lowercasing), but it _always_
// strips the .git extension if it exists
let super::UrlDir {
dir_name,
canonical,
} = url_to_local_dir("git+https://gitlab.com/gilrs-project/gilrs.git?rev=1bbec17").unwrap();
assert_eq!("https://gitlab.com/gilrs-project/gilrs", canonical);
assert_eq!("gilrs-7804d1d6a17891c9", dir_name);
let super::UrlDir {
dir_name,
canonical,
} = url_to_local_dir("ssh://git@github.com/rust-lang/crates.io-index.git").unwrap();
assert_eq!(
"ssh://git@github.com/rust-lang/crates.io-index.git",
canonical
);
assert_eq!("git.luolix.top-01dba724c7458575", dir_name);
}
#[test]
fn matches_cargo() {
assert_eq!(
get_index_details(crate::CRATES_IO_INDEX, Some(PathBuf::new())).unwrap(),
(
"registry/index/git.luolix.top-1ecc6299db9ec823".into(),
crate::CRATES_IO_INDEX.to_owned()
)
);
assert_eq!(
get_index_details(crate::CRATES_IO_HTTP_INDEX, Some(PathBuf::new())).unwrap(),
(
"registry/index/index.crates.io-6f17d22bba15001f".into(),
crate::CRATES_IO_HTTP_INDEX.to_owned(),
)
);
const NON_CRATES_IO_GITHUB: &str = "https://github.com/EmbarkStudios/cargo-test-index";
assert_eq!(
get_index_details(NON_CRATES_IO_GITHUB, Some(PathBuf::new())).unwrap(),
(
"registry/index/git.luolix.top-655148e0a865c9e0".into(),
NON_CRATES_IO_GITHUB.to_owned(),
)
);
const NON_GITHUB_INDEX: &str =
"https://dl.cloudsmith.io/public/embark/deny/cargo/index.git";
assert_eq!(
get_index_details(NON_GITHUB_INDEX, Some(PathBuf::new())).unwrap(),
(
"registry/index/dl.cloudsmith.io-955e041deb7d37e6".into(),
NON_GITHUB_INDEX.to_owned(),
)
);
// Just verifies that any non git+ or sparse+ url is treated as a git
// registry for purposes of hashing
const FAKE_REGISTRY: &str = "https://github.com/RustSec/advisory-db";
assert_eq!(
url_to_local_dir(FAKE_REGISTRY).unwrap().dir_name,
"git.luolix.top-a946fc29ac602819"
);
}
#[test]
fn gets_cargo_version() {
const MINIMUM: semver::Version = semver::Version::new(1, 70, 0);
let version = super::cargo_version(None).unwrap();
assert!(version >= MINIMUM);
}
#[test]
fn parses_cargo_semver() {
use super::parse_cargo_semver as pcs;
assert_eq!(
pcs("cargo 1.71.0 (cfd3bbd8f 2023-06-08)\n").unwrap(),
semver::Version::new(1, 71, 0)
);
assert_eq!(
pcs("cargo 1.73.0-nightly (7ac9416d8 2023-07-24)\n").unwrap(),
"1.73.0-nightly".parse().unwrap()
);
assert_eq!(
pcs("cargo 1.70.0\n").unwrap(),
semver::Version::new(1, 70, 0)
);
}
}