Skip to content

Commit 740f4e0

Browse files
committed
Refactor command outcome handling
To handle the case of failing to start a `BootstrapCommand`.
1 parent b46d089 commit 740f4e0

File tree

2 files changed

+85
-44
lines changed

2 files changed

+85
-44
lines changed

src/bootstrap/src/lib.rs

+47-30
Original file line numberDiff line numberDiff line change
@@ -23,13 +23,12 @@ use std::fmt::Display;
2323
use std::fs::{self, File};
2424
use std::io;
2525
use std::path::{Path, PathBuf};
26-
use std::process::{Command, Stdio};
26+
use std::process::{Command, Output, Stdio};
2727
use std::str;
2828
use std::sync::OnceLock;
2929

3030
use build_helper::ci::{gha, CiEnv};
3131
use build_helper::exit;
32-
use build_helper::util::fail;
3332
use filetime::FileTime;
3433
use sha2::digest::Digest;
3534
use termcolor::{ColorChoice, StandardStream, WriteColor};
@@ -973,43 +972,61 @@ impl Build {
973972

974973
self.verbose(|| println!("running: {command:?}"));
975974

976-
let output: io::Result<CommandOutput> = match command.output_mode {
977-
OutputMode::Print => command.command.status().map(|status| status.into()),
978-
OutputMode::CaptureAll => command.command.output().map(|o| o.into()),
975+
let output: io::Result<Output> = match command.output_mode {
976+
OutputMode::Print => command.command.status().map(|status| Output {
977+
status,
978+
stdout: vec![],
979+
stderr: vec![],
980+
}),
981+
OutputMode::CaptureAll => command.command.output(),
979982
OutputMode::CaptureStdout => {
980983
command.command.stderr(Stdio::inherit());
981-
command.command.output().map(|o| o.into())
984+
command.command.output()
982985
}
983986
};
984987

985-
let output = match output {
986-
Ok(output) => output,
987-
Err(e) => fail(&format!("failed to execute command: {command:?}\nerror: {e}")),
988-
};
989-
if !output.is_success() {
990-
use std::fmt::Write;
991-
992-
// Here we build an error message, and below we decide if it should be printed or not.
993-
let mut message = String::new();
994-
writeln!(
995-
message,
996-
"\n\nCommand {command:?} did not execute successfully.\
988+
use std::fmt::Write;
989+
990+
let mut message = String::new();
991+
let output: CommandOutput = match output {
992+
// Command has succeeded
993+
Ok(output) if output.status.success() => output.into(),
994+
// Command has started, but then it failed
995+
Ok(output) => {
996+
writeln!(
997+
message,
998+
"\n\nCommand {command:?} did not execute successfully.\
997999
\nExpected success, got: {}",
998-
output.status(),
999-
)
1000-
.unwrap();
1001-
1002-
// If the output mode is OutputMode::Print, the output has already been printed to
1003-
// stdout/stderr, and we thus don't have anything captured to print anyway.
1004-
if matches!(command.output_mode, OutputMode::CaptureAll | OutputMode::CaptureStdout) {
1005-
writeln!(message, "\nSTDOUT ----\n{}", output.stdout().trim()).unwrap();
1000+
output.status,
1001+
)
1002+
.unwrap();
1003+
1004+
let output: CommandOutput = output.into();
1005+
// If the output mode is OutputMode::Print, the output has already been printed to
1006+
// stdout/stderr, and we thus don't have anything captured to print anyway.
1007+
if matches!(command.output_mode, OutputMode::CaptureAll | OutputMode::CaptureStdout)
1008+
{
1009+
writeln!(message, "\nSTDOUT ----\n{}", output.stdout().trim()).unwrap();
10061010

1007-
// Stderr is added to the message only if it was captured
1008-
if matches!(command.output_mode, OutputMode::CaptureAll) {
1009-
writeln!(message, "\nSTDERR ----\n{}", output.stderr().trim()).unwrap();
1011+
// Stderr is added to the message only if it was captured
1012+
if matches!(command.output_mode, OutputMode::CaptureAll) {
1013+
writeln!(message, "\nSTDERR ----\n{}", output.stderr().trim()).unwrap();
1014+
}
10101015
}
1016+
output
10111017
}
1012-
1018+
// The command did not even start
1019+
Err(e) => {
1020+
writeln!(
1021+
message,
1022+
"\n\nCommand {command:?} did not execute successfully.\
1023+
\nIt was not possible to execute the command: {e:?}"
1024+
)
1025+
.unwrap();
1026+
CommandOutput::did_not_start()
1027+
}
1028+
};
1029+
if !output.is_success() {
10131030
match command.failure_behavior {
10141031
BehaviorOnFailure::DelayFail => {
10151032
if self.fail_fast {

src/bootstrap/src/utils/exec.rs

+38-14
Original file line numberDiff line numberDiff line change
@@ -132,50 +132,74 @@ impl From<Command> for BootstrapCommand {
132132
}
133133
}
134134

135+
/// Represents the outcome of starting a command.
136+
enum CommandOutcome {
137+
/// The command has started and finished with some status.
138+
Finished(ExitStatus),
139+
/// It was not even possible to start the command.
140+
DidNotStart,
141+
}
142+
135143
/// Represents the output of an executed process.
136144
#[allow(unused)]
137-
pub struct CommandOutput(Output);
145+
pub struct CommandOutput {
146+
outcome: CommandOutcome,
147+
stdout: Vec<u8>,
148+
stderr: Vec<u8>,
149+
}
138150

139151
impl CommandOutput {
152+
pub fn did_not_start() -> Self {
153+
Self { outcome: CommandOutcome::DidNotStart, stdout: vec![], stderr: vec![] }
154+
}
155+
140156
pub fn is_success(&self) -> bool {
141-
self.0.status.success()
157+
match self.outcome {
158+
CommandOutcome::Finished(status) => status.success(),
159+
CommandOutcome::DidNotStart => false,
160+
}
142161
}
143162

144163
pub fn is_failure(&self) -> bool {
145164
!self.is_success()
146165
}
147166

148-
pub fn status(&self) -> ExitStatus {
149-
self.0.status
167+
pub fn status(&self) -> Option<ExitStatus> {
168+
match self.outcome {
169+
CommandOutcome::Finished(status) => Some(status),
170+
CommandOutcome::DidNotStart => None,
171+
}
150172
}
151173

152174
pub fn stdout(&self) -> String {
153-
String::from_utf8(self.0.stdout.clone()).expect("Cannot parse process stdout as UTF-8")
175+
String::from_utf8(self.stdout.clone()).expect("Cannot parse process stdout as UTF-8")
154176
}
155177

156178
pub fn stdout_if_ok(&self) -> Option<String> {
157179
if self.is_success() { Some(self.stdout()) } else { None }
158180
}
159181

160182
pub fn stderr(&self) -> String {
161-
String::from_utf8(self.0.stderr.clone()).expect("Cannot parse process stderr as UTF-8")
183+
String::from_utf8(self.stderr.clone()).expect("Cannot parse process stderr as UTF-8")
162184
}
163185
}
164186

165187
impl Default for CommandOutput {
166188
fn default() -> Self {
167-
Self(Output { status: Default::default(), stdout: vec![], stderr: vec![] })
189+
Self {
190+
outcome: CommandOutcome::Finished(ExitStatus::default()),
191+
stdout: vec![],
192+
stderr: vec![],
193+
}
168194
}
169195
}
170196

171197
impl From<Output> for CommandOutput {
172198
fn from(output: Output) -> Self {
173-
Self(output)
174-
}
175-
}
176-
177-
impl From<ExitStatus> for CommandOutput {
178-
fn from(status: ExitStatus) -> Self {
179-
Self(Output { status, stdout: vec![], stderr: vec![] })
199+
Self {
200+
outcome: CommandOutcome::Finished(output.status),
201+
stdout: output.stdout,
202+
stderr: output.stderr,
203+
}
180204
}
181205
}

0 commit comments

Comments
 (0)