schala/maaru/src/parser.rs

756 lines
23 KiB
Rust
Raw Normal View History

2018-03-20 23:29:56 -07:00
use tokenizer::{Token, Kw, OpTok};
use tokenizer::Token::*;
2017-01-23 19:51:27 -08:00
use std::fmt;
2016-12-31 03:35:46 -08:00
use std::collections::VecDeque;
use std::rc::Rc;
use std::convert::From;
2015-12-24 22:01:59 -08:00
2016-12-29 02:04:03 -08:00
// Grammar
// program := (statement delimiter ?)*
// delimiter := Newline | Semicolon
// statement := declaration | expression
2017-01-11 20:18:17 -08:00
// declaration := FN prototype LCurlyBrace (statement)* RCurlyBrace
2016-12-29 02:04:03 -08:00
// prototype := identifier LParen identlist RParen
// identlist := Ident (Comma Ident)* | ε
// exprlist := Expression (Comma Expression)* | ε
// itemlist := Ident COLON Expression (Comma Ident COLON Expression)* | ε
2016-12-29 02:04:03 -08:00
//
2017-02-17 01:54:47 -08:00
// expression := postop_expression (op postop_expression)*
// postop_expression := primary_expression postop
// primary_expression := number_expr | String | identifier_expr | paren_expr | conditional_expr | while_expr | lambda_expr | list_expr | struct_expr
2017-01-19 19:44:43 -08:00
// number_expr := (PLUS | MINUS ) number_expr | Number
2016-12-29 02:04:03 -08:00
// identifier_expr := call_expression | Variable
2017-02-17 21:36:39 -08:00
// list_expr := LSquareBracket exprlist RSquareBracket
// struct_expr := LCurlyBrace itemlist RCurlyBrace
2017-02-17 01:54:47 -08:00
// call_expression := Identifier LParen exprlist RParen
// while_expr := WHILE primary_expression LCurlyBrace (expression delimiter)* RCurlyBrace
2016-12-29 02:04:03 -08:00
// paren_expr := LParen expression RParen
// conditional_expr := IF expression LCurlyBrace (expression delimiter)* RCurlyBrace (LCurlyBrace (expresion delimiter)* RCurlyBrace)?
2017-01-11 20:18:17 -08:00
// lambda_expr := FN LParen identlist RParen LCurlyBrace (expression delimiter)* RCurlyBrace
2017-02-17 01:54:47 -08:00
// lambda_call := | LParen exprlist RParen
// postop := ε | LParen exprlist RParen | LBracket expression RBracket
2016-12-29 02:04:03 -08:00
// op := '+', '-', etc.
//
2016-01-12 03:29:28 -08:00
pub type AST = Vec<Statement>;
2016-01-10 01:15:34 -08:00
#[derive(Debug, Clone)]
2017-01-03 02:45:36 -08:00
pub enum Statement {
2016-01-10 01:15:34 -08:00
ExprNode(Expression),
FuncDefNode(Function),
2016-01-10 01:15:34 -08:00
}
impl fmt::Display for Statement {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
use self::Statement::*;
match *self {
ExprNode(ref expr) => write!(f, "{}", expr),
FuncDefNode(_) => write!(f, "UNIMPLEMENTED"),
}
}
}
2016-01-10 01:15:34 -08:00
#[derive(Debug, Clone)]
pub struct Function {
pub prototype: Prototype,
2017-01-03 02:45:36 -08:00
pub body: Vec<Statement>,
2016-01-10 01:15:34 -08:00
}
2016-01-17 00:08:46 -08:00
#[derive(Debug, Clone, PartialEq)]
2016-01-10 01:15:34 -08:00
pub struct Prototype {
pub name: Rc<String>,
pub parameters: Vec<Rc<String>>,
2016-01-10 01:15:34 -08:00
}
#[derive(Debug, Clone)]
pub enum Expression {
2016-01-21 19:10:21 -08:00
Null,
StringLiteral(Rc<String>),
Number(f64),
Variable(Rc<String>),
2017-01-13 20:05:17 -08:00
BinExp(BinOp, Box<Expression>, Box<Expression>),
Call(Callable, Vec<Expression>),
2016-12-31 03:35:46 -08:00
Conditional(Box<Expression>, Box<Expression>, Option<Box<Expression>>),
Lambda(Function),
2016-12-31 03:35:46 -08:00
Block(VecDeque<Expression>),
While(Box<Expression>, Vec<Expression>),
2017-02-17 21:13:57 -08:00
Index(Box<Expression>, Box<Expression>),
2017-02-18 03:09:36 -08:00
ListLiteral(VecDeque<Expression>),
StructLiteral(VecDeque<(Rc<String>, Expression)>),
2016-01-10 01:15:34 -08:00
}
#[derive(Clone, Debug)]
pub enum Callable {
NamedFunction(Rc<String>),
Lambda(Function),
}
//TODO this ought to be ReducedExpression
2016-01-22 02:55:07 -08:00
impl fmt::Display for Expression {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
use self::Expression::*;
2017-01-02 22:17:21 -08:00
match *self {
Null => write!(f, "null"),
StringLiteral(ref s) => write!(f, "\"{}\"", s),
Number(n) => write!(f, "{}", n),
Lambda(Function { prototype: Prototype { ref name, ref parameters, .. }, .. }) => {
2017-01-02 22:15:14 -08:00
write!(f, "«function: {}, {} arg(s)»", name, parameters.len())
}
2017-02-18 03:09:36 -08:00
ListLiteral(ref items) => {
write!(f, "[ ")?;
2017-02-19 01:17:54 -08:00
let mut iter = items.iter().peekable();
while let Some(item) = iter.next() {
write!(f, "{}", item)?;
2017-02-19 01:17:54 -08:00
if let Some(_) = iter.peek() {
write!(f, ", ")?;
2017-02-19 01:17:54 -08:00
}
2017-02-18 04:16:58 -08:00
}
2017-02-19 01:17:54 -08:00
write!(f, " ]")
2017-02-18 03:09:36 -08:00
}
StructLiteral(ref items) => {
write!(f, "{} ", "{")?;
let mut iter = items.iter().peekable();
while let Some(pair) = iter.next() {
write!(f, "{}: {}", pair.0, pair.1)?;
if let Some(_) = iter.peek() {
write!(f, ", ")?;
}
}
write!(f, "{} ", "}")
}
2016-01-22 02:55:07 -08:00
_ => write!(f, "UNIMPLEMENTED"),
}
}
}
#[derive(Debug, Clone)]
2017-01-13 20:05:17 -08:00
pub enum BinOp {
Add,
AddAssign,
Sub,
SubAssign,
Mul,
MulAssign,
Div,
DivAssign,
Mod,
Less,
LessEq,
Greater,
GreaterEq,
Equal,
Assign,
Custom(String),
}
2017-01-13 20:05:17 -08:00
impl From<OpTok> for BinOp {
fn from(token: OpTok) -> BinOp {
use self::BinOp::*;
match &token.0[..] {
"+" => Add,
"+=" => AddAssign,
"-" => Sub,
"-=" => SubAssign,
"*" => Mul,
"*=" => MulAssign,
"/" => Div,
"/=" => DivAssign,
"%" => Mod,
"<" => Less,
"<=" => LessEq,
">" => Greater,
">=" => GreaterEq,
"==" => Equal,
"=" => Assign,
2017-01-13 20:05:17 -08:00
op => Custom(op.to_string()),
}
}
}
2016-01-15 03:27:24 -08:00
type Precedence = u8;
2016-12-29 02:04:03 -08:00
// TODO make this support incomplete parses
2016-01-10 01:15:34 -08:00
pub type ParseResult<T> = Result<T, ParseError>;
2015-12-24 22:01:59 -08:00
#[derive(Debug)]
2016-01-10 01:15:34 -08:00
pub struct ParseError {
2016-12-29 02:04:03 -08:00
pub msg: String,
pub remaining_tokens: Vec<Token>,
}
2016-01-10 01:15:34 -08:00
impl ParseError {
fn result_from_str<T>(msg: &str) -> ParseResult<T> {
2017-01-01 19:45:27 -08:00
Err(ParseError {
msg: msg.to_string(),
remaining_tokens: vec![],
})
2016-01-10 01:15:34 -08:00
}
}
2015-12-25 02:03:11 -08:00
2016-01-12 01:58:12 -08:00
struct Parser {
tokens: Vec<Token>,
}
2016-01-12 01:58:12 -08:00
impl Parser {
fn initialize(tokens: &[Token]) -> Parser {
let mut tokens = tokens.to_vec();
tokens.reverse();
Parser { tokens: tokens }
}
fn peek(&self) -> Option<Token> {
2016-01-12 01:58:12 -08:00
self.tokens.last().map(|x| x.clone())
}
2016-12-29 02:04:03 -08:00
fn next(&mut self) -> Option<Token> {
2016-01-12 03:26:28 -08:00
self.tokens.pop()
2016-01-12 01:58:12 -08:00
}
2016-01-15 03:27:24 -08:00
fn get_precedence(&self, op: &OpTok) -> Precedence {
match &op.0[..] {
2016-01-15 03:27:24 -08:00
"+" => 10,
"-" => 10,
"*" => 20,
"/" => 20,
"%" => 20,
"==" => 40,
"=" | "+=" | "-=" | "*=" | "/=" => 1,
">" | ">=" | "<" | "<=" => 30,
2016-01-15 03:27:24 -08:00
_ => 255,
}
}
}
macro_rules! expect {
($self_:expr, $token:pat) => {
2016-01-12 01:58:12 -08:00
match $self_.peek() {
Some($token) => {$self_.next();},
Some(x) => {
let err = format!("Expected `{:?}` but got `{:?}`", stringify!($token), x);
return ParseError::result_from_str(&err)
},
None => {
let err = format!("Expected `{:?}` but got end of input", stringify!($token));
return ParseError::result_from_str(&err) //TODO make this not require 2 stringifications
}
2016-01-12 01:58:12 -08:00
}
}
}
2016-01-16 20:23:43 -08:00
macro_rules! expect_identifier {
($self_:expr) => {
match $self_.peek() {
Some(Identifier(s)) => {$self_.next(); s},
Some(x) => return ParseError::result_from_str(&format!("Expected identifier, but got {:?}", x)),
None => return ParseError::result_from_str("Expected identifier, but got end of input"),
2016-01-16 20:23:43 -08:00
}
}
}
2017-01-09 20:41:42 -08:00
macro_rules! skip_whitespace {
($_self: expr) => {
loop {
match $_self.peek() {
Some(ref t) if is_delimiter(t) => {
$_self.next();
continue;
}
_ => break,
}
}
}
}
2017-01-05 02:20:23 -08:00
macro_rules! delimiter_block {
2017-01-09 20:41:42 -08:00
($_self: expr, $try_parse: ident, $($break_pattern: pat)|+) => {
2017-01-05 02:20:23 -08:00
{
let mut acc = Vec::new();
loop {
match $_self.peek() {
None => break,
Some(ref t) if is_delimiter(t) => { $_self.next(); continue; },
$($break_pattern)|+ => break,
2017-01-05 02:20:23 -08:00
_ => {
let a = try!($_self.$try_parse());
acc.push(a);
}
}
}
acc
}
}
}
2016-01-12 04:04:14 -08:00
fn is_delimiter(token: &Token) -> bool {
match *token {
Newline | Semicolon => true,
2016-12-29 02:04:03 -08:00
_ => false,
2016-01-12 04:04:14 -08:00
}
}
2016-01-12 01:58:12 -08:00
impl Parser {
fn program(&mut self) -> ParseResult<AST> {
let mut ast = Vec::new(); //TODO have this come from previously-parsed tree
loop {
2017-01-03 02:45:36 -08:00
let result: ParseResult<Statement> = match self.peek() {
2017-01-04 19:32:06 -08:00
Some(ref t) if is_delimiter(t) => {
2016-12-29 02:04:03 -08:00
self.next();
continue;
}
2016-01-17 00:50:23 -08:00
Some(_) => self.statement(),
None => break,
2016-01-12 01:58:12 -08:00
};
match result {
Ok(node) => ast.push(node),
Err(mut err) => {
err.remaining_tokens = self.tokens.clone();
err.remaining_tokens.reverse();
2017-01-01 19:45:27 -08:00
return Err(err);
}
2016-01-12 01:58:12 -08:00
}
}
Ok(ast)
}
2017-01-03 02:45:36 -08:00
fn statement(&mut self) -> ParseResult<Statement> {
let node: Statement = match self.peek() {
2017-02-17 21:45:21 -08:00
Some(Keyword(Kw::Fn)) => self.declaration()?,
Some(_) => Statement::ExprNode(self.expression()?),
None => panic!("Unexpected end of tokens"),
2016-01-12 01:58:12 -08:00
};
Ok(node)
}
2017-01-03 02:45:36 -08:00
fn declaration(&mut self) -> ParseResult<Statement> {
expect!(self, Keyword(Kw::Fn));
2017-02-17 21:45:21 -08:00
let prototype = self.prototype()?;
expect!(self, LCurlyBrace);
2017-02-17 21:45:21 -08:00
let body = self.body()?;
expect!(self, RCurlyBrace);
2017-01-03 02:45:36 -08:00
Ok(Statement::FuncDefNode(Function {
2016-12-29 02:04:03 -08:00
prototype: prototype,
body: body,
}))
2016-01-12 01:58:12 -08:00
}
fn prototype(&mut self) -> ParseResult<Prototype> {
2017-01-05 01:58:22 -08:00
let name = expect_identifier!(self);
expect!(self, LParen);
2017-02-17 21:45:21 -08:00
let parameters = self.identlist()?;
expect!(self, RParen);
2016-12-29 02:04:03 -08:00
Ok(Prototype {
name: name,
parameters: parameters,
})
2016-01-12 01:58:12 -08:00
}
fn identlist(&mut self) -> ParseResult<Vec<Rc<String>>> {
2017-01-05 01:58:22 -08:00
let mut args = Vec::new();
2016-01-17 01:17:54 -08:00
while let Some(Identifier(name)) = self.peek() {
args.push(name.clone());
2016-01-17 01:17:54 -08:00
self.next();
2017-01-05 01:58:22 -08:00
match self.peek() {
Some(Comma) => {self.next();},
_ => break,
2016-01-12 01:58:12 -08:00
}
}
2016-01-12 01:58:12 -08:00
Ok(args)
}
2016-01-16 20:23:43 -08:00
fn exprlist(&mut self) -> ParseResult<Vec<Expression>> {
2017-01-05 01:58:22 -08:00
let mut exprs = Vec::new();
2016-01-16 20:23:43 -08:00
loop {
if let Some(RParen) = self.peek() {
break;
}
2017-02-17 21:45:21 -08:00
let exp = self.expression()?;
2017-01-05 01:58:22 -08:00
exprs.push(exp);
match self.peek() {
Some(Comma) => {self.next();},
_ => break,
2016-01-16 20:23:43 -08:00
}
}
2017-01-05 01:58:22 -08:00
Ok(exprs)
2016-01-16 20:23:43 -08:00
}
fn itemlist(&mut self) -> ParseResult<VecDeque<(Rc<String>, Expression)>> {
let mut items = VecDeque::new();
loop {
if let Some(RCurlyBrace) = self.peek() {
break;
}
let name = expect_identifier!(self);
expect!(self, Colon);
let expr = self.expression()?;
items.push_back((name, expr));
match self.peek() {
Some(Comma) => {self.next();},
_ => break,
};
}
Ok(items)
}
2017-01-03 02:45:36 -08:00
fn body(&mut self) -> ParseResult<Vec<Statement>> {
2017-01-05 02:20:23 -08:00
let statements = delimiter_block!(
self,
statement,
Some(RCurlyBrace)
2017-01-05 02:20:23 -08:00
);
Ok(statements)
2016-01-12 01:58:12 -08:00
}
2016-01-12 04:04:14 -08:00
fn expression(&mut self) -> ParseResult<Expression> {
2017-02-17 21:45:21 -08:00
let lhs: Expression = self.postop_expression()?;
2016-01-15 03:27:24 -08:00
self.precedence_expr(lhs, 0)
}
2016-12-29 02:04:03 -08:00
fn precedence_expr(&mut self,
mut lhs: Expression,
min_precedence: u8)
-> ParseResult<Expression> {
while let Some(Operator(op)) = self.peek() {
let precedence = self.get_precedence(&op);
if precedence < min_precedence {
break;
}
self.next();
2017-02-17 21:45:21 -08:00
let mut rhs = self.postop_expression()?;
while let Some(Operator(ref op)) = self.peek() {
if self.get_precedence(op) > precedence {
let new_prec = self.get_precedence(op);
2017-02-17 21:45:21 -08:00
rhs = self.precedence_expr(rhs, new_prec)?;
} else {
break;
}
}
2017-01-13 20:05:17 -08:00
lhs = Expression::BinExp(op.into(), Box::new(lhs), Box::new(rhs));
}
2016-01-15 03:27:24 -08:00
Ok(lhs)
2016-01-13 23:29:18 -08:00
}
2017-02-17 01:54:47 -08:00
fn postop_expression(&mut self) -> ParseResult<Expression> {
use self::Expression::*;
2017-02-17 21:45:21 -08:00
let expr = self.primary_expression()?;
2017-02-17 01:54:47 -08:00
let ret = match self.peek() {
Some(LParen) => {
2017-02-17 21:45:21 -08:00
let args = self.call_expression()?;
2017-02-17 01:54:47 -08:00
match expr {
Lambda(f) => Call(Callable::Lambda(f), args),
e => {
let err = format!("Expected lambda expression before a call, got {:?}", e);
return ParseError::result_from_str(&err);
},
}
},
Some(LSquareBracket) => {
2017-02-17 21:13:57 -08:00
expect!(self, LSquareBracket);
let index_expr = self.expression()?;
expect!(self, RSquareBracket);
Index(Box::new(expr), Box::new(index_expr))
2017-02-17 01:54:47 -08:00
},
_ => {
expr
}
};
Ok(ret)
}
2016-01-13 23:29:18 -08:00
fn primary_expression(&mut self) -> ParseResult<Expression> {
2016-01-17 00:50:23 -08:00
Ok(match self.peek() {
2016-12-29 02:04:03 -08:00
Some(Keyword(Kw::Null)) => {
self.next();
Expression::Null
}
2017-02-17 21:45:21 -08:00
Some(NumLiteral(_)) => self.number_expression()?,
Some(Operator(OpTok(ref a))) if **a == "+" || **a == "-" => self.number_expression()?,
2016-12-29 02:04:03 -08:00
Some(StrLiteral(s)) => {
self.next();
Expression::StringLiteral(s)
}
2017-02-17 21:45:21 -08:00
Some(Keyword(Kw::If)) => self.conditional_expr()?,
Some(Keyword(Kw::While)) => self.while_expr()?,
Some(Identifier(_)) => self.identifier_expr()?,
Some(Token::LParen) => self.paren_expr()?,
Some(Keyword(Kw::Fn)) => self.lambda_expr()?,
Some(Token::LSquareBracket) => self.list_expr()?,
Some(Token::LCurlyBrace) => self.struct_expr()?,
Some(e) => {
2017-01-01 19:45:27 -08:00
return ParseError::result_from_str(&format!("Expected primary expression, got \
{:?}",
e));
}
2016-12-29 02:04:03 -08:00
None => return ParseError::result_from_str("Expected primary expression received EoI"),
2016-01-17 00:50:23 -08:00
})
2016-01-12 01:58:12 -08:00
}
2016-01-15 01:04:54 -08:00
2017-02-17 21:36:39 -08:00
fn list_expr(&mut self) -> ParseResult<Expression> {
2017-02-18 03:09:36 -08:00
expect!(self, LSquareBracket);
let exprlist: Vec<Expression> = self.exprlist()?;
expect!(self, RSquareBracket);
Ok(Expression::ListLiteral(VecDeque::from(exprlist)))
2017-02-17 21:36:39 -08:00
}
fn struct_expr(&mut self) -> ParseResult<Expression> {
expect!(self, LCurlyBrace);
let struct_items = self.itemlist()?;
expect!(self, RCurlyBrace);
Ok(Expression::StructLiteral(struct_items))
}
2017-01-19 19:44:43 -08:00
fn number_expression(&mut self) -> ParseResult<Expression> {
let mut multiplier = 1;
loop {
match self.peek() {
Some(NumLiteral(n)) => {
self.next();
return Ok(Expression::Number(n * multiplier as f64));
}
Some(Operator(OpTok(ref a))) if **a == "+" => {
self.next();
}
Some(Operator(OpTok(ref a))) if **a == "-" => {
multiplier *= -1;
self.next();
}
Some(e) => {
return ParseError::result_from_str(
&format!("Expected +, - or number, got {:?}", e));
}
None => {
return ParseError::result_from_str(
&format!("Expected +, - or number, got EoI"));
}
}
}
}
2017-01-11 20:18:17 -08:00
fn lambda_expr(&mut self) -> ParseResult<Expression> {
use self::Expression::*;
expect!(self, Keyword(Kw::Fn));
skip_whitespace!(self);
expect!(self, LParen);
2017-02-17 21:45:21 -08:00
let parameters = self.identlist()?;
2017-01-11 20:18:17 -08:00
expect!(self, RParen);
skip_whitespace!(self);
expect!(self, LCurlyBrace);
2017-02-17 21:45:21 -08:00
let body = self.body()?;
2017-01-11 20:18:17 -08:00
expect!(self, RCurlyBrace);
let prototype = Prototype {
name: Rc::new("a lambda yo!".to_string()),
parameters: parameters,
};
let function = Function {
prototype: prototype,
body: body,
};
2017-02-17 01:54:47 -08:00
Ok(Lambda(function))
2017-01-11 20:18:17 -08:00
}
fn while_expr(&mut self) -> ParseResult<Expression> {
use self::Expression::*;
expect!(self, Keyword(Kw::While));
2017-02-17 21:45:21 -08:00
let test = self.expression()?;
expect!(self, LCurlyBrace);
let body = delimiter_block!(
self,
expression,
Some(RCurlyBrace)
);
expect!(self, RCurlyBrace);
Ok(While(Box::new(test), body))
}
fn conditional_expr(&mut self) -> ParseResult<Expression> {
2016-12-31 03:35:46 -08:00
use self::Expression::*;
expect!(self, Keyword(Kw::If));
2017-02-17 21:45:21 -08:00
let test = self.expression()?;
2017-01-09 20:41:42 -08:00
skip_whitespace!(self);
expect!(self, LCurlyBrace);
2017-01-09 20:41:42 -08:00
skip_whitespace!(self);
let then_block = delimiter_block!(
self,
expression,
Some(RCurlyBrace)
);
expect!(self, RCurlyBrace);
2017-01-09 20:41:42 -08:00
skip_whitespace!(self);
let else_block = if let Some(Keyword(Kw::Else)) = self.peek() {
self.next();
2017-01-09 20:41:42 -08:00
skip_whitespace!(self);
expect!(self, LCurlyBrace);
let else_exprs = delimiter_block!(
self,
expression,
Some(RCurlyBrace)
);
Some(else_exprs)
} else {
None
};
expect!(self, RCurlyBrace);
2017-01-01 19:45:27 -08:00
Ok(Conditional(Box::new(test),
Box::new(Block(VecDeque::from(then_block))),
else_block.map(|list| Box::new(Block(VecDeque::from(list))))))
}
2016-01-16 20:23:43 -08:00
fn identifier_expr(&mut self) -> ParseResult<Expression> {
let name = expect_identifier!(self);
let expr = match self.peek() {
Some(LParen) => {
2017-02-17 21:45:21 -08:00
let args = self.call_expression()?;
Expression::Call(Callable::NamedFunction(name), args)
2016-12-29 02:04:03 -08:00
}
__ => Expression::Variable(name),
2016-01-16 20:23:43 -08:00
};
Ok(expr)
}
2017-02-17 01:54:47 -08:00
fn call_expression(&mut self) -> ParseResult<Vec<Expression>> {
expect!(self, LParen);
2017-02-17 21:45:21 -08:00
let args: Vec<Expression> = self.exprlist()?;
expect!(self, RParen);
2016-01-16 20:23:43 -08:00
Ok(args)
2016-01-15 01:04:54 -08:00
}
fn paren_expr(&mut self) -> ParseResult<Expression> {
expect!(self, Token::LParen);
2017-02-17 21:45:21 -08:00
let expr = self.expression()?;
expect!(self, Token::RParen);
2016-01-15 01:15:57 -08:00
Ok(expr)
2016-01-15 01:04:54 -08:00
}
}
2017-01-03 02:45:36 -08:00
pub fn parse(tokens: &[Token], _parsed_tree: &[Statement]) -> ParseResult<AST> {
2016-01-12 01:58:12 -08:00
let mut parser = Parser::initialize(tokens);
parser.program()
2015-12-25 02:03:11 -08:00
}
/*
#[cfg(test)]
mod tests {
2017-01-23 19:51:27 -08:00
use schala_lang::tokenizer;
use super::*;
2017-01-03 02:45:36 -08:00
use super::Statement::*;
use super::Expression::*;
macro_rules! parsetest {
($input:expr, $output:pat, $ifexpr:expr) => {
{
let tokens = tokenizer::tokenize($input).unwrap();
let ast = parse(&tokens, &[]).unwrap();
match &ast[..] {
$output if $ifexpr => (),
x => panic!("Error in parse test, got {:?} instead", x)
}
}
}
}
2016-01-17 00:08:46 -08:00
#[test]
2017-01-11 20:18:17 -08:00
fn function_parse_test() {
2016-01-17 00:08:46 -08:00
use super::Function;
parsetest!(
"fn a() { 1 + 2 }",
&[FuncDefNode(Function {prototype: Prototype { ref name, ref parameters }, ref body})],
match &body[..] { &[ExprNode(BinExp(_, box Number(1.0), box Number(2.0)))] => true, _ => false }
2017-01-05 02:36:28 -08:00
&& **name == "a" && match &parameters[..] { &[] => true, _ => false }
2016-01-17 00:08:46 -08:00
);
parsetest!(
"fn a(x,y){ 1 + 2 }",
&[FuncDefNode(Function {prototype: Prototype { ref name, ref parameters }, ref body})],
match &body[..] { &[ExprNode(BinExp(_, box Number(1.0), box Number(2.0)))] => true, _ => false }
2017-01-05 02:36:28 -08:00
&& **name == "a" && *parameters[0] == "x" && *parameters[1] == "y" && parameters.len() == 2
2016-01-17 00:08:46 -08:00
);
2017-01-11 20:18:17 -08:00
let t3 = "fn (x) { x + 2 }";
let tokens3 = tokenizer::tokenize(t3).unwrap();
assert!(parse(&tokens3, &[]).is_err());
2016-01-17 00:08:46 -08:00
}
#[test]
fn expression_parse_test() {
2017-01-05 02:36:28 -08:00
parsetest!("a", &[ExprNode(Variable(ref s))], **s == "a");
parsetest!("a + b",
&[ExprNode(BinExp(BinOp::Add, box Variable(ref a), box Variable(ref b)))],
2017-01-13 20:05:17 -08:00
**a == "a" && **b == "b");
2016-01-16 16:26:52 -08:00
parsetest!("a + b * c",
&[ExprNode(BinExp(BinOp::Add, box Variable(ref a), box BinExp(BinOp::Mul, box Variable(ref b), box Variable(ref c))))],
2017-01-13 20:05:17 -08:00
**a == "a" && **b == "b" && **c == "c");
2016-01-16 16:26:52 -08:00
parsetest!("a * b + c",
&[ExprNode(BinExp(BinOp::Add, box BinExp(BinOp::Mul, box Variable(ref a), box Variable(ref b)), box Variable(ref c)))],
2017-01-13 20:05:17 -08:00
**a == "a" && **b == "b" && **c == "c");
2016-01-16 17:00:54 -08:00
parsetest!("(a + b) * c",
&[ExprNode(BinExp(BinOp::Mul, box BinExp(BinOp::Add, box Variable(ref a), box Variable(ref b)), box Variable(ref c)))],
2017-01-13 20:05:17 -08:00
**a == "a" && **b == "b" && **c == "c");
}
2016-12-31 04:00:30 -08:00
#[test]
2017-01-11 20:18:17 -08:00
fn lambda_parse_test() {
2017-01-23 19:51:27 -08:00
use schala_lang::tokenizer;
2017-01-11 20:18:17 -08:00
let t1 = "(fn(x) { x + 2 })";
let tokens1 = tokenizer::tokenize(t1).unwrap();
match parse(&tokens1, &[]).unwrap()[..] {
_ => (),
}
let t2 = "fn(x) { x + 2 }";
let tokens2 = tokenizer::tokenize(t2).unwrap();
assert!(parse(&tokens2, &[]).is_err());
2017-02-17 01:54:47 -08:00
let t3 = "(fn(x) { x + 10 })(20)";
let tokens3 = tokenizer::tokenize(t3).unwrap();
match parse(&tokens3, &[]).unwrap() {
_ => (),
};
2017-01-11 20:18:17 -08:00
}
#[test]
2016-12-31 04:00:30 -08:00
fn conditional_parse_test() {
2017-01-23 19:51:27 -08:00
use schala_lang::tokenizer;
let t1 = "if null { 20 } else { 40 }";
2016-12-31 04:00:30 -08:00
let tokens = tokenizer::tokenize(t1).unwrap();
match parse(&tokens, &[]).unwrap()[..] {
2017-01-02 16:55:26 -08:00
[ExprNode(Conditional(box Null, box Block(_), Some(box Block(_))))] => (),
_ => panic!(),
2016-12-31 04:00:30 -08:00
}
2017-01-09 20:41:42 -08:00
let t2 = r"
if null {
20
} else {
40
}
";
let tokens2 = tokenizer::tokenize(t2).unwrap();
match parse(&tokens2, &[]).unwrap()[..] {
[ExprNode(Conditional(box Null, box Block(_), Some(box Block(_))))] => (),
_ => panic!(),
}
2017-01-09 20:41:42 -08:00
let t2 = r"
if null {
20 } else
{
40
}
";
let tokens3 = tokenizer::tokenize(t2).unwrap();
match parse(&tokens3, &[]).unwrap()[..] {
[ExprNode(Conditional(box Null, box Block(_), Some(box Block(_))))] => (),
_ => panic!(),
}
2016-12-31 04:00:30 -08:00
}
}
*/