]> git.proxmox.com Git - rustc.git/blame - src/bootstrap/toolstate.rs
New upstream version 1.69.0+dfsg1
[rustc.git] / src / bootstrap / toolstate.rs
CommitLineData
dfeec247 1use crate::builder::{Builder, RunConfig, ShouldRun, Step};
5e7ed085 2use crate::util::t;
9ffffee4 3use serde_derive::{Deserialize, Serialize};
60c5eb7d 4use std::collections::HashMap;
dfeec247 5use std::env;
60c5eb7d 6use std::fmt;
dfeec247
XL
7use std::fs;
8use std::io::{Seek, SeekFrom};
74b04a01 9use std::path::{Path, PathBuf};
dfeec247
XL
10use std::process::Command;
11use std::time;
60c5eb7d
XL
12
13// Each cycle is 42 days long (6 weeks); the last week is 35..=42 then.
14const BETA_WEEK_START: u64 = 35;
15
dfeec247 16#[cfg(target_os = "linux")]
60c5eb7d
XL
17const OS: Option<&str> = Some("linux");
18
19#[cfg(windows)]
20const OS: Option<&str> = Some("windows");
21
dfeec247 22#[cfg(all(not(target_os = "linux"), not(windows)))]
60c5eb7d
XL
23const OS: Option<&str> = None;
24
25type ToolstateData = HashMap<Box<str>, ToolState>;
48663c56 26
5e7ed085 27#[derive(Copy, Clone, Debug, Deserialize, Serialize, PartialEq, PartialOrd)]
ff7c6d11 28#[serde(rename_all = "kebab-case")]
ea8adc8c
XL
29/// Whether a tool can be compiled, tested or neither
30pub enum ToolState {
31 /// The tool compiles successfully, but the test suite fails
ff7c6d11 32 TestFail = 1,
ea8adc8c 33 /// The tool compiles successfully and its test suite passes
ff7c6d11 34 TestPass = 2,
ea8adc8c 35 /// The tool can't even be compiled
ff7c6d11 36 BuildFail = 0,
ea8adc8c
XL
37}
38
60c5eb7d
XL
39impl fmt::Display for ToolState {
40 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
dfeec247
XL
41 write!(
42 f,
43 "{}",
44 match self {
45 ToolState::TestFail => "test-fail",
46 ToolState::TestPass => "test-pass",
47 ToolState::BuildFail => "build-fail",
48 }
49 )
60c5eb7d
XL
50 }
51}
52
60c5eb7d
XL
53/// Number of days after the last promotion of beta.
54/// Its value is 41 on the Tuesday where "Promote master to beta (T-2)" happens.
55/// The Wednesday after this has value 0.
56/// We track this value to prevent regressing tools in the last week of the 6-week cycle.
57fn days_since_beta_promotion() -> u64 {
58 let since_epoch = t!(time::SystemTime::UNIX_EPOCH.elapsed());
59 (since_epoch.as_secs() / 86400 - 20) % 42
60}
61
62// These tools must test-pass on the beta/stable channels.
63//
64// On the nightly channel, their build step must be attempted, but they may not
65// be able to build successfully.
66static STABLE_TOOLS: &[(&str, &str)] = &[
67 ("book", "src/doc/book"),
68 ("nomicon", "src/doc/nomicon"),
69 ("reference", "src/doc/reference"),
70 ("rust-by-example", "src/doc/rust-by-example"),
71 ("edition-guide", "src/doc/edition-guide"),
60c5eb7d
XL
72];
73
74// These tools are permitted to not build on the beta/stable channels.
75//
76// We do require that we checked whether they build or not on the tools builder,
77// though, as otherwise we will be unable to file an issue if they start
78// failing.
79static NIGHTLY_TOOLS: &[(&str, &str)] = &[
60c5eb7d 80 ("embedded-book", "src/doc/embedded-book"),
f9f354fc 81 // ("rustc-dev-guide", "src/doc/rustc-dev-guide"),
60c5eb7d
XL
82];
83
84fn print_error(tool: &str, submodule: &str) {
f9f354fc 85 eprintln!();
60c5eb7d 86 eprintln!("We detected that this PR updated '{}', but its tests failed.", tool);
f9f354fc 87 eprintln!();
60c5eb7d
XL
88 eprintln!("If you do intend to update '{}', please check the error messages above and", tool);
89 eprintln!("commit another update.");
f9f354fc 90 eprintln!();
60c5eb7d
XL
91 eprintln!("If you do NOT intend to update '{}', please ensure you did not accidentally", tool);
92 eprintln!("change the submodule at '{}'. You may ask your reviewer for the", submodule);
93 eprintln!("proper steps.");
064997fb 94 crate::detail_exit(3);
60c5eb7d
XL
95}
96
97fn check_changed_files(toolstates: &HashMap<Box<str>, ToolState>) {
98 // Changed files
99 let output = std::process::Command::new("git")
100 .arg("diff")
101 .arg("--name-status")
102 .arg("HEAD")
103 .arg("HEAD^")
104 .output();
105 let output = match output {
106 Ok(o) => o,
107 Err(e) => {
108 eprintln!("Failed to get changed files: {:?}", e);
064997fb 109 crate::detail_exit(1);
60c5eb7d
XL
110 }
111 };
112
113 let output = t!(String::from_utf8(output.stdout));
114
115 for (tool, submodule) in STABLE_TOOLS.iter().chain(NIGHTLY_TOOLS.iter()) {
74b04a01 116 let changed = output.lines().any(|l| l.starts_with('M') && l.ends_with(submodule));
60c5eb7d
XL
117 eprintln!("Verifying status of {}...", tool);
118 if !changed {
119 continue;
120 }
121
122 eprintln!("This PR updated '{}', verifying if status is 'test-pass'...", submodule);
123 if toolstates[*tool] != ToolState::TestPass {
124 print_error(tool, submodule);
125 }
126 }
127}
128
129#[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
130pub struct ToolStateCheck;
131
132impl Step for ToolStateCheck {
133 type Output = ();
134
74b04a01 135 /// Checks tool state status.
60c5eb7d 136 ///
74b04a01
XL
137 /// This is intended to be used in the `checktools.sh` script. To use
138 /// this, set `save-toolstates` in `config.toml` so that tool status will
139 /// be saved to a JSON file. Then, run `x.py test --no-fail-fast` for all
140 /// of the tools to populate the JSON file. After that is done, this
141 /// command can be run to check for any status failures, and exits with an
142 /// error if there are any.
143 ///
144 /// This also handles publishing the results to the `history` directory of
29967ef6 145 /// the toolstate repo <https://github.com/rust-lang-nursery/rust-toolstate>
74b04a01
XL
146 /// if the env var `TOOLSTATE_PUBLISH` is set. Note that there is a
147 /// *separate* step of updating the `latest.json` file and creating GitHub
148 /// issues and comments in `src/ci/publish_toolstate.sh`, which is only
149 /// performed on master. (The shell/python code is intended to be migrated
150 /// here eventually.)
151 ///
152 /// The rules for failure are:
153 /// * If the PR modifies a tool, the status must be test-pass.
154 /// NOTE: There is intent to change this, see
29967ef6 155 /// <https://github.com/rust-lang/rust/issues/65000>.
74b04a01
XL
156 /// * All "stable" tools must be test-pass on the stable or beta branches.
157 /// * During beta promotion week, a PR is not allowed to "regress" a
158 /// stable tool. That is, the status is not allowed to get worse
159 /// (test-pass to test-fail or build-fail).
60c5eb7d 160 fn run(self, builder: &Builder<'_>) {
487cf647 161 if builder.config.dry_run() {
60c5eb7d
XL
162 return;
163 }
164
165 let days_since_beta_promotion = days_since_beta_promotion();
166 let in_beta_week = days_since_beta_promotion >= BETA_WEEK_START;
167 let is_nightly = !(builder.config.channel == "beta" || builder.config.channel == "stable");
168 let toolstates = builder.toolstates();
169
170 let mut did_error = false;
171
172 for (tool, _) in STABLE_TOOLS.iter().chain(NIGHTLY_TOOLS.iter()) {
173 if !toolstates.contains_key(*tool) {
174 did_error = true;
175 eprintln!("error: Tool `{}` was not recorded in tool state.", tool);
176 }
177 }
178
179 if did_error {
064997fb 180 crate::detail_exit(1);
60c5eb7d
XL
181 }
182
183 check_changed_files(&toolstates);
74b04a01
XL
184 checkout_toolstate_repo();
185 let old_toolstate = read_old_toolstate();
60c5eb7d
XL
186
187 for (tool, _) in STABLE_TOOLS.iter() {
188 let state = toolstates[*tool];
189
190 if state != ToolState::TestPass {
191 if !is_nightly {
192 did_error = true;
193 eprintln!("error: Tool `{}` should be test-pass but is {}", tool, state);
194 } else if in_beta_week {
74b04a01
XL
195 let old_state = old_toolstate
196 .iter()
197 .find(|ts| ts.tool == *tool)
198 .expect("latest.json missing tool")
199 .state();
200 if state < old_state {
201 did_error = true;
202 eprintln!(
203 "error: Tool `{}` has regressed from {} to {} during beta week.",
204 tool, old_state, state
205 );
206 } else {
ba9703b0
XL
207 // This warning only appears in the logs, which most
208 // people won't read. It's mostly here for testing and
209 // debugging.
74b04a01
XL
210 eprintln!(
211 "warning: Tool `{}` is not test-pass (is `{}`), \
212 this should be fixed before beta is branched.",
213 tool, state
214 );
215 }
60c5eb7d 216 }
ba9703b0
XL
217 // `publish_toolstate.py` is responsible for updating
218 // `latest.json` and creating comments/issues warning people
219 // if there is a regression. That all happens in a separate CI
220 // job on the master branch once the PR has passed all tests
221 // on the `auto` branch.
60c5eb7d
XL
222 }
223 }
224
225 if did_error {
064997fb 226 crate::detail_exit(1);
60c5eb7d
XL
227 }
228
229 if builder.config.channel == "nightly" && env::var_os("TOOLSTATE_PUBLISH").is_some() {
ba9703b0 230 commit_toolstate_change(&toolstates);
60c5eb7d
XL
231 }
232 }
233
234 fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
04454e1e 235 run.alias("check-tools")
60c5eb7d
XL
236 }
237
238 fn make_run(run: RunConfig<'_>) {
239 run.builder.ensure(ToolStateCheck);
240 }
241}
242
243impl Builder<'_> {
244 fn toolstates(&self) -> HashMap<Box<str>, ToolState> {
245 if let Some(ref path) = self.config.save_toolstates {
246 if let Some(parent) = path.parent() {
247 // Ensure the parent directory always exists
248 t!(std::fs::create_dir_all(parent));
249 }
dfeec247
XL
250 let mut file =
251 t!(fs::OpenOptions::new().create(true).write(true).read(true).open(path));
60c5eb7d
XL
252
253 serde_json::from_reader(&mut file).unwrap_or_default()
254 } else {
255 Default::default()
256 }
257 }
258
259 /// Updates the actual toolstate of a tool.
260 ///
261 /// The toolstates are saved to the file specified by the key
262 /// `rust.save-toolstates` in `config.toml`. If unspecified, nothing will be
263 /// done. The file is updated immediately after this function completes.
264 pub fn save_toolstate(&self, tool: &str, state: ToolState) {
f035d41b
XL
265 // If we're in a dry run setting we don't want to save toolstates as
266 // that means if we e.g. panic down the line it'll look like we tested
267 // everything (but we actually haven't).
487cf647 268 if self.config.dry_run() {
f035d41b
XL
269 return;
270 }
17df50a5
XL
271 // Toolstate isn't tracked for clippy or rustfmt, but since most tools do, we avoid checking
272 // in all the places we could save toolstate and just do so here.
273 if tool == "clippy-driver" || tool == "rustfmt" {
f035d41b
XL
274 return;
275 }
60c5eb7d
XL
276 if let Some(ref path) = self.config.save_toolstates {
277 if let Some(parent) = path.parent() {
278 // Ensure the parent directory always exists
279 t!(std::fs::create_dir_all(parent));
280 }
dfeec247
XL
281 let mut file =
282 t!(fs::OpenOptions::new().create(true).read(true).write(true).open(path));
60c5eb7d
XL
283
284 let mut current_toolstates: HashMap<Box<str>, ToolState> =
285 serde_json::from_reader(&mut file).unwrap_or_default();
286 current_toolstates.insert(tool.into(), state);
287 t!(file.seek(SeekFrom::Start(0)));
288 t!(file.set_len(0));
289 t!(serde_json::to_writer(file, &current_toolstates));
290 }
291 }
292}
293
74b04a01
XL
294fn toolstate_repo() -> String {
295 env::var("TOOLSTATE_REPO")
296 .unwrap_or_else(|_| "https://github.com/rust-lang-nursery/rust-toolstate.git".to_string())
297}
298
299/// Directory where the toolstate repo is checked out.
300const TOOLSTATE_DIR: &str = "rust-toolstate";
301
302/// Checks out the toolstate repo into `TOOLSTATE_DIR`.
303fn checkout_toolstate_repo() {
304 if let Ok(token) = env::var("TOOLSTATE_REPO_ACCESS_TOKEN") {
305 prepare_toolstate_config(&token);
306 }
307 if Path::new(TOOLSTATE_DIR).exists() {
308 eprintln!("Cleaning old toolstate directory...");
309 t!(fs::remove_dir_all(TOOLSTATE_DIR));
310 }
311
312 let status = Command::new("git")
313 .arg("clone")
314 .arg("--depth=1")
315 .arg(toolstate_repo())
316 .arg(TOOLSTATE_DIR)
317 .status();
318 let success = match status {
319 Ok(s) => s.success(),
320 Err(_) => false,
321 };
322 if !success {
323 panic!("git clone unsuccessful (status: {:?})", status);
324 }
325}
326
327/// Sets up config and authentication for modifying the toolstate repo.
328fn prepare_toolstate_config(token: &str) {
329 fn git_config(key: &str, value: &str) {
330 let status = Command::new("git").arg("config").arg("--global").arg(key).arg(value).status();
331 let success = match status {
332 Ok(s) => s.success(),
333 Err(_) => false,
334 };
335 if !success {
ba9703b0 336 panic!("git config key={} value={} failed (status: {:?})", key, value, status);
74b04a01
XL
337 }
338 }
339
ba9703b0 340 // If changing anything here, then please check that `src/ci/publish_toolstate.sh` is up to date
74b04a01
XL
341 // as well.
342 git_config("user.email", "7378925+rust-toolstate-update@users.noreply.github.com");
343 git_config("user.name", "Rust Toolstate Update");
344 git_config("credential.helper", "store");
345
346 let credential = format!("https://{}:x-oauth-basic@github.com\n", token,);
347 let git_credential_path = PathBuf::from(t!(env::var("HOME"))).join(".git-credentials");
348 t!(fs::write(&git_credential_path, credential));
349}
350
351/// Reads the latest toolstate from the toolstate repo.
352fn read_old_toolstate() -> Vec<RepoState> {
353 let latest_path = Path::new(TOOLSTATE_DIR).join("_data").join("latest.json");
354 let old_toolstate = t!(fs::read(latest_path));
355 t!(serde_json::from_slice(&old_toolstate))
356}
357
60c5eb7d
XL
358/// This function `commit_toolstate_change` provides functionality for pushing a change
359/// to the `rust-toolstate` repository.
360///
361/// The function relies on a GitHub bot user, which should have a Personal access
362/// token defined in the environment variable $TOOLSTATE_REPO_ACCESS_TOKEN. If for
363/// some reason you need to change the token, please update the Azure Pipelines
364/// variable group.
365///
366/// 1. Generate a new Personal access token:
367///
368/// * Login to the bot account, and go to Settings -> Developer settings ->
369/// Personal access tokens
370/// * Click "Generate new token"
371/// * Enable the "public_repo" permission, then click "Generate token"
372/// * Copy the generated token (should be a 40-digit hexadecimal number).
373/// Save it somewhere secure, as the token would be gone once you leave
374/// the page.
375///
376/// 2. Update the variable group in Azure Pipelines
377///
378/// * Ping a member of the infrastructure team to do this.
379///
380/// 4. Replace the email address below if the bot account identity is changed
381///
382/// * See <https://help.github.com/articles/about-commit-email-addresses/>
383/// if a private email by GitHub is wanted.
ba9703b0 384fn commit_toolstate_change(current_toolstate: &ToolstateData) {
60c5eb7d
XL
385 let message = format!("({} CI update)", OS.expect("linux/windows only"));
386 let mut success = false;
387 for _ in 1..=5 {
ba9703b0
XL
388 // Upload the test results (the new commit-to-toolstate mapping) to the toolstate repo.
389 // This does *not* change the "current toolstate"; that only happens post-landing
390 // via `src/ci/docker/publish_toolstate.sh`.
391 publish_test_results(&current_toolstate);
60c5eb7d
XL
392
393 // `git commit` failing means nothing to commit.
394 let status = t!(Command::new("git")
74b04a01 395 .current_dir(TOOLSTATE_DIR)
60c5eb7d
XL
396 .arg("commit")
397 .arg("-a")
398 .arg("-m")
399 .arg(&message)
400 .status());
401 if !status.success() {
402 success = true;
403 break;
404 }
405
406 let status = t!(Command::new("git")
74b04a01 407 .current_dir(TOOLSTATE_DIR)
60c5eb7d
XL
408 .arg("push")
409 .arg("origin")
410 .arg("master")
411 .status());
412 // If we successfully push, exit.
413 if status.success() {
414 success = true;
415 break;
416 }
417 eprintln!("Sleeping for 3 seconds before retrying push");
418 std::thread::sleep(std::time::Duration::from_secs(3));
419 let status = t!(Command::new("git")
74b04a01 420 .current_dir(TOOLSTATE_DIR)
60c5eb7d
XL
421 .arg("fetch")
422 .arg("origin")
423 .arg("master")
424 .status());
425 assert!(status.success());
426 let status = t!(Command::new("git")
74b04a01 427 .current_dir(TOOLSTATE_DIR)
60c5eb7d
XL
428 .arg("reset")
429 .arg("--hard")
430 .arg("origin/master")
431 .status());
432 assert!(status.success());
433 }
434
435 if !success {
436 panic!("Failed to update toolstate repository with new data");
437 }
438}
439
ba9703b0
XL
440/// Updates the "history" files with the latest results.
441///
442/// These results will later be promoted to `latest.json` by the
443/// `publish_toolstate.py` script if the PR passes all tests and is merged to
444/// master.
445fn publish_test_results(current_toolstate: &ToolstateData) {
dfeec247 446 let commit = t!(std::process::Command::new("git").arg("rev-parse").arg("HEAD").output());
60c5eb7d
XL
447 let commit = t!(String::from_utf8(commit.stdout));
448
449 let toolstate_serialized = t!(serde_json::to_string(&current_toolstate));
450
74b04a01
XL
451 let history_path = Path::new(TOOLSTATE_DIR)
452 .join("history")
453 .join(format!("{}.tsv", OS.expect("linux/windows only")));
60c5eb7d
XL
454 let mut file = t!(fs::read_to_string(&history_path));
455 let end_of_first_line = file.find('\n').unwrap();
dfeec247 456 file.insert_str(end_of_first_line, &format!("\n{}\t{}", commit.trim(), toolstate_serialized));
60c5eb7d
XL
457 t!(fs::write(&history_path, file));
458}
459
5e7ed085 460#[derive(Debug, Deserialize)]
60c5eb7d
XL
461struct RepoState {
462 tool: String,
463 windows: ToolState,
464 linux: ToolState,
60c5eb7d 465}
74b04a01
XL
466
467impl RepoState {
468 fn state(&self) -> ToolState {
469 if cfg!(target_os = "linux") {
470 self.linux
471 } else if cfg!(windows) {
472 self.windows
473 } else {
474 unimplemented!()
475 }
476 }
477}