rust_script_ext/cmd.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438
use flume::{unbounded, Sender};
use itertools::Itertools;
use miette::*;
use std::ffi::OsStr;
use std::io::{Read, Write};
use std::path::Path;
use std::process::*;
/// Describes the handling of a command execution for implementors of [`CommandExecute`].
#[derive(Copy, Clone, Default)]
pub enum Output {
/// Do not print stdout or stderr.
Quiet,
/// Print stdout.
Stdout,
/// Print stderr.
Stderr,
/// Print stdout and stderr. This is the default option.
#[default]
Verbose,
}
/// Execute a command.
///
/// This trait is intended to endow [`Command`] with `execute` and `execute_str`, handling the
/// output of execution for easy use. See the
/// [implementation on `Command`](#impl-CommandExecute-for-Command)
/// for more details.
pub trait CommandExecute {
/// Execute and collect output into a byte buffer.
fn execute(self, output: Output) -> Result<Vec<u8>>;
/// Execute and collect output into string.
fn execute_str(self, output: Output) -> Result<String>
where
Self: CommandString + Sized,
{
let cstr = self.cmd_str();
self.execute(output).and_then(|x| {
String::from_utf8(x)
.into_diagnostic()
.wrap_err("failed to encode stdout to UTF8 string")
.wrap_err_with(|| format!("cmd str: {cstr}"))
})
}
/// Run the command with no capturing IO.
fn run(self) -> Result<()>;
}
/// Run a [`Command`] to completion and handle the output.
///
/// Execution provides a simple way to run a command to completion and capture the outputs.
/// Both stdout and stderr are captured, the `output` argument describes how they should be
/// directed to the parent stdio.
/// By default, output is [`Output::Verbose`] which prints both the stdout and stderr to the terminal.
///
/// The result of the execution is the raw stdout bytes. Use `execute_str` to try to encode this
/// into a `String`.
/// If the command exits with an error (ie [`ExitStatus::success`] is `false`), an error is
/// constructed which includes the captured stderr.
///
/// ```rust,no_run
/// # use rust_script_ext::prelude::*;
/// let ls = cmd!(ls).execute_str(Verbose).unwrap();
/// assert_eq!(&ls, "Cargo.lock
/// Cargo.toml
/// LICENSE
/// local.rs
/// README.md
/// src
/// target
/// template.rs
/// ");
/// ```
impl CommandExecute for Command {
fn execute(mut self, output: Output) -> Result<Vec<u8>> {
// pipe both
let mut child = self
.stdout(Stdio::piped())
.stderr(Stdio::piped())
.spawn()
.into_diagnostic()
.wrap_err_with(|| format!("failed to start cmd: {}", self.cmd_str()))?;
let stdout = child.stdout.take().expect("stdout piped");
let stderr = child.stderr.take().expect("stderr piped");
let (tx_so, rx_so) = unbounded();
let (tx_se, rx_se) = unbounded();
fn fwd(
tx: Sender<Vec<u8>>,
mut rdr: impl Read + Send + 'static,
print: impl Fn(&[u8]) + Send + 'static,
) {
std::thread::spawn(move || {
let buf: &mut [u8] = &mut *Box::new([0u8; 1024 * 4]);
while let Ok(len) = rdr.read(buf) {
if len == 0 {
break;
}
let buf = buf[..len].to_vec();
print(&buf);
let _ = tx.send(buf);
}
});
}
fwd(tx_so, stdout, move |buf| {
if matches!(output, Output::Verbose | Output::Stdout) {
let _ = std::io::stdout().write_all(buf);
}
});
fwd(tx_se, stderr, move |buf| {
if matches!(output, Output::Verbose | Output::Stderr) {
let _ = std::io::stderr().write_all(buf);
}
});
let xs = child
.wait()
.into_diagnostic()
.wrap_err_with(|| format!("failed to execute cmd: {}", self.cmd_str()))?;
if xs.success() {
Ok(rx_so.into_iter().flatten().collect_vec())
} else {
let se = rx_se.into_iter().flatten().collect_vec();
let se = String::from_utf8_lossy(&se).to_string();
Err(Error::new(diagnostic! {
labels = vec![LabeledSpan::at(0..se.len(), "stderr")],
"failed to execute cmd: {}", self.cmd_str(),
})
.with_source_code(se))
}
}
/// Run a command but do not capture IO.
///
/// This provides an error message displaying the command run.
///
/// Use this method when the command being run uses stdio for progress bars/updates.
fn run(mut self) -> Result<()> {
self.status().into_diagnostic().and_then(|x| {
if x.success() {
Ok(())
} else {
Err(miette!("cmd exited with code {}: {}", x, self.cmd_str()))
}
})
}
}
/// Methods on [`Command`] which take `self`.
///
/// This is useful with [`cargs!`](crate::prelude::cargs).
///
/// # Example
/// ```rust
/// # use rust_script_ext::prelude::*;
/// cmd!(ls)
/// .with_args(cargs!(foo/bar, zog))
/// .run()
/// .ok();
/// ```
pub trait CommandBuilder {
/// Akin to [`Command::arg`].
fn with_arg<S: AsRef<OsStr>>(self, arg: S) -> Self;
/// Akin to [`Command::args`].
fn with_args<I, S>(mut self, args: I) -> Self
where
Self: Sized,
I: IntoIterator<Item = S>,
S: AsRef<OsStr>,
{
for a in args {
self = self.with_arg(a);
}
self
}
/// Add the argument if `apply` is `true`.
fn maybe_with_arg<S>(self, apply: bool, arg: S) -> Self
where
Self: Sized,
S: AsRef<OsStr>,
{
if apply {
self.with_arg(arg)
} else {
self
}
}
/// Add the arguments if `apply` is `true`.
fn maybe_with_args<I, S>(self, apply: bool, args: I) -> Self
where
Self: Sized,
I: IntoIterator<Item = S>,
S: AsRef<OsStr>,
{
if apply {
self.with_args(args)
} else {
self
}
}
/// Akin to [`Command::env`].
fn with_env<K, V>(self, key: K, val: V) -> Self
where
K: AsRef<OsStr>,
V: AsRef<OsStr>;
/// Akin to [`Command::envs`].
fn with_envs<I, K, V>(mut self, vars: I) -> Self
where
Self: Sized,
I: IntoIterator<Item = (K, V)>,
K: AsRef<OsStr>,
V: AsRef<OsStr>,
{
for (k, v) in vars {
self = self.with_env(k, v);
}
self
}
/// Akin to [`Command::current_dir`].
fn with_current_dir<P: AsRef<Path>>(self, path: P) -> Self;
/// Pipe `stdout` of _this_ into `next` command.
fn pipe(self, next: Command) -> Result<Self>
where
Self: Sized;
/// Pipe `stderr` of _this_ into `next` command.
fn pipe_stderr(self, next: Command) -> Result<Self>
where
Self: Sized;
}
impl CommandBuilder for Command {
fn with_arg<S: AsRef<OsStr>>(mut self, arg: S) -> Self {
self.arg(arg);
self
}
fn with_env<K, V>(mut self, key: K, val: V) -> Self
where
K: AsRef<OsStr>,
V: AsRef<OsStr>,
{
self.env(key, val);
self
}
fn with_current_dir<P: AsRef<Path>>(mut self, dir: P) -> Self {
self.current_dir(dir);
self
}
fn pipe(mut self, mut next: Command) -> Result<Self> {
let cmd = self
.stdout(Stdio::piped())
.spawn()
.map_err(|e| miette!("encountered error with command {}: {e}", self.cmd_str()))?;
let out = cmd.stdout.expect("piped so should exist");
let stdin = Stdio::from(out);
next.stdin(stdin);
Ok(next)
}
fn pipe_stderr(mut self, mut next: Command) -> Result<Self> {
let cmd = self
.stderr(Stdio::piped())
.spawn()
.map_err(|e| miette!("encountered error with command {}: {e}", self.cmd_str()))?;
let out = cmd.stderr.expect("piped so should exist");
let stdin = Stdio::from(out);
next.stdin(stdin);
Ok(next)
}
}
/// Output [`Command`] as a text string, useful for debugging.
pub trait CommandString {
/// Format the command like a bash string.
fn cmd_str(&self) -> String;
/// Print the command string to stderr.
fn debug_print(self) -> Self
where
Self: Sized,
{
eprintln!("{}", self.cmd_str());
self
}
}
impl CommandString for Command {
fn cmd_str(&self) -> String {
// note that the debug format is unstable and need careful testing/handling
let x = format!("{self:#?}");
// eprintln!("{x}");
let prg = if cfg!(windows) {
x.split_once(' ')
.map(|x| x.0)
.unwrap_or(&x)
.trim_matches('"')
} else {
x.split_once("program:")
.expect("known format")
.1
.split_once(',')
.expect("known format")
.0
.trim()
.trim_matches('"')
};
// eprintln!("{prg}");
self.get_args()
.fold(prg.to_string(), |s, a| s + " " + &*a.to_string_lossy())
}
}
#[cfg(test)]
mod tests {
use super::Output::*;
use super::*;
use crate::prelude::*;
use crate::pretty_print_err;
use insta::assert_snapshot;
#[test]
fn cmd_macro_output() {
let x = cmd!(ls).cmd_str();
assert_eq!(&x, "ls");
let x = cmd!(ls: foo, bar).cmd_str();
assert_eq!(&x, "ls foo bar");
let x = cmd!(ls: {format!("foo")}, bar).cmd_str();
assert_eq!(&x, "ls foo bar");
let x = cmd!(ls: "foo bar").cmd_str();
assert_eq!(&x, r#"ls "foo bar""#);
let x = cmd!(./script.sh: "foo bar").cmd_str();
assert_eq!(&x, r#"./script.sh "foo bar""#);
}
#[test]
fn cmd_execute() {
let x = cmd!(ls).execute_str(Quiet).unwrap();
let mut x = x.trim().split('\n').collect::<Vec<_>>();
x.sort();
assert_eq!(
&x,
&[
"Cargo.lock",
"Cargo.toml",
"LICENSE",
"README.md",
"macros",
"src",
"target",
"template-cargo-script.rs",
"template-rust-script.rs",
]
);
let x = cmd!(ls: "foo").execute_str(Verbose).unwrap_err();
assert_snapshot!("execute-err", pretty_print_err(x));
let x = cmd!(watcmd: "foo").execute_str(Verbose).unwrap_err();
assert_snapshot!("unknown-cmd", pretty_print_err(x));
}
#[test]
fn cmd_naming_with_env() {
let x = cmd!(ls).with_env("YO", "zog").cmd_str();
assert_eq!(&x, "ls");
let x = cmd!(ls: foo, bar).with_env("YO", "zog").cmd_str();
assert_eq!(&x, "ls foo bar");
let x = cmd!(ls: foo, bar)
.with_envs([("YO", "zog"), ("JO", "bar")])
.cmd_str();
assert_eq!(&x, "ls foo bar");
}
#[test]
fn cmd_piping() {
let x = cmd!(ls)
.pipe(cmd!(grep: Cargo.*))
.unwrap()
.execute_str(Quiet)
.unwrap();
let mut x = x.trim().split('\n').collect::<Vec<_>>();
x.sort();
assert_eq!(&x, &["Cargo.lock", "Cargo.toml",]);
let x = cmd!(ls)
.pipe(cmd!(grep: Cargo.*))
.unwrap()
.pipe(cmd!(grep: toml))
.unwrap()
.execute_str(Quiet)
.unwrap();
let mut x = x.trim().split('\n').collect::<Vec<_>>();
x.sort();
assert_eq!(&x, &["Cargo.toml",]);
let x = cmd!(ls: foo)
.pipe_stderr(cmd!(grep: foo))
.unwrap()
.execute_str(Quiet)
.unwrap();
let mut x = x.trim().split('\n').collect::<Vec<_>>();
x.sort();
assert_eq!(&x, &["ls: cannot access 'foo': No such file or directory",]);
}
}