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
use blake2b_simd::Params;
use color_eyre::{
eyre::{bail, eyre, WrapErr},
Result,
};
use crates_index::BareIndex;
use semver::{Version, VersionReq};
use serde::Serialize;
use std::path::PathBuf;
use structopt::{clap::arg_enum, StructOpt};
static DEFAULT_INDEX_URL: &str = "https://github.com/rust-lang/crates.io-index";
#[derive(Debug, StructOpt)]
#[doc(hidden)]
pub struct Args {
#[structopt(long)]
index_path: Option<PathBuf>,
#[structopt(long = "req", default_value)]
version_req: VersionReq,
#[structopt(long, short = "c", default_value)]
cache_version: u64,
#[structopt(long, possible_values = &MessageFormat::variants(), case_insensitive = true, default_value = "plain")]
message_format: MessageFormat,
crate_name: String,
}
const BLAKE2B_PREFIX: &str = "blake2b24:";
const BLAKE2B_HASH_LEN: usize = 24;
const MAX_VERSIONS_IN_ERR: usize = 8;
arg_enum! {
#[derive(Copy, Clone, Debug)]
#[allow(non_camel_case_types)]
enum MessageFormat {
toml,
plain,
json,
github,
}
}
impl Args {
pub fn exec(self) -> Result<()> {
let index = match &self.index_path {
Some(path) => BareIndex::with_path(path.clone(), DEFAULT_INDEX_URL),
None => BareIndex::new_cargo_default(),
};
let mut repo = index.open_or_clone().wrap_err_with(|| {
format!(
"opening or cloning index at {} failed",
index.path().display()
)
})?;
repo.retrieve()
.wrap_err_with(|| format!("updating index at {} failed", index.path().display()))?;
let crate_ = repo
.crate_(&self.crate_name)
.ok_or_else(|| eyre!("crate {} not found", &self.crate_name))?;
let mut matching_versions: Vec<Version> = crate_
.versions()
.iter()
.filter_map(|version| {
let version = match version.version().parse::<Version>() {
Ok(version) => version,
Err(_) => {
return None;
}
};
if self.version_req.matches(&version) {
Some(version)
} else {
None
}
})
.collect();
matching_versions.sort_unstable();
let output = match matching_versions.last() {
Some(found_version) => {
let mut params = Params::new();
let mut state = params.hash_length(BLAKE2B_HASH_LEN).to_state();
state.update(crate_.name().as_bytes());
state.update(b"\0");
state.update(found_version.to_string().as_bytes());
state.update(b"\0");
state.update(&self.cache_version.to_be_bytes());
let blake2b_hash = state.finalize();
let blake2b_hex = blake2b_hash.to_hex();
let hash_str = BLAKE2B_PREFIX.to_owned() + blake2b_hex.as_str();
Output {
crate_name: crate_.name().to_owned(),
version: found_version.clone(),
hash: hash_str,
}
}
None => {
let versions = crate_.versions();
let latest_versions: Vec<_> = crate_
.versions()
.iter()
.rev()
.take(8)
.map(|v| v.version())
.collect();
let versions_found_str = latest_versions.join(", ");
let and_more = if versions.len() > MAX_VERSIONS_IN_ERR {
format!(" and {} more", versions.len() - MAX_VERSIONS_IN_ERR)
} else {
String::new()
};
bail!(
"for crate {}, no matching versions for req {} (versions found: {}{})",
crate_.name(),
self.version_req,
versions_found_str,
and_more,
);
}
};
match self.message_format {
MessageFormat::plain => {
println!(
"{} {} (hash: {})",
output.crate_name, output.version, output.hash
);
}
MessageFormat::toml => {
println!(r#"{} = "{}""#, output.crate_name, output.version);
}
MessageFormat::json => {
let json = serde_json::to_string(&output).wrap_err_with(|| {
format!("couldn't serialize serde output for {:?}", output)
})?;
println!("{}", json);
}
MessageFormat::github => {
println!("::set-output name=crate-name::{}", output.crate_name);
println!("::set-output name=version::{}", output.version);
println!("::set-output name=hash::{}", output.hash);
}
}
Ok(())
}
}
#[derive(Debug, Serialize)]
#[serde(rename_all = "kebab-case")]
struct Output {
crate_name: String,
version: Version,
hash: String,
}