Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit 2f0d41a

Browse files
committedNov 6, 2023
Auto merge of #117122 - ferrocene:pa-configure-git-diff, r=albertlarsan68
Allow configuring the parent GitHub repository The git integration in build_helper hardcoded `rust-lang/rust` as the parent GitHub repository, and `master` as the branch name. This works great for `rust-lang/rust`, but causes problems in downstream forks like Ferrocene whenever those functions are invoked (like `./x fmt`). In `src/stage0.json` there was already a configuration key for the name of the nightly branch, but it wasn't used by build_helper. This PR adds the `github_repository` key to the file, and requires both values to be passed to build_helper whenever a git function is called. This will allow downstream forks to tweak the values.
2 parents b049093 + 580fa0c commit 2f0d41a

File tree

11 files changed

+96
-21
lines changed

11 files changed

+96
-21
lines changed
 

‎src/bootstrap/src/core/build_steps/format.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -89,7 +89,7 @@ fn get_modified_rs_files(build: &Builder<'_>) -> Result<Option<Vec<String>>, Str
8989
return Ok(None);
9090
}
9191

92-
get_git_modified_files(Some(&build.config.src), &vec!["rs"])
92+
get_git_modified_files(&build.config.git_config(), Some(&build.config.src), &vec!["rs"])
9393
}
9494

9595
#[derive(serde_derive::Deserialize)]

‎src/bootstrap/src/core/build_steps/llvm.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -132,8 +132,8 @@ pub(crate) fn detect_llvm_sha(config: &Config, is_git: bool) -> String {
132132
// walk back further to the last bors merge commit that actually changed LLVM. The first
133133
// step will fail on CI because only the `auto` branch exists; we just fall back to `HEAD`
134134
// in that case.
135-
let closest_upstream =
136-
get_git_merge_base(Some(&config.src)).unwrap_or_else(|_| "HEAD".into());
135+
let closest_upstream = get_git_merge_base(&config.git_config(), Some(&config.src))
136+
.unwrap_or_else(|_| "HEAD".into());
137137
let mut rev_list = config.git();
138138
rev_list.args(&[
139139
PathBuf::from("rev-list"),

‎src/bootstrap/src/core/build_steps/suggest.rs

+7-2
Original file line numberDiff line numberDiff line change
@@ -9,8 +9,13 @@ use crate::core::builder::Builder;
99

1010
/// Suggests a list of possible `x.py` commands to run based on modified files in branch.
1111
pub fn suggest(builder: &Builder<'_>, run: bool) {
12-
let suggestions =
13-
builder.tool_cmd(Tool::SuggestTests).output().expect("failed to run `suggest-tests` tool");
12+
let git_config = builder.config.git_config();
13+
let suggestions = builder
14+
.tool_cmd(Tool::SuggestTests)
15+
.env("SUGGEST_TESTS_GIT_REPOSITORY", git_config.git_repository)
16+
.env("SUGGEST_TESTS_NIGHTLY_BRANCH", git_config.nightly_branch)
17+
.output()
18+
.expect("failed to run `suggest-tests` tool");
1419

1520
if !suggestions.status.success() {
1621
println!("failed to run `suggest-tests` tool ({})", suggestions.status);

‎src/bootstrap/src/core/build_steps/test.rs

+4
Original file line numberDiff line numberDiff line change
@@ -1877,6 +1877,10 @@ note: if you're sure you want to do this, please open an issue as to why. In the
18771877
cmd.arg("--git-hash");
18781878
}
18791879

1880+
let git_config = builder.config.git_config();
1881+
cmd.arg("--git-repository").arg(git_config.git_repository);
1882+
cmd.arg("--nightly-branch").arg(git_config.nightly_branch);
1883+
18801884
builder.ci_env.force_coloring_in_ci(&mut cmd);
18811885

18821886
#[cfg(feature = "build-metrics")]

‎src/bootstrap/src/core/config/config.rs

+9
Original file line numberDiff line numberDiff line change
@@ -30,6 +30,7 @@ use serde::{Deserialize, Deserializer};
3030
use serde_derive::Deserialize;
3131

3232
pub use crate::core::config::flags::Subcommand;
33+
use build_helper::git::GitConfig;
3334

3435
macro_rules! check_ci_llvm {
3536
($name:expr) => {
@@ -318,6 +319,7 @@ pub struct Stage0Config {
318319
pub artifacts_server: String,
319320
pub artifacts_with_llvm_assertions_server: String,
320321
pub git_merge_commit_email: String,
322+
pub git_repository: String,
321323
pub nightly_branch: String,
322324
}
323325
#[derive(Default, Deserialize, Clone)]
@@ -2009,6 +2011,13 @@ impl Config {
20092011
self.rust_codegen_backends.get(0).cloned()
20102012
}
20112013

2014+
pub fn git_config(&self) -> GitConfig<'_> {
2015+
GitConfig {
2016+
git_repository: &self.stage0_metadata.config.git_repository,
2017+
nightly_branch: &self.stage0_metadata.config.nightly_branch,
2018+
}
2019+
}
2020+
20122021
pub fn check_build_rustc_version(&self, rustc_path: &str) {
20132022
if self.dry_run() {
20142023
return;

‎src/stage0.json

+1
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,7 @@
44
"artifacts_server": "https://ci-artifacts.rust-lang.org/rustc-builds",
55
"artifacts_with_llvm_assertions_server": "https://ci-artifacts.rust-lang.org/rustc-builds-alt",
66
"git_merge_commit_email": "bors@rust-lang.org",
7+
"git_repository": "rust-lang/rust",
78
"nightly_branch": "master"
89
},
910
"__comments": [

‎src/tools/build_helper/src/git.rs

+30-11
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,11 @@
11
use std::process::Stdio;
22
use std::{path::Path, process::Command};
33

4+
pub struct GitConfig<'a> {
5+
pub git_repository: &'a str,
6+
pub nightly_branch: &'a str,
7+
}
8+
49
/// Runs a command and returns the output
510
fn output_result(cmd: &mut Command) -> Result<String, String> {
611
let output = match cmd.stderr(Stdio::inherit()).output() {
@@ -27,7 +32,10 @@ fn output_result(cmd: &mut Command) -> Result<String, String> {
2732
/// upstream https://github.com/rust-lang/rust (fetch)
2833
/// upstream https://github.com/rust-lang/rust (push)
2934
/// ```
30-
pub fn get_rust_lang_rust_remote(git_dir: Option<&Path>) -> Result<String, String> {
35+
pub fn get_rust_lang_rust_remote(
36+
config: &GitConfig<'_>,
37+
git_dir: Option<&Path>,
38+
) -> Result<String, String> {
3139
let mut git = Command::new("git");
3240
if let Some(git_dir) = git_dir {
3341
git.current_dir(git_dir);
@@ -37,8 +45,8 @@ pub fn get_rust_lang_rust_remote(git_dir: Option<&Path>) -> Result<String, Strin
3745

3846
let rust_lang_remote = stdout
3947
.lines()
40-
.find(|remote| remote.contains("rust-lang"))
41-
.ok_or_else(|| "rust-lang/rust remote not found".to_owned())?;
48+
.find(|remote| remote.contains(config.git_repository))
49+
.ok_or_else(|| format!("{} remote not found", config.git_repository))?;
4250

4351
let remote_name =
4452
rust_lang_remote.split('.').nth(1).ok_or_else(|| "remote name not found".to_owned())?;
@@ -76,9 +84,13 @@ pub fn rev_exists(rev: &str, git_dir: Option<&Path>) -> Result<bool, String> {
7684
/// This could be because the user is updating their forked master branch using the GitHub UI
7785
/// and therefore doesn't need an upstream master branch checked out.
7886
/// We will then fall back to origin/master in the hope that at least this exists.
79-
pub fn updated_master_branch(git_dir: Option<&Path>) -> Result<String, String> {
80-
let upstream_remote = get_rust_lang_rust_remote(git_dir)?;
81-
for upstream_master in [format!("{upstream_remote}/master"), format!("origin/master")] {
87+
pub fn updated_master_branch(
88+
config: &GitConfig<'_>,
89+
git_dir: Option<&Path>,
90+
) -> Result<String, String> {
91+
let upstream_remote = get_rust_lang_rust_remote(config, git_dir)?;
92+
let branch = config.nightly_branch;
93+
for upstream_master in [format!("{upstream_remote}/{branch}"), format!("origin/{branch}")] {
8294
if rev_exists(&upstream_master, git_dir)? {
8395
return Ok(upstream_master);
8496
}
@@ -87,8 +99,11 @@ pub fn updated_master_branch(git_dir: Option<&Path>) -> Result<String, String> {
8799
Err(format!("Cannot find any suitable upstream master branch"))
88100
}
89101

90-
pub fn get_git_merge_base(git_dir: Option<&Path>) -> Result<String, String> {
91-
let updated_master = updated_master_branch(git_dir)?;
102+
pub fn get_git_merge_base(
103+
config: &GitConfig<'_>,
104+
git_dir: Option<&Path>,
105+
) -> Result<String, String> {
106+
let updated_master = updated_master_branch(config, git_dir)?;
92107
let mut git = Command::new("git");
93108
if let Some(git_dir) = git_dir {
94109
git.current_dir(git_dir);
@@ -100,10 +115,11 @@ pub fn get_git_merge_base(git_dir: Option<&Path>) -> Result<String, String> {
100115
/// The `extensions` parameter can be used to filter the files by their extension.
101116
/// If `extensions` is empty, all files will be returned.
102117
pub fn get_git_modified_files(
118+
config: &GitConfig<'_>,
103119
git_dir: Option<&Path>,
104120
extensions: &Vec<&str>,
105121
) -> Result<Option<Vec<String>>, String> {
106-
let merge_base = get_git_merge_base(git_dir)?;
122+
let merge_base = get_git_merge_base(config, git_dir)?;
107123

108124
let mut git = Command::new("git");
109125
if let Some(git_dir) = git_dir {
@@ -122,8 +138,11 @@ pub fn get_git_modified_files(
122138
}
123139

124140
/// Returns the files that haven't been added to git yet.
125-
pub fn get_git_untracked_files(git_dir: Option<&Path>) -> Result<Option<Vec<String>>, String> {
126-
let Ok(_updated_master) = updated_master_branch(git_dir) else {
141+
pub fn get_git_untracked_files(
142+
config: &GitConfig<'_>,
143+
git_dir: Option<&Path>,
144+
) -> Result<Option<Vec<String>>, String> {
145+
let Ok(_updated_master) = updated_master_branch(config, git_dir) else {
127146
return Ok(None);
128147
};
129148
let mut git = Command::new("git");

‎src/tools/compiletest/src/common.rs

+12
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,7 @@ use std::process::Command;
88
use std::str::FromStr;
99

1010
use crate::util::{add_dylib_path, PathBufExt};
11+
use build_helper::git::GitConfig;
1112
use lazycell::AtomicLazyCell;
1213
use serde::de::{Deserialize, Deserializer, Error as _};
1314
use std::collections::{HashMap, HashSet};
@@ -370,6 +371,10 @@ pub struct Config {
370371
pub target_cfgs: AtomicLazyCell<TargetCfgs>,
371372

372373
pub nocapture: bool,
374+
375+
// Needed both to construct build_helper::git::GitConfig
376+
pub git_repository: String,
377+
pub nightly_branch: String,
373378
}
374379

375380
impl Config {
@@ -441,6 +446,13 @@ impl Config {
441446
];
442447
ASM_SUPPORTED_ARCHS.contains(&self.target_cfg().arch.as_str())
443448
}
449+
450+
pub fn git_config(&self) -> GitConfig<'_> {
451+
GitConfig {
452+
git_repository: &self.git_repository,
453+
nightly_branch: &self.nightly_branch,
454+
}
455+
}
444456
}
445457

446458
#[derive(Debug, Clone)]

‎src/tools/compiletest/src/header/tests.rs

+2
Original file line numberDiff line numberDiff line change
@@ -126,6 +126,8 @@ impl ConfigBuilder {
126126
self.host.as_deref().unwrap_or("x86_64-unknown-linux-gnu"),
127127
"--target",
128128
self.target.as_deref().unwrap_or("x86_64-unknown-linux-gnu"),
129+
"--git-repository=",
130+
"--nightly-branch=",
129131
];
130132
let mut args: Vec<String> = args.iter().map(ToString::to_string).collect();
131133

‎src/tools/compiletest/src/lib.rs

+9-3
Original file line numberDiff line numberDiff line change
@@ -144,7 +144,9 @@ pub fn parse_config(args: Vec<String>) -> Config {
144144
.optflag("h", "help", "show this message")
145145
.reqopt("", "channel", "current Rust channel", "CHANNEL")
146146
.optflag("", "git-hash", "run tests which rely on commit version being compiled into the binaries")
147-
.optopt("", "edition", "default Rust edition", "EDITION");
147+
.optopt("", "edition", "default Rust edition", "EDITION")
148+
.reqopt("", "git-repository", "name of the git repository", "ORG/REPO")
149+
.reqopt("", "nightly-branch", "name of the git branch for nightly", "BRANCH");
148150

149151
let (argv0, args_) = args.split_first().unwrap();
150152
if args.len() == 1 || args[1] == "-h" || args[1] == "--help" {
@@ -307,6 +309,9 @@ pub fn parse_config(args: Vec<String>) -> Config {
307309
target_cfgs: AtomicLazyCell::new(),
308310

309311
nocapture: matches.opt_present("nocapture"),
312+
313+
git_repository: matches.opt_str("git-repository").unwrap(),
314+
nightly_branch: matches.opt_str("nightly-branch").unwrap(),
310315
}
311316
}
312317

@@ -609,9 +614,10 @@ fn modified_tests(config: &Config, dir: &Path) -> Result<Vec<PathBuf>, String> {
609614
return Ok(vec![]);
610615
}
611616
let files =
612-
get_git_modified_files(Some(dir), &vec!["rs", "stderr", "fixed"])?.unwrap_or(vec![]);
617+
get_git_modified_files(&config.git_config(), Some(dir), &vec!["rs", "stderr", "fixed"])?
618+
.unwrap_or(vec![]);
613619
// Add new test cases to the list, it will be convenient in daily development.
614-
let untracked_files = get_git_untracked_files(None)?.unwrap_or(vec![]);
620+
let untracked_files = get_git_untracked_files(&config.git_config(), None)?.unwrap_or(vec![]);
615621

616622
let all_paths = [&files[..], &untracked_files[..]].concat();
617623
let full_paths = {

‎src/tools/suggest-tests/src/main.rs

+19-2
Original file line numberDiff line numberDiff line change
@@ -1,10 +1,17 @@
11
use std::process::ExitCode;
22

3-
use build_helper::git::get_git_modified_files;
3+
use build_helper::git::{get_git_modified_files, GitConfig};
44
use suggest_tests::get_suggestions;
55

66
fn main() -> ExitCode {
7-
let modified_files = get_git_modified_files(None, &Vec::new());
7+
let modified_files = get_git_modified_files(
8+
&GitConfig {
9+
git_repository: &env("SUGGEST_TESTS_GIT_REPOSITORY"),
10+
nightly_branch: &env("SUGGEST_TESTS_NIGHTLY_BRANCH"),
11+
},
12+
None,
13+
&Vec::new(),
14+
);
815
let modified_files = match modified_files {
916
Ok(Some(files)) => files,
1017
Ok(None) => {
@@ -25,3 +32,13 @@ fn main() -> ExitCode {
2532

2633
ExitCode::SUCCESS
2734
}
35+
36+
fn env(key: &str) -> String {
37+
match std::env::var(key) {
38+
Ok(var) => var,
39+
Err(err) => {
40+
eprintln!("suggest-tests: failed to read environment variable {key}: {err}");
41+
std::process::exit(1);
42+
}
43+
}
44+
}

0 commit comments

Comments
 (0)
Please sign in to comment.