rust-crafting-interpreters-.../src/main.rs

85 lines
2 KiB
Rust
Raw Normal View History

2022-12-30 16:47:30 +01:00
mod tokens;
use std::{
env, fs,
io::{self, Write},
process::ExitCode,
};
2022-12-30 16:33:34 +01:00
/// Error handler. Can be used to print error messages; will also retain the
/// current error status.
#[derive(Default, Debug)]
struct ErrorHandler {
2022-12-30 16:47:30 +01:00
had_error: bool,
2022-12-30 16:33:34 +01:00
}
impl ErrorHandler {
/// Check whether this handler reported an error.
pub fn had_error(&self) -> bool {
self.had_error
}
/// Report an error.
pub fn error(&mut self, line: usize, message: &str) {
self.report(line, "", message)
}
fn report(&mut self, line: usize, pos: &str, message: &str) {
self.had_error = true;
println!("[line {line}] Error{pos}: {message}")
}
}
2022-12-30 16:17:46 +01:00
/// Execute a script.
2022-12-30 16:33:34 +01:00
fn run(_source: String) -> ErrorHandler {
let error_handler = ErrorHandler::default();
/*
let scanner = Scanner::new(source);
let tokens = scanner.scan_tokens();
for token in tokens {
println!("{}", token);
}
*/
error_handler
2022-12-30 16:17:46 +01:00
}
/// Run the REPL.
fn run_prompt() {
let mut buffer = String::new();
let stdin = io::stdin();
let mut stdout = io::stdout();
loop {
print!("slox> ");
stdout.flush().unwrap();
2022-12-30 16:47:30 +01:00
let n_read = stdin
.read_line(&mut buffer)
.expect("Failed to read from stdin");
2022-12-30 16:33:34 +01:00
let _ = match n_read {
2022-12-30 16:17:46 +01:00
0 => return,
_ => run(buffer.clone()),
2022-12-30 16:33:34 +01:00
};
2022-12-30 16:17:46 +01:00
}
}
/// Load a file and run the script it contains.
2022-12-30 16:33:34 +01:00
fn run_file(file: &str) -> ErrorHandler {
2022-12-30 16:17:46 +01:00
let contents = fs::read_to_string(file).expect(&format!("Could not load {}", file));
run(contents)
}
/// Main program. Either load a script from a file, or start the REPL.
2022-12-30 16:33:34 +01:00
fn main() -> Result<(), ExitCode> {
2022-12-30 16:17:46 +01:00
let args: Vec<String> = env::args().skip(1).collect();
let n_args = args.len();
if n_args == 0 {
run_prompt()
} else if n_args == 1 {
2022-12-30 16:33:34 +01:00
if run_file(&args[0]).had_error() {
return Err(ExitCode::from(65));
}
2022-12-30 16:17:46 +01:00
} else {
println!("Usage: slox [script]");
}
2022-12-30 16:33:34 +01:00
Ok(())
2022-12-30 15:53:19 +01:00
}