Skip to content

Commit 5fc24e0

Browse files
committed
Add RustcCli
... which stream lines the call to the `rustc` binary. `RustcCli` will be used to decide the host and target libdir in a following commit.
1 parent a6d8c6c commit 5fc24e0

File tree

5 files changed

+156
-1
lines changed

5 files changed

+156
-1
lines changed

Cargo.lock

+1
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

cargo-nextest/Cargo.toml

+3
Original file line numberDiff line numberDiff line change
@@ -41,6 +41,9 @@ swrite.workspace = true
4141
thiserror = "1.0.60"
4242
nextest-workspace-hack.workspace = true
4343

44+
[dev-dependencies]
45+
camino-tempfile = "1.1.1"
46+
4447
[features]
4548
default = ["default-no-update", "self-update"]
4649
experimental-tokio-console = ["nextest-runner/experimental-tokio-console"]

nextest-runner/Cargo.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -31,6 +31,7 @@ cfg-if = "1.0.0"
3131
chrono = "0.4.38"
3232
debug-ignore.workspace = true
3333
display-error-chain = "0.2.0"
34+
duct = "0.13.7"
3435
either = "1.11.0"
3536
futures = "0.3.30"
3637
guppy = "0.17.5"
@@ -130,7 +131,6 @@ self_update = { version = "0.39.0", optional = true }
130131

131132
[dev-dependencies]
132133
color-eyre = { version = "0.6.3", default-features = false }
133-
duct = "0.13.7"
134134
indoc = "2.0.5"
135135
insta = { version = "1.39.0", default-features = false }
136136
maplit = "1.0.2"

nextest-runner/src/lib.rs

+6
Original file line numberDiff line numberDiff line change
@@ -24,6 +24,10 @@ pub mod redact;
2424
pub mod reporter;
2525
pub mod reuse_build;
2626
pub mod runner;
27+
// TODO: move this module to the cargo-nextest crate and make it a private module once we get rid of
28+
// the tests in nextest-runner/tests/integration which depend on this to provide correct host and
29+
// target libdir.
30+
mod rustc_cli;
2731
pub mod show_config;
2832
pub mod signal;
2933
pub mod target_runner;
@@ -34,3 +38,5 @@ mod time;
3438
#[cfg(feature = "self-update")]
3539
pub mod update;
3640
pub mod write_str;
41+
42+
pub use rustc_cli::RustcCli;

nextest-runner/src/rustc_cli.rs

+145
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,145 @@
1+
// Copyright (c) The nextest Contributors
2+
// SPDX-License-Identifier: MIT OR Apache-2.0
3+
4+
use crate::cargo_config::TargetTriple;
5+
use camino::Utf8PathBuf;
6+
use std::{borrow::Cow, path::PathBuf};
7+
8+
/// Create a rustc CLI call.
9+
#[derive(Clone, Debug)]
10+
pub struct RustcCli<'a> {
11+
rustc_path: Utf8PathBuf,
12+
args: Vec<Cow<'a, str>>,
13+
}
14+
15+
impl<'a> RustcCli<'a> {
16+
/// Create a rustc CLI call: `rustc --print target-libdir`.
17+
pub fn print_host_libdir() -> Self {
18+
let mut cli = Self::default();
19+
cli.add_arg("--print").add_arg("target-libdir");
20+
cli
21+
}
22+
23+
/// Create a rustc CLI call: `rustc --print target-libdir --target <triple>`.
24+
pub fn print_target_libdir(triple: &'a TargetTriple) -> Self {
25+
let mut cli = Self::default();
26+
cli.add_arg("--print")
27+
.add_arg("target-libdir")
28+
.add_arg("--target")
29+
.add_arg(triple.platform.triple_str());
30+
cli
31+
}
32+
33+
fn add_arg(&mut self, arg: impl Into<Cow<'a, str>>) -> &mut Self {
34+
self.args.push(arg.into());
35+
self
36+
}
37+
38+
fn to_expression(&self) -> duct::Expression {
39+
duct::cmd(
40+
self.rustc_path.as_str(),
41+
self.args.iter().map(|arg| arg.as_ref()),
42+
)
43+
}
44+
45+
/// Execute the command, capture its standard output, and return the captured output as a
46+
/// [`Vec<u8>`].
47+
pub fn read(&self) -> Option<Vec<u8>> {
48+
let expression = self.to_expression();
49+
log::trace!("Executing command: {:?}", expression);
50+
let output = match expression
51+
.stdout_capture()
52+
.stderr_capture()
53+
.unchecked()
54+
.run()
55+
{
56+
Ok(output) => output,
57+
Err(e) => {
58+
log::debug!("Failed to spawn the child process: {}", e);
59+
return None;
60+
}
61+
};
62+
if !output.status.success() {
63+
log::debug!("The execution of the command failed with {}", output.status);
64+
log::debug!("stdout:");
65+
log::debug!("{}", String::from_utf8_lossy(&output.stdout));
66+
log::debug!("stderr:");
67+
log::debug!("{}", String::from_utf8_lossy(&output.stderr));
68+
return None;
69+
}
70+
Some(output.stdout)
71+
}
72+
}
73+
74+
impl<'a> Default for RustcCli<'a> {
75+
fn default() -> Self {
76+
Self {
77+
rustc_path: rustc_path(),
78+
args: vec![],
79+
}
80+
}
81+
}
82+
83+
fn rustc_path() -> Utf8PathBuf {
84+
match std::env::var_os("RUSTC") {
85+
Some(rustc_path) => PathBuf::from(rustc_path)
86+
.try_into()
87+
.expect("RUSTC env var is not valid UTF-8"),
88+
None => Utf8PathBuf::from("rustc"),
89+
}
90+
}
91+
92+
#[cfg(test)]
93+
mod tests {
94+
use super::*;
95+
use camino_tempfile::Utf8TempDir;
96+
use std::env;
97+
98+
#[test]
99+
fn test_should_run_rustc_version() {
100+
let mut cli = RustcCli::default();
101+
cli.add_arg("--version");
102+
let output = cli.read().expect("rustc --version should run successfully");
103+
let output = String::from_utf8(output).expect("the output should be valid utf-8");
104+
assert!(
105+
output.starts_with("rustc"),
106+
"The output should start with rustc, but the actual output is: {}",
107+
output
108+
);
109+
}
110+
111+
#[test]
112+
fn test_should_respect_rustc_env() {
113+
env::set_var("RUSTC", "cargo");
114+
let mut cli = RustcCli::default();
115+
cli.add_arg("--version");
116+
let output = cli.read().expect("cargo --version should run successfully");
117+
let output = String::from_utf8(output).expect("the output should be valid utf-8");
118+
assert!(
119+
output.starts_with("cargo"),
120+
"The output should start with cargo, but the actual output is: {}",
121+
output
122+
);
123+
}
124+
125+
#[test]
126+
fn test_fail_to_spawn() {
127+
let fake_dir = Utf8TempDir::new().expect("should create the temp dir successfully");
128+
// No OS will allow executing a directory.
129+
env::set_var("RUSTC", fake_dir.path());
130+
let mut cli = RustcCli::default();
131+
cli.add_arg("--version");
132+
let output = cli.read();
133+
assert_eq!(output, None);
134+
}
135+
136+
#[test]
137+
fn test_execute_with_failure() {
138+
let mut cli = RustcCli::default();
139+
// rustc --print Y7uDG1HrrY should fail
140+
cli.add_arg("--print");
141+
cli.add_arg("Y7uDG1HrrY");
142+
let output = cli.read();
143+
assert_eq!(output, None);
144+
}
145+
}

0 commit comments

Comments
 (0)