just/src/recipe.rs

367 lines
9.5 KiB
Rust
Raw Normal View History

use crate::common::*;
2017-11-16 23:30:08 -08:00
use std::process::{Command, ExitStatus, Stdio};
2017-11-16 23:30:08 -08:00
/// Return a `RuntimeError::Signal` if the process was terminated by a signal,
/// otherwise return an `RuntimeError::UnknownFailure`
fn error_from_signal(
recipe: &str,
2017-11-16 23:30:08 -08:00
line_number: Option<usize>,
exit_status: ExitStatus,
2017-11-16 23:30:08 -08:00
) -> RuntimeError {
match Platform::signal_from_exit_status(exit_status) {
Some(signal) => RuntimeError::Signal {
recipe,
line_number,
signal,
},
None => RuntimeError::Unknown {
recipe,
line_number,
},
2017-11-16 23:30:08 -08:00
}
}
/// A recipe, e.g. `foo: bar baz`
2017-11-16 23:30:08 -08:00
#[derive(PartialEq, Debug)]
pub(crate) struct Recipe<'a> {
pub(crate) dependencies: Vec<Name<'a>>,
pub(crate) doc: Option<&'a str>,
pub(crate) body: Vec<Line<'a>>,
pub(crate) name: Name<'a>,
pub(crate) parameters: Vec<Parameter<'a>>,
pub(crate) private: bool,
pub(crate) quiet: bool,
pub(crate) shebang: bool,
2017-11-16 23:30:08 -08:00
}
impl<'a> Recipe<'a> {
pub(crate) fn argument_range(&self) -> RangeInclusive<usize> {
self.min_arguments()..=self.max_arguments()
2017-11-16 23:30:08 -08:00
}
pub(crate) fn min_arguments(&self) -> usize {
self
.parameters
.iter()
.filter(|p| p.default.is_none())
.count()
2017-11-16 23:30:08 -08:00
}
pub(crate) fn max_arguments(&self) -> usize {
2017-11-16 23:30:08 -08:00
if self.parameters.iter().any(|p| p.variadic) {
usize::MAX - 1
} else {
self.parameters.len()
}
}
pub(crate) fn name(&self) -> &'a str {
self.name.lexeme()
}
pub(crate) fn line_number(&self) -> usize {
self.name.line
}
pub(crate) fn run(
2017-11-16 23:30:08 -08:00
&self,
context: &RecipeContext<'a>,
arguments: &[&'a str],
dotenv: &BTreeMap<String, String>,
overrides: &BTreeMap<String, String>,
2017-11-17 17:28:06 -08:00
) -> RunResult<'a, ()> {
let config = &context.config;
2018-08-27 18:36:40 -07:00
if config.verbosity.loquacious() {
let color = config.color.stderr().banner();
eprintln!(
"{}===> Running recipe `{}`...{}",
color.prefix(),
self.name,
color.suffix()
);
2017-11-16 23:30:08 -08:00
}
let mut argument_map = BTreeMap::new();
2017-11-16 23:30:08 -08:00
let mut evaluator = AssignmentEvaluator {
assignments: &empty(),
evaluated: empty(),
working_directory: context.working_directory,
scope: &context.scope,
overrides,
config,
dotenv,
};
2017-11-16 23:30:08 -08:00
let mut rest = arguments;
for parameter in &self.parameters {
let value = if rest.is_empty() {
match parameter.default {
Some(ref default) => Cow::Owned(evaluator.evaluate_expression(default, &empty())?),
None => {
return Err(RuntimeError::Internal {
message: "missing parameter without default".to_string(),
});
}
2017-11-16 23:30:08 -08:00
}
} else if parameter.variadic {
let value = Cow::Owned(rest.to_vec().join(" "));
rest = &[];
value
} else {
let value = Cow::Borrowed(rest[0]);
rest = &rest[1..];
value
};
argument_map.insert(parameter.name.lexeme(), value);
2017-11-16 23:30:08 -08:00
}
if self.shebang {
let mut evaluated_lines = vec![];
for line in &self.body {
evaluated_lines.push(evaluator.evaluate_line(&line.fragments, &argument_map)?);
2017-11-16 23:30:08 -08:00
}
if config.dry_run || self.quiet {
2017-11-16 23:30:08 -08:00
for line in &evaluated_lines {
eprintln!("{}", line);
}
}
if config.dry_run {
2017-11-16 23:30:08 -08:00
return Ok(());
}
let tmp = tempfile::Builder::new()
.prefix("just")
.tempdir()
.map_err(|error| RuntimeError::TmpdirIoError {
recipe: self.name(),
io_error: error,
})?;
2017-11-16 23:30:08 -08:00
let mut path = tmp.path().to_path_buf();
path.push(self.name());
2017-11-16 23:30:08 -08:00
{
let mut f = fs::File::create(&path).map_err(|error| RuntimeError::TmpdirIoError {
recipe: self.name(),
io_error: error,
})?;
2017-11-16 23:30:08 -08:00
let mut text = String::new();
// add the shebang
text += &evaluated_lines[0];
text += "\n";
// add blank lines so that lines in the generated script
// have the same line number as the corresponding lines
// in the justfile
for _ in 1..(self.line_number() + 2) {
2017-11-16 23:30:08 -08:00
text += "\n"
}
for line in &evaluated_lines[1..] {
text += line;
text += "\n";
}
if config.verbosity.grandiloquent() {
eprintln!("{}", config.color.doc().stderr().paint(&text));
}
2017-11-16 23:30:08 -08:00
f.write_all(text.as_bytes())
.map_err(|error| RuntimeError::TmpdirIoError {
recipe: self.name(),
io_error: error,
})?;
2017-11-16 23:30:08 -08:00
}
// make the script executable
Platform::set_execute_permission(&path).map_err(|error| RuntimeError::TmpdirIoError {
recipe: self.name(),
io_error: error,
})?;
2017-11-16 23:30:08 -08:00
let shebang_line = evaluated_lines
.first()
2017-11-16 23:30:08 -08:00
.ok_or_else(|| RuntimeError::Internal {
message: "evaluated_lines was empty".to_string(),
2017-11-16 23:30:08 -08:00
})?;
let Shebang {
interpreter,
argument,
} = Shebang::new(shebang_line).ok_or_else(|| RuntimeError::Internal {
message: format!("bad shebang line: {}", shebang_line),
})?;
2017-11-16 23:30:08 -08:00
// create a command to run the script
let mut command =
Platform::make_shebang_command(&path, context.working_directory, interpreter, argument)
.map_err(|output_error| RuntimeError::Cygpath {
recipe: self.name(),
output_error,
})?;
2017-11-16 23:30:08 -08:00
command.export_environment_variables(&context.scope, dotenv)?;
2017-11-16 23:30:08 -08:00
// run it!
match InterruptHandler::guard(|| command.status()) {
Ok(exit_status) => {
if let Some(code) = exit_status.code() {
if code != 0 {
return Err(RuntimeError::Code {
recipe: self.name(),
line_number: None,
code,
});
}
} else {
return Err(error_from_signal(self.name(), None, exit_status));
2017-11-16 23:30:08 -08:00
}
}
Err(io_error) => {
return Err(RuntimeError::Shebang {
recipe: self.name(),
command: interpreter.to_string(),
argument: argument.map(String::from),
io_error,
});
}
2017-11-16 23:30:08 -08:00
};
} else {
let mut lines = self.body.iter().peekable();
let mut line_number = self.line_number() + 1;
2017-11-16 23:30:08 -08:00
loop {
if lines.peek().is_none() {
break;
}
let mut evaluated = String::new();
loop {
if lines.peek().is_none() {
break;
}
let line = lines.next().unwrap();
line_number += 1;
evaluated += &evaluator.evaluate_line(&line.fragments, &argument_map)?;
if line.is_continuation() {
2017-11-16 23:30:08 -08:00
evaluated.pop();
} else {
break;
}
}
let mut command = evaluated.as_str();
let quiet_command = command.starts_with('@');
if quiet_command {
command = &command[1..];
}
if command == "" {
continue;
}
if config.dry_run
|| config.verbosity.loquacious()
|| !((quiet_command ^ self.quiet) || config.quiet)
{
let color = if config.highlight {
config.color.command()
2017-11-16 23:30:08 -08:00
} else {
config.color
2017-11-16 23:30:08 -08:00
};
eprintln!("{}", color.stderr().paint(command));
}
if config.dry_run {
2017-11-16 23:30:08 -08:00
continue;
}
let mut cmd = Command::new(&config.shell);
cmd.current_dir(context.working_directory);
2017-11-16 23:30:08 -08:00
cmd.arg("-cu").arg(command);
if config.quiet {
2017-11-16 23:30:08 -08:00
cmd.stderr(Stdio::null());
cmd.stdout(Stdio::null());
}
cmd.export_environment_variables(&context.scope, dotenv)?;
2017-11-16 23:30:08 -08:00
match InterruptHandler::guard(|| cmd.status()) {
Ok(exit_status) => {
if let Some(code) = exit_status.code() {
if code != 0 {
return Err(RuntimeError::Code {
recipe: self.name(),
line_number: Some(line_number),
code,
});
}
} else {
return Err(error_from_signal(
self.name(),
Some(line_number),
exit_status,
));
2017-11-16 23:30:08 -08:00
}
}
Err(io_error) => {
return Err(RuntimeError::IoError {
recipe: self.name(),
io_error,
});
}
2017-11-16 23:30:08 -08:00
};
}
}
Ok(())
}
}
impl<'src> Keyed<'src> for Recipe<'src> {
fn key(&self) -> &'src str {
self.name.lexeme()
}
}
2017-11-16 23:30:08 -08:00
impl<'a> Display for Recipe<'a> {
fn fmt(&self, f: &mut Formatter) -> Result<(), fmt::Error> {
2017-11-16 23:30:08 -08:00
if let Some(doc) = self.doc {
writeln!(f, "# {}", doc)?;
}
if self.quiet {
write!(f, "@{}", self.name)?;
} else {
write!(f, "{}", self.name)?;
}
2017-11-16 23:30:08 -08:00
for parameter in &self.parameters {
write!(f, " {}", parameter)?;
}
write!(f, ":")?;
for dependency in &self.dependencies {
write!(f, " {}", dependency)?;
}
for (i, line) in self.body.iter().enumerate() {
2017-11-16 23:30:08 -08:00
if i == 0 {
2018-08-27 18:36:40 -07:00
writeln!(f)?;
2017-11-16 23:30:08 -08:00
}
for (j, fragment) in line.fragments.iter().enumerate() {
2017-11-16 23:30:08 -08:00
if j == 0 {
write!(f, " ")?;
}
match fragment {
Fragment::Text { token } => write!(f, "{}", token.lexeme())?,
Fragment::Interpolation { expression, .. } => write!(f, "{{{{{}}}}}", expression)?,
2017-11-16 23:30:08 -08:00
}
}
if i + 1 < self.body.len() {
2018-08-27 18:36:40 -07:00
writeln!(f)?;
2017-11-16 23:30:08 -08:00
}
}
Ok(())
}
}