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