Compare commits

..

No commits in common. "01a6a5bbbaa9b5a5bfe75b8557ccbbfd80b9cc47" and "f870bbe3c752f50f1c12211a9582aa43ba7c4205" have entirely different histories.

4 changed files with 62 additions and 130 deletions

View file

@ -2,13 +2,13 @@
use std::{error::Error, fmt::Display, fs::File, io::Write, process::exit, str::FromStr}; use std::{error::Error, fmt::Display, fs::File, io::Write, process::exit, str::FromStr};
use clap::Parser;
use drimc_rs::{ use drimc_rs::{
ast2ir::ast2ir, ast2ir::ast2ir,
backends, backends,
parser::{parser, ParserError, ParserMeta}, parser::{parser, ParserError, ParserMeta},
typeck::typeck, typeck::typeck,
}; };
use clap::Parser;
/// Optimization levels. /// Optimization levels.
#[derive(Debug)] #[derive(Debug)]
@ -256,7 +256,7 @@ fn main() {
let source = std::fs::read_to_string(&args.source_file)?; let source = std::fs::read_to_string(&args.source_file)?;
let meta = ParserMeta::default(); let meta = ParserMeta::default();
let ast = chumsky::Parser::parse(&parser(&meta), source).map_err(ParserError)?; let ast = chumsky::Parser::parse(&parser(&meta), source).map_err(ParserError)?;
let ast = typeck(ast)?; typeck(&ast)?;
let ir = ast2ir(ast); let ir = ast2ir(ast);

View file

@ -10,8 +10,7 @@ use chumsky::{
}; };
use crate::syntax::{ use crate::syntax::{
ClassMember, Expr, ExprKind, Identifier, Literal, Pattern, Statement, SyntaxTree, Type, ClassMember, Expr, Identifier, Literal, Pattern, Statement, SyntaxTree, Type, TypeConstructor,
TypeConstructor,
}; };
/// Adapter to make `chumsky`'s parser errors usable as standard Rust errors. /// Adapter to make `chumsky`'s parser errors usable as standard Rust errors.
@ -331,7 +330,6 @@ fn parse_func_decl<'a>(
name, name,
arguments, arguments,
definition, definition,
typ: None,
}) })
} }
@ -374,15 +372,15 @@ fn parse_expression<'a>(
let application = term.repeated().at_least(1).map(|exprs| { let application = term.repeated().at_least(1).map(|exprs| {
exprs exprs
.into_iter() .into_iter()
.reduce(|l, r| { .reduce(|l, r| Expr::Application {
expr(ExprKind::Application {
func: Box::new(l), func: Box::new(l),
argument: Box::new(r), argument: Box::new(r),
}) })
})
.unwrap() .unwrap()
}); });
// let unary = parse_unary(m, term);
// let unary = term;
let unary = parse_unary(m, application); let unary = parse_unary(m, application);
let binary = (0..=10).rev().fold(unary.boxed(), |p, precedence| { let binary = (0..=10).rev().fold(unary.boxed(), |p, precedence| {
@ -401,14 +399,12 @@ fn parse_unary(
.repeated() .repeated()
.then(base) .then(base)
.map(|(ops, exp)| { .map(|(ops, exp)| {
ops.into_iter().fold(exp, |exp, op| { ops.into_iter().fold(exp, |exp, op| Expr::UnaryOp {
expr(ExprKind::UnaryOp {
kind: op.to_string(), kind: op.to_string(),
val: Box::new(exp), val: Box::new(exp),
translation: "negate".to_string(), translation: "negate".to_string(),
}) })
}) })
})
} }
fn parse_binary<'a>( fn parse_binary<'a>(
@ -446,12 +442,12 @@ fn parse_binary<'a>(
others others
.into_iter() .into_iter()
.fold(first, |left, (op_name, _assoc, translation, right)| { .fold(first, |left, (op_name, _assoc, translation, right)| {
expr(ExprKind::BinaryOp { Expr::BinaryOp {
kind: op_name.to_owned(), kind: op_name.to_owned(),
left: Box::new(left), left: Box::new(left),
right: Box::new(right), right: Box::new(right),
translation: translation.to_string(), translation: translation.to_string(),
}) }
}) })
} }
Some(Associativity::Right) => { Some(Associativity::Right) => {
@ -492,14 +488,12 @@ fn parse_binary<'a>(
others_l others_l
.into_iter() .into_iter()
.rev() .rev()
.fold(last.to_owned(), |r, (l, (op, trans))| { .fold(last.to_owned(), |r, (l, (op, trans))| Expr::BinaryOp {
expr(ExprKind::BinaryOp {
kind: op.to_string(), kind: op.to_string(),
left: Box::new(l.to_owned()), left: Box::new(l.to_owned()),
right: Box::new(r), right: Box::new(r),
translation: trans.to_string(), translation: trans.to_string(),
}) })
})
} }
} }
}) })
@ -507,72 +501,66 @@ fn parse_binary<'a>(
fn parse_let_expr( fn parse_let_expr(
m: &ParserMeta, m: &ParserMeta,
rec: impl Parser<char, Expr, Error = Simple<char>> + Clone, base: impl Parser<char, Expr, Error = Simple<char>> + Clone,
) -> impl Parser<char, Expr, Error = Simple<char>> + Clone { ) -> impl Parser<char, Expr, Error = Simple<char>> + Clone {
pad(keyword("let")) pad(keyword("let"))
.ignore_then(parse_pattern(m)) .ignore_then(parse_pattern(m))
.then_ignore(pad(just('='))) .then_ignore(pad(just('=')))
.then(rec.clone()) .then(base.clone())
.then_ignore(pad(keyword("in"))) .then_ignore(pad(keyword("in")))
.then(rec) .then(base)
.map(|((left, right), into)| { .map(|((left, right), into)| Expr::Let {
expr(ExprKind::Let {
left, left,
right: Box::new(right), right: Box::new(right),
into: Box::new(into), into: Box::new(into),
}) })
})
} }
fn parse_match_expr( fn parse_match_expr(
m: &ParserMeta, m: &ParserMeta,
rec: impl Parser<char, Expr, Error = Simple<char>> + Clone, base: impl Parser<char, Expr, Error = Simple<char>> + Clone,
) -> impl Parser<char, Expr, Error = Simple<char>> + Clone { ) -> impl Parser<char, Expr, Error = Simple<char>> + Clone {
pad(keyword("match")) pad(keyword("match"))
.ignore_then(rec.clone()) .ignore_then(base.clone())
.then( .then(
parse_pattern(m) parse_pattern(m)
.then_ignore(pad(just("=>"))) .then_ignore(pad(just("=>")))
.then(rec) .then(base)
.separated_by(pad(just(","))) .separated_by(pad(just(",")))
.allow_trailing() .allow_trailing()
.delimited_by(pad(just('{')), pad(just('}'))), .delimited_by(pad(just('{')), pad(just('}'))),
) )
.map(|(matcher, cases)| { .map(|(matcher, cases)| Expr::Match {
expr(ExprKind::Match {
matcher: Box::new(matcher), matcher: Box::new(matcher),
cases, cases,
}) })
})
} }
fn parse_record_expr( fn parse_record_expr(
_m: &ParserMeta, _m: &ParserMeta,
rec: impl Parser<char, Expr, Error = Simple<char>> + Clone, base: impl Parser<char, Expr, Error = Simple<char>> + Clone,
) -> impl Parser<char, Expr, Error = Simple<char>> + Clone { ) -> impl Parser<char, Expr, Error = Simple<char>> + Clone {
pad(ident()) pad(ident())
.then_ignore(pad(just(':'))) .then_ignore(pad(just(':')))
.then(rec) .then(base)
.separated_by(pad(just(','))) .separated_by(pad(just(',')))
.allow_trailing() .allow_trailing()
.delimited_by(pad(just('{')), pad(just('}'))) .delimited_by(pad(just('{')), pad(just('}')))
.map(|elems| expr(ExprKind::Record(elems))) .map(Expr::Record)
} }
fn parse_lambda_expr( fn parse_lambda_expr(
m: &ParserMeta, m: &ParserMeta,
rec: impl Parser<char, Expr, Error = Simple<char>> + Clone, base: impl Parser<char, Expr, Error = Simple<char>> + Clone,
) -> impl Parser<char, Expr, Error = Simple<char>> + Clone { ) -> impl Parser<char, Expr, Error = Simple<char>> + Clone {
pad(keyword("fn")) pad(keyword("fn"))
.ignore_then(parse_pattern(m).repeated()) .ignore_then(parse_pattern(m).repeated())
.then_ignore(pad(just("->"))) .then_ignore(pad(just("->")))
.then(rec) .then(base)
.map(|(arguments, result)| { .map(|(arguments, result)| Expr::Lambda {
expr(ExprKind::Lambda {
arguments, arguments,
result: Box::new(result), result: Box::new(result),
}) })
})
} }
fn parse_subscript_expr( fn parse_subscript_expr(
@ -597,38 +585,36 @@ fn parse_subscript_expr(
.repeated(), .repeated(),
) )
.map(|(l, subscripts): (Expr, Vec<(SubscriptKind, Expr)>)| { .map(|(l, subscripts): (Expr, Vec<(SubscriptKind, Expr)>)| {
subscripts.into_iter().fold(l, |l, (kind, r)| { subscripts.into_iter().fold(l, |l, (kind, r)| match kind {
expr(match kind { SubscriptKind::Dot => Expr::DotSubscript {
SubscriptKind::Dot => ExprKind::DotSubscript {
value: Box::new(l), value: Box::new(l),
subscript: Box::new(r), subscript: Box::new(r),
}, },
SubscriptKind::Bracket => ExprKind::BracketSubscript { SubscriptKind::Bracket => Expr::BracketSubscript {
value: Box::new(l), value: Box::new(l),
subscript: Box::new(r), subscript: Box::new(r),
}, },
}) })
}) })
})
} }
fn parse_tuple_expr( fn parse_tuple_expr(
_m: &ParserMeta, _m: &ParserMeta,
rec: impl Parser<char, Expr, Error = Simple<char>> + Clone, base: impl Parser<char, Expr, Error = Simple<char>> + Clone,
) -> impl Parser<char, Expr, Error = Simple<char>> + Clone { ) -> impl Parser<char, Expr, Error = Simple<char>> + Clone {
rec.separated_by(pad(just(','))) base.separated_by(pad(just(',')))
.delimited_by(pad(just('(')), pad(just(')'))) .delimited_by(pad(just('(')), pad(just(')')))
.map(|exprs| { .map(|exprs| {
if exprs.len() == 1 { if exprs.len() == 1 {
exprs.into_iter().next().unwrap() exprs.into_iter().next().unwrap()
} else { } else {
expr(ExprKind::Tuple(exprs)) Expr::Tuple(exprs)
} }
}) })
} }
fn parse_var_ref_expr(m: &ParserMeta) -> impl Parser<char, Expr, Error = Simple<char>> + Clone { fn parse_var_ref_expr(m: &ParserMeta) -> impl Parser<char, Expr, Error = Simple<char>> + Clone {
parse_identifier(m).map(|r| expr(ExprKind::VariableReference(r))) parse_identifier(m).map(Expr::VariableReference)
} }
fn parse_literal(_m: &ParserMeta) -> impl Parser<char, Expr, Error = Simple<char>> + Clone { fn parse_literal(_m: &ParserMeta) -> impl Parser<char, Expr, Error = Simple<char>> + Clone {
@ -673,7 +659,7 @@ fn parse_literal(_m: &ParserMeta) -> impl Parser<char, Expr, Error = Simple<char
.map(|(l, r)| (l + "." + &r).parse().unwrap()) .map(|(l, r)| (l + "." + &r).parse().unwrap())
.map(Literal::Float); .map(Literal::Float);
pad(choice((int, float, string))).map(|lit| expr(ExprKind::Literal(lit))) pad(choice((int, float, string))).map(Expr::Literal)
} }
fn parse_identifier( fn parse_identifier(
@ -811,8 +797,8 @@ fn parse_record_pattern(
fn parse_literal_pattern(m: &ParserMeta) -> impl Parser<char, Pattern, Error = Simple<char>> { fn parse_literal_pattern(m: &ParserMeta) -> impl Parser<char, Pattern, Error = Simple<char>> {
// TODO: factor out literal parsing so we don't have to do this ugly `unreachable` stuff. // TODO: factor out literal parsing so we don't have to do this ugly `unreachable` stuff.
parse_literal(m).map(|e| match e.kind { parse_literal(m).map(|e| match e {
ExprKind::Literal(lit) => Pattern::Literal(lit), Expr::Literal(lit) => Pattern::Literal(lit),
_ => unreachable!(), _ => unreachable!(),
}) })
} }
@ -843,10 +829,6 @@ fn ident() -> impl Parser<char, String, Error = Simple<char>> + Clone {
}) })
} }
fn expr(e: ExprKind) -> Expr {
Expr { kind: e, typ: None }
}
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {
use super::*; use super::*;

View file

@ -2,8 +2,6 @@
use num_bigint::BigUint; use num_bigint::BigUint;
use crate::typeck;
/// A concrete syntax tree. This represents the full content of a Drim program, including all /// A concrete syntax tree. This represents the full content of a Drim program, including all
/// whitespace, comments, and tokens: the source code of the original program can be recovered /// whitespace, comments, and tokens: the source code of the original program can be recovered
/// completely using the syntax tree. /// completely using the syntax tree.
@ -67,10 +65,6 @@ pub enum ClassMember {
/// The definition of the function. /// The definition of the function.
definition: Option<Expr>, definition: Option<Expr>,
/// The type of the overall function; this is filled in by the typechecker, and is left
/// blank by the parser.
typ: Option<typeck::Type>,
}, },
/// Declaration of a type that is a literal alias for another type. /// Declaration of a type that is a literal alias for another type.
@ -93,19 +87,9 @@ pub struct TypeConstructor {
pub args: Vec<Type>, pub args: Vec<Type>,
} }
/// An expression. /// Expressions.
#[derive(Clone, Debug)] #[derive(Clone, Debug)]
pub struct Expr { pub enum Expr {
/// The contents of the expression.
pub kind: ExprKind,
/// An optional type signature, left as `None` by the parser and added by the type checker.
pub typ: Option<typeck::Type>,
}
/// The different kinds of expressions.
#[derive(Clone, Debug)]
pub enum ExprKind {
/// Unary operators, e.g., `-5`. /// Unary operators, e.g., `-5`.
UnaryOp { UnaryOp {
/// The text of the operator. /// The text of the operator.
@ -268,7 +252,7 @@ pub enum Pattern {
} }
/// Namespaced identifiers. /// Namespaced identifiers.
#[derive(Clone, Debug, Hash, PartialEq)] #[derive(Clone, Debug)]
pub struct Identifier { pub struct Identifier {
/// The elements of the identifier; there must be at least one of these. /// The elements of the identifier; there must be at least one of these.
pub elems: Vec<String>, pub elems: Vec<String>,

View file

@ -1,10 +1,8 @@
//! Type checker. //! Type checker.
use std::{collections::BTreeMap, error::Error, fmt::Display}; use std::{error::Error, fmt::Display};
use num_bigint::BigInt; use crate::syntax::SyntaxTree;
use crate::syntax::{Identifier, SyntaxTree};
/// A compile-time type error from the user's source code. /// A compile-time type error from the user's source code.
#[derive(Debug)] #[derive(Debug)]
@ -18,39 +16,7 @@ impl Display for TypeError {
impl Error for TypeError {} impl Error for TypeError {}
/// A type known at compile time. While this resembles the AST `Type` structure, this enum is
/// optimized for unifying types against one another and representing compiler-generated types
/// rather than strictly representing named types.
#[derive(Debug, Clone, PartialEq)]
pub enum Type {
/// `Foo`
Named(Identifier),
/// `List Int`
Application {
/// The function being applied. This must be a generic type.
function: Box<Type>,
/// The type given as an argument to the type.
expression: Box<Type>,
},
/// `(a, b)`
Tuple(Vec<Type>),
/// `{ a: x, b: y }`
Record(BTreeMap<String, Type>),
/// Compiler-internal type representing an arbitrary-precision integer whose value is known at
/// compile time. This is the default type of integer literals. A `CompInt` can be converted to
/// an actual integer type via implicit application of the `fromCompInt` generic function.
CompInt(BigInt),
/// Compiler-internal type representing a string literal. See `CompInt`.
CompString(String),
}
/// Type-checks the syntax tree. /// Type-checks the syntax tree.
pub fn typeck(_: SyntaxTree) -> Result<SyntaxTree, TypeError> { pub fn typeck(_: &SyntaxTree) -> Result<(), TypeError> {
todo!() todo!()
} }