Lots of work. Expression parsing and evaluation mostly.
This commit is contained in:
parent
4807800bc6
commit
52aa496d9c
24
notes
24
notes
@ -2,19 +2,25 @@ notes
|
|||||||
-----
|
-----
|
||||||
|
|
||||||
- assignment
|
- assignment
|
||||||
. export environment variables
|
. can argument shadow variables?
|
||||||
. no barewords
|
. yes, why not
|
||||||
|
. no, it's confusing
|
||||||
|
. static errors when variables are missing {{}}, even if recipe isn't run
|
||||||
. use the same rules as rust: https://doc.rust-lang.org/reference.html#string-literals
|
. use the same rules as rust: https://doc.rust-lang.org/reference.html#string-literals
|
||||||
. \xHH, \u{HHHHHH}, \n, \r, \t, \0, \\, \{ no other escapes
|
. \xHH, \u{HHHHHH}, \n, \r, \t, \0, \\, \{ no other escapes
|
||||||
. '' strings with no escapes
|
. '' strings with no escapes
|
||||||
. allow concatination: "hello, " + person + "!"
|
|
||||||
. resolve dependencies between variables
|
|
||||||
. disallow reassignment
|
|
||||||
. static errors when variables are missing {{}}, even if recipe isn't run
|
|
||||||
. run interpolated instead of lines
|
. run interpolated instead of lines
|
||||||
. make quine use assignment and interpolation
|
. make quine use assignment and interpolation
|
||||||
|
. make strings more than one character
|
||||||
|
.re-order evaluate assignment
|
||||||
|
- disallow unused arguments and variables
|
||||||
|
- allow exporting environment variables
|
||||||
- write some tests to test the binary itself and all command line flags
|
- write some tests to test the binary itself and all command line flags
|
||||||
|
- remove unhandled token stuff
|
||||||
- parse arguments on command line:
|
- parse arguments on command line:
|
||||||
|
. ugly but conservative: j build --set a=hello
|
||||||
|
. by export: A=HELLO j build
|
||||||
|
. by export 2: BUILD.A=HELLO j build
|
||||||
. by name: j build a=hello
|
. by name: j build a=hello
|
||||||
. by position: j build hello
|
. by position: j build hello
|
||||||
. with marker: j build hello : clean hello :
|
. with marker: j build hello : clean hello :
|
||||||
@ -33,10 +39,14 @@ notes
|
|||||||
or should non-slash recipes still run in this directory?
|
or should non-slash recipes still run in this directory?
|
||||||
will need to change things a great deal
|
will need to change things a great deal
|
||||||
- indentation is line continuation
|
- indentation is line continuation
|
||||||
|
- add context to unexpected_token error
|
||||||
|
"while parsing a recipe"
|
||||||
|
"while parsing an expression"
|
||||||
- add post requirements:
|
- add post requirements:
|
||||||
# do c then a then b
|
# do c then a then b
|
||||||
a: c b~
|
a: c b~
|
||||||
|
|
||||||
|
- rewrite grammar.txt
|
||||||
- change name back to 'just'
|
- change name back to 'just'
|
||||||
. suggest j as alias
|
. suggest j as alias
|
||||||
- create some kind of group feedback forum:
|
- create some kind of group feedback forum:
|
||||||
@ -55,6 +65,8 @@ notes
|
|||||||
. update logs (repetitive git flow)
|
. update logs (repetitive git flow)
|
||||||
- full documentation
|
- full documentation
|
||||||
. talk about why the syntax is so unforgiving
|
. talk about why the syntax is so unforgiving
|
||||||
|
easier to accept a program that you once rejected than to
|
||||||
|
no longer accept a program or change its meaning
|
||||||
. habit of using clever commands and writing little scripts
|
. habit of using clever commands and writing little scripts
|
||||||
. very low friction to write a script (no new file, chmod, add to rcs)
|
. very low friction to write a script (no new file, chmod, add to rcs)
|
||||||
. make list of contributors, include travis
|
. make list of contributors, include travis
|
||||||
|
302
src/lib.rs
302
src/lib.rs
@ -70,6 +70,23 @@ enum Fragment<'a> {
|
|||||||
Variable{name: &'a str},
|
Variable{name: &'a str},
|
||||||
}
|
}
|
||||||
|
|
||||||
|
enum Expression<'a> {
|
||||||
|
Variable{name: &'a str},
|
||||||
|
String{contents: &'a str},
|
||||||
|
Concatination{lhs: Box<Expression<'a>>, rhs: Box<Expression<'a>>},
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<'a> Display for Expression<'a> {
|
||||||
|
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
|
||||||
|
match *self {
|
||||||
|
Expression::Variable {name } => try!(write!(f, "{}", name)),
|
||||||
|
Expression::String {contents } => try!(write!(f, "\"{}\"", contents)),
|
||||||
|
Expression::Concatination{ref lhs, ref rhs} => try!(write!(f, "{} + {}", lhs, rhs)),
|
||||||
|
}
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
#[cfg(unix)]
|
#[cfg(unix)]
|
||||||
fn error_from_signal(recipe: &str, exit_status: process::ExitStatus) -> RunError {
|
fn error_from_signal(recipe: &str, exit_status: process::ExitStatus) -> RunError {
|
||||||
use std::os::unix::process::ExitStatusExt;
|
use std::os::unix::process::ExitStatusExt;
|
||||||
@ -206,32 +223,49 @@ impl<'a> Display for Recipe<'a> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
fn resolve<'a>(
|
fn resolve<'a>(recipes: &BTreeMap<&'a str, Recipe<'a>>) -> Result<(), Error<'a>> {
|
||||||
recipes: &BTreeMap<&str, Recipe<'a>>,
|
let mut resolver = Resolver {
|
||||||
resolved: &mut HashSet<&'a str>,
|
seen: HashSet::new(),
|
||||||
seen: &mut HashSet<&'a str>,
|
stack: vec![],
|
||||||
stack: &mut Vec<&'a str>,
|
resolved: HashSet::new(),
|
||||||
recipe: &Recipe<'a>,
|
recipes: recipes,
|
||||||
) -> Result<(), Error<'a>> {
|
};
|
||||||
if resolved.contains(recipe.name) {
|
|
||||||
|
for recipe in recipes.values() {
|
||||||
|
try!(resolver.resolve(&recipe));
|
||||||
|
}
|
||||||
|
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
struct Resolver<'a: 'b, 'b> {
|
||||||
|
stack: Vec<&'a str>,
|
||||||
|
seen: HashSet<&'a str>,
|
||||||
|
resolved: HashSet<&'a str>,
|
||||||
|
recipes: &'b BTreeMap<&'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(())
|
return Ok(())
|
||||||
}
|
}
|
||||||
stack.push(recipe.name);
|
self.stack.push(recipe.name);
|
||||||
seen.insert(recipe.name);
|
self.seen.insert(recipe.name);
|
||||||
for dependency_token in &recipe.dependency_tokens {
|
for dependency_token in &recipe.dependency_tokens {
|
||||||
match recipes.get(dependency_token.lexeme) {
|
match self.recipes.get(dependency_token.lexeme) {
|
||||||
Some(dependency) => if !resolved.contains(dependency.name) {
|
Some(dependency) => if !self.resolved.contains(dependency.name) {
|
||||||
if seen.contains(dependency.name) {
|
if self.seen.contains(dependency.name) {
|
||||||
let first = stack[0];
|
let first = self.stack[0];
|
||||||
stack.push(first);
|
self.stack.push(first);
|
||||||
return Err(dependency_token.error(ErrorKind::CircularDependency {
|
return Err(dependency_token.error(ErrorKind::CircularRecipeDependency {
|
||||||
recipe: recipe.name,
|
recipe: recipe.name,
|
||||||
circle: stack.iter()
|
circle: self.stack.iter()
|
||||||
.skip_while(|name| **name != dependency.name)
|
.skip_while(|name| **name != dependency.name)
|
||||||
.cloned().collect()
|
.cloned().collect()
|
||||||
}));
|
}));
|
||||||
}
|
}
|
||||||
return resolve(recipes, resolved, seen, stack, dependency);
|
return self.resolve(dependency);
|
||||||
},
|
},
|
||||||
None => return Err(dependency_token.error(ErrorKind::UnknownDependency {
|
None => return Err(dependency_token.error(ErrorKind::UnknownDependency {
|
||||||
recipe: recipe.name,
|
recipe: recipe.name,
|
||||||
@ -239,9 +273,85 @@ fn resolve<'a>(
|
|||||||
})),
|
})),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
resolved.insert(recipe.name);
|
self.resolved.insert(recipe.name);
|
||||||
stack.pop();
|
self.stack.pop();
|
||||||
Ok(())
|
Ok(())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn evaluate<'a>(
|
||||||
|
assignments: &BTreeMap<&'a str, Expression<'a>>,
|
||||||
|
assignment_tokens: &BTreeMap<&'a str, Token<'a>>,
|
||||||
|
) -> Result<BTreeMap<&'a str, String>, Error<'a>> {
|
||||||
|
let mut evaluator = Evaluator{
|
||||||
|
seen: HashSet::new(),
|
||||||
|
stack: vec![],
|
||||||
|
evaluated: BTreeMap::new(),
|
||||||
|
assignments: assignments,
|
||||||
|
assignment_tokens: assignment_tokens,
|
||||||
|
};
|
||||||
|
for name in assignments.keys() {
|
||||||
|
try!(evaluator.evaluate_assignment(name));
|
||||||
|
}
|
||||||
|
Ok(evaluator.evaluated)
|
||||||
|
}
|
||||||
|
|
||||||
|
struct Evaluator<'a: 'b, 'b> {
|
||||||
|
stack: Vec<&'a str>,
|
||||||
|
seen: HashSet<&'a str>,
|
||||||
|
evaluated: BTreeMap<&'a str, String>,
|
||||||
|
assignments: &'b BTreeMap<&'a str, Expression<'a>>,
|
||||||
|
assignment_tokens: &'b BTreeMap<&'a str, Token<'a>>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<'a, 'b> Evaluator<'a, 'b> {
|
||||||
|
fn evaluate_assignment(&mut self, name: &'a str) -> Result<(), Error<'a>> {
|
||||||
|
if self.evaluated.contains_key(name) {
|
||||||
|
return Ok(());
|
||||||
|
}
|
||||||
|
|
||||||
|
self.stack.push(name);
|
||||||
|
self.seen.insert(name);
|
||||||
|
|
||||||
|
if let Some(expression) = self.assignments.get(name) {
|
||||||
|
let value = try!(self.evaluate_expression(expression));
|
||||||
|
self.evaluated.insert(name, value);
|
||||||
|
} else {
|
||||||
|
let token = self.assignment_tokens.get(name).unwrap();
|
||||||
|
return Err(token.error(ErrorKind::UnknownVariable {variable: name}));
|
||||||
|
}
|
||||||
|
|
||||||
|
self.stack.pop();
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
fn evaluate_expression(&mut self, expression: &Expression<'a>,) -> Result<String, Error<'a>> {
|
||||||
|
Ok(match *expression {
|
||||||
|
Expression::Variable{name} => {
|
||||||
|
if self.evaluated.contains_key(name) {
|
||||||
|
self.evaluated.get(name).unwrap().clone()
|
||||||
|
} else if self.seen.contains(name) {
|
||||||
|
let token = self.assignment_tokens.get(name).unwrap();
|
||||||
|
self.stack.push(name);
|
||||||
|
return Err(token.error(ErrorKind::CircularVariableDependency {
|
||||||
|
variable: name,
|
||||||
|
circle: self.stack.clone(),
|
||||||
|
}));
|
||||||
|
} else {
|
||||||
|
try!(self.evaluate_assignment(name));
|
||||||
|
self.evaluated.get(name).unwrap().clone()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
Expression::String{contents} => {
|
||||||
|
contents.to_string()
|
||||||
|
}
|
||||||
|
Expression::Concatination{ref lhs, ref rhs} => {
|
||||||
|
try!(self.evaluate_expression(lhs))
|
||||||
|
+
|
||||||
|
&try!(self.evaluate_expression(rhs))
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Debug, PartialEq)]
|
#[derive(Debug, PartialEq)]
|
||||||
@ -257,18 +367,21 @@ struct Error<'a> {
|
|||||||
#[derive(Debug, PartialEq)]
|
#[derive(Debug, PartialEq)]
|
||||||
enum ErrorKind<'a> {
|
enum ErrorKind<'a> {
|
||||||
BadName{name: &'a str},
|
BadName{name: &'a str},
|
||||||
CircularDependency{recipe: &'a str, circle: Vec<&'a str>},
|
CircularRecipeDependency{recipe: &'a str, circle: Vec<&'a str>},
|
||||||
|
CircularVariableDependency{variable: &'a str, circle: Vec<&'a str>},
|
||||||
DuplicateDependency{recipe: &'a str, dependency: &'a str},
|
DuplicateDependency{recipe: &'a str, dependency: &'a str},
|
||||||
DuplicateArgument{recipe: &'a str, argument: &'a str},
|
DuplicateArgument{recipe: &'a str, argument: &'a str},
|
||||||
DuplicateRecipe{recipe: &'a str, first: usize},
|
DuplicateRecipe{recipe: &'a str, first: usize},
|
||||||
|
DuplicateVariable{variable: &'a str},
|
||||||
|
ArgumentShadowsVariable{argument: &'a str},
|
||||||
MixedLeadingWhitespace{whitespace: &'a str},
|
MixedLeadingWhitespace{whitespace: &'a str},
|
||||||
UnmatchedInterpolationDelimiter{recipe: &'a str},
|
UnmatchedInterpolationDelimiter{recipe: &'a str},
|
||||||
BadInterpolationVariableName{recipe: &'a str, text: &'a str},
|
BadInterpolationVariableName{recipe: &'a str, text: &'a str},
|
||||||
ExtraLeadingWhitespace,
|
ExtraLeadingWhitespace,
|
||||||
InconsistentLeadingWhitespace{expected: &'a str, found: &'a str},
|
InconsistentLeadingWhitespace{expected: &'a str, found: &'a str},
|
||||||
OuterShebang,
|
OuterShebang,
|
||||||
AssignmentUnimplemented,
|
|
||||||
UnknownDependency{recipe: &'a str, unknown: &'a str},
|
UnknownDependency{recipe: &'a str, unknown: &'a str},
|
||||||
|
UnknownVariable{variable: &'a str},
|
||||||
UnknownStartOfToken,
|
UnknownStartOfToken,
|
||||||
UnexpectedToken{expected: Vec<TokenKind>, found: TokenKind},
|
UnexpectedToken{expected: Vec<TokenKind>, found: TokenKind},
|
||||||
InternalError{message: String},
|
InternalError{message: String},
|
||||||
@ -312,13 +425,24 @@ impl<'a> Display for Error<'a> {
|
|||||||
ErrorKind::BadName{name} => {
|
ErrorKind::BadName{name} => {
|
||||||
try!(writeln!(f, "name did not match /[a-z](-?[a-z0-9])*/: {}", name));
|
try!(writeln!(f, "name did not match /[a-z](-?[a-z0-9])*/: {}", name));
|
||||||
}
|
}
|
||||||
ErrorKind::CircularDependency{recipe, ref circle} => {
|
ErrorKind::CircularRecipeDependency{recipe, ref circle} => {
|
||||||
|
if circle.len() == 2 {
|
||||||
|
try!(write!(f, "recipe 1{} depends on itself", recipe));
|
||||||
|
} else {
|
||||||
try!(write!(f, "recipe {} has circular dependency: {}", recipe, circle.join(" -> ")));
|
try!(write!(f, "recipe {} has circular dependency: {}", recipe, circle.join(" -> ")));
|
||||||
|
}
|
||||||
|
return Ok(());
|
||||||
|
}
|
||||||
|
ErrorKind::CircularVariableDependency{variable, ref circle} => {
|
||||||
|
try!(write!(f, "assignment to {} has circular dependency: {}", variable, circle.join(" -> ")));
|
||||||
return Ok(());
|
return Ok(());
|
||||||
}
|
}
|
||||||
ErrorKind::DuplicateArgument{recipe, argument} => {
|
ErrorKind::DuplicateArgument{recipe, argument} => {
|
||||||
try!(writeln!(f, "recipe {} has duplicate argument: {}", recipe, argument));
|
try!(writeln!(f, "recipe {} has duplicate argument: {}", recipe, argument));
|
||||||
}
|
}
|
||||||
|
ErrorKind::DuplicateVariable{variable} => {
|
||||||
|
try!(writeln!(f, "variable \"{}\" is has multiple definitions", variable));
|
||||||
|
}
|
||||||
ErrorKind::UnexpectedToken{ref expected, found} => {
|
ErrorKind::UnexpectedToken{ref expected, found} => {
|
||||||
try!(writeln!(f, "expected {} but found {}", Or(expected), found));
|
try!(writeln!(f, "expected {} but found {}", Or(expected), found));
|
||||||
}
|
}
|
||||||
@ -330,6 +454,9 @@ impl<'a> Display for Error<'a> {
|
|||||||
recipe, first, self.line));
|
recipe, first, self.line));
|
||||||
return Ok(());
|
return Ok(());
|
||||||
}
|
}
|
||||||
|
ErrorKind::ArgumentShadowsVariable{argument} => {
|
||||||
|
try!(writeln!(f, "argument {} shadows variable of the same name", argument));
|
||||||
|
}
|
||||||
ErrorKind::MixedLeadingWhitespace{whitespace} => {
|
ErrorKind::MixedLeadingWhitespace{whitespace} => {
|
||||||
try!(writeln!(f,
|
try!(writeln!(f,
|
||||||
"found a mix of tabs and spaces in leading whitespace: {}\n leading whitespace may consist of tabs or spaces, but not both",
|
"found a mix of tabs and spaces in leading whitespace: {}\n leading whitespace may consist of tabs or spaces, but not both",
|
||||||
@ -339,9 +466,6 @@ impl<'a> Display for Error<'a> {
|
|||||||
ErrorKind::ExtraLeadingWhitespace => {
|
ErrorKind::ExtraLeadingWhitespace => {
|
||||||
try!(writeln!(f, "recipe line has extra leading whitespace"));
|
try!(writeln!(f, "recipe line has extra leading whitespace"));
|
||||||
}
|
}
|
||||||
ErrorKind::AssignmentUnimplemented => {
|
|
||||||
try!(writeln!(f, "variable assignment is not yet implemented"));
|
|
||||||
}
|
|
||||||
ErrorKind::InconsistentLeadingWhitespace{expected, found} => {
|
ErrorKind::InconsistentLeadingWhitespace{expected, found} => {
|
||||||
try!(writeln!(f,
|
try!(writeln!(f,
|
||||||
"inconsistant leading whitespace: recipe started with \"{}\" but found line with \"{}\":",
|
"inconsistant leading whitespace: recipe started with \"{}\" but found line with \"{}\":",
|
||||||
@ -360,8 +484,11 @@ impl<'a> Display for Error<'a> {
|
|||||||
ErrorKind::UnknownDependency{recipe, unknown} => {
|
ErrorKind::UnknownDependency{recipe, unknown} => {
|
||||||
try!(writeln!(f, "recipe {} has unknown dependency {}", recipe, unknown));
|
try!(writeln!(f, "recipe {} has unknown dependency {}", recipe, unknown));
|
||||||
}
|
}
|
||||||
|
ErrorKind::UnknownVariable{variable} => {
|
||||||
|
try!(writeln!(f, "variable \"{}\" is unknown", variable));
|
||||||
|
}
|
||||||
ErrorKind::UnknownStartOfToken => {
|
ErrorKind::UnknownStartOfToken => {
|
||||||
try!(writeln!(f, "uknown start of token:"));
|
try!(writeln!(f, "unknown start of token:"));
|
||||||
}
|
}
|
||||||
ErrorKind::InternalError{ref message} => {
|
ErrorKind::InternalError{ref message} => {
|
||||||
try!(writeln!(f, "internal error, this may indicate a bug in j: {}\n consider filing an issue: https://github.com/casey/j/issues/new", message));
|
try!(writeln!(f, "internal error, this may indicate a bug in j: {}\n consider filing an issue: https://github.com/casey/j/issues/new", message));
|
||||||
@ -381,6 +508,8 @@ impl<'a> Display for Error<'a> {
|
|||||||
|
|
||||||
struct Justfile<'a> {
|
struct Justfile<'a> {
|
||||||
recipes: BTreeMap<&'a str, Recipe<'a>>,
|
recipes: BTreeMap<&'a str, Recipe<'a>>,
|
||||||
|
assignments: BTreeMap<&'a str, Expression<'a>>,
|
||||||
|
values: BTreeMap<&'a str, String>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<'a> Justfile<'a> {
|
impl<'a> Justfile<'a> {
|
||||||
@ -442,6 +571,27 @@ impl<'a> Justfile<'a> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
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 {
|
||||||
|
try!(write!(f, "{} = {} # \"{}\"", name, expression, self.values.get(name).unwrap()));
|
||||||
|
items -= 1;
|
||||||
|
if items != 0 {
|
||||||
|
try!(write!(f, "\n"));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
for recipe in self.recipes.values() {
|
||||||
|
try!(write!(f, "{}", recipe));
|
||||||
|
items -= 1;
|
||||||
|
if items != 0 {
|
||||||
|
try!(write!(f, "\n"));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
#[derive(Debug)]
|
#[derive(Debug)]
|
||||||
enum RunError<'a> {
|
enum RunError<'a> {
|
||||||
UnknownRecipes{recipes: Vec<&'a str>},
|
UnknownRecipes{recipes: Vec<&'a str>},
|
||||||
@ -513,6 +663,8 @@ impl<'a> Token<'a> {
|
|||||||
enum TokenKind {
|
enum TokenKind {
|
||||||
Name,
|
Name,
|
||||||
Colon,
|
Colon,
|
||||||
|
StringToken,
|
||||||
|
Plus,
|
||||||
Equals,
|
Equals,
|
||||||
Comment,
|
Comment,
|
||||||
Line,
|
Line,
|
||||||
@ -527,7 +679,9 @@ impl Display for TokenKind {
|
|||||||
try!(write!(f, "{}", match *self {
|
try!(write!(f, "{}", match *self {
|
||||||
Name => "name",
|
Name => "name",
|
||||||
Colon => "\":\"",
|
Colon => "\":\"",
|
||||||
|
Plus => "\"+\"",
|
||||||
Equals => "\"=\"",
|
Equals => "\"=\"",
|
||||||
|
StringToken => "string",
|
||||||
Comment => "comment",
|
Comment => "comment",
|
||||||
Line => "command",
|
Line => "command",
|
||||||
Indent => "indent",
|
Indent => "indent",
|
||||||
@ -555,7 +709,9 @@ fn tokenize(text: &str) -> Result<Vec<Token>, Error> {
|
|||||||
static ref NAME: Regex = token(r"([a-zA-Z0-9_-]+)" );
|
static ref NAME: Regex = token(r"([a-zA-Z0-9_-]+)" );
|
||||||
static ref COLON: Regex = token(r":" );
|
static ref COLON: Regex = token(r":" );
|
||||||
static ref EQUALS: Regex = token(r"=" );
|
static ref EQUALS: Regex = token(r"=" );
|
||||||
|
static ref PLUS: Regex = token(r"[+]" );
|
||||||
static ref COMMENT: Regex = token(r"#([^!].*)?$" );
|
static ref COMMENT: Regex = token(r"#([^!].*)?$" );
|
||||||
|
static ref STRING: Regex = token("\"[a-z0-9]\"" );
|
||||||
static ref EOL: Regex = token(r"\n|\r\n" );
|
static ref EOL: Regex = token(r"\n|\r\n" );
|
||||||
static ref LINE: Regex = re(r"^(?m)[ \t]+[^ \t\n\r].*$");
|
static ref LINE: Regex = re(r"^(?m)[ \t]+[^ \t\n\r].*$");
|
||||||
static ref INDENT: Regex = re(r"^([ \t]*)[^ \t\n\r]" );
|
static ref INDENT: Regex = re(r"^([ \t]*)[^ \t\n\r]" );
|
||||||
@ -658,16 +814,18 @@ fn tokenize(text: &str) -> Result<Vec<Token>, Error> {
|
|||||||
(captures.at(1).unwrap(), captures.at(2).unwrap(), Eof)
|
(captures.at(1).unwrap(), captures.at(2).unwrap(), Eof)
|
||||||
} else if let Some(captures) = COLON.captures(rest) {
|
} else if let Some(captures) = COLON.captures(rest) {
|
||||||
(captures.at(1).unwrap(), captures.at(2).unwrap(), Colon)
|
(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)
|
||||||
} else if let Some(captures) = EQUALS.captures(rest) {
|
} else if let Some(captures) = EQUALS.captures(rest) {
|
||||||
(captures.at(1).unwrap(), captures.at(2).unwrap(), Equals)
|
(captures.at(1).unwrap(), captures.at(2).unwrap(), Equals)
|
||||||
} else if let Some(captures) = COMMENT.captures(rest) {
|
} else if let Some(captures) = COMMENT.captures(rest) {
|
||||||
(captures.at(1).unwrap(), captures.at(2).unwrap(), Comment)
|
(captures.at(1).unwrap(), captures.at(2).unwrap(), Comment)
|
||||||
|
} else if let Some(captures) = STRING.captures(rest) {
|
||||||
|
(captures.at(1).unwrap(), captures.at(2).unwrap(), StringToken)
|
||||||
|
} else if rest.starts_with("#!") {
|
||||||
|
return error!(ErrorKind::OuterShebang)
|
||||||
} else {
|
} else {
|
||||||
return if rest.starts_with("#!") {
|
return error!(ErrorKind::UnknownStartOfToken)
|
||||||
error!(ErrorKind::OuterShebang)
|
|
||||||
} else {
|
|
||||||
error!(ErrorKind::UnknownStartOfToken)
|
|
||||||
};
|
|
||||||
};
|
};
|
||||||
|
|
||||||
let len = prefix.len() + lexeme.len();
|
let len = prefix.len() + lexeme.len();
|
||||||
@ -764,6 +922,13 @@ impl<'a> Parser<'a> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
fn unexpected_token(&self, found: &Token<'a>, expected: &[TokenKind]) -> Error<'a> {
|
||||||
|
found.error(ErrorKind::UnexpectedToken {
|
||||||
|
expected: expected.to_vec(),
|
||||||
|
found: found.class,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
fn recipe(&mut self, name: &'a str, line_number: usize) -> Result<Recipe<'a>, Error<'a>> {
|
fn recipe(&mut self, name: &'a str, line_number: usize) -> Result<Recipe<'a>, Error<'a>> {
|
||||||
let mut arguments = vec![];
|
let mut arguments = vec![];
|
||||||
let mut argument_tokens = vec![];
|
let mut argument_tokens = vec![];
|
||||||
@ -778,8 +943,14 @@ impl<'a> Parser<'a> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
if let Some(token) = self.expect(Colon) {
|
if let Some(token) = self.expect(Colon) {
|
||||||
|
// if we haven't accepted any arguments, an equals
|
||||||
|
// would have been fine as part of an expression
|
||||||
|
if arguments.is_empty() {
|
||||||
|
return Err(self.unexpected_token(&token, &[Name, Colon, Equals]));
|
||||||
|
} else {
|
||||||
return Err(self.unexpected_token(&token, &[Name, Colon]));
|
return Err(self.unexpected_token(&token, &[Name, Colon]));
|
||||||
}
|
}
|
||||||
|
}
|
||||||
|
|
||||||
let mut dependencies = vec![];
|
let mut dependencies = vec![];
|
||||||
let mut dependency_tokens = vec![];
|
let mut dependency_tokens = vec![];
|
||||||
@ -885,23 +1056,42 @@ impl<'a> Parser<'a> {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
fn unexpected_token(&self, found: &Token<'a>, expected: &[TokenKind]) -> Error<'a> {
|
fn expression(&mut self) -> Result<Expression<'a>, Error<'a>> {
|
||||||
found.error(ErrorKind::UnexpectedToken {
|
let first = self.tokens.next().unwrap();
|
||||||
expected: expected.to_vec(),
|
let lhs = match first.class {
|
||||||
found: found.class,
|
Name => Expression::Variable{name: first.lexeme},
|
||||||
})
|
StringToken => Expression::String{contents: &first.lexeme[1..2]},
|
||||||
|
_ => return Err(self.unexpected_token(&first, &[Name, StringToken])),
|
||||||
|
};
|
||||||
|
|
||||||
|
if self.accepted(Plus) {
|
||||||
|
let rhs = try!(self.expression());
|
||||||
|
Ok(Expression::Concatination{lhs: Box::new(lhs), rhs: Box::new(rhs)})
|
||||||
|
} else if let Some(token) = self.expect_eol() {
|
||||||
|
Err(self.unexpected_token(&token, &[Plus, Eol]))
|
||||||
|
} else {
|
||||||
|
Ok(lhs)
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
fn file(mut self) -> Result<Justfile<'a>, Error<'a>> {
|
fn file(mut self) -> Result<Justfile<'a>, Error<'a>> {
|
||||||
let mut recipes = BTreeMap::<&str, Recipe>::new();
|
let mut recipes = BTreeMap::<&str, Recipe>::new();
|
||||||
|
let mut assignments = BTreeMap::<&str, Expression>::new();
|
||||||
|
let mut assignment_tokens = BTreeMap::<&str, Token<'a>>::new();
|
||||||
|
|
||||||
loop {
|
loop {
|
||||||
match self.tokens.next() {
|
match self.tokens.next() {
|
||||||
Some(token) => match token.class {
|
Some(token) => match token.class {
|
||||||
Eof => break,
|
Eof => break,
|
||||||
Eol => continue,
|
Eol => continue,
|
||||||
Name => if let Some(equals) = self.accept(Equals) {
|
Name => if self.accepted(Equals) {
|
||||||
return Err(equals.error(ErrorKind::AssignmentUnimplemented));
|
if assignments.contains_key(token.lexeme) {
|
||||||
|
return Err(token.error(ErrorKind::DuplicateVariable {
|
||||||
|
variable: token.lexeme,
|
||||||
|
}));
|
||||||
|
}
|
||||||
|
assignments.insert(token.lexeme, try!(self.expression()));
|
||||||
|
assignment_tokens.insert(token.lexeme, token);
|
||||||
} else {
|
} else {
|
||||||
if let Some(recipe) = recipes.remove(token.lexeme) {
|
if let Some(recipe) = recipes.remove(token.lexeme) {
|
||||||
return Err(token.error(ErrorKind::DuplicateRecipe {
|
return Err(token.error(ErrorKind::DuplicateRecipe {
|
||||||
@ -937,14 +1127,38 @@ impl<'a> Parser<'a> {
|
|||||||
}))
|
}))
|
||||||
}
|
}
|
||||||
|
|
||||||
let mut resolved = HashSet::new();
|
try!(resolve(&recipes));
|
||||||
let mut seen = HashSet::new();
|
|
||||||
let mut stack = vec![];
|
|
||||||
|
|
||||||
for recipe in recipes.values() {
|
for recipe in recipes.values() {
|
||||||
try!(resolve(&recipes, &mut resolved, &mut seen, &mut stack, &recipe));
|
for argument in &recipe.argument_tokens {
|
||||||
|
if assignments.contains_key(argument.lexeme) {
|
||||||
|
return Err(argument.error(ErrorKind::ArgumentShadowsVariable {
|
||||||
|
argument: argument.lexeme
|
||||||
|
}));
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
Ok(Justfile{recipes: recipes})
|
for variable in &recipe.variables {
|
||||||
|
if !(assignments.contains_key(variable) || recipe.arguments.contains(variable)) {
|
||||||
|
panic!("we fucked");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// variables have no associated tokens because fragment parsing
|
||||||
|
// is done in parsing
|
||||||
|
//
|
||||||
|
// options:
|
||||||
|
// . do it in parsing but generate tokens then
|
||||||
|
// . do it in lexing
|
||||||
|
// . generate error positions by hand
|
||||||
|
|
||||||
|
let values = try!(evaluate(&assignments, &assignment_tokens));
|
||||||
|
|
||||||
|
Ok(Justfile{
|
||||||
|
recipes: recipes,
|
||||||
|
assignments: assignments,
|
||||||
|
values: values,
|
||||||
|
})
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
104
src/tests.rs
104
src/tests.rs
@ -35,6 +35,8 @@ fn token_summary(tokens: &[Token]) -> String {
|
|||||||
super::TokenKind::Line{..} => "*",
|
super::TokenKind::Line{..} => "*",
|
||||||
super::TokenKind::Name => "N",
|
super::TokenKind::Name => "N",
|
||||||
super::TokenKind::Colon => ":",
|
super::TokenKind::Colon => ":",
|
||||||
|
super::TokenKind::StringToken => "\"",
|
||||||
|
super::TokenKind::Plus => "+",
|
||||||
super::TokenKind::Equals => "=",
|
super::TokenKind::Equals => "=",
|
||||||
super::TokenKind::Comment{..} => "#",
|
super::TokenKind::Comment{..} => "#",
|
||||||
super::TokenKind::Indent{..} => ">",
|
super::TokenKind::Indent{..} => ">",
|
||||||
@ -54,15 +56,12 @@ fn parse_success(text: &str) -> Justfile {
|
|||||||
|
|
||||||
fn parse_summary(input: &str, output: &str) {
|
fn parse_summary(input: &str, output: &str) {
|
||||||
let justfile = parse_success(input);
|
let justfile = parse_success(input);
|
||||||
let mut s = String::new();
|
let s = justfile.to_string();
|
||||||
for recipe in justfile.recipes {
|
|
||||||
s += &format!("{}\n", recipe.1);
|
|
||||||
}
|
|
||||||
if s != output {
|
if s != output {
|
||||||
println!("got:\n\"{}\"\n", s);
|
println!("got:\n\"{}\"\n", s);
|
||||||
println!("\texpected:\n\"{}\"", output);
|
println!("\texpected:\n\"{}\"", output);
|
||||||
}
|
|
||||||
assert_eq!(s, output);
|
assert_eq!(s, output);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
fn parse_error(text: &str, expected: Error) {
|
fn parse_error(text: &str, expected: Error) {
|
||||||
@ -175,38 +174,37 @@ fn parse() {
|
|||||||
x:
|
x:
|
||||||
y:
|
y:
|
||||||
z:
|
z:
|
||||||
|
foo = \"x\"
|
||||||
|
goodbye = \"y\"
|
||||||
hello a b c : x y z #hello
|
hello a b c : x y z #hello
|
||||||
#! blah
|
#! blah
|
||||||
#blarg
|
#blarg
|
||||||
{{ hello }}
|
{{ foo }}abc{{ goodbye\t }}xyz
|
||||||
1
|
1
|
||||||
2
|
2
|
||||||
3
|
3
|
||||||
", "hello a b c: x y z
|
", "foo = \"x\" # \"x\"
|
||||||
|
goodbye = \"y\" # \"y\"
|
||||||
|
hello a b c: x y z
|
||||||
#! blah
|
#! blah
|
||||||
#blarg
|
#blarg
|
||||||
{{hello}}
|
{{foo}}abc{{goodbye}}xyz
|
||||||
1
|
1
|
||||||
2
|
2
|
||||||
3
|
3
|
||||||
x:
|
x:
|
||||||
y:
|
y:
|
||||||
z:
|
z:");
|
||||||
");
|
|
||||||
}
|
|
||||||
|
|
||||||
|
parse_summary(
|
||||||
|
r#"a = "0"
|
||||||
|
c = a + b + a + b
|
||||||
|
b = "1"
|
||||||
|
"#,
|
||||||
|
|
||||||
#[test]
|
r#"a = "0" # "0"
|
||||||
fn assignment_unimplemented() {
|
b = "1" # "1"
|
||||||
let text = "a = z";
|
c = a + b + a + b # "0101""#);
|
||||||
parse_error(text, Error {
|
|
||||||
text: text,
|
|
||||||
index: 2,
|
|
||||||
line: 0,
|
|
||||||
column: 2,
|
|
||||||
width: Some(1),
|
|
||||||
kind: ErrorKind::AssignmentUnimplemented
|
|
||||||
});
|
|
||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
@ -237,7 +235,7 @@ fn missing_eol() {
|
|||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn eof_test() {
|
fn eof_test() {
|
||||||
parse_summary("x:\ny:\nz:\na b c: x y z", "a b c: x y z\nx:\ny:\nz:\n");
|
parse_summary("x:\ny:\nz:\na b c: x y z", "a b c: x y z\nx:\ny:\nz:");
|
||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
@ -253,6 +251,19 @@ fn duplicate_argument() {
|
|||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn argument_shadows_varible() {
|
||||||
|
let text = "foo = \"h\"\na foo:";
|
||||||
|
parse_error(text, Error {
|
||||||
|
text: text,
|
||||||
|
index: 12,
|
||||||
|
line: 1,
|
||||||
|
column: 2,
|
||||||
|
width: Some(3),
|
||||||
|
kind: ErrorKind::ArgumentShadowsVariable{argument: "foo"}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn duplicate_dependency() {
|
fn duplicate_dependency() {
|
||||||
let text = "a b c: b c z z";
|
let text = "a b c: b c z z";
|
||||||
@ -280,7 +291,7 @@ fn duplicate_recipe() {
|
|||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn circular_dependency() {
|
fn circular_recipe_dependency() {
|
||||||
let text = "a: b\nb: a";
|
let text = "a: b\nb: a";
|
||||||
parse_error(text, Error {
|
parse_error(text, Error {
|
||||||
text: text,
|
text: text,
|
||||||
@ -288,12 +299,38 @@ fn circular_dependency() {
|
|||||||
line: 1,
|
line: 1,
|
||||||
column: 3,
|
column: 3,
|
||||||
width: Some(1),
|
width: Some(1),
|
||||||
kind: ErrorKind::CircularDependency{recipe: "b", circle: vec!["a", "b", "a"]}
|
kind: ErrorKind::CircularRecipeDependency{recipe: "b", circle: vec!["a", "b", "a"]}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn self_dependency() {
|
fn circular_variable_dependency() {
|
||||||
|
let text = "a = b\nb = a";
|
||||||
|
parse_error(text, Error {
|
||||||
|
text: text,
|
||||||
|
index: 0,
|
||||||
|
line: 0,
|
||||||
|
column: 0,
|
||||||
|
width: Some(1),
|
||||||
|
kind: ErrorKind::CircularVariableDependency{variable: "a", circle: vec!["a", "b", "a"]}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn duplicate_variable() {
|
||||||
|
let text = "a = \"0\"\na = \"0\"";
|
||||||
|
parse_error(text, Error {
|
||||||
|
text: text,
|
||||||
|
index: 8,
|
||||||
|
line: 1,
|
||||||
|
column: 0,
|
||||||
|
width: Some(1),
|
||||||
|
kind: ErrorKind::DuplicateVariable{variable: "a"}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn self_recipe_dependency() {
|
||||||
let text = "a: a";
|
let text = "a: a";
|
||||||
parse_error(text, Error {
|
parse_error(text, Error {
|
||||||
text: text,
|
text: text,
|
||||||
@ -301,7 +338,20 @@ fn self_dependency() {
|
|||||||
line: 0,
|
line: 0,
|
||||||
column: 3,
|
column: 3,
|
||||||
width: Some(1),
|
width: Some(1),
|
||||||
kind: ErrorKind::CircularDependency{recipe: "a", circle: vec!["a", "a"]}
|
kind: ErrorKind::CircularRecipeDependency{recipe: "a", circle: vec!["a", "a"]}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn self_variable_dependency() {
|
||||||
|
let text = "a = a";
|
||||||
|
parse_error(text, Error {
|
||||||
|
text: text,
|
||||||
|
index: 0,
|
||||||
|
line: 0,
|
||||||
|
column: 0,
|
||||||
|
width: Some(1),
|
||||||
|
kind: ErrorKind::CircularVariableDependency{variable: "a", circle: vec!["a", "a"]}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
Loading…
Reference in New Issue
Block a user