rudus/src/main.rs

85 lines
1.7 KiB
Rust
Raw Normal View History

use chumsky::{input::Stream, prelude::*};
2024-12-18 06:28:23 +00:00
const DEBUG_COMPILE: bool = true;
const DEBUG_RUN: bool = true;
2024-12-18 04:45:39 +00:00
mod memory_sandbox;
mod spans;
use crate::spans::Spanned;
mod lexer;
use crate::lexer::lexer;
mod parser;
use crate::parser::{parser, Ast};
mod validator;
mod compiler;
2024-12-27 00:03:09 +00:00
use crate::compiler::Compiler;
mod value;
mod vm;
use vm::Vm;
pub fn run(src: &'static str) {
let (tokens, lex_errs) = lexer().parse(src).into_output_errors();
if !lex_errs.is_empty() {
println!("{:?}", lex_errs);
return;
}
let tokens = tokens.unwrap();
let (parse_result, parse_errors) = parser()
.parse(Stream::from_iter(tokens).map((0..src.len()).into(), |(t, s)| (t, s)))
.into_output_errors();
if !parse_errors.is_empty() {
println!("{:?}", parse_errors);
return;
}
2024-12-23 15:55:28 +00:00
// ::sigh:: The AST should be 'static
// This simplifies lifetimes, and
// in any event, the AST should live forever
let parsed: &'static Spanned<Ast> = Box::leak(Box::new(parse_result.unwrap()));
2024-12-27 00:03:09 +00:00
let mut compiler = Compiler::new(parsed, "test", src);
compiler.compile();
2024-12-18 06:28:23 +00:00
if DEBUG_COMPILE {
2024-12-27 00:03:09 +00:00
compiler.disassemble();
2024-12-18 06:28:23 +00:00
println!("\n\n")
}
if DEBUG_RUN {
println!("=== vm run: test ===");
}
2024-12-27 00:03:09 +00:00
let mut vm = Vm::new(&compiler.chunk);
let result = vm.interpret();
let output = match result {
2024-12-27 00:03:09 +00:00
Ok(val) => val.show(&compiler.chunk),
Err(panic) => format!("{:?}", panic),
};
println!("{output}");
}
pub fn main() {
let src = "
2024-12-23 00:07:42 +00:00
let foo = 42
2024-12-23 00:33:59 +00:00
match foo with {
:foo -> {
1
2
x
}
2 -> :two
42 -> :everything
_ -> :something_else
2024-12-23 00:07:42 +00:00
}
";
run(src);
}