schala/schala-lang/language/src/parsing.rs

1833 lines
61 KiB
Rust
Raw Normal View History

//! # Parsing
//! This module is where the recursive-descent parsing methods live.
//!
//!
//! # Schala EBNF Grammar
2019-06-09 01:08:32 -07:00
//! This document is the authoritative grammar of Schala, represented in something approximating
//! Extended Backus-Naur form. Terminal productions are in "double quotes", or UPPERCASE
//! if they represent a class of tokens rather than an specific string, or are otherwise
//! unreprsentable in ASCII.
//!
//! ## Top level structure
//!
//! ```text
//! program := (statement delimiter)* EOF
//! delimiter := NEWLINE | ";"
//! statement := expression | declaration
//! block := "{" (statement delimiter)* "}"
//! declaration := type_declaration | func_declaration | binding_declaration | impl_declaration
//! ```
2019-06-09 01:08:32 -07:00
//! ## Declarations
//!
//! ### Types
//! ```text
//! type_declaration := "type" type_declaration_body
//! type_declaration_body := "alias" type_alias | "mut"? type_singleton_name "=" type_body
//! type_alias := IDENTIFIER "=" type_name
//! type_body := variant_specifier ("|" variant_specifier)*
//! variant_specifier := IDENTIFIER | IDENTIFIER "{" typed_identifier_list "}" | IDENTIFIER "(" type_name* ")"
//! typed_identifier_list := typed_identifier*
//! typed_identifier := IDENTIFIER type_anno
//! ```
2019-06-09 01:08:32 -07:00
//! ### Functions
//!
//! ```text
//! func_declaration := func_signature func_body
//! func_body := ε | nonempty_func_body
//! nonempty_func_body := "{" (statement delimiter)* "}"
//! func_signature := "fn" func_name formal_param_list type_anno+
//! func_name := IDENTIFIER | operator
//! formal_param_list := "(" (formal_param ",")* ")"
//! formal_param := IDENTIFIER type_anno+
//! ```
2019-06-09 01:08:32 -07:00
//!
//! ### Variable bindings
//! ```text binding_declaration := "let" "mut"? IDENTIFIER "=" expresion```
2019-06-09 01:08:32 -07:00
//!
//! ### Interfaces
//!
//! ```text
//! interface_declaration := "interface" type_singleton_name signature_block
//! impl_declaration := "impl" type_singleton_name decl_block | "impl" type_singleton_name "for" type_name decl_block
//! decl_block := "{" (func_declaration)* "}"
//! signature_block := "{" (func_signature)* "}"
//! ```
2019-06-09 01:08:32 -07:00
//!
//! ### Type Annotations
//!
//! ```text
2019-06-09 01:08:32 -07:00
//! type_anno := ":" type_name
//! type_name := type_singleton_name | "(" type_names ")"
//! type_names := ε | type_name (, type_name)*
//! type_singleton_name = IDENTIFIER (type_params)*
//! type_params := "<" type_name (, type_name)* ">"
//! ```
2019-06-09 01:08:32 -07:00
//!
//! ## Expressions
//! ```text
//! expression := precedence_expr type_anno+
//! precedence_expr := prefix_expr
//! prefix_expr := prefix_op call_expr
//! prefix_op := "+" | "-" | "!" | "~"
//! call_expr := index_expr ( "(" invocation_list ")" )* | ε
//! invocation_list := invocation_argument ("," invocation_argument)* | ε
//! invocation_argument := expression | IDENTIFIER "=" expression | "_"
//! index_expr := primary ( "[" (expression ("," (expression)* | ε) "]" )*
//! primary := literal | paren_expr | if_expr | for_expr | while_expr | identifier_expr | lambda_expr | anonymous_struct | list_expr
2019-06-09 01:08:32 -07:00
//! expr_or_block := "{" (statement delimiter)* "}" | expr
//! ```
2019-06-09 01:08:32 -07:00
//!
//! ### Primary expressions
//!
//! ```text
//! list_expr := "[" (expression, ",")* "]"
2019-06-09 01:12:19 -07:00
//! lambda_expr := "\\" lambda_param_list type_anno+ nonempty_func_body
//! lambda_param_list := formal_param_list | formal_param
2019-06-09 01:12:19 -07:00
//! paren_expr := "(" paren_inner ")"
//! paren_inner := (expression ",")*
//! identifier_expr := named_struct | IDENTIFIER
//! ```
2019-06-09 01:08:32 -07:00
//!
//! ## Literals
//! ```text
//! literal := "true" | "false" | number_literal | STR_LITERAL
//! named_struct := IDENTIFIER record_block
//! record_block := "{" (record_entry, ",")* | "}" //TODO support anonymus structs, update syntax
//! record_entry := IDENTIFIER ":" expression
//! anonymous_struct := TODO
//! number_literal := int_literal | float_literal
//! int_literal = ("0x" | "0b") digits
//! float_literal := digits ("." digits)
2019-06-09 01:12:19 -07:00
//! digits := (digit_group underscore*)+
//! digit_group := DIGIT+
//! ```
2019-06-09 01:08:32 -07:00
//!
//! ### Patterns
//! ```text
//! pattern := "(" (pattern, ",")* ")" | simple_pattern
//! simple_pattern := pattern_literal | record_pattern | tuple_struct_pattern
//! pattern_literal := "true" | "false" | signed_number_literal | STR_LITERAL | IDENTIFIER
//! signed_number_literal := "-"? number_literal
//! record_pattern := IDENTIFIER "{" (record_pattern_entry, ",")* "}"
//! record_pattern_entry := IDENTIFIER | IDENTIFIER ":" Pattern
//! tuple_struct_pattern := IDENTIFIER "(" (pattern, ",")* ")"
//! ```
2019-06-09 01:08:32 -07:00
//!
//! ### If-expressions
//! ```text
//! if_expr := "if" discriminator ("then" condititional | "is" simple_pattern_match | guard_block)
//! discriminator := precedence_expr (operator)+
//! conditional := expr_or_block else_clause
//! simple_pattern_match := pattern "then" conditional
//! else_clause := ε | "else" expr_or_block
//! guard_block := "{" (guard_arm, ",")* "}"
//! guard_arm := guard "->" expr_or_block
//! guard := "is" pattern | (operator)+ precedence_expr
//! ```
2019-06-09 01:08:32 -07:00
//!
//! ### While expressions
//! ```text
//! while_expr := "while" while_cond "{" (statement delimiter)* "}"
//! while_cond := ε | expression | expression "is" pattern //TODO maybe is-expresions should be primary
//! ```
2019-06-09 01:08:32 -07:00
//!
//! //TODO this implies there must be at least one enumerator, which the parser doesn"t support right
//! //this second, and maybe should fail later anyway
2019-06-09 01:08:32 -07:00
//! ### For-expressions
//! ```text
//! for_expr := "for" (enumerator | "{" enumerators "}") for_expr_body
//! for_expr_body := "return" expression | "{" (statement delimiter)* "}"
//! enumerators := enumerator ("," enumerators)*
//! enumerator := identifier "<-" expression | identifier "=" expression //TODO add guards, etc.
//! ```
//!
2017-08-29 05:08:09 -07:00
use std::rc::Rc;
2017-08-29 04:27:07 -07:00
2019-01-07 13:00:37 -08:00
use crate::tokenizing::*;
use crate::tokenizing::Kw::*;
use crate::tokenizing::TokenKind::*;
2017-09-06 09:42:29 -07:00
2019-01-07 13:00:37 -08:00
use crate::ast::*;
2018-06-04 19:25:40 -07:00
2019-01-07 13:00:37 -08:00
use crate::builtin::{BinOp, PrefixOp};
/// Represents a parsing error
#[derive(Debug)]
2017-09-11 02:07:17 -07:00
pub struct ParseError {
pub msg: String,
2019-01-08 01:04:46 -08:00
pub token: Token
2017-09-11 02:07:17 -07:00
}
impl ParseError {
fn new_with_token<T, M>(msg: M, token: Token) -> ParseResult<T> where M: Into<String> {
Err(ParseError { msg: msg.into(), token })
}
2017-09-11 02:07:17 -07:00
}
/// Represents either a successful parsing result or a ParseError
2017-09-11 02:07:17 -07:00
pub type ParseResult<T> = Result<T, ParseError>;
#[derive(Debug)]
2017-09-17 05:06:58 -07:00
pub struct ParseRecord {
production_name: String,
next_token: String,
2018-02-10 15:10:06 -08:00
level: u32,
2017-09-17 05:06:58 -07:00
}
/// Main data structure for doing parsing.
2018-10-20 14:27:00 -07:00
pub struct Parser {
token_handler: TokenHandler,
parse_record: Vec<ParseRecord>,
parse_level: u32,
restrictions: ParserRestrictions,
}
struct ParserRestrictions {
no_struct_literal: bool
2017-09-09 01:25:11 -07:00
}
struct TokenHandler {
tokens: Vec<Token>,
idx: usize,
end_of_file: (usize, usize),
}
impl TokenHandler {
fn new(tokens: Vec<Token>) -> TokenHandler {
let end_of_file = match tokens.last() {
None => (0, 0),
2019-01-08 02:11:19 -08:00
Some(t) => (t.line_num, t.char_num)
};
TokenHandler { idx: 0, tokens, end_of_file }
}
fn peek_kind(&mut self) -> TokenKind {
self.peek().kind
}
2019-06-14 01:30:53 -07:00
fn peek_kind_n(&mut self, n: usize) -> TokenKind {
self.peek_n(n).kind
}
fn peek(&mut self) -> Token {
self.tokens.get(self.idx).map(|t: &Token| { t.clone()}).unwrap_or(Token { kind: TokenKind::EOF, line_num: self.end_of_file.0, char_num: self.end_of_file.1})
}
2019-06-14 01:30:53 -07:00
fn peek_n(&mut self, n: usize) -> Token {
self.tokens.get(self.idx + n).map(|t: &Token| { t.clone()}).unwrap_or(Token { kind: TokenKind::EOF, line_num: self.end_of_file.0, char_num: self.end_of_file.1})
}
2019-01-05 17:50:54 -08:00
fn next(&mut self) -> Token {
self.idx += 1;
self.tokens.get(self.idx - 1).map(|t: &Token| { t.clone() }).unwrap_or(Token { kind: TokenKind::EOF, line_num: self.end_of_file.0, char_num: self.end_of_file.1})
}
}
2017-09-09 01:25:11 -07:00
impl Parser {
/// Create a new parser initialized with some tokens.
pub fn new(initial_input: Vec<Token>) -> Parser {
Parser {
token_handler: TokenHandler::new(initial_input),
parse_record: vec![],
parse_level: 0,
restrictions: ParserRestrictions { no_struct_literal: false }
}
2017-09-09 01:25:11 -07:00
}
/// Parse all loaded tokens up to this point.
pub fn parse(&mut self) -> ParseResult<AST> {
self.program()
}
/*
pub fn parse_with_new_tokens(&mut self, new_tokens: Vec<Token>) -> ParseResult<AST> {
}
*/
2018-10-20 14:27:00 -07:00
pub fn format_parse_trace(self) -> Vec<String> {
self.parse_record.into_iter().map(|r| {
let mut indent = String::new();
for _ in 0..r.level {
indent.push(' ');
}
format!("{}Production `{}`, token: {}", indent, r.production_name, r.next_token)
}).collect()
}
2017-09-08 16:42:42 -07:00
}
macro_rules! print_token_pattern {
($tokenpattern:pat) => { stringify!($tokenpattern) }
}
2017-09-11 02:07:17 -07:00
macro_rules! expect {
2019-01-05 17:40:05 -08:00
($self:expr, $token_kind:pat) => { expect!($self, $token_kind if true) };
($self:expr, $expected_kind:pat if $cond:expr) => {
{
let tok = $self.token_handler.peek();
2019-01-05 17:40:05 -08:00
match tok.get_kind() {
2019-01-05 18:29:24 -08:00
$expected_kind if $cond => $self.token_handler.next(),
2019-01-05 17:40:05 -08:00
actual_kind => {
let msg = format!("Expected {}, got {:?}", print_token_pattern!($expected_kind), actual_kind);
return ParseError::new_with_token(msg, tok);
2019-01-05 17:40:05 -08:00
}
2017-09-30 14:41:37 -07:00
}
2017-09-13 22:40:05 -07:00
}
2017-09-11 02:07:17 -07:00
}
2017-09-09 00:31:15 -07:00
}
2017-09-28 23:55:10 -07:00
macro_rules! delimited {
2018-05-13 02:50:43 -07:00
($self:expr, $start:pat, $parse_fn:ident, $( $delim:pat )|+, $end:pat, nonstrict) => {
delimited!($self, $start, $parse_fn, $( $delim )|*, $end, false)
};
2018-05-13 02:50:43 -07:00
($self:expr, $start:pat, $parse_fn:ident, $( $delim:pat )|+, $end:pat) => {
delimited!($self, $start, $parse_fn, $( $delim )|*, $end, true)
};
2018-05-13 02:50:43 -07:00
($self:expr, $start:pat, $parse_fn:ident, $( $delim:pat )|+, $end:pat, $strictness:expr) => {
2017-09-28 23:55:10 -07:00
{
expect!($self, $start);
let mut acc = vec![];
loop {
let peek = $self.token_handler.peek();
match peek.get_kind() {
2017-09-30 13:46:50 -07:00
$end | EOF => break,
_ => (),
}
if !$strictness {
match peek.get_kind() {
2019-01-05 18:29:24 -08:00
$( $delim )|* => { $self.token_handler.next(); continue },
2017-09-30 13:46:50 -07:00
_ => ()
}
}
acc.push($self.$parse_fn()?);
match $self.token_handler.peek().get_kind() {
2019-01-05 18:29:24 -08:00
$( $delim )|* => { $self.token_handler.next(); continue },
_ if $strictness => break,
_ => continue,
};
}
expect!($self, $end);
acc
2017-09-28 23:55:10 -07:00
}
};
2017-09-28 23:55:10 -07:00
}
2018-07-14 00:47:16 -07:00
2017-09-11 02:07:17 -07:00
impl Parser {
/// `program := (statement delimiter)* EOF`
/// `delimiter := NEWLINE | ';'`
#[recursive_descent_method]
fn program(&mut self) -> ParseResult<AST> {
let mut statements = Vec::new();
loop {
match self.token_handler.peek().get_kind() {
EOF => break,
Newline | Semicolon => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
continue;
},
2019-01-04 22:58:25 -08:00
_ => statements.push(
2019-02-21 01:49:15 -08:00
Meta::new(self.statement()?)
2019-01-04 22:58:25 -08:00
),
}
}
Ok(AST(statements))
}
2017-09-11 02:07:17 -07:00
/// `statement := expression | declaration`
#[recursive_descent_method]
fn statement(&mut self) -> ParseResult<Statement> {
2017-09-11 02:07:17 -07:00
//TODO handle error recovery here
match self.token_handler.peek().get_kind() {
2017-09-11 02:07:17 -07:00
Keyword(Type) => self.type_declaration().map(|decl| { Statement::Declaration(decl) }),
Keyword(Func)=> self.func_declaration().map(|func| { Statement::Declaration(func) }),
2018-07-11 16:44:15 -07:00
Keyword(Let) => self.binding_declaration().map(|decl| Statement::Declaration(decl)),
2018-04-24 16:30:17 -07:00
Keyword(Interface) => self.interface_declaration().map(|decl| Statement::Declaration(decl)),
2017-10-03 03:49:07 -07:00
Keyword(Impl) => self.impl_declaration().map(|decl| Statement::Declaration(decl)),
2019-01-05 15:47:44 -08:00
_ => self.expression().map(|expr| { Statement::ExpressionStatement(expr.into()) } ),
2017-09-11 02:07:17 -07:00
}
}
2017-09-11 02:07:17 -07:00
#[recursive_descent_method]
fn type_declaration(&mut self) -> ParseResult<Declaration> {
expect!(self, Keyword(Type));
2017-10-04 22:02:31 -07:00
self.type_declaration_body()
}
2017-10-04 22:02:31 -07:00
#[recursive_descent_method]
fn type_declaration_body(&mut self) -> ParseResult<Declaration> {
if let Keyword(Alias) = self.token_handler.peek_kind() {
2017-10-04 22:02:31 -07:00
self.type_alias()
} else {
let mutable = if let Keyword(Mut) = self.token_handler.peek_kind() {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2018-07-12 02:07:52 -07:00
true
} else {
false
};
2018-02-12 00:51:53 -08:00
let name = self.type_singleton_name()?;
expect!(self, Operator(ref c) if **c == "=");
2017-10-04 22:02:31 -07:00
let body = self.type_body()?;
2018-07-12 02:07:52 -07:00
Ok(Declaration::TypeDecl { name, body, mutable})
2017-10-04 22:02:31 -07:00
}
}
2017-10-04 22:02:31 -07:00
#[recursive_descent_method]
fn type_alias(&mut self) -> ParseResult<Declaration> {
expect!(self, Keyword(Alias));
2017-09-13 22:40:05 -07:00
let alias = self.identifier()?;
expect!(self, Operator(ref c) if **c == "=");
2017-09-13 22:40:05 -07:00
let original = self.identifier()?;
Ok(Declaration::TypeAlias(alias, original))
}
2017-09-13 22:40:05 -07:00
#[recursive_descent_method]
fn type_body(&mut self) -> ParseResult<TypeBody> {
2017-10-08 18:47:57 -07:00
let mut variants = Vec::new();
variants.push(self.variant_specifier()?);
loop {
if let Pipe = self.token_handler.peek_kind() {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2017-10-08 18:47:57 -07:00
variants.push(self.variant_specifier()?);
} else {
break;
}
}
Ok(TypeBody(variants))
}
2017-10-08 18:47:57 -07:00
#[recursive_descent_method]
fn variant_specifier(&mut self) -> ParseResult<Variant> {
2017-10-08 19:02:52 -07:00
use self::Variant::*;
let name = self.identifier()?;
match self.token_handler.peek_kind() {
2017-10-08 19:02:52 -07:00
LParen => {
2018-05-13 02:50:43 -07:00
let tuple_members = delimited!(self, LParen, type_name, Comma, RParen);
2017-10-08 19:02:52 -07:00
Ok(TupleStruct(name, tuple_members))
},
LCurlyBrace => {
2018-05-13 02:50:43 -07:00
let typed_identifier_list = delimited!(self, LCurlyBrace, typed_identifier, Comma, RCurlyBrace);
2019-01-24 20:47:20 -08:00
Ok(Record {name, members: typed_identifier_list })
2017-10-08 19:02:52 -07:00
},
_ => Ok(UnitStruct(name))
2017-10-08 19:02:52 -07:00
}
}
2017-10-08 19:02:52 -07:00
#[recursive_descent_method]
fn typed_identifier(&mut self) -> ParseResult<(Rc<String>, TypeIdentifier)> {
2017-10-08 19:02:52 -07:00
let identifier = self.identifier()?;
expect!(self, Colon);
2017-10-08 19:02:52 -07:00
let type_name = self.type_name()?;
Ok((identifier, type_name))
}
2017-09-11 02:07:17 -07:00
#[recursive_descent_method]
fn func_declaration(&mut self) -> ParseResult<Declaration> {
let signature = self.func_signature()?;
if let LCurlyBrace = self.token_handler.peek_kind() {
2018-11-05 18:50:45 -08:00
let statements = self.nonempty_func_body()?;
Ok(Declaration::FuncDecl(signature, statements))
} else {
Ok(Declaration::FuncSig(signature))
}
}
#[recursive_descent_method]
fn func_signature(&mut self) -> ParseResult<Signature> {
expect!(self, Keyword(Func));
let (name, operator) = match self.token_handler.peek_kind() {
Operator(s) => {
let name = s.clone();
2019-01-05 18:29:24 -08:00
self.token_handler.next();
(name, true)
},
_ => (self.identifier()?, false)
};
2018-11-05 18:50:45 -08:00
let params = self.formal_param_list()?;
let type_anno = match self.token_handler.peek_kind() {
Colon => Some(self.type_anno()?),
_ => None,
};
Ok(Signature { name, operator, params, type_anno })
}
2017-09-11 20:37:19 -07:00
2018-11-05 18:50:45 -08:00
#[recursive_descent_method]
2019-02-21 01:49:15 -08:00
fn nonempty_func_body(&mut self) -> ParseResult<Vec<Meta<Statement>>> {
2019-01-04 22:58:25 -08:00
let statements = delimited!(self, LCurlyBrace, statement, Newline | Semicolon, RCurlyBrace, nonstrict);
2019-02-21 01:49:15 -08:00
Ok(statements.into_iter().map(|s| Meta::new(s)).collect())
2018-11-05 18:50:45 -08:00
}
#[recursive_descent_method]
fn formal_param_list(&mut self) -> ParseResult<Vec<FormalParam>> {
Ok(delimited!(self, LParen, formal_param, Comma, RParen))
}
2019-06-16 14:56:52 -07:00
//TODO needs to support default values
#[recursive_descent_method]
fn formal_param(&mut self) -> ParseResult<FormalParam> {
2017-10-08 20:55:05 -07:00
let name = self.identifier()?;
2019-06-16 14:56:52 -07:00
let anno = match self.token_handler.peek_kind() {
2017-10-08 20:55:05 -07:00
Colon => Some(self.type_anno()?),
_ => None
};
2019-06-16 14:56:52 -07:00
let default = None;
Ok(FormalParam { name, anno, default })
}
2018-07-11 16:44:15 -07:00
#[recursive_descent_method]
fn binding_declaration(&mut self) -> ParseResult<Declaration> {
2018-07-11 16:44:15 -07:00
expect!(self, Keyword(Kw::Let));
let constant = match self.token_handler.peek_kind() {
2018-07-11 16:44:15 -07:00
Keyword(Kw::Mut) => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2018-07-11 16:44:15 -07:00
false
}
_ => true
2017-09-17 06:04:24 -07:00
};
let name = self.identifier()?;
let type_anno = if let Colon = self.token_handler.peek_kind() {
Some(self.type_anno()?)
} else {
None
};
expect!(self, Operator(ref o) if **o == "=");
let expr = self.expression()?.into();
2017-09-17 06:04:24 -07:00
Ok(Declaration::Binding { name, constant, type_anno, expr })
}
2017-09-17 06:04:24 -07:00
#[recursive_descent_method]
fn interface_declaration(&mut self) -> ParseResult<Declaration> {
expect!(self, Keyword(Interface));
2018-02-21 22:06:56 -08:00
let name = self.identifier()?;
let signatures = self.signature_block()?;
2018-04-24 16:30:17 -07:00
Ok(Declaration::Interface { name, signatures })
}
2018-02-21 22:06:56 -08:00
#[recursive_descent_method]
fn signature_block(&mut self) -> ParseResult<Vec<Signature>> {
Ok(delimited!(self, LCurlyBrace, func_signature, Newline | Semicolon, RCurlyBrace, nonstrict))
}
2017-10-03 03:49:07 -07:00
#[recursive_descent_method]
fn impl_declaration(&mut self) -> ParseResult<Declaration> {
expect!(self, Keyword(Impl));
let first = self.type_singleton_name()?;
let second = if let Keyword(For) = self.token_handler.peek_kind() {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2017-10-08 19:30:52 -07:00
Some(self.type_name()?)
2017-10-03 03:49:07 -07:00
} else {
None
};
2017-10-08 14:24:02 -07:00
let block = self.decl_block()?;
Ok(match (first, second) {
(interface_name, Some(type_name)) =>
Declaration::Impl { type_name, interface_name: Some(interface_name), block },
(type_singleton_name, None) =>
Declaration::Impl { type_name: TypeIdentifier::Singleton(type_singleton_name), interface_name: None, block }
})
}
2017-10-08 14:24:02 -07:00
#[recursive_descent_method]
fn decl_block(&mut self) -> ParseResult<Vec<Declaration>> {
2018-05-13 02:50:43 -07:00
Ok(delimited!(self, LCurlyBrace, func_declaration, Newline | Semicolon, RCurlyBrace, nonstrict))
}
2017-10-03 03:49:07 -07:00
#[recursive_descent_method]
fn expression(&mut self) -> ParseResult<Expression> {
let mut expr_body = self.precedence_expr(BinOp::min_precedence())?;
let type_anno = match self.token_handler.peek_kind() {
2017-09-28 23:55:10 -07:00
Colon => Some(self.type_anno()?),
_ => None
};
2017-10-01 00:50:13 -07:00
if let Some(_) = expr_body.1 {
return ParseError::new_with_token("Bad parse state encountered", self.token_handler.peek());
2017-09-27 22:27:50 -07:00
}
expr_body.1 = type_anno;
Ok(expr_body)
}
#[recursive_descent_method]
fn type_anno(&mut self) -> ParseResult<TypeIdentifier> {
expect!(self, Colon);
self.type_name()
}
#[recursive_descent_method]
fn type_name(&mut self) -> ParseResult<TypeIdentifier> {
2018-10-18 13:27:09 -07:00
use self::TypeIdentifier::*;
Ok(match self.token_handler.peek_kind() {
2018-05-13 02:50:43 -07:00
LParen => Tuple(delimited!(self, LParen, type_name, Comma, RParen)),
2018-02-12 00:51:53 -08:00
_ => Singleton(self.type_singleton_name()?),
})
}
2018-02-12 00:51:53 -08:00
#[recursive_descent_method]
fn type_singleton_name(&mut self) -> ParseResult<TypeSingletonName> {
2018-02-12 00:51:53 -08:00
Ok(TypeSingletonName {
name: self.identifier()?,
params: match self.token_handler.peek_kind() {
2018-05-13 02:50:43 -07:00
LAngleBracket => delimited!(self, LAngleBracket, type_name, Comma, RAngleBracket),
2018-02-12 00:51:53 -08:00
_ => vec![],
}
2017-09-28 23:55:10 -07:00
})
}
// this implements Pratt parsing, see http://journal.stuffwithstuff.com/2011/03/19/pratt-parsers-expression-parsing-made-easy/
fn precedence_expr(&mut self, precedence: i32) -> ParseResult<Expression> {
2017-09-17 05:06:58 -07:00
let record = ParseRecord {
production_name: "precedence_expr".to_string(),
next_token: format!("{}", self.token_handler.peek().to_string_with_metadata()),
2018-02-10 15:10:06 -08:00
level: self.parse_level,
2017-09-17 05:06:58 -07:00
};
2018-02-10 17:45:00 -08:00
self.parse_level += 1;
2017-09-17 05:06:58 -07:00
self.parse_record.push(record);
2017-09-17 17:44:06 -07:00
let mut lhs = self.prefix_expr()?;
loop {
let new_precedence = match BinOp::get_precedence_from_token(&self.token_handler.peek_kind()) {
2018-08-19 20:33:50 -07:00
Some(p) => p,
None => break,
};
2017-09-17 05:12:20 -07:00
if precedence >= new_precedence {
break;
}
2019-01-05 18:29:24 -08:00
let next_tok = self.token_handler.next();
2019-01-05 17:50:54 -08:00
let operation = match BinOp::from_sigil_token(&next_tok.kind) {
2018-08-19 20:33:50 -07:00
Some(sigil) => sigil,
None => unreachable!()
};
let rhs = self.precedence_expr(new_precedence)?;
lhs = Expression(ExpressionKind::BinExp(operation, bx!(lhs.into()), bx!(rhs.into())), None);
}
2018-02-10 17:45:00 -08:00
self.parse_level -= 1;
2017-09-12 02:30:27 -07:00
Ok(lhs)
2017-09-11 02:07:17 -07:00
}
#[recursive_descent_method]
fn prefix_expr(&mut self) -> ParseResult<Expression> {
match self.token_handler.peek_kind() {
Operator(ref op) if PrefixOp::is_prefix(&*op) => {
2019-01-05 18:29:24 -08:00
let sigil = match self.token_handler.next().kind {
2017-09-17 17:44:06 -07:00
Operator(op) => op,
_ => unreachable!(),
};
let expr = self.primary()?;
2017-09-27 22:27:50 -07:00
Ok(Expression(
ExpressionKind::PrefixExp(PrefixOp::from_sigil(sigil.as_str()), bx!(expr.into())),
2019-01-05 16:02:30 -08:00
None
))
2017-09-17 17:44:06 -07:00
},
_ => self.call_expr()
2017-09-17 17:44:06 -07:00
}
}
2017-09-17 17:44:06 -07:00
#[recursive_descent_method]
fn call_expr(&mut self) -> ParseResult<Expression> {
2018-11-06 02:40:10 -08:00
let mut expr = self.index_expr()?;
while let LParen = self.token_handler.peek_kind() {
2019-06-12 03:28:46 -07:00
let arguments = delimited!(self, LParen, invocation_argument, Comma, RParen);
2019-02-21 01:49:15 -08:00
let arguments = arguments.into_iter().map(|s| Meta::new(s)).collect();
expr = Expression(ExpressionKind::Call { f: bx!(expr.into()), arguments }, None); //TODO none is incorrect
2018-11-06 02:40:10 -08:00
}
Ok(expr)
}
2018-03-06 02:51:45 -08:00
#[recursive_descent_method]
2019-06-12 03:28:46 -07:00
fn invocation_argument(&mut self) -> ParseResult<InvocationArgument> {
Ok(match self.token_handler.peek_kind() {
Underscore => {
self.token_handler.next();
InvocationArgument::Ignored
},
Identifier(s) => {
match self.token_handler.peek_kind_n(1) {
2019-06-12 03:28:46 -07:00
Operator(ref op) if **op == "=" => {
self.token_handler.next();
2019-06-12 03:28:46 -07:00
self.token_handler.next();
let expr = self.expression()?;
InvocationArgument::Keyword { name: s.clone(), expr }
},
_ => {
let expr = self.expression()?;
InvocationArgument::Positional(expr)
}
}
},
_ => InvocationArgument::Positional(self.expression()?)
})
}
#[recursive_descent_method]
fn index_expr(&mut self) -> ParseResult<Expression> {
2018-03-06 02:51:45 -08:00
let primary = self.primary()?;
Ok(if let LSquareBracket = self.token_handler.peek_kind() {
let indexers = delimited!(self, LSquareBracket, expression, Comma, RSquareBracket)
.into_iter().map(|ex| ex.into()).collect();
Expression(ExpressionKind::Index {
indexee: bx!(Expression(primary.0, None).into()),
2018-03-06 02:51:45 -08:00
indexers,
}, None)
} else {
primary
})
}
#[recursive_descent_method]
fn primary(&mut self) -> ParseResult<Expression> {
match self.token_handler.peek_kind() {
2018-03-04 02:11:22 -08:00
LCurlyBrace => self.curly_brace_expr(),
2018-11-05 18:50:45 -08:00
Backslash => self.lambda_expr(),
2017-09-13 03:46:16 -07:00
LParen => self.paren_expr(),
2018-03-08 12:01:24 -08:00
LSquareBracket => self.list_expr(),
2017-09-18 23:22:28 -07:00
Keyword(Kw::If) => self.if_expr(),
2017-10-08 22:02:58 -07:00
Keyword(Kw::For) => self.for_expr(),
Keyword(Kw::While) => self.while_expr(),
Identifier(_) => self.identifier_expr(),
2017-09-13 03:46:16 -07:00
_ => self.literal(),
}
}
2017-09-13 03:46:16 -07:00
#[recursive_descent_method]
fn list_expr(&mut self) -> ParseResult<Expression> {
let exprs = delimited!(self, LSquareBracket, expression, Comma, RSquareBracket)
.into_iter().map(|ex| ex.into()).collect();
Ok(Expression(ExpressionKind::ListLiteral(exprs), None))
}
2018-03-08 12:01:24 -08:00
#[recursive_descent_method]
fn curly_brace_expr(&mut self) -> ParseResult<Expression> {
ParseError::new_with_token("Not implemented", self.token_handler.peek())
}
2018-03-04 02:11:22 -08:00
#[recursive_descent_method]
fn lambda_expr(&mut self) -> ParseResult<Expression> {
2018-11-05 18:50:45 -08:00
expect!(self, Backslash);
let params = self.lambda_param_list()?;
let type_anno = match self.token_handler.peek_kind() {
2018-11-05 19:10:34 -08:00
Colon => Some(self.type_anno()?),
_ => None,
};
2018-11-05 18:50:45 -08:00
let body = self.nonempty_func_body()?;
Ok(Expression(ExpressionKind::Lambda { params, type_anno, body }, None)) //TODO need to handle types somehow
}
2018-03-04 02:11:22 -08:00
#[recursive_descent_method]
fn lambda_param_list(&mut self) -> ParseResult<Vec<FormalParam>> {
if let LParen = self.token_handler.peek_kind() {
self.formal_param_list()
} else {
let single_param = self.formal_param()?;
Ok(vec![single_param])
}
}
#[recursive_descent_method]
fn paren_expr(&mut self) -> ParseResult<Expression> {
use self::ExpressionKind::*;
let old_struct_value = self.restrictions.no_struct_literal;
self.restrictions.no_struct_literal = false;
2018-05-13 01:43:29 -07:00
let output = {
2018-05-13 02:50:43 -07:00
let mut inner = delimited!(self, LParen, expression, Comma, RParen);
match inner.len() {
0 => Ok(Expression(TupleLiteral(vec![]), None)),
1 => Ok(inner.pop().unwrap()),
2019-01-05 16:06:55 -08:00
_ => {
2019-02-21 01:49:15 -08:00
let inner: Vec<Meta<Expression>> = inner.into_iter().map(|ex| ex.into()).collect();
2019-01-05 16:06:55 -08:00
Ok(Expression(TupleLiteral(inner), None))
}
}
2018-05-13 01:43:29 -07:00
};
self.restrictions.no_struct_literal = old_struct_value;
output
}
2017-09-11 15:42:49 -07:00
#[recursive_descent_method]
fn identifier_expr(&mut self) -> ParseResult<Expression> {
use self::ExpressionKind::*;
let identifier = self.identifier()?;
Ok(match self.token_handler.peek_kind() {
LCurlyBrace if !self.restrictions.no_struct_literal => {
2017-10-14 13:54:17 -07:00
let fields = self.record_block()?;
Expression(NamedStruct { name: identifier, fields }, None)
},
_ => Expression(Value(identifier), None)
2017-10-08 22:52:05 -07:00
})
}
#[recursive_descent_method]
fn record_block(&mut self) -> ParseResult<Vec<(Rc<String>, Meta<Expression>)>> {
Ok(
delimited!(self, LCurlyBrace, record_entry, Comma, RCurlyBrace)
.into_iter().map(|(s, ex)| (s, ex.into())).collect()
)
}
2017-10-14 13:54:17 -07:00
#[recursive_descent_method]
fn record_entry(&mut self) -> ParseResult<(Rc<String>, Expression)> {
2017-10-14 13:54:17 -07:00
let field_name = self.identifier()?;
expect!(self, Colon);
2017-10-14 13:54:17 -07:00
let value = self.expression()?;
Ok((field_name, value))
}
2017-10-14 13:54:17 -07:00
#[recursive_descent_method]
fn if_expr(&mut self) -> ParseResult<Expression> {
expect!(self, Keyword(Kw::If));
let discriminator = Box::new({
self.restrictions.no_struct_literal = true;
let x = self.discriminator();
self.restrictions.no_struct_literal = false;
2018-05-12 20:51:30 -07:00
x?
});
let body = Box::new(match self.token_handler.peek_kind() {
2018-06-20 02:07:11 -07:00
Keyword(Kw::Then) => self.conditional()?,
Keyword(Kw::Is) => self.simple_pattern_match()? ,
_ => self.guard_block()?
});
Ok(Expression(ExpressionKind::IfExpression { discriminator, body }, None))
}
#[recursive_descent_method]
fn discriminator(&mut self) -> ParseResult<Discriminator> {
2018-08-19 18:44:54 -07:00
let lhs = self.prefix_expr()?;
let ref next = self.token_handler.peek_kind();
Ok(if let Some(op) = BinOp::from_sigil_token(next) {
Discriminator::BinOp(lhs, op)
} else {
Discriminator::Simple(lhs)
2018-08-19 18:44:54 -07:00
})
}
#[recursive_descent_method]
fn conditional(&mut self) -> ParseResult<IfExpressionBody> {
expect!(self, Keyword(Kw::Then));
2018-08-19 15:58:31 -07:00
let then_clause = self.expr_or_block()?;
2017-09-18 23:22:28 -07:00
let else_clause = self.else_clause()?;
Ok(IfExpressionBody::SimpleConditional(then_clause, else_clause))
}
#[recursive_descent_method]
fn simple_pattern_match(&mut self) -> ParseResult<IfExpressionBody> {
2018-06-20 02:07:11 -07:00
expect!(self, Keyword(Kw::Is));
let pat = self.pattern()?;
expect!(self, Keyword(Kw::Then));
2018-08-19 15:58:31 -07:00
let then_clause = self.expr_or_block()?;
2018-06-20 02:07:11 -07:00
let else_clause = self.else_clause()?;
Ok(IfExpressionBody::SimplePatternMatch(pat, then_clause, else_clause))
}
2018-06-20 02:07:11 -07:00
#[recursive_descent_method]
fn else_clause(&mut self) -> ParseResult<Option<Block>> {
Ok(if let Keyword(Kw::Else) = self.token_handler.peek_kind() {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2018-08-19 15:58:31 -07:00
Some(self.expr_or_block()?)
2017-09-18 23:22:28 -07:00
} else {
None
})
}
2017-09-18 23:22:28 -07:00
#[recursive_descent_method]
fn guard_block(&mut self) -> ParseResult<IfExpressionBody> {
//TODO - delimited! isn't sophisticated enough to do thisa
//let guards = delimited!(self, LCurlyBrace, guard_arm, Comma, RCurlyBrace);
expect!(self, LCurlyBrace);
let mut guards = vec![];
loop {
match self.token_handler.peek_kind() {
RCurlyBrace | EOF => break,
2019-01-05 18:29:24 -08:00
Semicolon | Newline => { self.token_handler.next(); continue},
_ => {
let guard_arm = self.guard_arm()?;
guards.push(guard_arm);
loop {
match self.token_handler.peek_kind() {
2019-01-05 18:29:24 -08:00
Semicolon | Newline => { self.token_handler.next(); continue; },
_ => break,
}
}
if let RCurlyBrace = self.token_handler.peek_kind() {
break;
}
expect!(self, Comma);
}
}
}
expect!(self, RCurlyBrace);
2018-07-13 20:18:57 -07:00
Ok(IfExpressionBody::GuardList(guards))
}
2018-07-13 20:18:57 -07:00
#[recursive_descent_method]
fn guard_arm(&mut self) -> ParseResult<GuardArm> {
2018-07-13 21:50:38 -07:00
let guard = self.guard()?;
expect!(self, Operator(ref c) if **c == "->");
2018-08-19 15:58:31 -07:00
let body = self.expr_or_block()?;
2018-07-13 21:50:38 -07:00
Ok(GuardArm { guard, body })
}
2018-07-13 21:50:38 -07:00
#[recursive_descent_method]
fn guard(&mut self) -> ParseResult<Guard> {
Ok(match self.token_handler.peek_kind() {
Keyword(Kw::Is) => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
let pat = self.pattern()?;
Guard::Pat(pat)
},
2018-08-22 16:41:31 -07:00
ref tok if BinOp::from_sigil_token(tok).is_some() => {
2019-01-05 18:29:24 -08:00
let op = BinOp::from_sigil_token(&self.token_handler.next().kind).unwrap();
2018-10-19 11:02:10 -07:00
let precedence = op.get_precedence();
let Expression(expr, _) = self.precedence_expr(precedence)?;
2018-08-22 16:41:31 -07:00
Guard::HalfExpr(HalfExpr { op: Some(op), expr })
},
2018-10-20 00:55:37 -07:00
_ => {
2018-10-19 11:02:10 -07:00
//TODO - I think there's a better way to do this involving the precedence of ->
let Expression(expr, _) = self.prefix_expr()?;
2018-08-22 16:41:31 -07:00
Guard::HalfExpr(HalfExpr { op: None, expr })
}
})
}
2018-07-13 20:18:57 -07:00
#[recursive_descent_method]
fn pattern(&mut self) -> ParseResult<Pattern> {
if let LParen = self.token_handler.peek_kind() {
2018-07-01 01:26:19 -07:00
let tuple_pattern_variants = delimited!(self, LParen, pattern, Comma, RParen);
Ok(Pattern::TuplePattern(tuple_pattern_variants))
} else {
self.simple_pattern()
}
}
2018-07-01 01:26:19 -07:00
#[recursive_descent_method]
fn simple_pattern(&mut self) -> ParseResult<Pattern> {
2019-01-05 17:32:49 -08:00
Ok({
let tok = self.token_handler.peek();
2019-01-05 17:32:49 -08:00
match tok.get_kind() {
Identifier(_) => {
let id = self.identifier()?;
match self.token_handler.peek_kind() {
2019-01-05 17:32:49 -08:00
LCurlyBrace => {
let members = delimited!(self, LCurlyBrace, record_pattern_entry, Comma, RCurlyBrace);
Pattern::Record(id, members)
},
LParen => {
let members = delimited!(self, LParen, pattern, Comma, RParen);
Pattern::TupleStruct(id, members)
},
_ => Pattern::Literal(PatternLiteral::VarPattern(id))
}
},
Keyword(Kw::True) => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2019-01-05 17:32:49 -08:00
Pattern::Literal(PatternLiteral::BoolPattern(true))
},
Keyword(Kw::False) => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2019-01-05 17:32:49 -08:00
Pattern::Literal(PatternLiteral::BoolPattern(false))
},
StrLiteral(s) => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2019-01-05 17:32:49 -08:00
Pattern::Literal(PatternLiteral::StringPattern(s))
},
DigitGroup(_) | HexLiteral(_) | BinNumberSigil | Period => self.signed_number_literal()?,
Operator(ref op) if **op == "-" => self.signed_number_literal()?,
Underscore => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2019-01-05 17:32:49 -08:00
Pattern::Ignored
},
other => return ParseError::new_with_token(format!("{:?} is not a valid Pattern", other), tok)
2019-01-05 17:32:49 -08:00
}
})
}
2018-06-20 02:07:11 -07:00
#[recursive_descent_method]
fn signed_number_literal(&mut self) -> ParseResult<Pattern> {
let neg = match self.token_handler.peek_kind() {
2018-08-21 19:57:45 -07:00
Operator(ref op) if **op == "-" => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2018-08-21 19:57:45 -07:00
true
},
_ => false
};
let Expression(expr_type, _) = self.number_literal()?;
Ok(Pattern::Literal(PatternLiteral::NumPattern { neg, num: expr_type }))
}
2018-08-21 19:57:45 -07:00
#[recursive_descent_method]
fn record_pattern_entry(&mut self) -> ParseResult<(Rc<String>, Pattern)> {
2018-07-13 21:21:27 -07:00
let name = self.identifier()?;
Ok(match self.token_handler.peek_kind() {
2018-07-13 21:21:27 -07:00
Colon => {
expect!(self, Colon);
let pat = self.pattern()?;
(name, pat)
},
_ => (name.clone(), Pattern::Literal(PatternLiteral::StringPattern(name.clone())))
})
}
2018-07-13 03:19:02 -07:00
#[recursive_descent_method]
fn block(&mut self) -> ParseResult<Block> {
2019-01-04 22:58:25 -08:00
let block = delimited!(self, LCurlyBrace, statement, Newline | Semicolon, RCurlyBrace, nonstrict);
2019-02-21 01:49:15 -08:00
Ok(block.into_iter().map(|s| { Meta::new(s) }).collect())
}
2017-09-18 23:22:28 -07:00
#[recursive_descent_method]
fn expr_or_block(&mut self) -> ParseResult<Block> {
match self.token_handler.peek_kind() {
2018-08-19 15:58:31 -07:00
LCurlyBrace => self.block(),
_ => {
let expr = self.expression()?;
2019-02-21 01:49:15 -08:00
Ok(vec![Meta::new(Statement::ExpressionStatement(expr.into()))])
2018-08-19 15:58:31 -07:00
}
}
}
2018-08-19 15:58:31 -07:00
#[recursive_descent_method]
fn while_expr(&mut self) -> ParseResult<Expression> {
use self::ExpressionKind::*;
expect!(self, Keyword(Kw::While));
let condition = {
self.restrictions.no_struct_literal = true;
let x = self.while_cond();
self.restrictions.no_struct_literal = false;
x?.map(|expr| bx!(expr.into()))
};
let body = self.block()?;
Ok(Expression(WhileExpression {condition, body}, None))
}
#[recursive_descent_method]
fn while_cond(&mut self) -> ParseResult<Option<Expression>> {
Ok(match self.token_handler.peek_kind() {
LCurlyBrace => None,
_ => Some(self.expression()?),
})
}
#[recursive_descent_method]
fn for_expr(&mut self) -> ParseResult<Expression> {
expect!(self, Keyword(Kw::For));
let enumerators = if let LCurlyBrace = self.token_handler.peek_kind() {
2018-05-13 02:50:43 -07:00
delimited!(self, LCurlyBrace, enumerator, Comma | Newline, RCurlyBrace)
2018-05-13 01:40:14 -07:00
} else {
let single_enum = {
self.restrictions.no_struct_literal = true;
let s = self.enumerator();
self.restrictions.no_struct_literal = false;
s?
};
vec![single_enum]
};
let body = Box::new(self.for_expr_body()?);
Ok(Expression(ExpressionKind::ForExpression { enumerators, body }, None))
}
2018-05-13 01:40:14 -07:00
#[recursive_descent_method]
fn enumerator(&mut self) -> ParseResult<Enumerator> {
2018-05-13 01:40:14 -07:00
let id = self.identifier()?;
expect!(self, Operator(ref c) if **c == "<-");
let generator = self.expression()?.into();
2018-05-13 01:40:14 -07:00
Ok(Enumerator { id, generator })
}
2018-05-13 01:40:14 -07:00
#[recursive_descent_method]
fn for_expr_body(&mut self) -> ParseResult<ForBody> {
2018-05-13 01:40:14 -07:00
use self::ForBody::*;
let tok = self.token_handler.peek();
2019-01-05 17:40:05 -08:00
Ok(match tok.get_kind() {
2018-05-13 01:40:14 -07:00
LCurlyBrace => {
2018-05-13 02:50:43 -07:00
let statements = delimited!(self, LCurlyBrace, statement, Newline | Semicolon, RCurlyBrace, nonstrict);
2019-02-21 01:49:15 -08:00
StatementBlock(statements.into_iter().map(|s| Meta::new(s)).collect())
2018-05-13 01:40:14 -07:00
},
Keyword(Kw::Return) => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
MonadicReturn(self.expression()?.into())
2018-05-13 01:40:14 -07:00
},
2019-01-05 17:40:05 -08:00
_ => return ParseError::new_with_token("for expressions must end in a block or 'return'", tok),
2018-05-13 01:40:14 -07:00
})
}
2017-10-08 22:02:58 -07:00
#[recursive_descent_method]
fn identifier(&mut self) -> ParseResult<Rc<String>> {
2019-01-05 18:29:24 -08:00
let tok = self.token_handler.next();
2019-01-05 17:50:54 -08:00
match tok.get_kind() {
2017-09-11 15:42:49 -07:00
Identifier(s) => Ok(s),
p => ParseError::new_with_token(format!("Expected an identifier, got {:?}", p), tok),
2017-09-11 15:42:49 -07:00
}
}
2017-09-11 02:07:17 -07:00
#[recursive_descent_method]
fn literal(&mut self) -> ParseResult<Expression> {
use self::ExpressionKind::*;
let tok = self.token_handler.peek();
2019-01-05 17:28:35 -08:00
match tok.get_kind() {
2018-01-08 06:12:45 -08:00
DigitGroup(_) | HexLiteral(_) | BinNumberSigil | Period => self.number_literal(),
2017-09-27 22:27:50 -07:00
Keyword(Kw::True) => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2017-09-27 22:27:50 -07:00
Ok(Expression(BoolLiteral(true), None))
},
Keyword(Kw::False) => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2017-09-27 22:27:50 -07:00
Ok(Expression(BoolLiteral(false), None))
},
2017-09-16 15:57:48 -07:00
StrLiteral(s) => {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
Ok(Expression(StringLiteral(s.clone()), None))
2017-09-16 15:57:48 -07:00
}
e => ParseError::new_with_token(format!("Expected a literal expression, got {:?}", e), tok),
2017-09-11 02:07:17 -07:00
}
}
#[recursive_descent_method]
fn number_literal(&mut self) -> ParseResult<Expression> {
match self.token_handler.peek_kind() {
2018-01-08 06:12:45 -08:00
HexLiteral(_) | BinNumberSigil => self.int_literal(),
2017-09-11 02:07:17 -07:00
_ => self.float_literal(),
}
}
2017-09-11 02:07:17 -07:00
#[recursive_descent_method]
fn int_literal(&mut self) -> ParseResult<Expression> {
use self::ExpressionKind::*;
2019-01-05 18:29:24 -08:00
let tok = self.token_handler.next();
2019-01-05 17:50:54 -08:00
match tok.get_kind() {
2018-11-17 01:10:23 -08:00
BinNumberSigil => {
let digits = self.digits()?;
let n = parse_binary(digits, tok)?;
2018-11-17 01:10:23 -08:00
Ok(Expression(NatLiteral(n), None))
},
HexLiteral(text) => {
let digits: String = text.chars().filter(|c| c.is_digit(16)).collect();
let n = parse_hex(digits, tok)?;
2018-11-17 01:10:23 -08:00
Ok(Expression(NatLiteral(n), None))
},
2019-01-05 17:50:54 -08:00
_ => return ParseError::new_with_token("Expected '0x' or '0b'", tok),
2017-09-11 02:07:17 -07:00
}
}
2017-09-11 02:07:17 -07:00
#[recursive_descent_method]
fn float_literal(&mut self) -> ParseResult<Expression> {
use self::ExpressionKind::*;
let tok = self.token_handler.peek();
2017-09-11 02:38:27 -07:00
let mut digits = self.digits()?;
if let Period = self.token_handler.peek_kind() {
2019-01-05 18:29:24 -08:00
self.token_handler.next();
2017-09-11 02:38:27 -07:00
digits.push_str(".");
digits.push_str(&self.digits()?);
match digits.parse::<f64>() {
2017-09-27 22:27:50 -07:00
Ok(f) => Ok(Expression(FloatLiteral(f), None)),
Err(e) => ParseError::new_with_token(format!("Float failed to parse with error: {}", e), tok),
2017-09-11 02:38:27 -07:00
}
} else {
match digits.parse::<u64>() {
2018-05-12 01:44:03 -07:00
Ok(d) => Ok(Expression(NatLiteral(d), None)),
Err(e) => ParseError::new_with_token(format!("Integer failed to parse with error: {}", e), tok),
2017-09-11 02:38:27 -07:00
}
2017-09-11 02:07:17 -07:00
}
}
2017-09-11 02:07:17 -07:00
#[recursive_descent_method]
fn digits(&mut self) -> ParseResult<String> {
2017-09-11 02:07:17 -07:00
let mut ds = String::new();
loop {
match self.token_handler.peek_kind() {
2019-01-05 18:29:24 -08:00
Underscore => { self.token_handler.next(); continue; },
DigitGroup(ref s) => { self.token_handler.next(); ds.push_str(s)},
2017-09-11 02:07:48 -07:00
_ => break,
2017-09-11 02:07:17 -07:00
}
}
Ok(ds)
}
2017-09-11 02:07:17 -07:00
}
2017-09-09 00:31:15 -07:00
fn parse_binary(digits: String, tok: Token) -> ParseResult<u64> {
2017-09-11 23:27:15 -07:00
let mut result: u64 = 0;
let mut multiplier = 1;
for d in digits.chars().rev() {
match d {
'1' => result += multiplier,
'0' => (),
_ => return ParseError::new_with_token("Encountered a character not '1' or '0 while parsing a binary literal", tok),
2017-09-11 23:27:15 -07:00
}
multiplier = match multiplier.checked_mul(2) {
Some(m) => m,
None => return ParseError::new_with_token("This binary expression will overflow", tok)
}
2017-09-11 23:27:15 -07:00
}
Ok(result)
}
fn parse_hex(digits: String, tok: Token) -> ParseResult<u64> {
2018-01-08 05:57:36 -08:00
let mut result: u64 = 0;
let mut multiplier: u64 = 1;
for d in digits.chars().rev() {
match d.to_digit(16) {
Some(n) => result += n as u64 * multiplier,
None => return ParseError::new_with_token("Encountered a non-hex digit in a hex literal", tok),
2018-01-08 05:57:36 -08:00
}
multiplier = match multiplier.checked_mul(16) {
Some(m) => m,
None => return ParseError::new_with_token("This hex expression will overflow", tok)
}
2018-01-08 05:57:36 -08:00
}
Ok(result)
}
2017-09-11 03:21:07 -07:00
#[cfg(test)]
mod parse_tests {
2017-09-28 00:06:08 -07:00
use ::std::rc::Rc;
2018-11-05 19:57:11 -08:00
use super::tokenize;
2018-10-20 14:27:00 -07:00
use super::ParseResult;
2019-01-07 13:00:37 -08:00
use crate::builtin::{PrefixOp, BinOp};
2019-06-16 14:56:52 -07:00
use crate::ast::{AST, Meta, Expression, Statement, IfExpressionBody, Discriminator, Pattern, PatternLiteral, TypeBody, Enumerator, ForBody, InvocationArgument, FormalParam};
2017-09-11 03:21:07 -07:00
use super::Statement::*;
2017-09-13 22:40:05 -07:00
use super::Declaration::*;
use super::Signature;
2018-10-18 13:27:09 -07:00
use super::TypeIdentifier::*;
2018-02-12 00:51:53 -08:00
use super::TypeSingletonName;
use super::ExpressionKind::*;
use super::Variant::*;
2018-05-13 01:40:14 -07:00
use super::ForBody::*;
2017-09-12 00:48:37 -07:00
2018-11-05 19:17:53 -08:00
fn parse(input: &str) -> ParseResult<AST> {
2019-01-07 13:00:37 -08:00
let tokens: Vec<crate::tokenizing::Token> = tokenize(input);
2018-10-20 14:27:00 -07:00
let mut parser = super::Parser::new(tokens);
parser.parse()
2018-10-20 14:27:00 -07:00
}
2017-09-12 00:48:37 -07:00
macro_rules! parse_test {
2018-11-05 20:52:18 -08:00
($string:expr, $correct:expr) => { assert_eq!(parse($string).unwrap(), $correct) };
}
macro_rules! parse_test_wrap_ast {
($string:expr, $correct:expr) => { parse_test!($string, AST(vec![$correct])) }
2017-09-12 00:48:37 -07:00
}
macro_rules! parse_error {
2018-11-05 19:17:53 -08:00
($string:expr) => { assert!(parse($string).is_err()) }
}
2017-10-10 21:02:32 -07:00
macro_rules! val {
($var:expr) => { Value(Rc::new($var.to_string())) }
2017-09-13 20:49:17 -07:00
}
2017-09-29 19:10:37 -07:00
macro_rules! ty {
2018-02-12 00:51:53 -08:00
($name:expr) => { Singleton(tys!($name)) }
}
macro_rules! tys {
($name:expr) => { TypeSingletonName { name: Rc::new($name.to_string()), params: vec![] } };
2017-09-29 19:10:37 -07:00
}
2017-09-12 00:48:37 -07:00
2018-03-06 01:31:31 -08:00
macro_rules! ex {
2018-11-05 19:57:11 -08:00
($expr_type:expr) => { Expression($expr_type, None) };
(m $expr_type:expr) => { Meta::new(Expression($expr_type, None)) };
(m $expr_type:expr, $type_anno:expr) => { Meta::new(Expression($expr_type, Some($type_anno))) };
2018-11-05 19:57:11 -08:00
(s $expr_text:expr) => {
{
2019-01-07 13:00:37 -08:00
let tokens: Vec<crate::tokenizing::Token> = tokenize($expr_text);
2018-11-05 19:57:11 -08:00
let mut parser = super::Parser::new(tokens);
parser.expression().unwrap()
}
};
2018-03-06 01:31:31 -08:00
}
2018-11-05 19:57:11 -08:00
2019-06-12 03:28:46 -07:00
macro_rules! inv {
($expr_type:expr) => { Meta::new(InvocationArgument::Positional($expr_type)) }
2019-06-12 03:28:46 -07:00
}
2018-03-06 01:06:36 -08:00
macro_rules! binexp {
2019-01-05 15:54:03 -08:00
($op:expr, $lhs:expr, $rhs:expr) => { BinExp(BinOp::from_sigil($op), bx!(Expression($lhs, None).into()), bx!(Expression($rhs, None).into())) }
2018-03-06 01:06:36 -08:00
}
macro_rules! prefexp {
2019-01-05 16:02:30 -08:00
($op:expr, $lhs:expr) => { PrefixExp(PrefixOp::from_sigil($op), bx!(Expression($lhs, None).into())) }
2018-03-06 01:06:36 -08:00
}
2018-03-06 01:31:31 -08:00
macro_rules! exst {
2019-02-21 01:49:15 -08:00
($expr_type:expr) => { Meta::new(Statement::ExpressionStatement(Expression($expr_type, None).into())) };
($expr_type:expr, $type_anno:expr) => { Meta::new(Statement::ExpressionStatement(Expression($expr_type, Some($type_anno)).into())) };
($op:expr, $lhs:expr, $rhs:expr) => { Meta::new(Statement::ExpressionStatement(ex!(binexp!($op, $lhs, $rhs)))) };
(s $statement_text:expr) => {
{
2019-01-07 13:00:37 -08:00
let tokens: Vec<crate::tokenizing::Token> = tokenize($statement_text);
let mut parser = super::Parser::new(tokens);
2019-02-21 01:49:15 -08:00
Meta::new(parser.statement().unwrap())
}
}
2018-03-06 01:31:31 -08:00
}
2018-03-06 01:06:36 -08:00
2017-09-11 03:21:07 -07:00
#[test]
2017-09-13 03:46:16 -07:00
fn parsing_number_literals_and_binexps() {
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! { ".2", exst!(FloatLiteral(0.2)) };
parse_test_wrap_ast! { "8.1", exst!(FloatLiteral(8.1)) };
2018-02-11 16:35:38 -08:00
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! { "0b010", exst!(NatLiteral(2)) };
parse_test_wrap_ast! { "0b0_1_0_", exst!(NatLiteral(2)) }
2018-02-11 16:35:38 -08:00
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! {"0xff", exst!(NatLiteral(255)) };
parse_test_wrap_ast! {"0xf_f_", exst!(NatLiteral(255)) };
2018-02-11 16:35:38 -08:00
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! {"0xf_f_+1", exst!(binexp!("+", NatLiteral(255), NatLiteral(1))) };
2018-02-11 16:35:38 -08:00
2018-03-06 01:06:36 -08:00
parse_test! {"3; 4; 4.3", AST(
vec![exst!(NatLiteral(3)), exst!(NatLiteral(4)),
exst!(FloatLiteral(4.3))])
2018-03-06 01:06:36 -08:00
};
parse_test!("1 + 2 * 3", AST(vec!
[
exst!(binexp!("+", NatLiteral(1), binexp!("*", NatLiteral(2), NatLiteral(3))))
]));
parse_test!("1 * 2 + 3", AST(vec!
[
exst!(binexp!("+", binexp!("*", NatLiteral(1), NatLiteral(2)), NatLiteral(3)))
]));
2017-09-12 15:52:23 -07:00
parse_test!("1 && 2", AST(vec![exst!(binexp!("&&", NatLiteral(1), NatLiteral(2)))]));
2017-09-12 15:52:23 -07:00
parse_test!("1 + 2 * 3 + 4", AST(vec![exst!(
2017-09-28 00:45:36 -07:00
binexp!("+",
2018-05-12 01:44:03 -07:00
binexp!("+", NatLiteral(1), binexp!("*", NatLiteral(2), NatLiteral(3))),
NatLiteral(4)))]));
2017-09-12 15:52:23 -07:00
2017-09-13 03:46:16 -07:00
parse_test!("(1 + 2) * 3", AST(vec!
[exst!(binexp!("*", binexp!("+", NatLiteral(1), NatLiteral(2)), NatLiteral(3)))]));
2017-09-17 04:26:44 -07:00
parse_test!(".1 + .2", AST(vec![exst!(binexp!("+", FloatLiteral(0.1), FloatLiteral(0.2)))]));
parse_test!("1 / 2", AST(vec![exst!(binexp!("/", NatLiteral(1), NatLiteral(2)))]));
2017-09-11 03:21:07 -07:00
}
2017-09-13 03:46:16 -07:00
2017-10-06 20:28:07 -07:00
#[test]
fn parsing_tuples() {
parse_test!("()", AST(vec![exst!(TupleLiteral(vec![]))]));
parse_test!("(\"hella\", 34)", AST(vec![exst!(
2017-10-06 20:28:07 -07:00
TupleLiteral(
2019-01-05 16:06:55 -08:00
vec![ex!(s r#""hella""#).into(), ex!(s "34").into()]
2017-10-06 20:28:07 -07:00
)
)]));
parse_test!("((1+2), \"slough\")", AST(vec![exst!(TupleLiteral(vec![
2019-01-05 16:06:55 -08:00
ex!(binexp!("+", NatLiteral(1), NatLiteral(2))).into(),
ex!(StringLiteral(rc!(slough))).into(),
2017-10-06 20:28:07 -07:00
]))]))
}
2017-09-13 20:49:17 -07:00
#[test]
fn parsing_identifiers() {
parse_test!("a", AST(vec![exst!(val!("a"))]));
2018-11-15 16:19:53 -08:00
parse_test!("some_value", AST(vec![exst!(val!("some_value"))]));
parse_test!("a + b", AST(vec![exst!(binexp!("+", val!("a"), val!("b")))]));
//parse_test!("a[b]", AST(vec![Expression(
//parse_test!("a[]", <- TODO THIS NEEDS TO FAIL
2019-01-09 17:37:51 -08:00
//parse_test("a()[b]()[d]")
//TODO fix this parsing stuff
/*
parse_test! { "perspicacity()[a]", AST(vec![
exst!(Index {
indexee: bx!(ex!(Call { f: bx!(ex!(val!("perspicacity"))), arguments: vec![] })),
indexers: vec![ex!(val!("a"))]
})
])
}
*/
parse_test!("a[b,c]", AST(vec![exst!(Index { indexee: bx!(ex!(m val!("a"))), indexers: vec![ex!(m val!("b")), ex!(m val!("c"))]} )]));
parse_test!("None", AST(vec![exst!(val!("None"))]));
2017-10-14 13:54:17 -07:00
parse_test!("Pandas { a: x + y }", AST(vec![
exst!(NamedStruct { name: rc!(Pandas), fields: vec![(rc!(a), ex!(m binexp!("+", val!("x"), val!("y"))))]})
]));
parse_test! { "Pandas { a: n, b: q, }",
AST(vec![
exst!(NamedStruct { name: rc!(Pandas), fields:
vec![(rc!(a), ex!(m val!("n"))), (rc!(b), ex!(m val!("q")))]
}
)
])
};
2017-09-13 20:49:17 -07:00
}
2017-09-13 22:40:05 -07:00
2017-09-17 02:38:11 -07:00
#[test]
2017-09-17 06:04:24 -07:00
fn parsing_complicated_operators() {
parse_test!("a <- b", AST(vec![exst!(binexp!("<-", val!("a"), val!("b")))]));
parse_test!("a || b", AST(vec![exst!(binexp!("||", val!("a"), val!("b")))]));
parse_test!("a<>b", AST(vec![exst!(binexp!("<>", val!("a"), val!("b")))]));
parse_test!("a.b.c.d", AST(vec![exst!(binexp!(".",
binexp!(".",
2017-10-10 21:02:32 -07:00
binexp!(".", val!("a"), val!("b")),
val!("c")),
val!("d")))]));
parse_test!("-3", AST(vec![exst!(prefexp!("-", NatLiteral(3)))]));
parse_test!("-0.2", AST(vec![exst!(prefexp!("-", FloatLiteral(0.2)))]));
parse_test!("!3", AST(vec![exst!(prefexp!("!", NatLiteral(3)))]));
parse_test!("a <- -b", AST(vec![exst!(binexp!("<-", val!("a"), prefexp!("-", val!("b"))))]));
parse_test!("a <--b", AST(vec![exst!(binexp!("<--", val!("a"), val!("b")))]));
2017-09-17 02:38:11 -07:00
}
2017-09-13 23:37:49 -07:00
#[test]
fn parsing_functions() {
2019-02-21 01:49:15 -08:00
parse_test!("fn oi()", AST(vec![Meta::new(Declaration(FuncSig(Signature { name: rc!(oi), operator: false, params: vec![], type_anno: None })))]));
parse_test!("oi()", AST(vec![exst!(Call { f: bx!(ex!(m val!("oi"))), arguments: vec![] })]));
parse_test!("oi(a, 2 + 2)", AST(vec![exst!(Call
{ f: bx!(ex!(m val!("oi"))),
arguments: vec![inv!(ex!(val!("a"))).into(), inv!(ex!(binexp!("+", NatLiteral(2), NatLiteral(2)))).into()]
2017-09-15 03:49:47 -07:00
})]));
parse_error!("a(b,,c)");
2017-10-08 20:55:05 -07:00
2019-02-21 01:49:15 -08:00
parse_test!("fn a(b, c: Int): Int", AST(vec![Meta::new(Declaration(
FuncSig(Signature { name: rc!(a), operator: false, params: vec![
2019-06-16 14:56:52 -07:00
FormalParam { name: rc!(b), anno: None, default: None },
FormalParam { name: rc!(c), anno: Some(ty!("Int")), default: None }
2019-01-04 22:58:25 -08:00
], type_anno: Some(ty!("Int")) })))]));
2017-10-08 21:25:51 -07:00
2019-02-21 01:49:15 -08:00
parse_test!("fn a(x) { x() }", AST(vec![Meta::new(Declaration(
2019-06-16 14:56:52 -07:00
FuncDecl(Signature { name: rc!(a), operator: false, params: vec![FormalParam { name: rc!(x), anno: None, default: None }], type_anno: None },
vec![exst!(Call { f: bx!(ex!(m val!("x"))), arguments: vec![] })])))]));
2019-02-21 01:49:15 -08:00
parse_test!("fn a(x) {\n x() }", AST(vec![Meta::new(Declaration(
2019-06-16 14:56:52 -07:00
FuncDecl(Signature { name: rc!(a), operator: false, params: vec![FormalParam { name: rc!(x), anno: None, default: None }], type_anno: None },
vec![exst!(Call { f: bx!(ex!(m val!("x"))), arguments: vec![] })])))]));
let multiline = r#"
fn a(x) {
x()
}
"#;
2019-02-21 01:49:15 -08:00
parse_test!(multiline, AST(vec![Meta::new(Declaration(
2019-06-16 14:56:52 -07:00
FuncDecl(Signature { name: rc!(a), operator: false, params: vec![FormalParam { name: rc!(x), default: None, anno: None }], type_anno: None },
vec![exst!(Call { f: bx!(ex!(m val!("x"))), arguments: vec![] })])))]));
let multiline2 = r#"
fn a(x) {
x()
}
"#;
2019-02-21 01:49:15 -08:00
parse_test!(multiline2, AST(vec![Meta::new(Declaration(
2019-06-16 14:56:52 -07:00
FuncDecl(Signature { name: rc!(a), operator: false, params: vec![FormalParam { name: rc!(x), default: None, anno: None }], type_anno: None },
2019-01-04 22:58:25 -08:00
vec![exst!(s "x()")])))]));
2017-09-13 23:37:49 -07:00
}
2017-09-17 04:31:27 -07:00
#[test]
2017-09-17 06:04:24 -07:00
fn parsing_bools() {
parse_test!("false", AST(vec![exst!(BoolLiteral(false))]));
parse_test!("true", AST(vec![exst!(BoolLiteral(true))]));
2017-09-17 04:31:27 -07:00
}
2017-09-16 15:57:48 -07:00
#[test]
fn parsing_strings() {
parse_test!(r#""hello""#, AST(vec![exst!(StringLiteral(rc!(hello)))]));
2017-09-16 15:57:48 -07:00
}
2017-09-13 22:40:05 -07:00
#[test]
fn parsing_types() {
2019-02-21 01:49:15 -08:00
parse_test!("type Yolo = Yolo", AST(vec![Meta::new(Declaration(TypeDecl { name: tys!("Yolo"), body: TypeBody(vec![UnitStruct(rc!(Yolo))]), mutable: false} ))]));
parse_test!("type mut Yolo = Yolo", AST(vec![Meta::new(Declaration(TypeDecl { name: tys!("Yolo"), body: TypeBody(vec![UnitStruct(rc!(Yolo))]), mutable: true} ))]));
parse_test!("type alias Sex = Drugs", AST(vec![Meta::new(Declaration(TypeAlias(rc!(Sex), rc!(Drugs))))]));
2018-02-12 01:45:36 -08:00
parse_test!("type Sanchez = Miguel | Alejandro(Int, Option<a>) | Esperanza { a: Int, b: String }",
2019-02-21 01:49:15 -08:00
AST(vec![Meta::new(Declaration(TypeDecl{
2018-07-12 02:07:52 -07:00
name: tys!("Sanchez"),
body: TypeBody(vec![
UnitStruct(rc!(Miguel)),
TupleStruct(rc!(Alejandro), vec![
2018-02-12 00:51:53 -08:00
Singleton(TypeSingletonName { name: rc!(Int), params: vec![] }),
Singleton(TypeSingletonName { name: rc!(Option), params: vec![Singleton(TypeSingletonName { name: rc!(a), params: vec![] })] }),
]),
2019-01-24 20:47:20 -08:00
Record{
name: rc!(Esperanza),
members: vec![
(rc!(a), Singleton(TypeSingletonName { name: rc!(Int), params: vec![] })),
(rc!(b), Singleton(TypeSingletonName { name: rc!(String), params: vec![] })),
]
}
2018-07-12 02:07:52 -07:00
]),
mutable: false
2019-01-04 22:58:25 -08:00
}))]));
2018-02-12 01:45:36 -08:00
parse_test!("type Jorge<a> = Diego | Kike(a)", AST(vec![
2019-02-21 01:49:15 -08:00
Meta::new(Declaration(TypeDecl{
2018-07-12 02:07:52 -07:00
name: TypeSingletonName { name: rc!(Jorge), params: vec![Singleton(TypeSingletonName { name: rc!(a), params: vec![] })] },
body: TypeBody(vec![UnitStruct(rc!(Diego)), TupleStruct(rc!(Kike), vec![Singleton(TypeSingletonName { name: rc!(a), params: vec![] })])]),
mutable: false
}
2019-01-04 22:58:25 -08:00
))]));
2017-09-13 22:40:05 -07:00
}
2017-09-17 06:04:24 -07:00
#[test]
fn parsing_bindings() {
parse_test!("let mut a = 10", AST(vec![Meta::new(Declaration(Binding { name: rc!(a), constant: false, type_anno: None, expr: ex!(m NatLiteral(10)) } ))]));
parse_test!("let a = 2 + 2", AST(vec![Meta::new(Declaration(Binding { name: rc!(a), constant: true, type_anno: None, expr: ex!(m binexp!("+", NatLiteral(2), NatLiteral(2))) }) )]));
2019-02-21 01:49:15 -08:00
parse_test!("let a: Nat = 2 + 2", AST(vec![Meta::new(Declaration(
Binding { name: rc!(a), constant: true, type_anno: Some(Singleton(TypeSingletonName { name: rc!(Nat), params: vec![] })),
expr: Meta::new(ex!(binexp!("+", NatLiteral(2), NatLiteral(2)))) }
))]));
2017-09-17 06:04:24 -07:00
}
2017-09-18 23:22:28 -07:00
#[test]
fn parsing_block_expressions() {
2018-06-19 02:22:19 -07:00
parse_test! {
"if a() then { b(); c() }", AST(vec![exst!(
2018-06-19 02:22:19 -07:00
IfExpression {
discriminator: bx! {
Discriminator::Simple(ex!(Call { f: bx!(ex!(m val!("a"))), arguments: vec![]}))
2018-06-19 02:22:19 -07:00
},
body: bx! {
IfExpressionBody::SimpleConditional(
vec![exst!(Call { f: bx!(ex!(m val!("b"))), arguments: vec![]}), exst!(Call { f: bx!(ex!(m val!("c"))), arguments: vec![] })],
2018-06-19 02:22:19 -07:00
None
)
}
}
)])
};
2018-06-19 02:35:01 -07:00
parse_test! {
"if a() then { b(); c() } else { q }", AST(vec![exst!(
2018-06-19 02:35:01 -07:00
IfExpression {
discriminator: bx! {
Discriminator::Simple(ex!(Call { f: bx!(ex!(m val!("a"))), arguments: vec![]}))
2018-06-19 02:35:01 -07:00
},
body: bx! {
IfExpressionBody::SimpleConditional(
vec![exst!(Call { f: bx!(ex!(m val!("b"))), arguments: vec![]}), exst!(Call { f: bx!(ex!(m val!("c"))), arguments: vec![] })],
2018-06-19 02:35:01 -07:00
Some(
vec![exst!(val!("q"))],
2018-06-19 02:35:01 -07:00
)
)
}
}
)])
};
/*
parse_test!("if a() then { b(); c() }", AST(vec![exst!(
IfExpression(bx!(ex!(Call { f: bx!(ex!(val!("a"))), arguments: vec![]})),
vec![exst!(Call { f: bx!(ex!(val!("b"))), arguments: vec![]}), exst!(Call { f: bx!(ex!(val!("c"))), arguments: vec![] })],
2017-09-28 00:06:08 -07:00
None)
)]));
2017-09-18 23:22:28 -07:00
parse_test!(r#"
if true then {
2017-09-18 23:22:28 -07:00
const a = 10
b
} else {
c
2017-09-28 00:06:08 -07:00
}"#,
AST(vec![exst!(IfExpression(bx!(ex!(BoolLiteral(true))),
2018-05-12 01:44:03 -07:00
vec![Declaration(Binding { name: rc!(a), constant: true, expr: ex!(NatLiteral(10)) }),
exst!(val!(rc!(b)))],
Some(vec![exst!(val!(rc!(c)))])))])
2017-09-18 23:22:28 -07:00
);
parse_test!("if a { b } else { c }", AST(vec![exst!(
IfExpression(bx!(ex!(val!("a"))),
vec![exst!(val!("b"))],
Some(vec![exst!(val!("c"))])))]));
parse_test!("if (A {a: 1}) { b } else { c }", AST(vec![exst!(
2018-05-12 01:44:03 -07:00
IfExpression(bx!(ex!(NamedStruct { name: rc!(A), fields: vec![(rc!(a), ex!(NatLiteral(1)))]})),
vec![exst!(val!("b"))],
Some(vec![exst!(val!("c"))])))]));
parse_error!("if A {a: 1} { b } else { c }");
*/
2017-09-18 23:22:28 -07:00
}
2018-02-21 22:06:56 -08:00
#[test]
2018-04-24 16:30:17 -07:00
fn parsing_interfaces() {
parse_test!("interface Unglueable { fn unglue(a: Glue); fn mar(): Glue }", AST(vec![
2019-02-21 01:49:15 -08:00
Meta::new(Declaration(Interface {
2018-02-22 03:26:32 -08:00
name: rc!(Unglueable),
2018-02-21 22:06:56 -08:00
signatures: vec![
2019-06-16 14:56:52 -07:00
Signature {
name: rc!(unglue),
operator: false,
params: vec![
FormalParam { name: rc!(a), anno: Some(Singleton(TypeSingletonName { name: rc!(Glue), params: vec![] })), default: None }
],
type_anno: None
},
Signature { name: rc!(mar), operator: false, params: vec![], type_anno: Some(Singleton(TypeSingletonName { name: rc!(Glue), params: vec![] })) },
2018-02-21 22:06:56 -08:00
]
2019-01-04 22:58:25 -08:00
}))
2018-02-21 22:06:56 -08:00
]));
}
2017-09-28 00:45:36 -07:00
2017-10-08 14:24:02 -07:00
#[test]
fn parsing_impls() {
parse_test!("impl Heh { fn yolo(); fn swagg(); }", AST(vec![
2019-02-21 01:49:15 -08:00
Meta::new(
2017-10-08 14:24:02 -07:00
Declaration(Impl {
2017-10-08 19:39:41 -07:00
type_name: ty!("Heh"),
2018-04-24 16:30:17 -07:00
interface_name: None,
2017-10-08 14:24:02 -07:00
block: vec![
FuncSig(Signature { name: rc!(yolo), operator: false, params: vec![], type_anno: None }),
FuncSig(Signature { name: rc!(swagg), operator: false, params: vec![], type_anno: None })
2019-01-04 22:58:25 -08:00
] }))]));
2017-10-08 14:24:02 -07:00
parse_test!("impl Mondai for Lollerino { fn yolo(); fn swagg(); }", AST(vec![
2019-02-21 01:49:15 -08:00
Meta::new(Declaration(Impl {
2017-10-08 19:39:41 -07:00
type_name: ty!("Lollerino"),
interface_name: Some(TypeSingletonName { name: rc!(Mondai), params: vec![] }),
2017-10-08 14:24:02 -07:00
block: vec![
FuncSig(Signature { name: rc!(yolo), operator: false, params: vec![], type_anno: None}),
FuncSig(Signature { name: rc!(swagg), operator: false, params: vec![], type_anno: None })
2019-01-04 22:58:25 -08:00
] }))]));
parse_test!("impl Hella<T> for (Alpha, Omega) { }", AST(vec![
2019-02-21 01:49:15 -08:00
Meta::new(Declaration(Impl {
type_name: Tuple(vec![ty!("Alpha"), ty!("Omega")]),
interface_name: Some(TypeSingletonName { name: rc!(Hella), params: vec![ty!("T")] }),
block: vec![]
}))
]));
2017-10-08 19:39:41 -07:00
parse_test!("impl Option<WTFMate> { fn oi() }", AST(vec![
2019-02-21 01:49:15 -08:00
Meta::new(
2017-10-08 19:39:41 -07:00
Declaration(Impl {
2018-02-12 00:51:53 -08:00
type_name: Singleton(TypeSingletonName { name: rc!(Option), params: vec![ty!("WTFMate")]}),
2018-04-24 16:30:17 -07:00
interface_name: None,
2017-10-08 19:39:41 -07:00
block: vec![
FuncSig(Signature { name: rc!(oi), operator: false, params: vec![], type_anno: None }),
2017-10-08 19:39:41 -07:00
]
2019-01-04 22:58:25 -08:00
}))]));
2017-10-08 14:24:02 -07:00
}
2017-09-28 00:45:36 -07:00
#[test]
fn parsing_type_annotations() {
2018-07-11 16:44:15 -07:00
parse_test!("let a = b : Int", AST(vec![
2019-02-21 01:49:15 -08:00
Meta::new(
Declaration(Binding { name: rc!(a), constant: true, type_anno: None, expr:
ex!(m val!("b"), ty!("Int")) }))]));
2017-09-28 00:45:36 -07:00
2017-09-29 19:10:37 -07:00
parse_test!("a : Int", AST(vec![
exst!(val!("a"), ty!("Int"))
2017-09-29 19:10:37 -07:00
]));
parse_test!("a : Option<Int>", AST(vec![
exst!(val!("a"), Singleton(TypeSingletonName { name: rc!(Option), params: vec![ty!("Int")] }))
2017-09-29 19:10:37 -07:00
]));
2017-09-28 00:45:36 -07:00
2017-09-29 19:10:37 -07:00
parse_test!("a : KoreanBBQSpecifier<Kimchi, Option<Bulgogi> >", AST(vec![
exst!(val!("a"), Singleton(TypeSingletonName { name: rc!(KoreanBBQSpecifier), params: vec![
2018-02-12 00:51:53 -08:00
ty!("Kimchi"), Singleton(TypeSingletonName { name: rc!(Option), params: vec![ty!("Bulgogi")] })
] }))
2017-09-29 19:10:37 -07:00
]));
2017-09-30 01:14:49 -07:00
parse_test!("a : (Int, Yolo<a>)", AST(vec![
exst!(val!("a"), Tuple(
2018-02-12 00:51:53 -08:00
vec![ty!("Int"), Singleton(TypeSingletonName {
2017-09-30 01:14:49 -07:00
name: rc!(Yolo), params: vec![ty!("a")]
2018-02-12 00:51:53 -08:00
})]))]));
2017-09-28 00:45:36 -07:00
}
2018-03-04 02:11:22 -08:00
#[test]
fn parsing_lambdas() {
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! { r#"\(x) { x + 1}"#, exst!(
2019-06-16 14:56:52 -07:00
Lambda { params: vec![FormalParam { name: rc!(x), anno: None, default: None } ], type_anno: None, body: vec![exst!(s "x + 1")] }
)
2018-11-05 20:52:18 -08:00
}
2018-03-04 02:11:22 -08:00
2018-11-05 18:50:45 -08:00
parse_test!(r#"\ (x: Int, y) { a;b;c;}"#, AST(vec![
exst!(Lambda {
2019-06-16 14:56:52 -07:00
params: vec![
FormalParam { name: rc!(x), anno: Some(ty!("Int")), default: None },
FormalParam { name: rc!(y), anno: None, default: None }
],
2018-11-05 19:10:34 -08:00
type_anno: None,
2018-11-05 20:12:10 -08:00
body: vec![exst!(s "a"), exst!(s "b"), exst!(s "c")]
2018-03-04 02:11:22 -08:00
})
]));
2018-03-06 00:56:19 -08:00
2018-11-05 18:50:45 -08:00
parse_test!(r#"\(x){y}(1)"#, AST(vec![
exst!(Call { f: bx!(ex!(m
2019-06-16 14:56:52 -07:00
Lambda {
params: vec![
FormalParam { name: rc!(x), anno: None, default: None }
],
2018-11-05 19:10:34 -08:00
type_anno: None,
2018-11-05 20:12:10 -08:00
body: vec![exst!(s "y")] }
2018-11-05 19:10:34 -08:00
)),
arguments: vec![inv!(ex!(NatLiteral(1))).into()] })]));
2018-11-05 19:10:34 -08:00
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! {
2018-11-05 19:10:34 -08:00
r#"\(x: Int): String { "q" }"#,
exst!(Lambda {
2019-06-16 14:56:52 -07:00
params: vec![
FormalParam { name: rc!(x), anno: Some(ty!("Int")), default: None },
],
2018-11-05 19:10:34 -08:00
type_anno: Some(ty!("String")),
body: vec![exst!(s r#""q""#)]
2018-11-05 19:10:34 -08:00
})
}
2018-03-04 02:11:22 -08:00
}
2018-03-08 12:01:24 -08:00
#[test]
fn single_param_lambda() {
parse_test_wrap_ast! {
2019-06-16 14:56:52 -07:00
r"\x { x + 10 }",
exst!(Lambda {
2019-06-16 14:56:52 -07:00
params: vec![FormalParam { name: rc!(x), anno: None, default: None }],
type_anno: None,
body: vec![exst!(s r"x + 10")]
})
}
parse_test_wrap_ast! {
2019-06-16 14:56:52 -07:00
r"\x: Nat { x + 10 }",
exst!(Lambda {
2019-06-16 14:56:52 -07:00
params: vec![FormalParam { name: rc!(x), anno: Some(ty!("Nat")), default: None }],
type_anno: None,
body: vec![exst!(s r"x + 10")]
})
}
}
2018-11-06 02:40:10 -08:00
#[test]
fn more_advanced_lambdas() {
parse_test! {
r#"fn wahoo() { let a = 10; \(x) { x + a } };
wahoo()(3) "#, AST(vec![
exst!(s r"fn wahoo() { let a = 10; \(x) { x + a } }"),
exst! {
Call {
f: bx!(ex!(m Call { f: bx!(ex!(m val!("wahoo"))), arguments: vec![] })),
arguments: vec![inv!(ex!(NatLiteral(3))).into()],
2018-11-06 02:40:10 -08:00
}
}
])
}
}
2018-03-08 12:01:24 -08:00
#[test]
fn list_literals() {
parse_test! {
"[1,2]", AST(vec![
exst!(ListLiteral(vec![ex!(m NatLiteral(1)), ex!(m NatLiteral(2))]))])
2018-03-08 12:01:24 -08:00
};
}
#[test]
2018-05-13 01:40:14 -07:00
fn while_expr() {
parse_test! {
"while { }", AST(vec![
exst!(WhileExpression { condition: None, body: vec![] })])
2018-05-13 01:40:14 -07:00
}
2018-05-13 01:40:14 -07:00
parse_test! {
"while a == b { }", AST(vec![
exst!(WhileExpression { condition: Some(bx![ex![m binexp!("==", val!("a"), val!("b"))]]), body: vec![] })])
2018-05-13 01:40:14 -07:00
}
}
#[test]
fn for_expr() {
parse_test! {
"for { a <- maybeValue } return 1", AST(vec![
exst!(ForExpression {
enumerators: vec![Enumerator { id: rc!(a), generator: ex!(m val!("maybeValue")) }],
body: bx!(MonadicReturn(Meta::new(ex!(s "1"))))
2018-05-13 01:40:14 -07:00
})])
}
parse_test! {
"for n <- someRange { f(n); }", AST(vec![
exst!(ForExpression { enumerators: vec![Enumerator { id: rc!(n), generator: ex!(m val!("someRange"))}],
2018-11-05 20:12:10 -08:00
body: bx!(ForBody::StatementBlock(vec![exst!(s "f(n)")]))
2018-05-13 01:40:14 -07:00
})])
}
}
2018-07-13 03:19:02 -07:00
#[test]
fn patterns() {
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! {
"if x is Some(a) then { 4 } else { 9 }", exst!(
IfExpression {
discriminator: bx!(Discriminator::Simple(ex!(s "x"))),
body: bx!(IfExpressionBody::SimplePatternMatch(Pattern::TupleStruct(rc!(Some), vec![Pattern::Literal(PatternLiteral::VarPattern(rc!(a)))]), vec![exst!(s "4")], Some(vec![exst!(s "9")]))) }
)
2018-08-19 15:58:31 -07:00
}
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! {
"if x is Some(a) then 4 else 9", exst!(
IfExpression {
discriminator: bx!(Discriminator::Simple(ex!(s "x"))),
body: bx!(IfExpressionBody::SimplePatternMatch(Pattern::TupleStruct(rc!(Some), vec![Pattern::Literal(PatternLiteral::VarPattern(rc!(a)))]), vec![exst!(s "4")], Some(vec![exst!(s "9")]))) }
)
2018-07-13 03:19:02 -07:00
}
2018-07-13 21:21:27 -07:00
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! {
"if x is Something { a, b: x } then { 4 } else { 9 }", exst!(
IfExpression {
discriminator: bx!(Discriminator::Simple(ex!(s "x"))),
body: bx!(IfExpressionBody::SimplePatternMatch(
2018-07-13 21:21:27 -07:00
Pattern::Record(rc!(Something), vec![
(rc!(a),Pattern::Literal(PatternLiteral::StringPattern(rc!(a)))),
(rc!(b),Pattern::Literal(PatternLiteral::VarPattern(rc!(x))))
]),
2018-11-05 20:52:18 -08:00
vec![exst!(s "4")], Some(vec![exst!(s "9")])))
}
)
2018-07-13 21:21:27 -07:00
}
2018-08-21 20:02:10 -07:00
}
#[test]
fn pattern_literals() {
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! {
"if x is -1 then 1 else 2",
exst!(
IfExpression {
discriminator: bx!(Discriminator::Simple(ex!(s "x"))),
body: bx!(IfExpressionBody::SimplePatternMatch(
Pattern::Literal(PatternLiteral::NumPattern { neg: true, num: NatLiteral(1) }),
vec![exst!(NatLiteral(1))],
Some(vec![exst!(NatLiteral(2))]),
))
}
)
2018-08-21 19:57:45 -07:00
}
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! {
"if x is 1 then 1 else 2",
exst!(
IfExpression {
discriminator: bx!(Discriminator::Simple(ex!(s "x"))),
body: bx!(IfExpressionBody::SimplePatternMatch(
2018-08-21 19:57:45 -07:00
Pattern::Literal(PatternLiteral::NumPattern { neg: false, num: NatLiteral(1) }),
2018-11-05 20:12:10 -08:00
vec![exst!(s "1")],
Some(vec![exst!(s "2")]),
2018-11-05 20:52:18 -08:00
))
}
)
2018-08-21 19:57:45 -07:00
}
2018-08-21 20:02:10 -07:00
parse_test! {
"if x is true then 1 else 2", AST(vec![
exst!(
2018-08-21 20:02:10 -07:00
IfExpression {
2018-11-05 20:12:10 -08:00
discriminator: bx!(Discriminator::Simple(ex!(s "x"))),
2018-08-21 20:02:10 -07:00
body: bx!(IfExpressionBody::SimplePatternMatch(
Pattern::Literal(PatternLiteral::BoolPattern(true)),
vec![exst!(NatLiteral(1))],
Some(vec![exst!(NatLiteral(2))]),
2018-08-21 20:02:10 -07:00
))
}
)
])
}
2018-08-21 19:57:45 -07:00
2018-11-05 20:52:18 -08:00
parse_test_wrap_ast! {
"if x is \"gnosticism\" then 1 else 2",
exst!(
2018-08-21 20:02:10 -07:00
IfExpression {
2018-11-05 20:12:10 -08:00
discriminator: bx!(Discriminator::Simple(ex!(s "x"))),
2018-08-21 20:02:10 -07:00
body: bx!(IfExpressionBody::SimplePatternMatch(
2018-11-05 20:52:18 -08:00
Pattern::Literal(PatternLiteral::StringPattern(rc!(gnosticism))),
vec![exst!(s "1")],
Some(vec![exst!(s "2")]),
))
2018-08-21 20:02:10 -07:00
}
)
}
2018-07-13 03:19:02 -07:00
}
2017-09-11 03:21:07 -07:00
}