just/src/lib.rs

1850 lines
56 KiB
Rust
Raw Normal View History

#[cfg(test)]
2016-10-28 19:38:03 -07:00
mod unit;
#[cfg(test)]
mod integration;
2016-10-23 16:43:52 -07:00
mod app;
pub use app::app;
2016-10-22 23:18:26 -07:00
#[macro_use]
extern crate lazy_static;
extern crate regex;
2016-10-07 17:56:52 -07:00
extern crate tempdir;
2016-10-30 16:15:18 -07:00
extern crate itertools;
extern crate ansi_term;
extern crate unicode_width;
use std::io::prelude::*;
use std::{fs, fmt, process, io};
use std::fmt::Display;
use regex::Regex;
use std::collections::{BTreeMap as Map, BTreeSet as Set};
2016-10-07 17:56:52 -07:00
use std::os::unix::fs::PermissionsExt;
macro_rules! warn {
($($arg:tt)*) => {{
extern crate std;
use std::io::prelude::*;
let _ = writeln!(&mut std::io::stderr(), $($arg)*);
}};
}
macro_rules! die {
($($arg:tt)*) => {{
extern crate std;
warn!($($arg)*);
std::process::exit(-1)
}};
}
2016-10-23 16:43:52 -07:00
trait Slurp {
fn slurp(&mut self) -> Result<String, std::io::Error>;
}
impl Slurp for fs::File {
fn slurp(&mut self) -> Result<String, std::io::Error> {
let mut destination = String::new();
self.read_to_string(&mut destination)?;
Ok(destination)
}
}
fn re(pattern: &str) -> Regex {
Regex::new(pattern).unwrap()
}
2016-10-23 16:43:52 -07:00
#[derive(PartialEq, Debug)]
struct Recipe<'a> {
2016-10-31 19:11:27 -07:00
line_number: usize,
name: &'a str,
lines: Vec<Vec<Fragment<'a>>>,
dependencies: Vec<&'a str>,
dependency_tokens: Vec<Token<'a>>,
parameters: Vec<&'a str>,
parameter_tokens: Vec<Token<'a>>,
shebang: bool,
}
2016-10-23 23:38:49 -07:00
#[derive(PartialEq, Debug)]
2016-10-27 09:44:07 -07:00
enum Fragment<'a> {
Text{text: Token<'a>},
Expression{expression: Expression<'a>},
2016-10-16 18:59:49 -07:00
}
#[derive(PartialEq, Debug)]
enum Expression<'a> {
Variable{name: &'a str, token: Token<'a>},
String{raw: &'a str, cooked: String},
2016-10-29 23:39:12 -07:00
Backtick{raw: &'a str, token: Token<'a>},
Concatination{lhs: Box<Expression<'a>>, rhs: Box<Expression<'a>>},
}
impl<'a> Expression<'a> {
fn variables(&'a self) -> Variables<'a> {
Variables {
stack: vec![self],
}
}
}
struct Variables<'a> {
stack: Vec<&'a Expression<'a>>,
}
impl<'a> Iterator for Variables<'a> {
type Item = &'a Token<'a>;
fn next(&mut self) -> Option<&'a Token<'a>> {
match self.stack.pop() {
None | Some(&Expression::String{..}) | Some(&Expression::Backtick{..}) => None,
Some(&Expression::Variable{ref token,..}) => Some(token),
Some(&Expression::Concatination{ref lhs, ref rhs}) => {
self.stack.push(lhs);
self.stack.push(rhs);
self.next()
}
}
}
}
impl<'a> Display for Expression<'a> {
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
match *self {
Expression::Backtick {raw, .. } => write!(f, "`{}`", raw)?,
Expression::Concatination{ref lhs, ref rhs} => write!(f, "{} + {}", lhs, rhs)?,
Expression::String {raw, .. } => write!(f, "\"{}\"", raw)?,
Expression::Variable {name, .. } => write!(f, "{}", name)?,
}
Ok(())
}
}
#[cfg(unix)]
fn error_from_signal(recipe: &str, exit_status: process::ExitStatus) -> RunError {
use std::os::unix::process::ExitStatusExt;
match exit_status.signal() {
Some(signal) => RunError::Signal{recipe: recipe, signal: signal},
None => RunError::UnknownFailure{recipe: recipe},
}
}
#[cfg(windows)]
fn error_from_signal(recipe: &str, exit_status: process::ExitStatus) -> RunError {
RunError::UnknownFailure{recipe: recipe}
}
#[cfg(unix)]
fn backtick_error_from_signal<'a>(
token: &Token<'a>,
exit_status: process::ExitStatus
) -> RunError<'a> {
use std::os::unix::process::ExitStatusExt;
match exit_status.signal() {
Some(signal) => RunError::BacktickSignal{token: token.clone(), signal: signal},
None => RunError::BacktickUnknownFailure{token: token.clone()},
}
}
#[cfg(windows)]
fn backtick_error_from_signal<'a>(
token: &Token<'a>,
exit_status: process::ExitStatus
) -> RunError<'a> {
RunError::BacktickUnknownFailure{token: token.clone()}
}
2016-10-30 16:15:18 -07:00
fn export_env<'a>(
command: &mut process::Command,
scope: &Map<&'a str, String>,
exports: &Set<&'a str>,
) -> Result<(), RunError<'a>> {
for name in exports {
if let Some(value) = scope.get(name) {
command.env(name, value);
} else {
return Err(RunError::InternalError {
message: format!("scope does not contain exported variable `{}`", name),
});
}
}
Ok(())
}
2016-10-29 23:39:12 -07:00
2016-10-30 16:15:18 -07:00
fn run_backtick<'a>(
raw: &str,
token: &Token<'a>,
scope: &Map<&'a str, String>,
exports: &Set<&'a str>,
quiet: bool,
2016-10-30 16:15:18 -07:00
) -> Result<String, RunError<'a>> {
let mut cmd = process::Command::new("sh");
export_env(&mut cmd, scope, exports)?;
2016-10-30 16:15:18 -07:00
cmd.arg("-cu")
.arg(raw);
cmd.stderr(if quiet {
process::Stdio::null()
} else {
process::Stdio::inherit()
});
2016-10-30 16:15:18 -07:00
match cmd.output() {
Ok(output) => {
if let Some(code) = output.status.code() {
if code != 0 {
return Err(RunError::BacktickCode {
2016-10-30 01:27:05 -07:00
token: token.clone(),
code: code,
});
}
} else {
return Err(backtick_error_from_signal(token, output.status));
}
match std::str::from_utf8(&output.stdout) {
Err(error) => Err(RunError::BacktickUtf8Error{token: token.clone(), utf8_error: error}),
Ok(utf8) => {
Ok(if utf8.ends_with('\n') {
&utf8[0..utf8.len()-1]
} else if utf8.ends_with("\r\n") {
&utf8[0..utf8.len()-2]
} else {
utf8
}.to_string())
}
2016-10-29 23:39:12 -07:00
}
}
Err(error) => Err(RunError::BacktickIoError{token: token.clone(), io_error: error}),
2016-10-29 23:39:12 -07:00
}
}
2016-10-03 23:55:55 -07:00
impl<'a> Recipe<'a> {
2016-10-29 21:51:39 -07:00
fn run(
&self,
2016-10-29 21:51:39 -07:00
arguments: &[&'a str],
scope: &Map<&'a str, String>,
2016-10-30 16:15:18 -07:00
exports: &Set<&'a str>,
options: &RunOptions,
2016-10-29 21:51:39 -07:00
) -> Result<(), RunError<'a>> {
let argument_map = arguments .iter().enumerate()
2016-10-31 19:11:27 -07:00
.map(|(i, argument)| (self.parameters[i], *argument)).collect();
2016-10-29 00:55:47 -07:00
let mut evaluator = Evaluator {
evaluated: Map::new(),
scope: scope,
2016-10-30 16:15:18 -07:00
exports: exports,
assignments: &Map::new(),
overrides: &Map::new(),
quiet: options.quiet,
};
2016-10-29 00:14:41 -07:00
2016-10-07 17:56:52 -07:00
if self.shebang {
let mut evaluated_lines = vec![];
for line in &self.lines {
evaluated_lines.push(evaluator.evaluate_line(&line, &argument_map)?);
}
if options.dry_run {
2016-10-30 13:14:39 -07:00
for line in evaluated_lines {
warn!("{}", line);
}
return Ok(());
}
let tmp = tempdir::TempDir::new("just")
.map_err(|error| RunError::TmpdirIoError{recipe: self.name, io_error: error})?;
2016-10-07 17:56:52 -07:00
let mut path = tmp.path().to_path_buf();
path.push(self.name);
{
let mut f = fs::File::create(&path)
.map_err(|error| RunError::TmpdirIoError{recipe: self.name, io_error: error})?;
2016-10-07 17:56:52 -07:00
let mut text = String::new();
// add the shebang
2016-10-29 00:14:41 -07:00
text += &evaluated_lines[0];
2016-10-07 17:56:52 -07:00
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) {
text += "\n"
}
2016-10-29 00:14:41 -07:00
for line in &evaluated_lines[1..] {
text += line;
2016-10-07 17:56:52 -07:00
text += "\n";
}
f.write_all(text.as_bytes())
.map_err(|error| RunError::TmpdirIoError{recipe: self.name, io_error: error})?;
}
2016-10-07 17:56:52 -07:00
// get current permissions
let mut perms = fs::metadata(&path)
.map_err(|error| RunError::TmpdirIoError{recipe: self.name, io_error: error})?
.permissions();
2016-10-07 17:56:52 -07:00
// make the script executable
let current_mode = perms.mode();
perms.set_mode(current_mode | 0o100);
fs::set_permissions(&path, perms)
.map_err(|error| RunError::TmpdirIoError{recipe: self.name, io_error: error})?;
2016-10-07 17:56:52 -07:00
// run it!
2016-10-30 16:15:18 -07:00
let mut command = process::Command::new(path);
export_env(&mut command, scope, exports)?;
2016-10-30 16:15:18 -07:00
match command.status() {
Ok(exit_status) => if let Some(code) = exit_status.code() {
if code != 0 {
return Err(RunError::Code{recipe: self.name, code: code})
}
} else {
return Err(error_from_signal(self.name, exit_status))
},
Err(io_error) => return Err(RunError::TmpdirIoError{
recipe: self.name, io_error: io_error})
};
2016-10-07 17:56:52 -07:00
} else {
for line in &self.lines {
let evaluated = &evaluator.evaluate_line(&line, &argument_map)?;
let mut command = evaluated.as_str();
let quiet_command = command.starts_with('@');
if quiet_command {
2016-10-30 13:14:39 -07:00
command = &command[1..];
}
if options.dry_run || !(quiet_command || options.quiet) {
2016-10-07 17:56:52 -07:00
warn!("{}", command);
2016-10-30 13:14:39 -07:00
}
if options.dry_run {
2016-10-30 13:14:39 -07:00
continue;
2016-10-07 17:56:52 -07:00
}
2016-10-30 16:15:18 -07:00
let mut cmd = process::Command::new("sh");
cmd.arg("-cu").arg(command);
if options.quiet {
cmd.stderr(process::Stdio::null());
cmd.stdout(process::Stdio::null());
}
export_env(&mut cmd, scope, exports)?;
2016-10-30 16:15:18 -07:00
match cmd.status() {
2016-10-07 17:56:52 -07:00
Ok(exit_status) => if let Some(code) = exit_status.code() {
if code != 0 {
return Err(RunError::Code{recipe: self.name, code: code});
2016-10-07 17:56:52 -07:00
}
} else {
return Err(error_from_signal(self.name, exit_status));
2016-10-07 17:56:52 -07:00
},
Err(io_error) => return Err(RunError::IoError{
recipe: self.name, io_error: io_error}),
};
2016-10-07 17:56:52 -07:00
}
2016-10-03 23:55:55 -07:00
}
Ok(())
}
}
2016-10-23 16:43:52 -07:00
impl<'a> Display for Recipe<'a> {
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
write!(f, "{}", self.name)?;
2016-10-31 19:11:27 -07:00
for parameter in &self.parameters {
write!(f, " {}", parameter)?;
2016-10-23 16:43:52 -07:00
}
write!(f, ":")?;
2016-10-23 16:43:52 -07:00
for dependency in &self.dependencies {
write!(f, " {}", dependency)?;
2016-10-23 16:43:52 -07:00
}
2016-10-23 23:38:49 -07:00
2016-10-27 09:44:07 -07:00
for (i, pieces) in self.lines.iter().enumerate() {
2016-10-23 16:43:52 -07:00
if i == 0 {
writeln!(f, "")?;
2016-10-23 16:43:52 -07:00
}
for (j, piece) in pieces.iter().enumerate() {
2016-10-23 23:38:49 -07:00
if j == 0 {
write!(f, " ")?;
2016-10-23 23:38:49 -07:00
}
2016-10-29 21:51:39 -07:00
match *piece {
Fragment::Text{ref text} => write!(f, "{}", text.lexeme)?,
Fragment::Expression{ref expression, ..} =>
write!(f, "{}{}{}", "{{", expression, "}}")?,
2016-10-23 23:38:49 -07:00
}
}
2016-10-27 09:44:07 -07:00
if i + 1 < self.lines.len() {
write!(f, "\n")?;
2016-10-23 16:43:52 -07:00
}
}
Ok(())
}
}
2016-10-29 20:39:21 -07:00
fn resolve_recipes<'a>(
recipes: &Map<&'a str, Recipe<'a>>,
assignments: &Map<&'a str, Expression<'a>>,
2016-10-29 20:39:21 -07:00
text: &'a str,
) -> Result<(), Error<'a>> {
let mut resolver = Resolver {
seen: Set::new(),
2016-10-29 20:39:21 -07:00
stack: vec![],
resolved: Set::new(),
2016-10-29 20:39:21 -07:00
recipes: recipes,
};
for recipe in recipes.values() {
resolver.resolve(&recipe)?;
}
2016-10-29 20:39:21 -07:00
for recipe in recipes.values() {
for line in &recipe.lines {
for fragment in line {
if let Fragment::Expression{ref expression, ..} = *fragment {
for variable in expression.variables() {
let name = variable.lexeme;
2016-10-31 19:11:27 -07:00
if !(assignments.contains_key(name) || recipe.parameters.contains(&name)) {
2016-10-29 20:39:21 -07:00
// There's a borrow issue here that seems too difficult to solve.
// The error derived from the variable token has too short a lifetime,
// so we create a new error from its contents, which do live long
// enough.
//
// I suspect the solution here is to give recipes, pieces, and expressions
// two lifetime parameters instead of one, with one being the lifetime
// of the struct, and the second being the lifetime of the tokens
// that it contains
let error = variable.error(ErrorKind::UndefinedVariable{variable: name});
2016-10-29 20:39:21 -07:00
return Err(Error {
text: text,
index: error.index,
line: error.line,
column: error.column,
width: error.width,
kind: ErrorKind::UndefinedVariable {
2016-10-29 20:39:21 -07:00
variable: &text[error.index..error.index + error.width.unwrap()],
}
});
}
}
}
}
}
}
Ok(())
}
struct Resolver<'a: 'b, 'b> {
stack: Vec<&'a str>,
seen: Set<&'a str>,
resolved: Set<&'a str>,
recipes: &'b Map<&'a str, Recipe<'a>>,
}
impl<'a, 'b> Resolver<'a, 'b> {
fn resolve(&mut self, recipe: &Recipe<'a>) -> Result<(), Error<'a>> {
if self.resolved.contains(recipe.name) {
return Ok(())
}
self.stack.push(recipe.name);
self.seen.insert(recipe.name);
for dependency_token in &recipe.dependency_tokens {
match self.recipes.get(dependency_token.lexeme) {
Some(dependency) => if !self.resolved.contains(dependency.name) {
if self.seen.contains(dependency.name) {
let first = self.stack[0];
self.stack.push(first);
return Err(dependency_token.error(ErrorKind::CircularRecipeDependency {
recipe: recipe.name,
circle: self.stack.iter()
.skip_while(|name| **name != dependency.name)
.cloned().collect()
}));
}
return self.resolve(dependency);
},
None => return Err(dependency_token.error(ErrorKind::UnknownDependency {
recipe: recipe.name,
unknown: dependency_token.lexeme
})),
}
}
self.resolved.insert(recipe.name);
self.stack.pop();
Ok(())
}
}
2016-10-29 20:39:21 -07:00
fn resolve_assignments<'a>(
assignments: &Map<&'a str, Expression<'a>>,
assignment_tokens: &Map<&'a str, Token<'a>>,
2016-10-29 20:39:21 -07:00
) -> Result<(), Error<'a>> {
let mut resolver = AssignmentResolver {
assignments: assignments,
assignment_tokens: assignment_tokens,
stack: vec![],
seen: Set::new(),
evaluated: Set::new(),
2016-10-29 20:39:21 -07:00
};
for name in assignments.keys() {
resolver.resolve_assignment(name)?;
2016-10-29 20:39:21 -07:00
}
Ok(())
}
struct AssignmentResolver<'a: 'b, 'b> {
assignments: &'b Map<&'a str, Expression<'a>>,
assignment_tokens: &'b Map<&'a str, Token<'a>>,
2016-10-29 20:39:21 -07:00
stack: Vec<&'a str>,
seen: Set<&'a str>,
evaluated: Set<&'a str>,
2016-10-29 20:39:21 -07:00
}
impl<'a: 'b, 'b> AssignmentResolver<'a, 'b> {
fn resolve_assignment(&mut self, name: &'a str) -> Result<(), Error<'a>> {
if self.evaluated.contains(name) {
return Ok(());
}
self.seen.insert(name);
self.stack.push(name);
if let Some(expression) = self.assignments.get(name) {
self.resolve_expression(expression)?;
2016-10-29 20:39:21 -07:00
self.evaluated.insert(name);
} else {
return Err(internal_error(format!("attempted to resolve unknown assignment `{}`", name)));
2016-10-29 20:39:21 -07:00
}
Ok(())
}
fn resolve_expression(&mut self, expression: &Expression<'a>) -> Result<(), Error<'a>> {
match *expression {
Expression::Variable{name, ref token} => {
if self.evaluated.contains(name) {
return Ok(());
} else if self.seen.contains(name) {
let token = &self.assignment_tokens[name];
2016-10-29 20:39:21 -07:00
self.stack.push(name);
return Err(token.error(ErrorKind::CircularVariableDependency {
variable: name,
circle: self.stack.clone(),
}));
} else if self.assignments.contains_key(name) {
self.resolve_assignment(name)?;
2016-10-29 20:39:21 -07:00
} else {
return Err(token.error(ErrorKind::UndefinedVariable{variable: name}));
2016-10-29 20:39:21 -07:00
}
}
Expression::Concatination{ref lhs, ref rhs} => {
self.resolve_expression(lhs)?;
self.resolve_expression(rhs)?;
2016-10-29 20:39:21 -07:00
}
2016-10-29 23:39:12 -07:00
Expression::String{..} | Expression::Backtick{..} => {}
2016-10-29 20:39:21 -07:00
}
Ok(())
}
}
2016-10-29 21:51:39 -07:00
fn evaluate_assignments<'a>(
assignments: &Map<&'a str, Expression<'a>>,
overrides: &Map<&str, &str>,
quiet: bool,
) -> Result<Map<&'a str, String>, RunError<'a>> {
2016-10-29 21:51:39 -07:00
let mut evaluator = Evaluator {
assignments: assignments,
evaluated: Map::new(),
2016-10-30 16:15:18 -07:00
exports: &Set::new(),
2016-10-30 03:08:28 -07:00
overrides: overrides,
quiet: quiet,
scope: &Map::new(),
2016-10-29 21:51:39 -07:00
};
2016-10-29 00:14:41 -07:00
2016-10-29 21:51:39 -07:00
for name in assignments.keys() {
evaluator.evaluate_assignment(name)?;
2016-10-29 00:14:41 -07:00
}
2016-10-29 21:51:39 -07:00
Ok(evaluator.evaluated)
2016-10-29 00:14:41 -07:00
}
struct Evaluator<'a: 'b, 'b> {
assignments: &'b Map<&'a str, Expression<'a>>,
evaluated: Map<&'a str, String>,
2016-10-30 16:15:18 -07:00
exports: &'b Set<&'a str>,
overrides: &'b Map<&'b str, &'b str>,
quiet: bool,
scope: &'b Map<&'a str, String>,
}
impl<'a, 'b> Evaluator<'a, 'b> {
fn evaluate_line(
&mut self,
line: &[Fragment<'a>],
arguments: &Map<&str, &str>
) -> Result<String, RunError<'a>> {
let mut evaluated = String::new();
for fragment in line {
match *fragment {
Fragment::Text{ref text} => evaluated += text.lexeme,
Fragment::Expression{ref expression} => {
evaluated += &self.evaluate_expression(expression, arguments)?;
}
}
}
Ok(evaluated)
}
2016-10-29 21:51:39 -07:00
fn evaluate_assignment(&mut self, name: &'a str) -> Result<(), RunError<'a>> {
if self.evaluated.contains_key(name) {
return Ok(());
}
if let Some(expression) = self.assignments.get(name) {
2016-10-30 03:08:28 -07:00
if let Some(value) = self.overrides.get(name) {
self.evaluated.insert(name, value.to_string());
} else {
let value = self.evaluate_expression(expression, &Map::new())?;
2016-10-30 03:08:28 -07:00
self.evaluated.insert(name, value);
}
} else {
return Err(RunError::InternalError {
message: format!("attempted to evaluated unknown assignment {}", name)
});
}
2016-10-29 00:14:41 -07:00
Ok(())
}
fn evaluate_expression(
&mut self,
expression: &Expression<'a>,
arguments: &Map<&str, &str>
2016-10-29 21:51:39 -07:00
) -> Result<String, RunError<'a>> {
Ok(match *expression {
2016-10-29 21:51:39 -07:00
Expression::Variable{name, ..} => {
if self.evaluated.contains_key(name) {
self.evaluated[name].clone()
2016-10-29 00:14:41 -07:00
} else if self.scope.contains_key(name) {
self.scope[name].clone()
2016-10-29 00:14:41 -07:00
} else if self.assignments.contains_key(name) {
self.evaluate_assignment(name)?;
self.evaluated[name].clone()
2016-10-29 00:14:41 -07:00
} else if arguments.contains_key(name) {
arguments[name].to_string()
2016-10-29 00:14:41 -07:00
} else {
return Err(RunError::InternalError {
message: format!("attempted to evaluate undefined variable `{}`", name)
});
2016-10-03 23:55:55 -07:00
}
}
Expression::String{ref cooked, ..} => cooked.clone(),
2016-10-30 16:15:18 -07:00
Expression::Backtick{raw, ref token} => {
run_backtick(raw, token, &self.scope, &self.exports, self.quiet)?
2016-10-30 16:15:18 -07:00
}
Expression::Concatination{ref lhs, ref rhs} => {
self.evaluate_expression(lhs, arguments)?
2016-10-29 21:51:39 -07:00
+
&self.evaluate_expression(rhs, arguments)?
}
})
2016-10-03 23:55:55 -07:00
}
}
2016-10-22 23:18:26 -07:00
#[derive(Debug, PartialEq)]
2016-10-23 16:43:52 -07:00
struct Error<'a> {
2016-10-22 23:18:26 -07:00
text: &'a str,
index: usize,
line: usize,
column: usize,
2016-10-23 16:43:52 -07:00
width: Option<usize>,
2016-10-22 23:18:26 -07:00
kind: ErrorKind<'a>,
}
#[derive(Debug, PartialEq)]
enum ErrorKind<'a> {
CircularRecipeDependency{recipe: &'a str, circle: Vec<&'a str>},
CircularVariableDependency{variable: &'a str, circle: Vec<&'a str>},
2016-10-31 19:11:27 -07:00
DependencyHasParameters{recipe: &'a str, dependency: &'a str},
DuplicateDependency{recipe: &'a str, dependency: &'a str},
2016-10-31 19:11:27 -07:00
DuplicateParameter{recipe: &'a str, parameter: &'a str},
2016-10-23 16:43:52 -07:00
DuplicateRecipe{recipe: &'a str, first: usize},
DuplicateVariable{variable: &'a str},
2016-10-23 16:43:52 -07:00
ExtraLeadingWhitespace,
InconsistentLeadingWhitespace{expected: &'a str, found: &'a str},
InternalError{message: String},
InvalidEscapeSequence{character: char},
MixedLeadingWhitespace{whitespace: &'a str},
OuterShebang,
2016-10-31 19:11:27 -07:00
ParameterShadowsVariable{parameter: &'a str},
UndefinedVariable{variable: &'a str},
UnexpectedToken{expected: Vec<TokenKind>, found: TokenKind},
2016-10-23 16:43:52 -07:00
UnknownDependency{recipe: &'a str, unknown: &'a str},
2016-10-16 18:59:49 -07:00
UnknownStartOfToken,
UnterminatedString,
}
fn internal_error(message: String) -> Error<'static> {
Error {
text: "",
index: 0,
line: 0,
column: 0,
width: None,
kind: ErrorKind::InternalError { message: message }
}
}
fn show_whitespace(text: &str) -> String {
text.chars().map(|c| match c { '\t' => 't', ' ' => 's', _ => c }).collect()
}
2016-10-23 16:43:52 -07:00
fn mixed_whitespace(text: &str) -> bool {
!(text.chars().all(|c| c == ' ') || text.chars().all(|c| c == '\t'))
}
fn maybe_s(n: usize) -> &'static str {
if n == 1 {
""
} else {
"s"
}
}
struct Tick<'a, T: 'a + Display>(&'a T);
impl<'a, T: Display> Display for Tick<'a, T> {
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
write!(f, "`{}`", self.0)
}
}
fn ticks<T: Display>(ts: &[T]) -> Vec<Tick<T>> {
ts.iter().map(Tick).collect()
}
2016-10-30 03:08:28 -07:00
struct And<'a, T: 'a + Display>(&'a [T]);
struct Or <'a, T: 'a + Display>(&'a [T]);
impl<'a, T: Display> Display for And<'a, T> {
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
conjoin(f, self.0, "and")
}
}
2016-10-23 16:43:52 -07:00
impl<'a, T: Display> Display for Or<'a, T> {
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
2016-10-30 03:08:28 -07:00
conjoin(f, self.0, "or")
}
}
fn conjoin<T: Display>(
f: &mut fmt::Formatter,
values: &[T],
conjunction: &str,
) -> Result<(), fmt::Error> {
match values.len() {
2016-10-23 16:43:52 -07:00
0 => {},
1 => write!(f, "{}", values[0])?,
2 => write!(f, "{} {} {}", values[0], conjunction, values[1])?,
2016-10-30 03:08:28 -07:00
_ => for (i, item) in values.iter().enumerate() {
write!(f, "{}", item)?;
2016-10-30 03:08:28 -07:00
if i == values.len() - 1 {
} else if i == values.len() - 2 {
write!(f, ", {} ", conjunction)?;
2016-10-23 16:43:52 -07:00
} else {
write!(f, ", ")?
2016-10-23 16:43:52 -07:00
}
},
}
2016-10-23 16:43:52 -07:00
Ok(())
}
fn write_error_context(
f: &mut fmt::Formatter,
text: &str,
index: usize,
line: usize,
column: usize,
width: Option<usize>,
) -> Result<(), fmt::Error> {
let line_number = line + 1;
let red = maybe_red(f.alternate());
match text.lines().nth(line) {
Some(line) => {
let mut i = 0;
let mut space_column = 0;
let mut space_line = String::new();
let mut space_width = 0;
for c in line.chars() {
if c == '\t' {
space_line.push_str(" ");
if i < column {
space_column += 4;
}
if i >= column && i < column + width.unwrap_or(1) {
space_width += 4;
}
} else {
if i < column {
space_column += unicode_width::UnicodeWidthChar::width(c).unwrap_or(0);
}
if i >= column && i < column + width.unwrap_or(1) {
space_width += unicode_width::UnicodeWidthChar::width(c).unwrap_or(0);
}
space_line.push(c);
}
i += c.len_utf8();
}
let line_number_width = line_number.to_string().len();
write!(f, "{0:1$} |\n", "", line_number_width)?;
write!(f, "{} | {}\n", line_number, space_line)?;
write!(f, "{0:1$} |", "", line_number_width)?;
if width == None {
write!(f, " {0:1$}{2}^{3}", "", space_column, red.prefix(), red.suffix())?;
} else {
write!(f, " {0:1$}{2}{3:^<4$}{5}", "", space_column,
red.prefix(), "", space_width, red.suffix())?;
}
},
None => if index != text.len() {
write!(f, "internal error: Error has invalid line number: {}", line_number)?
},
}
Ok(())
}
fn write_token_error_context(f: &mut fmt::Formatter, token: &Token) -> Result<(), fmt::Error> {
write_error_context(
f,
token.text,
token.index,
token.line,
token.column + token.prefix.len(),
Some(token.lexeme.len())
)
}
fn maybe_red(colors: bool) -> ansi_term::Style {
if colors {
ansi_term::Style::new().fg(ansi_term::Color::Red).bold()
} else {
ansi_term::Style::default()
}
}
fn maybe_bold(colors: bool) -> ansi_term::Style {
if colors {
ansi_term::Style::new().bold()
} else {
ansi_term::Style::default()
}
}
impl<'a> Display for Error<'a> {
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
let red = maybe_red(f.alternate());
let bold = maybe_bold(f.alternate());
write!(f, "{} {}", red.paint("error:"), bold.prefix())?;
2016-10-28 19:56:33 -07:00
match self.kind {
ErrorKind::CircularRecipeDependency{recipe, ref circle} => {
if circle.len() == 2 {
write!(f, "recipe `{}` depends on itself", recipe)?;
} else {
writeln!(f, "recipe `{}` has circular dependency `{}`",
recipe, circle.join(" -> "))?;
}
}
ErrorKind::CircularVariableDependency{variable, ref circle} => {
if circle.len() == 2 {
writeln!(f, "variable `{}` depends on its own value: `{}`",
variable, circle.join(" -> "))?;
} else {
writeln!(f, "variable `{}` depends on its own value: `{}`",
variable, circle.join(" -> "))?;
}
2016-10-23 16:43:52 -07:00
}
ErrorKind::InvalidEscapeSequence{character} => {
writeln!(f, "`\\{}` is not a valid escape sequence",
character.escape_default().collect::<String>())?;
}
2016-10-31 19:11:27 -07:00
ErrorKind::DuplicateParameter{recipe, parameter} => {
writeln!(f, "recipe `{}` has duplicate parameter `{}`", recipe, parameter)?;
2016-10-23 16:43:52 -07:00
}
ErrorKind::DuplicateVariable{variable} => {
writeln!(f, "variable `{}` is has multiple definitions", variable)?;
}
2016-10-23 16:43:52 -07:00
ErrorKind::UnexpectedToken{ref expected, found} => {
writeln!(f, "expected {} but found {}", Or(expected), found)?;
2016-10-23 16:43:52 -07:00
}
ErrorKind::DuplicateDependency{recipe, dependency} => {
writeln!(f, "recipe `{}` has duplicate dependency `{}`", recipe, dependency)?;
2016-10-23 16:43:52 -07:00
}
ErrorKind::DuplicateRecipe{recipe, first} => {
writeln!(f, "recipe `{}` first defined on line {} is redefined on line {}",
recipe, first, self.line)?;
2016-10-23 16:43:52 -07:00
}
2016-10-31 19:11:27 -07:00
ErrorKind::DependencyHasParameters{recipe, dependency} => {
writeln!(f, "recipe `{}` depends on `{}` which requires arguments. \
dependencies may not require arguments", recipe, dependency)?;
2016-10-29 00:14:41 -07:00
}
2016-10-31 19:11:27 -07:00
ErrorKind::ParameterShadowsVariable{parameter} => {
writeln!(f, "parameter `{}` shadows variable of the same name", parameter)?;
}
2016-10-23 16:43:52 -07:00
ErrorKind::MixedLeadingWhitespace{whitespace} => {
writeln!(f,
"found a mix of tabs and spaces in leading whitespace: `{}`\n\
leading whitespace may consist of tabs or spaces, but not both",
2016-10-23 16:43:52 -07:00
show_whitespace(whitespace)
)?;
2016-10-23 16:43:52 -07:00
}
ErrorKind::ExtraLeadingWhitespace => {
writeln!(f, "recipe line has extra leading whitespace")?;
2016-10-23 16:43:52 -07:00
}
ErrorKind::InconsistentLeadingWhitespace{expected, found} => {
writeln!(f,
2016-10-28 20:40:16 -07:00
"inconsistant leading whitespace: recipe started with `{}` but found line with `{}`:",
show_whitespace(expected), show_whitespace(found)
)?;
}
ErrorKind::OuterShebang => {
writeln!(f, "a shebang `#!` is reserved syntax outside of recipes")?;
}
2016-10-23 16:43:52 -07:00
ErrorKind::UnknownDependency{recipe, unknown} => {
writeln!(f, "recipe `{}` has unknown dependency `{}`", recipe, unknown)?;
2016-10-23 16:43:52 -07:00
}
ErrorKind::UndefinedVariable{variable} => {
writeln!(f, "variable `{}` not defined", variable)?;
}
2016-10-16 18:59:49 -07:00
ErrorKind::UnknownStartOfToken => {
writeln!(f, "unknown start of token:")?;
2016-10-16 18:59:49 -07:00
}
ErrorKind::UnterminatedString => {
writeln!(f, "unterminated string")?;
}
2016-10-22 23:18:26 -07:00
ErrorKind::InternalError{ref message} => {
writeln!(f, "internal error, this may indicate a bug in just: {}\n\
consider filing an issue: https://github.com/casey/just/issues/new",
message)?;
2016-10-22 23:18:26 -07:00
}
}
write!(f, "{}", bold.suffix())?;
write_error_context(f, self.text, self.index, self.line, self.column, self.width)
}
}
2016-10-23 16:43:52 -07:00
struct Justfile<'a> {
recipes: Map<&'a str, Recipe<'a>>,
assignments: Map<&'a str, Expression<'a>>,
2016-10-30 16:15:18 -07:00
exports: Set<&'a str>,
}
#[derive(Default)]
struct RunOptions<'a> {
dry_run: bool,
evaluate: bool,
overrides: Map<&'a str, &'a str>,
quiet: bool,
}
2016-10-29 00:14:41 -07:00
impl<'a, 'b> Justfile<'a> where 'a: 'b {
2016-10-23 16:43:52 -07:00
fn first(&self) -> Option<&'a str> {
let mut first: Option<&Recipe<'a>> = None;
for recipe in self.recipes.values() {
if let Some(first_recipe) = first {
if recipe.line_number < first_recipe.line_number {
first = Some(recipe)
}
} else {
first = Some(recipe);
}
}
first.map(|recipe| recipe.name)
}
2016-10-23 16:43:52 -07:00
fn count(&self) -> usize {
2016-10-03 23:55:55 -07:00
self.recipes.len()
}
2016-10-23 16:43:52 -07:00
fn recipes(&self) -> Vec<&'a str> {
2016-10-03 23:55:55 -07:00
self.recipes.keys().cloned().collect()
}
2016-10-30 03:08:28 -07:00
fn run(
&'a self,
2016-10-30 13:14:39 -07:00
arguments: &[&'a str],
options: &RunOptions<'a>,
2016-10-30 03:08:28 -07:00
) -> Result<(), RunError<'a>> {
let unknown_overrides = options.overrides.keys().cloned()
2016-10-30 03:08:28 -07:00
.filter(|name| !self.assignments.contains_key(name))
.collect::<Vec<_>>();
if !unknown_overrides.is_empty() {
return Err(RunError::UnknownOverrides{overrides: unknown_overrides});
}
let scope = evaluate_assignments(&self.assignments, &options.overrides, options.quiet)?;
if options.evaluate {
2016-10-30 13:14:39 -07:00
for (name, value) in scope {
println!("{} = \"{}\"", name, value);
}
return Ok(());
}
let mut ran = Set::new();
2016-10-29 21:51:39 -07:00
2016-10-29 00:14:41 -07:00
for (i, argument) in arguments.iter().enumerate() {
if let Some(recipe) = self.recipes.get(argument) {
2016-10-31 19:11:27 -07:00
if !recipe.parameters.is_empty() {
2016-10-29 00:14:41 -07:00
if i != 0 {
2016-10-31 19:11:27 -07:00
return Err(RunError::NonLeadingRecipeWithParameters{recipe: recipe.name});
2016-10-29 00:14:41 -07:00
}
let rest = &arguments[1..];
2016-10-31 19:11:27 -07:00
if recipe.parameters.len() != rest.len() {
2016-10-29 00:14:41 -07:00
return Err(RunError::ArgumentCountMismatch {
recipe: recipe.name,
found: rest.len(),
2016-10-31 19:11:27 -07:00
expected: recipe.parameters.len(),
2016-10-29 00:14:41 -07:00
});
}
return self.run_recipe(recipe, rest, &scope, &mut ran, options);
2016-10-29 00:14:41 -07:00
}
} else {
break;
}
}
2016-10-03 23:55:55 -07:00
let mut missing = vec![];
2016-10-29 00:14:41 -07:00
for recipe in arguments {
2016-10-03 23:55:55 -07:00
if !self.recipes.contains_key(recipe) {
missing.push(*recipe);
}
}
if !missing.is_empty() {
2016-10-03 23:55:55 -07:00
return Err(RunError::UnknownRecipes{recipes: missing});
}
for recipe in arguments.iter().map(|name| &self.recipes[name]) {
self.run_recipe(recipe, &[], &scope, &mut ran, options)?;
2016-10-03 23:55:55 -07:00
}
Ok(())
}
2016-10-05 16:03:11 -07:00
fn run_recipe<'c>(
&'c self,
recipe: &Recipe<'a>,
2016-10-29 21:51:39 -07:00
arguments: &[&'a str],
scope: &Map<&'c str, String>,
ran: &mut Set<&'a str>,
options: &RunOptions<'a>,
2016-10-29 21:51:39 -07:00
) -> Result<(), RunError> {
for dependency_name in &recipe.dependencies {
if !ran.contains(dependency_name) {
self.run_recipe(&self.recipes[dependency_name], &[], scope, ran, options)?;
2016-10-29 21:51:39 -07:00
}
}
recipe.run(arguments, &scope, &self.exports, options)?;
2016-10-29 21:51:39 -07:00
ran.insert(recipe.name);
Ok(())
}
2016-10-23 16:43:52 -07:00
fn get(&self, name: &str) -> Option<&Recipe<'a>> {
2016-10-05 16:03:11 -07:00
self.recipes.get(name)
}
2016-10-03 23:55:55 -07:00
}
impl<'a> Display for Justfile<'a> {
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
let mut items = self.recipes.len() + self.assignments.len();
for (name, expression) in &self.assignments {
2016-10-30 16:15:18 -07:00
if self.exports.contains(name) {
write!(f, "export ")?;
2016-10-30 16:15:18 -07:00
}
write!(f, "{} = {}", name, expression)?;
items -= 1;
if items != 0 {
write!(f, "\n\n")?;
}
}
for recipe in self.recipes.values() {
write!(f, "{}", recipe)?;
items -= 1;
if items != 0 {
write!(f, "\n\n")?;
}
}
Ok(())
}
}
#[derive(Debug)]
2016-10-23 16:43:52 -07:00
enum RunError<'a> {
2016-10-29 00:14:41 -07:00
ArgumentCountMismatch{recipe: &'a str, found: usize, expected: usize},
2016-10-03 23:55:55 -07:00
Code{recipe: &'a str, code: i32},
InternalError{message: String},
IoError{recipe: &'a str, io_error: io::Error},
2016-10-31 19:11:27 -07:00
NonLeadingRecipeWithParameters{recipe: &'a str},
Signal{recipe: &'a str, signal: i32},
2016-10-07 17:56:52 -07:00
TmpdirIoError{recipe: &'a str, io_error: io::Error},
UnknownFailure{recipe: &'a str},
UnknownRecipes{recipes: Vec<&'a str>},
2016-10-30 03:08:28 -07:00
UnknownOverrides{overrides: Vec<&'a str>},
BacktickCode{token: Token<'a>, code: i32},
BacktickIoError{token: Token<'a>, io_error: io::Error},
BacktickSignal{token: Token<'a>, signal: i32},
BacktickUtf8Error{token: Token<'a>, utf8_error: std::str::Utf8Error},
BacktickUnknownFailure{token: Token<'a>},
2016-10-03 23:55:55 -07:00
}
impl<'a> Display for RunError<'a> {
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
let red = maybe_red(f.alternate());
let bold = maybe_bold(f.alternate());
write!(f, "{} {}", red.paint("error:"), bold.prefix())?;
let mut error_token = None;
match *self {
RunError::UnknownRecipes{ref recipes} => {
write!(f, "Justfile does not contain recipe{} {}",
maybe_s(recipes.len()), Or(&ticks(&recipes)))?;
2016-10-03 23:55:55 -07:00
},
2016-10-30 03:08:28 -07:00
RunError::UnknownOverrides{ref overrides} => {
write!(f, "Variable{} {} overridden on the command line but not present in justfile",
maybe_s(overrides.len()),
And(&overrides.iter().map(Tick).collect::<Vec<_>>()))?;
2016-10-30 03:08:28 -07:00
},
2016-10-31 19:11:27 -07:00
RunError::NonLeadingRecipeWithParameters{recipe} => {
write!(f, "Recipe `{}` takes arguments and so must be the first and only recipe \
specified on the command line", recipe)?;
2016-10-29 00:14:41 -07:00
},
RunError::ArgumentCountMismatch{recipe, found, expected} => {
write!(f, "Recipe `{}` got {} argument{} but {}takes {}",
recipe, found, maybe_s(found),
if expected < found { "only " } else { "" }, expected)?;
},
RunError::Code{recipe, code} => {
write!(f, "Recipe `{}` failed with exit code {}", recipe, code)?;
2016-10-03 23:55:55 -07:00
},
RunError::Signal{recipe, signal} => {
write!(f, "Recipe `{}` wast terminated by signal {}", recipe, signal)?;
}
RunError::UnknownFailure{recipe} => {
write!(f, "Recipe `{}` failed for an unknown reason", recipe)?;
},
RunError::IoError{recipe, ref io_error} => {
match io_error.kind() {
io::ErrorKind::NotFound => write!(f,
"Recipe `{}` could not be run because just could not find `sh` the command:\n{}",
recipe, io_error),
io::ErrorKind::PermissionDenied => write!(
f, "Recipe `{}` could not be run because just could not run `sh`:\n{}",
recipe, io_error),
_ => write!(f, "Recipe `{}` could not be run because of an IO error while \
launching `sh`:\n{}", recipe, io_error),
}?;
},
RunError::TmpdirIoError{recipe, ref io_error} =>
write!(f, "Recipe `{}` could not be run because of an IO error while trying \
to create a temporary directory or write a file to that directory`:\n{}",
recipe, io_error)?,
2016-10-30 01:27:05 -07:00
RunError::BacktickCode{code, ref token} => {
write!(f, "backtick failed with exit code {}\n", code)?;
error_token = Some(token);
}
RunError::BacktickSignal{ref token, signal} => {
write!(f, "backtick was terminated by signal {}", signal)?;
error_token = Some(token);
}
RunError::BacktickUnknownFailure{ref token} => {
write!(f, "backtick failed for an uknown reason")?;
error_token = Some(token);
}
RunError::BacktickIoError{ref token, ref io_error} => {
match io_error.kind() {
io::ErrorKind::NotFound => write!(
f, "backtick could not be run because just could not find `sh` the command:\n{}",
io_error),
io::ErrorKind::PermissionDenied => write!(
f, "backtick could not be run because just could not run `sh`:\n{}", io_error),
_ => write!(f, "backtick could not be run because of an IO \
error while launching `sh`:\n{}", io_error),
}?;
error_token = Some(token);
}
RunError::BacktickUtf8Error{ref token, ref utf8_error} => {
write!(f, "backtick succeeded but stdout was not utf8: {}", utf8_error)?;
error_token = Some(token);
}
2016-10-29 00:55:47 -07:00
RunError::InternalError{ref message} => {
write!(f, "internal error, this may indicate a bug in just: {} \
consider filing an issue: https://github.com/casey/just/issues/new",
message)?;
2016-10-29 00:55:47 -07:00
}
2016-10-03 23:55:55 -07:00
}
2016-10-30 01:27:05 -07:00
write!(f, "{}", bold.suffix())?;
if let Some(token) = error_token {
write_token_error_context(f, token)?;
}
2016-10-03 23:55:55 -07:00
Ok(())
}
}
2016-10-30 01:27:05 -07:00
#[derive(Debug, PartialEq, Clone)]
2016-10-16 18:59:49 -07:00
struct Token<'a> {
2016-10-22 23:18:26 -07:00
index: usize,
2016-10-16 18:59:49 -07:00
line: usize,
2016-10-22 23:18:26 -07:00
column: usize,
2016-10-23 16:43:52 -07:00
text: &'a str,
2016-10-16 18:59:49 -07:00
prefix: &'a str,
lexeme: &'a str,
kind: TokenKind,
2016-10-16 18:59:49 -07:00
}
2016-10-22 23:18:26 -07:00
impl<'a> Token<'a> {
2016-10-23 16:43:52 -07:00
fn error(&self, kind: ErrorKind<'a>) -> Error<'a> {
2016-10-22 23:18:26 -07:00
Error {
2016-10-23 16:43:52 -07:00
text: self.text,
index: self.index + self.prefix.len(),
2016-10-22 23:18:26 -07:00
line: self.line,
2016-10-23 16:43:52 -07:00
column: self.column + self.prefix.len(),
width: Some(self.lexeme.len()),
2016-10-22 23:18:26 -07:00
kind: kind,
}
}
}
2016-10-16 18:59:49 -07:00
#[derive(Debug, PartialEq, Clone, Copy)]
enum TokenKind {
Backtick,
2016-10-16 18:59:49 -07:00
Colon,
Comment,
Dedent,
Eof,
Eol,
Equals,
Indent,
InterpolationEnd,
InterpolationStart,
Line,
Name,
Plus,
StringToken,
2016-10-30 16:56:22 -07:00
RawString,
Text,
2016-10-16 18:59:49 -07:00
}
impl Display for TokenKind {
2016-10-23 16:43:52 -07:00
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
write!(f, "{}", match *self {
Backtick => "backtick",
Colon => "\":\"",
Comment => "comment",
Dedent => "dedent",
Eof => "end of file",
Eol => "end of line",
Equals => "\"=\"",
Indent => "indent",
InterpolationEnd => "}}",
InterpolationStart => "{{",
Line => "command",
Name => "name",
Plus => "\"+\"",
StringToken => "string",
2016-10-30 16:56:22 -07:00
RawString => "raw string",
Text => "command text",
})
2016-10-23 16:43:52 -07:00
}
}
use TokenKind::*;
2016-10-16 18:59:49 -07:00
fn token(pattern: &str) -> Regex {
let mut s = String::new();
s += r"^(?m)([ \t]*)(";
s += pattern;
s += ")";
re(&s)
}
fn tokenize(text: &str) -> Result<Vec<Token>, Error> {
2016-10-22 23:18:26 -07:00
lazy_static! {
static ref BACKTICK: Regex = token(r"`[^`\n\r]*`" );
static ref COLON: Regex = token(r":" );
static ref COMMENT: Regex = token(r"#([^!].*)?$" );
static ref EOF: Regex = token(r"(?-m)$" );
static ref EOL: Regex = token(r"\n|\r\n" );
static ref EQUALS: Regex = token(r"=" );
static ref INTERPOLATION_END: Regex = token(r"[}][}]" );
static ref INTERPOLATION_START_TOKEN: Regex = token(r"[{][{]" );
static ref NAME: Regex = token(r"([a-zA-Z_-][a-zA-Z0-9_-]*)");
static ref PLUS: Regex = token(r"[+]" );
static ref STRING: Regex = token("\"" );
2016-10-30 16:56:22 -07:00
static ref RAW_STRING: Regex = token(r#"'[^'\r\n]*'"# );
2016-10-27 09:44:07 -07:00
static ref INDENT: Regex = re(r"^([ \t]*)[^ \t\n\r]" );
static ref INTERPOLATION_START: Regex = re(r"^[{][{]" );
static ref LEADING_TEXT: Regex = re(r"^(?m)(.+?)[{][{]" );
static ref LINE: Regex = re(r"^(?m)[ \t]+[^ \t\n\r].*$");
2016-10-27 09:44:07 -07:00
static ref TEXT: Regex = re(r"^(?m)(.+)" );
}
#[derive(PartialEq)]
enum State<'a> {
Start,
Indent(&'a str),
Text,
Interpolation,
}
2016-10-16 18:59:49 -07:00
fn indentation(text: &str) -> Option<&str> {
2016-10-22 23:18:26 -07:00
INDENT.captures(text).map(|captures| captures.at(1).unwrap())
2016-10-16 18:59:49 -07:00
}
2016-10-27 09:44:07 -07:00
let mut tokens = vec![];
let mut rest = text;
let mut index = 0;
let mut line = 0;
let mut column = 0;
let mut state = vec![State::Start];
2016-10-22 23:18:26 -07:00
macro_rules! error {
($kind:expr) => {{
Err(Error {
text: text,
index: index,
line: line,
column: column,
2016-10-23 16:43:52 -07:00
width: None,
2016-10-22 23:18:26 -07:00
kind: $kind,
})
}};
}
2016-10-16 18:59:49 -07:00
loop {
2016-10-22 23:18:26 -07:00
if column == 0 {
if let Some(kind) = match (state.last().unwrap(), indentation(rest)) {
2016-10-22 23:18:26 -07:00
// ignore: was no indentation and there still isn't
// or current line is blank
(&State::Start, Some("")) | (_, None) => {
2016-10-22 23:18:26 -07:00
None
}
// indent: was no indentation, now there is
(&State::Start, Some(current)) => {
2016-10-23 16:43:52 -07:00
if mixed_whitespace(current) {
return error!(ErrorKind::MixedLeadingWhitespace{whitespace: current})
}
//indent = Some(current);
state.push(State::Indent(current));
2016-10-16 18:59:49 -07:00
Some(Indent)
}
2016-10-22 23:18:26 -07:00
// dedent: there was indentation and now there isn't
(&State::Indent(_), Some("")) => {
// indent = None;
state.pop();
2016-10-22 23:18:26 -07:00
Some(Dedent)
}
// was indentation and still is, check if the new indentation matches
(&State::Indent(previous), Some(current)) => {
2016-10-16 18:59:49 -07:00
if !current.starts_with(previous) {
2016-10-22 23:18:26 -07:00
return error!(ErrorKind::InconsistentLeadingWhitespace{
expected: previous,
found: current
});
2016-10-16 18:59:49 -07:00
}
None
}
// at column 0 in some other state: this should never happen
(&State::Text, _) | (&State::Interpolation, _) => {
return error!(ErrorKind::InternalError{
message: "unexpected state at column 0".to_string()
});
}
2016-10-16 18:59:49 -07:00
} {
tokens.push(Token {
2016-10-22 23:18:26 -07:00
index: index,
2016-10-16 18:59:49 -07:00
line: line,
2016-10-22 23:18:26 -07:00
column: column,
2016-10-23 16:43:52 -07:00
text: text,
2016-10-16 18:59:49 -07:00
prefix: "",
lexeme: "",
kind: kind,
2016-10-16 18:59:49 -07:00
});
}
}
2016-10-23 16:43:52 -07:00
// insert a dedent if we're indented and we hit the end of the file
if &State::Start != state.last().unwrap() && EOF.is_match(rest) {
tokens.push(Token {
index: index,
line: line,
column: column,
text: text,
prefix: "",
lexeme: "",
kind: Dedent,
});
2016-10-23 16:43:52 -07:00
}
let (prefix, lexeme, kind) =
if let (0, &State::Indent(indent), Some(captures)) =
(column, state.last().unwrap(), LINE.captures(rest)) {
2016-10-16 18:59:49 -07:00
let line = captures.at(0).unwrap();
if !line.starts_with(indent) {
2016-10-22 23:18:26 -07:00
return error!(ErrorKind::InternalError{message: "unexpected indent".to_string()});
2016-10-16 18:59:49 -07:00
}
state.push(State::Text);
(&line[0..indent.len()], "", Line)
} else if let Some(captures) = EOF.captures(rest) {
(captures.at(1).unwrap(), captures.at(2).unwrap(), Eof)
} else if let State::Text = *state.last().unwrap() {
if let Some(captures) = INTERPOLATION_START.captures(rest) {
state.push(State::Interpolation);
("", captures.at(0).unwrap(), InterpolationStart)
} else if let Some(captures) = LEADING_TEXT.captures(rest) {
("", captures.at(1).unwrap(), Text)
} else if let Some(captures) = TEXT.captures(rest) {
("", captures.at(1).unwrap(), Text)
} else if let Some(captures) = EOL.captures(rest) {
state.pop();
(captures.at(1).unwrap(), captures.at(2).unwrap(), Eol)
} else {
return error!(ErrorKind::InternalError{
message: format!("Could not match token in text state: \"{}\"", rest)
});
}
2016-10-27 09:44:07 -07:00
} else if let Some(captures) = INTERPOLATION_START_TOKEN.captures(rest) {
(captures.at(1).unwrap(), captures.at(2).unwrap(), InterpolationStart)
} else if let Some(captures) = INTERPOLATION_END.captures(rest) {
2016-10-27 09:44:07 -07:00
if state.last().unwrap() == &State::Interpolation {
state.pop();
}
(captures.at(1).unwrap(), captures.at(2).unwrap(), InterpolationEnd)
2016-10-22 23:18:26 -07:00
} else if let Some(captures) = NAME.captures(rest) {
2016-10-16 18:59:49 -07:00
(captures.at(1).unwrap(), captures.at(2).unwrap(), Name)
2016-10-22 23:18:26 -07:00
} else if let Some(captures) = EOL.captures(rest) {
if state.last().unwrap() == &State::Interpolation {
return error!(ErrorKind::InternalError {
message: "hit EOL while still in interpolation state".to_string()
});
}
2016-10-16 18:59:49 -07:00
(captures.at(1).unwrap(), captures.at(2).unwrap(), Eol)
} else if let Some(captures) = BACKTICK.captures(rest) {
(captures.at(1).unwrap(), captures.at(2).unwrap(), Backtick)
2016-10-22 23:18:26 -07:00
} else if let Some(captures) = COLON.captures(rest) {
2016-10-16 18:59:49 -07:00
(captures.at(1).unwrap(), captures.at(2).unwrap(), Colon)
} else if let Some(captures) = PLUS.captures(rest) {
(captures.at(1).unwrap(), captures.at(2).unwrap(), Plus)
2016-10-22 23:18:26 -07:00
} else if let Some(captures) = EQUALS.captures(rest) {
2016-10-16 18:59:49 -07:00
(captures.at(1).unwrap(), captures.at(2).unwrap(), Equals)
2016-10-22 23:18:26 -07:00
} else if let Some(captures) = COMMENT.captures(rest) {
2016-10-16 18:59:49 -07:00
(captures.at(1).unwrap(), captures.at(2).unwrap(), Comment)
2016-10-30 16:56:22 -07:00
} else if let Some(captures) = RAW_STRING.captures(rest) {
(captures.at(1).unwrap(), captures.at(2).unwrap(), RawString)
} else if let Some(captures) = STRING.captures(rest) {
let prefix = captures.at(1).unwrap();
let contents = &rest[prefix.len()+1..];
if contents.is_empty() {
return error!(ErrorKind::UnterminatedString);
}
let mut len = 0;
let mut escape = false;
for c in contents.chars() {
if c == '\n' || c == '\r' {
return error!(ErrorKind::UnterminatedString);
} else if !escape && c == '"' {
break;
} else if !escape && c == '\\' {
escape = true;
} else if escape {
escape = false;
}
len += c.len_utf8();
}
let start = prefix.len();
let content_end = start + len + 1;
if escape || content_end >= rest.len() {
return error!(ErrorKind::UnterminatedString);
}
(prefix, &rest[start..content_end + 1], StringToken)
} else if rest.starts_with("#!") {
return error!(ErrorKind::OuterShebang)
2016-10-16 18:59:49 -07:00
} else {
return error!(ErrorKind::UnknownStartOfToken)
2016-10-16 18:59:49 -07:00
};
let len = prefix.len() + lexeme.len();
tokens.push(Token {
2016-10-22 23:18:26 -07:00
index: index,
line: line,
column: column,
2016-10-16 18:59:49 -07:00
prefix: prefix,
2016-10-23 16:43:52 -07:00
text: text,
2016-10-16 18:59:49 -07:00
lexeme: lexeme,
kind: kind,
2016-10-16 18:59:49 -07:00
});
if len == 0 {
let last = tokens.last().unwrap();
match last.kind {
Eof => {},
_ => return Err(last.error(ErrorKind::InternalError{
message: format!("zero length token: {:?}", last)
})),
}
}
match tokens.last().unwrap().kind {
2016-10-16 18:59:49 -07:00
Eol => {
line += 1;
2016-10-22 23:18:26 -07:00
column = 0;
2016-10-16 18:59:49 -07:00
},
Eof => {
break;
},
_ => {
2016-10-22 23:18:26 -07:00
column += len;
2016-10-16 18:59:49 -07:00
}
}
rest = &rest[len..];
2016-10-22 23:18:26 -07:00
index += len;
2016-10-16 18:59:49 -07:00
}
Ok(tokens)
}
fn parse(text: &str) -> Result<Justfile, Error> {
let tokens = tokenize(text)?;
let filtered: Vec<_> = tokens.into_iter().filter(|token| token.kind != Comment).collect();
2016-10-30 16:15:18 -07:00
let parser = Parser {
2016-10-30 16:34:39 -07:00
text: text,
tokens: itertools::put_back(filtered),
recipes: Map::<&str, Recipe>::new(),
assignments: Map::<&str, Expression>::new(),
assignment_tokens: Map::<&str, Token>::new(),
exports: Set::<&str>::new(),
2016-10-22 23:18:26 -07:00
};
parser.file()
2016-10-16 18:59:49 -07:00
}
2016-10-22 23:18:26 -07:00
struct Parser<'a> {
2016-10-30 16:34:39 -07:00
text: &'a str,
tokens: itertools::PutBack<std::vec::IntoIter<Token<'a>>>,
recipes: Map<&'a str, Recipe<'a>>,
assignments: Map<&'a str, Expression<'a>>,
assignment_tokens: Map<&'a str, Token<'a>>,
exports: Set<&'a str>,
2016-10-16 18:59:49 -07:00
}
2016-10-22 23:18:26 -07:00
impl<'a> Parser<'a> {
fn peek(&mut self, kind: TokenKind) -> bool {
2016-10-30 16:15:18 -07:00
let next = self.tokens.next().unwrap();
let result = next.kind == kind;
self.tokens.put_back(next);
result
2016-10-23 16:43:52 -07:00
}
fn accept(&mut self, kind: TokenKind) -> Option<Token<'a>> {
if self.peek(kind) {
2016-10-22 23:18:26 -07:00
self.tokens.next()
2016-10-16 18:59:49 -07:00
} else {
None
}
}
fn accepted(&mut self, kind: TokenKind) -> bool {
self.accept(kind).is_some()
2016-10-16 18:59:49 -07:00
}
fn expect(&mut self, kind: TokenKind) -> Option<Token<'a>> {
if self.peek(kind) {
2016-10-23 16:43:52 -07:00
self.tokens.next();
None
} else {
self.tokens.next()
}
2016-10-22 23:18:26 -07:00
}
2016-10-23 16:43:52 -07:00
fn expect_eol(&mut self) -> Option<Token<'a>> {
if self.peek(Eol) {
self.accept(Eol);
None
} else if self.peek(Eof) {
None
} else {
self.tokens.next()
2016-10-16 18:59:49 -07:00
}
}
fn unexpected_token(&self, found: &Token<'a>, expected: &[TokenKind]) -> Error<'a> {
found.error(ErrorKind::UnexpectedToken {
expected: expected.to_vec(),
found: found.kind,
})
}
2016-10-30 16:34:39 -07:00
fn recipe(&mut self, name: Token<'a>) -> Result<(), Error<'a>> {
if let Some(recipe) = self.recipes.get(name.lexeme) {
return Err(name.error(ErrorKind::DuplicateRecipe {
recipe: recipe.name,
first: recipe.line_number
}));
}
2016-10-31 19:11:27 -07:00
let mut parameters = vec![];
let mut parameter_tokens = vec![];
while let Some(parameter) = self.accept(Name) {
if parameters.contains(&parameter.lexeme) {
return Err(parameter.error(ErrorKind::DuplicateParameter {
recipe: name.lexeme, parameter: parameter.lexeme
2016-10-23 16:43:52 -07:00
}));
2016-10-16 18:59:49 -07:00
}
2016-10-31 19:11:27 -07:00
parameters.push(parameter.lexeme);
parameter_tokens.push(parameter);
2016-10-16 18:59:49 -07:00
}
2016-10-23 16:43:52 -07:00
if let Some(token) = self.expect(Colon) {
2016-10-31 19:11:27 -07:00
// if we haven't accepted any parameters, an equals
// would have been fine as part of an assignment
2016-10-31 19:11:27 -07:00
if parameters.is_empty() {
return Err(self.unexpected_token(&token, &[Name, Colon, Equals]));
} else {
return Err(self.unexpected_token(&token, &[Name, Colon]));
}
2016-10-23 16:43:52 -07:00
}
2016-10-16 18:59:49 -07:00
let mut dependencies = vec![];
2016-10-23 16:43:52 -07:00
let mut dependency_tokens = vec![];
while let Some(dependency) = self.accept(Name) {
if dependencies.contains(&dependency.lexeme) {
return Err(dependency.error(ErrorKind::DuplicateDependency {
2016-10-30 16:34:39 -07:00
recipe: name.lexeme,
2016-10-23 16:43:52 -07:00
dependency: dependency.lexeme
}));
2016-10-16 18:59:49 -07:00
}
2016-10-23 16:43:52 -07:00
dependencies.push(dependency.lexeme);
dependency_tokens.push(dependency);
}
if let Some(token) = self.expect_eol() {
return Err(self.unexpected_token(&token, &[Name, Eol, Eof]));
2016-10-16 18:59:49 -07:00
}
2016-10-27 09:44:07 -07:00
let mut lines = vec![];
let mut shebang = false;
2016-10-26 22:04:12 -07:00
if self.accepted(Indent) {
while !self.accepted(Dedent) {
if self.accepted(Eol) {
continue;
}
2016-10-26 22:04:12 -07:00
if let Some(token) = self.expect(Line) {
return Err(token.error(ErrorKind::InternalError{
message: format!("Expected a line but got {}", token.kind)
2016-10-26 22:04:12 -07:00
}))
}
let mut pieces = vec![];
while !(self.accepted(Eol) || self.peek(Dedent)) {
2016-10-26 22:04:12 -07:00
if let Some(token) = self.accept(Text) {
if pieces.is_empty() {
2016-10-27 09:44:07 -07:00
if lines.is_empty() {
if token.lexeme.starts_with("#!") {
shebang = true;
}
} else if !shebang && (token.lexeme.starts_with(' ') ||
token.lexeme.starts_with('\t')) {
return Err(token.error(ErrorKind::ExtraLeadingWhitespace));
}
}
2016-10-27 09:44:07 -07:00
pieces.push(Fragment::Text{text: token});
2016-10-26 22:04:12 -07:00
} else if let Some(token) = self.expect(InterpolationStart) {
return Err(self.unexpected_token(&token, &[Text, InterpolationStart, Eol]));
} else {
pieces.push(Fragment::Expression{
expression: self.expression(true)?
});
2016-10-26 22:04:12 -07:00
if let Some(token) = self.expect(InterpolationEnd) {
return Err(self.unexpected_token(&token, &[InterpolationEnd]));
}
}
}
2016-10-27 09:44:07 -07:00
lines.push(pieces);
2016-10-26 22:04:12 -07:00
}
}
2016-10-30 16:34:39 -07:00
self.recipes.insert(name.lexeme, Recipe {
line_number: name.line,
name: name.lexeme,
2016-10-23 16:43:52 -07:00
dependencies: dependencies,
dependency_tokens: dependency_tokens,
2016-10-31 19:11:27 -07:00
parameters: parameters,
parameter_tokens: parameter_tokens,
lines: lines,
2016-10-23 16:43:52 -07:00
shebang: shebang,
2016-10-30 16:34:39 -07:00
});
Ok(())
2016-10-16 18:59:49 -07:00
}
2016-10-22 23:18:26 -07:00
2016-10-30 16:34:39 -07:00
2016-10-26 22:04:12 -07:00
fn expression(&mut self, interpolation: bool) -> Result<Expression<'a>, Error<'a>> {
let first = self.tokens.next().unwrap();
let lhs = match first.kind {
2016-10-30 16:56:22 -07:00
Name => Expression::Variable {name: first.lexeme, token: first},
Backtick => Expression::Backtick {
2016-10-29 23:39:12 -07:00
raw: &first.lexeme[1..first.lexeme.len()-1],
token: first
},
2016-10-30 16:56:22 -07:00
RawString => {
let raw = &first.lexeme[1..first.lexeme.len() - 1];
Expression::String{raw: raw, cooked: raw.to_string()}
}
StringToken => {
let raw = &first.lexeme[1..first.lexeme.len() - 1];
let mut cooked = String::new();
let mut escape = false;
for c in raw.chars() {
if escape {
match c {
'n' => cooked.push('\n'),
'r' => cooked.push('\r'),
't' => cooked.push('\t'),
'\\' => cooked.push('\\'),
'"' => cooked.push('"'),
other => return Err(first.error(ErrorKind::InvalidEscapeSequence {
character: other,
})),
}
escape = false;
continue;
}
if c == '\\' {
escape = true;
continue;
}
cooked.push(c);
}
Expression::String{raw: raw, cooked: cooked}
}
_ => return Err(self.unexpected_token(&first, &[Name, StringToken])),
};
if self.accepted(Plus) {
let rhs = self.expression(interpolation)?;
Ok(Expression::Concatination{lhs: Box::new(lhs), rhs: Box::new(rhs)})
2016-10-26 22:04:12 -07:00
} else if interpolation && self.peek(InterpolationEnd) {
Ok(lhs)
} else if let Some(token) = self.expect_eol() {
2016-10-26 22:04:12 -07:00
if interpolation {
return Err(self.unexpected_token(&token, &[Plus, Eol, InterpolationEnd]))
2016-10-26 22:04:12 -07:00
} else {
Err(self.unexpected_token(&token, &[Plus, Eol]))
}
} else {
Ok(lhs)
}
2016-10-22 23:18:26 -07:00
}
2016-10-16 18:59:49 -07:00
2016-10-30 16:34:39 -07:00
fn assignment(&mut self, name: Token<'a>, export: bool) -> Result<(), Error<'a>> {
if self.assignments.contains_key(name.lexeme) {
return Err(name.error(ErrorKind::DuplicateVariable {variable: name.lexeme}));
}
if export {
self.exports.insert(name.lexeme);
}
let expression = self.expression(false)?;
2016-10-30 16:34:39 -07:00
self.assignments.insert(name.lexeme, expression);
self.assignment_tokens.insert(name.lexeme, name);
Ok(())
}
2016-10-22 23:18:26 -07:00
2016-10-30 16:34:39 -07:00
fn file(mut self) -> Result<Justfile<'a>, Error<'a>> {
2016-10-22 23:18:26 -07:00
loop {
match self.tokens.next() {
Some(token) => match token.kind {
2016-10-22 23:18:26 -07:00
Eof => break,
Eol => continue,
2016-10-30 16:15:18 -07:00
Name => if token.lexeme == "export" {
let next = self.tokens.next().unwrap();
if next.kind == Name && self.accepted(Equals) {
self.assignment(next, true)?;
2016-10-30 16:15:18 -07:00
} else {
self.tokens.put_back(next);
self.recipe(token)?;
2016-10-30 16:15:18 -07:00
}
} else if self.accepted(Equals) {
self.assignment(token, false)?;
2016-10-23 16:43:52 -07:00
} else {
self.recipe(token)?;
2016-10-23 16:43:52 -07:00
},
Comment => return Err(token.error(ErrorKind::InternalError {
message: "found comment in token stream".to_string()
})),
2016-10-27 09:44:07 -07:00
_ => return return Err(self.unexpected_token(&token, &[Name])),
2016-10-22 23:18:26 -07:00
},
None => return Err(Error {
text: self.text,
index: 0,
line: 0,
column: 0,
2016-10-23 16:43:52 -07:00
width: None,
2016-10-22 23:18:26 -07:00
kind: ErrorKind::InternalError {
message: "unexpected end of token stream".to_string()
}
}),
}
}
2016-10-16 18:59:49 -07:00
2016-10-23 16:43:52 -07:00
if let Some(token) = self.tokens.next() {
return Err(token.error(ErrorKind::InternalError{
message: format!("unexpected token remaining after parsing completed: {:?}", token.kind)
2016-10-22 23:18:26 -07:00
}))
}
resolve_recipes(&self.recipes, &self.assignments, self.text)?;
2016-10-23 16:43:52 -07:00
2016-10-30 16:34:39 -07:00
for recipe in self.recipes.values() {
2016-10-31 19:11:27 -07:00
for parameter in &recipe.parameter_tokens {
if self.assignments.contains_key(parameter.lexeme) {
return Err(parameter.error(ErrorKind::ParameterShadowsVariable {
parameter: parameter.lexeme
}));
}
}
2016-10-29 00:14:41 -07:00
for dependency in &recipe.dependency_tokens {
2016-10-31 19:11:27 -07:00
if !self.recipes[dependency.lexeme].parameters.is_empty() {
return Err(dependency.error(ErrorKind::DependencyHasParameters {
2016-10-29 00:14:41 -07:00
recipe: recipe.name,
dependency: dependency.lexeme,
}));
}
}
2016-10-23 16:43:52 -07:00
}
resolve_assignments(&self.assignments, &self.assignment_tokens)?;
2016-10-29 20:39:21 -07:00
Ok(Justfile {
2016-10-30 16:34:39 -07:00
recipes: self.recipes,
assignments: self.assignments,
exports: self.exports,
})
}
}