use std::rc::Rc; use parsing::{AST, Statement, Expression, Declaration}; use builtin::{BinOp, PrefixOp}; #[derive(Debug)] pub struct ReducedAST(pub Vec); #[derive(Debug, Clone)] pub enum Stmt { Binding { name: Rc, constant: bool, expr: Expr, }, Expr(Expr), } #[derive(Debug, Clone)] pub enum Expr { Lit(Lit), Func(Func), Val(Rc), Call { f: Func, args: Vec, }, UnimplementedSigilValue } #[derive(Debug, Clone)] pub enum Lit { Nat(u64), Int(i64), Float(f64), Bool(bool), StringLit(Rc), } #[derive(Debug, Clone)] pub enum Func { BuiltIn(Rc), UserDefined { params: Vec>, body: Vec, } } impl AST { pub fn reduce(&self) -> ReducedAST { let mut output = vec![]; for statement in self.0.iter() { output.push(statement.reduce()); } ReducedAST(output) } } impl Statement { fn reduce(&self) -> Stmt { use parsing::Statement::*; match self { ExpressionStatement(expr) => Stmt::Expr(expr.reduce()), Declaration(decl) => decl.reduce(), } } } impl Expression { fn reduce(&self) -> Expr { use parsing::ExpressionType::*; let ref input = self.0; match input { &IntLiteral(ref n) => Expr::Lit(Lit::Nat(*n)), //TODO I should rename IntLiteral if I want the Nat/Int distinction, which I do &FloatLiteral(ref f) => Expr::Lit(Lit::Float(*f)), &StringLiteral(ref s) => Expr::Lit(Lit::StringLit(s.clone())), &BoolLiteral(ref b) => Expr::Lit(Lit::Bool(*b)), &BinExp(ref binop, ref lhs, ref rhs) => binop.reduce(lhs, rhs), &PrefixExp(ref op, ref arg) => op.reduce(arg), &Value(ref name) => Expr::Val(name.clone()), /* &Call { ref f, ref arguments } => Expr::Call { f: Box, arguments: Vec, }, */ e => Expr::UnimplementedSigilValue, } } } impl Declaration { fn reduce(&self) -> Stmt { use self::Declaration::*; match self { Binding {name, constant, expr } => Stmt::Binding { name: name.clone(), constant: *constant, expr: expr.reduce() }, FuncDecl(::parsing::Signature { name, params, type_anno }, statements) => Stmt::Binding { name: name.clone(), constant: true, expr: Expr::Func(Func::UserDefined { params: params.iter().map(|param| param.0.clone()).collect(), body: statements.iter().map(|stmt| stmt.reduce()).collect(), }) }, _ => Stmt::Expr(Expr::UnimplementedSigilValue) } } } impl BinOp { fn reduce(&self, lhs: &Box, rhs: &Box) -> Expr { let f = Func::BuiltIn(self.sigil().clone()); Expr::Call { f, args: vec![lhs.reduce(), rhs.reduce()]} } } impl PrefixOp { fn reduce(&self, arg: &Box) -> Expr { let f = Func::BuiltIn(self.sigil().clone()); Expr::Call { f, args: vec![arg.reduce()]} } }