new error output, fix export

This commit is contained in:
2024-10-28 13:51:23 -04:00
parent db6750c481
commit 5ee06de1ba
6 changed files with 111 additions and 67 deletions

View File

@@ -59,12 +59,16 @@ impl fmt::Display for Error {
None => return Ok(()), // there should probably be an error if the line number is somehow out of range None => return Ok(()), // there should probably be an error if the line number is somehow out of range
}; };
write!(f, "\n| --> {filename}:{line}:{}\n| {linect}\n", loc.start)?; let numspaces = " ".repeat((*line as f64).log10() as usize + 1);
write!(f, "\n --> {filename}:{line}:{}\n", loc.start)?;
write!(f, "{numspaces} |\n")?;
write!(f, "{line} | {linect}\n")?;
let spaces = " ".repeat(loc.start); let spaces = " ".repeat(loc.start);
let pointers: String = loc.clone().map(|_| '^').collect(); let pointers: String = loc.clone().map(|_| '^').collect();
write!(f, "|{spaces}{pointers}")?; write!(f, "{numspaces} |{spaces}{pointers}")?;
if let Some(note) = &self.note { if let Some(note) = &self.note {
write!(f, " {note}")?; write!(f, " {note}")?;

View File

@@ -20,7 +20,7 @@ impl Executor {
} }
} }
pub(crate) fn values<I>(mut self, iter: I) -> impl Iterator<Item = Result<Value, Error>> pub(crate) fn _values<I>(mut self, iter: I) -> impl Iterator<Item = Result<Value, Error>>
where where
I: Iterator<Item = Result<ParseTree, Error>> I: Iterator<Item = Result<ParseTree, Error>>
{ {
@@ -46,6 +46,11 @@ impl Executor {
self self
} }
pub(crate) fn add_local_mut(&mut self, k: String, v: Arc<Mutex<Object>>) -> &mut Self {
self.locals.insert(k, v);
self
}
fn _get_object(&self, ident: &String) -> Result<&Arc<Mutex<Object>>, Error> { fn _get_object(&self, ident: &String) -> Result<&Arc<Mutex<Object>>, Error> {
self.locals.get(ident).or(self.globals.get(ident)) self.locals.get(ident).or(self.globals.get(ident))
.ok_or(Error::new(format!("undefined identifier {}", ident.clone()))) .ok_or(Error::new(format!("undefined identifier {}", ident.clone())))
@@ -314,10 +319,12 @@ impl Executor {
let value = self.exec(*body)?; let value = self.exec(*body)?;
let g = self.globals.clone(); let g = self.globals.clone();
Executor::new() let r = self.add_local_mut(ident.clone(), Arc::new(Mutex::new(Object::value(value, g, self.locals.to_owned()))))
.locals(self.locals.clone()) .exec(*scope);
.add_local(ident, Arc::new(Mutex::new(Object::value(value, g, self.locals.to_owned()))))
.exec(*scope) self.locals.remove(&ident);
r
} }
}, },
ParseTree::LazyEqu(ident, body, scope) => { ParseTree::LazyEqu(ident, body, scope) => {
@@ -325,22 +332,27 @@ impl Executor {
Err(Error::new(format!("attempt to override value of variable {ident}"))) Err(Error::new(format!("attempt to override value of variable {ident}")))
} else { } else {
let g = self.globals.clone(); let g = self.globals.clone();
Executor::new() let r = self.add_local_mut(ident.clone(), Arc::new(Mutex::new(Object::variable(*body, g, self.locals.to_owned()))))
.locals(self.locals.clone()) .exec(*scope);
.add_local(ident, Arc::new(Mutex::new(Object::variable(*body, g, self.locals.to_owned()))))
.exec(*scope) self.locals.remove(&ident);
r
} }
}, },
ParseTree::FunctionDefinition(func, scope) => { ParseTree::FunctionDefinition(func, scope) => {
let name = func.name().unwrap().to_string();
let g = self.globals.clone(); let g = self.globals.clone();
Executor::new() let r = self.add_local_mut(name.clone(),
.locals(self.locals.clone())
.add_local(func.name().unwrap().to_string(),
Arc::new(Mutex::new(Object::function( Arc::new(Mutex::new(Object::function(
func func
.globals(g) .globals(g)
.locals(self.locals.clone()), HashMap::new(), HashMap::new())))) .locals(self.locals.clone()), HashMap::new(), HashMap::new()))))
.exec(*scope) .exec(*scope);
self.locals.remove(&name);
r
}, },
ParseTree::FunctionCall(ident, args) => { ParseTree::FunctionCall(ident, args) => {
let obj = self.get_object_mut(&ident)?; let obj = self.get_object_mut(&ident)?;

View File

@@ -305,27 +305,18 @@ impl<R: BufRead> Runtime<R> {
self self
} }
}
impl<R: BufRead> Iterator for Runtime<R> { pub fn add_globals<Globals: IntoIterator<Item = (String, Value)>>(self, globals: Globals) -> Self {
type Item = Result<Value, Error>; globals.into_iter().fold(self, |acc, (key, value)| acc.add_global(&key, value))
}
fn next(&mut self) -> Option<Self::Item> { pub fn values(&self) -> impl Iterator<Item = Result<Value, Error>> + use<'_, R> {
let tokenizer = Tokenizer::new(self.reader.clone()); let tokenizer = Tokenizer::new(self.reader.clone());
let parser = Parser::new().add_globals(self.global_types.clone());
let tree = Parser::new() Executor::new()
.add_globals(self.global_types.clone()) .add_globals(self.globals.clone())
.parse(&mut tokenizer.peekable()); ._values(parser.trees(tokenizer.peekable()))
.map(|r| r.map_err(|e| e.code(self.code()).file(self.filename.clone())))
let tree = match tree.map_err(|e| e
.code(self.code())
.file(self.filename.clone()))
{
Ok(Some(tree)) => tree,
Ok(None) => return None,
Err(e) => return Some(Err(e))
};
Some(Executor::new().add_globals(self.globals.clone()).exec(tree))
} }
} }

View File

@@ -3,7 +3,7 @@ use std::io::{self, BufReader};
fn main() { fn main() {
let runtime = lamm::Runtime::new(BufReader::new(io::stdin()), "<stdin>"); let runtime = lamm::Runtime::new(BufReader::new(io::stdin()), "<stdin>");
for value in runtime { for value in runtime.values() {
match value { match value {
Ok(v) => println!("=> {v}"), Ok(v) => println!("=> {v}"),
Err(e) => eprintln!("error: {e}"), Err(e) => eprintln!("error: {e}"),

View File

@@ -1,4 +1,6 @@
use crate::executor::Executor;
use super::{Value, Type, Function, FunctionType}; use super::{Value, Type, Function, FunctionType};
use super::tokenizer::{Token, TokenType, Op}; use super::tokenizer::{Token, TokenType, Op};
use super::error::Error; use super::error::Error;
@@ -67,20 +69,25 @@ impl Parser {
items.into_iter().fold(self, |acc, (k, v)| acc.add_global(k, v)) items.into_iter().fold(self, |acc, (k, v)| acc.add_global(k, v))
} }
pub(crate) fn locals(mut self, locals: HashMap<String, Type>) -> Self {
self.locals = locals;
self
}
pub(crate) fn add_local(mut self, k: String, v: Type) -> Self { pub(crate) fn add_local(mut self, k: String, v: Type) -> Self {
self.locals.insert(k, v); self.locals.insert(k, v);
self self
} }
pub(crate) fn _add_locals<Items: Iterator<Item = (String, Type)>>(mut self, items: Items) -> Self { pub(crate) fn add_locals<Items: Iterator<Item = (String, Type)>>(self, items: Items) -> Self {
items.for_each(|(name, t)| { items.fold(self, |acc, (key, value)| acc.add_local(key, value))
}
fn add_local_mut(&mut self, k: String, v: Type) -> &mut Self {
self.locals.insert(k, v);
self
}
fn add_locals_mut<Items: IntoIterator<Item = (String, Type)>>(&mut self, items: Items) -> &mut Self {
for (name, t) in items {
self.locals.insert(name, t); self.locals.insert(name, t);
}); }
self self
} }
@@ -229,9 +236,7 @@ impl Parser {
.into_iter() .into_iter()
.peekable(); .peekable();
let trees: Vec<ParseTree> = Parser::new() let trees: Vec<ParseTree> = self.clone().trees(array_tokens)
.locals(self.locals.to_owned())
.trees(array_tokens)
.collect::<Result<_, Error>>()?; .collect::<Result<_, Error>>()?;
let tree = trees.into_iter().fold( let tree = trees.into_iter().fold(
@@ -268,9 +273,7 @@ impl Parser {
.into_iter() .into_iter()
.peekable(); .peekable();
let trees: Vec<ParseTree> = Parser::new() let trees: Vec<ParseTree> = self.clone().trees(array_tokens)
.locals(self.locals.to_owned())
.trees(array_tokens)
.collect::<Result<_, Error>>()?; .collect::<Result<_, Error>>()?;
let tree = trees.into_iter().fold( let tree = trees.into_iter().fold(
@@ -287,21 +290,24 @@ impl Parser {
.note("expected an identifier after this token".into()))??; .note("expected an identifier after this token".into()))??;
if let TokenType::Identifier(ident) = token.token() { if let TokenType::Identifier(ident) = token.token() {
let body = Box::new(self.parse(tokens)?.ok_or(Error::new(format!("the variable `{ident}` has no value")) let body = self.parse(tokens)?.ok_or(Error::new(format!("the variable `{ident}` has no value"))
.location(token.line, token.location.clone()) .location(token.line, token.location.clone())
.note("expected a value after this identifier".into()))?); .note("expected a value after this identifier".into()))?;
let scope = Parser::new() let scope = self.add_local_mut(ident.clone(), Type::Any)
.locals(self.locals.clone())
.add_local(ident.clone(), Type::Any)
.parse(tokens)? .parse(tokens)?
.ok_or(Error::new("variable declaration requires a scope defined after it".into()) .ok_or(Error::new("variable declaration requires a scope defined after it".into())
.location(token.line, token.location) .location(token.line, token.location)
.note(format!("this variable {ident} has no scope")))?; .note(format!("this variable {ident} has no scope")))?;
// temporary fix: just remove the identifier
// ignore errors removing, in the case that the symbol was already exported, it won't be present in locals
// this comes down to a basic architectural error. globals need to stick to the parser while locals need to be scoped.
self.locals.remove(&ident);
Ok(Some(ParseTree::Equ( Ok(Some(ParseTree::Equ(
ident.clone(), ident.clone(),
body, Box::new(body),
Box::new(scope)) Box::new(scope))
)) ))
} else { } else {
@@ -310,7 +316,7 @@ impl Parser {
}, },
Op::LazyEqu => { Op::LazyEqu => {
let token = tokens.next() let token = tokens.next()
.ok_or(Error::new("no identifier given for = expression".into()) .ok_or(Error::new("no identifier given for . expression".into())
.location(token.line, token.location) .location(token.line, token.location)
.note("expected an identifier after this token".into()))??; .note("expected an identifier after this token".into()))??;
@@ -319,13 +325,15 @@ impl Parser {
.location(token.line, token.location.clone()) .location(token.line, token.location.clone())
.note("expected a value after this identifier".into()))?); .note("expected a value after this identifier".into()))?);
let scope = Parser::new() let scope = self.add_local_mut(ident.clone(), Type::Any)
.locals(self.locals.clone())
.add_local(ident.clone(), Type::Any)
.parse(tokens)? .parse(tokens)?
.ok_or(Error::new("variable declaration requires a scope defined after it".into()) .ok_or(Error::new("variable declaration requires a scope defined after it".into())
.location(token.line, token.location) .location(token.line, token.location)
.note(format!("this variable {ident} has no scope")))?; .note(format!("this variable {ident} has no scope")))?;
// temporary fix: just remove the identifier
// ignore errors removing, in the case that the symbol was already exported, it won't be present in locals
self.locals.remove(&ident);
Ok(Some(ParseTree::LazyEqu( Ok(Some(ParseTree::LazyEqu(
ident.clone(), ident.clone(),
@@ -339,13 +347,13 @@ impl Parser {
Op::FunctionDefine(arg_count) => { Op::FunctionDefine(arg_count) => {
let f = self.parse_function_definition(tokens, arg_count)?; let f = self.parse_function_definition(tokens, arg_count)?;
let scope = Parser::new() let scope = self.add_local_mut(f.name().unwrap().to_string(), Type::Function(f.get_type()))
.locals(self.locals.clone())
.add_local(f.name().unwrap().to_string(), Type::Function(f.get_type()))
.parse(tokens)? .parse(tokens)?
.ok_or(Error::new("function declaration requires a scope defined after it".into()) .ok_or(Error::new("function declaration requires a scope defined after it".into())
.location(token.line, token.location) .location(token.line, token.location)
.note(format!("this function {} has no scope", f.name().unwrap())))?; .note(format!("this function {} has no scope", f.name().unwrap())))?;
self.locals.remove(f.name().unwrap());
Ok(Some(ParseTree::FunctionDefinition( f.clone(), Box::new(scope)))) Ok(Some(ParseTree::FunctionDefinition( f.clone(), Box::new(scope))))
}, },
@@ -379,7 +387,38 @@ impl Parser {
Ok(Some(ParseTree::IfElse( Ok(Some(ParseTree::IfElse(
Box::new(cond), Box::new(truebranch), Box::new(falsebranch)))) Box::new(cond), Box::new(truebranch), Box::new(falsebranch))))
}, },
Op::Export => todo!(), Op::Export => {
let list = self.parse(tokens)?.ok_or(
Error::new("export expects one argument of [String], but found nothing".into())
.location(token.line, token.location.clone())
)?;
let list = Executor::new().exec(list)?;
if let Value::Array(Type::String, items) = list {
let names = items.into_iter().map(|x| match x {
Value::String(s) => s,
_ => unreachable!(),
});
for name in names.clone() {
let t = self.locals.remove(&name)
.ok_or(
Error::new(format!("attempt to export {name}, which is not in local scope"))
.location(token.line, token.location.clone())
)?;
self.globals.insert(name, t);
}
Ok(Some(ParseTree::Export(names.collect())))
} else {
Err(
Error::new(format!("export expects one argument of [String], but found {}", list.get_type()))
.location(token.line, token.location)
)
}
},
op => self.parse_operator(tokens, op).map(|x| Some(x)), op => self.parse_operator(tokens, op).map(|x| Some(x)),
}, },
_ => Err(Error::new(format!("the token {} was unexpected", token.lexeme)).location(token.line, token.location)), _ => Err(Error::new(format!("the token {} was unexpected", token.lexeme)).location(token.line, token.location)),
@@ -396,8 +435,7 @@ impl Parser {
} }
Ok(Function::lambda(t, args, Box::new( Ok(Function::lambda(t, args, Box::new(
Parser::new() self.clone().add_locals_mut(locals).parse(tokens)?.ok_or(Error::new("lambda requires a body".into()))?)))
.locals(locals).parse(tokens)?.ok_or(Error::new("lambda requires a body".into()))?)))
} }
fn parse_function_definition<I: Iterator<Item = Result<Token, Error>>>(&mut self, tokens: &mut Peekable<I>, arg_count: usize) -> Result<Function, Error> { fn parse_function_definition<I: Iterator<Item = Result<Token, Error>>>(&mut self, tokens: &mut Peekable<I>, arg_count: usize) -> Result<Function, Error> {
@@ -413,8 +451,7 @@ impl Parser {
locals.insert(name.clone(), Type::Function(t.clone())); locals.insert(name.clone(), Type::Function(t.clone()));
Ok(Function::named(&name, t, args, Box::new( Ok(Function::named(&name, t, args, Box::new(
Parser::new() self.clone().add_locals_mut(locals).parse(tokens)?.ok_or(Error::new("function requires a body".into()))?)))
.locals(locals).parse(tokens)?.ok_or(Error::new("function requires a body".into()))?)))
} }
fn parse_function_declaration<I: Iterator<Item = Result<Token, Error>>>( fn parse_function_declaration<I: Iterator<Item = Result<Token, Error>>>(

View File

@@ -1,4 +1,4 @@
use std::collections::{VecDeque, HashMap}; use std::collections::HashMap;
use std::sync::{Arc, Mutex}; use std::sync::{Arc, Mutex};
use crate::{CodeIter, Type}; use crate::{CodeIter, Type};