rhai/src/bin/rhai-repl.rs

329 lines
9.4 KiB
Rust
Raw Normal View History

2022-01-19 07:02:55 +01:00
use rhai::{Dynamic, Engine, EvalAltResult, Module, Scope, AST, INT};
2020-12-29 15:04:31 +01:00
use std::{
env,
fs::File,
io::{stdin, stdout, Read, Write},
path::Path,
2020-12-29 15:04:31 +01:00
process::exit,
};
2017-10-15 17:50:39 +02:00
2020-12-29 15:04:31 +01:00
/// Pretty-print error.
2021-01-08 07:29:57 +01:00
fn print_error(input: &str, mut err: EvalAltResult) {
2020-03-24 10:30:04 +01:00
let lines: Vec<_> = input.trim().split('\n').collect();
2021-02-28 07:38:34 +01:00
let pos = err.take_position();
let line_no = if lines.len() > 1 {
if pos.is_none() {
"".to_string()
} else {
format!("{}: ", pos.line().unwrap())
}
} else {
"".to_string()
};
2020-12-29 15:04:31 +01:00
// Print error position
if pos.is_none() {
// No position
println!("{}", err);
} else {
2020-12-29 15:04:31 +01:00
// Specific position - print line text
println!("{}{}", line_no, lines[pos.line().unwrap() - 1]);
2020-12-29 15:04:31 +01:00
// Display position marker
println!(
"{0:>1$} {2}",
"^",
line_no.len() + pos.position().unwrap(),
2021-01-08 07:29:57 +01:00
err
);
}
}
2020-12-29 15:04:31 +01:00
/// Print help text.
fn print_help() {
println!("help => print this help");
println!("quit, exit => quit");
2020-06-24 16:45:34 +02:00
println!("scope => print all variables in the scope");
2022-01-19 07:02:55 +01:00
println!("strict => toggle on/off Strict Variables Mode");
#[cfg(feature = "metadata")]
2020-11-22 10:21:34 +01:00
println!("functions => print all functions defined");
2021-07-08 08:09:31 +02:00
#[cfg(feature = "metadata")]
println!("json => output all functions in JSON format");
2020-12-26 16:21:16 +01:00
println!("ast => print the last AST (optimized)");
println!("astu => print the last raw, un-optimized AST");
println!(r"end a line with '\' to continue to the next line.");
println!();
}
2022-01-19 07:02:55 +01:00
/// Display the scope.
fn print_scope(scope: &Scope) {
scope
.iter_raw()
.enumerate()
.for_each(|(i, (name, constant, value))| {
#[cfg(not(feature = "no_closure"))]
let value_is_shared = if value.is_shared() { " (shared)" } else { "" };
#[cfg(feature = "no_closure")]
let value_is_shared = "";
println!(
"[{}] {}{}{} = {:?}",
i + 1,
if constant { "const " } else { "" },
name,
value_is_shared,
*value.read_lock::<Dynamic>().unwrap(),
)
});
println!();
}
fn main() {
2021-04-21 11:39:45 +02:00
let title = format!("Rhai REPL tool (version {})", env!("CARGO_PKG_VERSION"));
println!("{}", title);
println!("{0:=<1$}", "", title.len());
2020-12-29 15:04:31 +01:00
print_help();
// Initialize scripting engine
let mut engine = Engine::new();
2020-12-30 08:37:39 +01:00
#[cfg(not(feature = "no_module"))]
2021-03-23 05:13:53 +01:00
#[cfg(not(feature = "no_std"))]
2020-12-30 08:37:39 +01:00
{
2021-03-10 16:37:04 +01:00
// Load init scripts
2020-12-30 08:37:39 +01:00
let mut contents = String::new();
let mut has_init_scripts = false;
for filename in env::args().skip(1) {
let filename = match Path::new(&filename).canonicalize() {
Err(err) => {
eprintln!("Error script file path: {}\n{}", filename, err);
exit(1);
}
Ok(f) => {
match f.strip_prefix(std::env::current_dir().unwrap().canonicalize().unwrap()) {
Ok(f) => f.into(),
_ => f,
}
}
};
2021-03-10 16:37:04 +01:00
contents.clear();
let mut f = match File::open(&filename) {
Err(err) => {
eprintln!(
"Error reading script file: {}\n{}",
filename.to_string_lossy(),
err
);
2020-12-30 08:37:39 +01:00
exit(1);
}
2021-03-10 16:37:04 +01:00
Ok(f) => f,
};
if let Err(err) = f.read_to_string(&mut contents) {
println!(
"Error reading script file: {}\n{}",
filename.to_string_lossy(),
err
);
2021-03-10 16:37:04 +01:00
exit(1);
2020-12-30 08:37:39 +01:00
}
2020-12-29 15:04:31 +01:00
2021-01-03 06:30:01 +01:00
let module = match engine
2020-12-30 08:37:39 +01:00
.compile(&contents)
.map_err(|err| err.into())
2021-01-03 06:30:01 +01:00
.and_then(|mut ast| {
ast.set_source(filename.to_string_lossy().to_string());
Module::eval_ast_as_new(Scope::new(), &ast, &engine)
2021-01-03 06:30:01 +01:00
}) {
2020-12-29 15:04:31 +01:00
Err(err) => {
let filename = filename.to_string_lossy();
2020-12-30 08:37:39 +01:00
eprintln!("{:=<1$}", "", filename.len());
eprintln!("{}", filename);
eprintln!("{:=<1$}", "", filename.len());
eprintln!("");
print_error(&contents, *err);
2020-12-29 15:04:31 +01:00
exit(1);
}
2020-12-30 08:37:39 +01:00
Ok(m) => m,
2020-12-29 15:04:31 +01:00
};
2020-12-30 08:37:39 +01:00
engine.register_global_module(module.into());
2020-12-29 15:04:31 +01:00
2020-12-30 08:37:39 +01:00
has_init_scripts = true;
2020-12-29 15:04:31 +01:00
println!("Script '{}' loaded.", filename.to_string_lossy());
2020-12-30 08:37:39 +01:00
}
2020-12-29 15:04:31 +01:00
2020-12-30 08:37:39 +01:00
if has_init_scripts {
println!();
}
2020-12-29 15:04:31 +01:00
}
// Setup Engine
#[cfg(not(feature = "no_optimize"))]
2021-03-10 16:37:04 +01:00
engine.set_optimization_level(rhai::OptimizationLevel::None);
// Set a file module resolver without caching
#[cfg(not(feature = "no_module"))]
2021-04-04 09:06:13 +02:00
#[cfg(not(feature = "no_std"))]
{
2021-04-03 05:49:16 +02:00
let mut resolver = rhai::module_resolvers::FileModuleResolver::new();
resolver.enable_cache(false);
engine.set_module_resolver(resolver);
}
2022-01-17 14:50:36 +01:00
engine
2022-01-19 07:02:55 +01:00
.register_fn("test", |x: INT, y: INT| format!("{} {}", x, y))
.register_fn("test", |x: &mut INT, y: INT, z: &str| {
2022-01-17 14:50:36 +01:00
*x += y;
println!("{} {} {}", x, y, z);
});
// Create scope
2017-12-20 12:16:14 +01:00
let mut scope = Scope::new();
2017-10-15 17:50:39 +02:00
// REPL loop
let mut input = String::new();
let mut main_ast = AST::empty();
let mut ast_u = AST::empty();
let mut ast = AST::empty();
2017-10-15 17:50:39 +02:00
'main_loop: loop {
2020-12-26 08:41:41 +01:00
print!("rhai-repl> ");
2017-12-20 12:16:14 +01:00
stdout().flush().expect("couldn't flush stdout");
2020-03-02 08:19:59 +01:00
input.clear();
loop {
match stdin().read_line(&mut input) {
Ok(0) => break 'main_loop,
Ok(_) => (),
Err(err) => panic!("input error: {}", err),
}
let line = input.as_str().trim_end();
// Allow line continuation
if line.ends_with('\\') {
let len = line.len();
input.truncate(len - 1);
input.push('\n');
} else {
break;
}
print!("> ");
stdout().flush().expect("couldn't flush stdout");
2017-12-20 12:16:14 +01:00
}
2017-10-15 17:50:39 +02:00
let script = input.trim();
if script.is_empty() {
continue;
}
// Implement standard commands
match script {
"help" => {
print_help();
continue;
}
"exit" | "quit" => break, // quit
2022-01-19 07:02:55 +01:00
"strict" if engine.strict_variables() => {
engine.set_strict_variables(false);
println!("Strict Variables Mode turned OFF.");
continue;
}
"strict" => {
engine.set_strict_variables(true);
println!("Strict Variables Mode turned ON.");
continue;
}
2020-06-24 16:45:34 +02:00
"scope" => {
2022-01-19 07:02:55 +01:00
print_scope(&scope);
2020-06-24 16:45:34 +02:00
continue;
}
"astu" => {
// print the last un-optimized AST
2020-12-26 08:41:41 +01:00
println!("{:#?}\n", ast_u);
continue;
}
"ast" => {
// print the last AST
2020-12-26 08:41:41 +01:00
println!("{:#?}\n", ast);
continue;
}
#[cfg(feature = "metadata")]
2020-11-22 10:21:34 +01:00
"functions" => {
// print a list of all registered functions
engine
.gen_fn_signatures(false)
.into_iter()
.for_each(|f| println!("{}", f));
2020-11-22 10:32:10 +01:00
2020-11-22 10:35:33 +01:00
#[cfg(not(feature = "no_function"))]
2020-12-12 11:44:28 +01:00
main_ast.iter_functions().for_each(|f| println!("{}", f));
2020-11-22 10:32:10 +01:00
2020-11-22 10:21:34 +01:00
println!();
continue;
}
2021-07-08 08:09:31 +02:00
#[cfg(feature = "metadata")]
"json" => {
println!(
"{}",
engine
.gen_fn_metadata_with_ast_to_json(&main_ast, true)
.unwrap()
);
continue;
}
_ => (),
}
2020-04-13 04:27:08 +02:00
match engine
.compile_with_scope(&scope, &script)
2020-06-16 03:34:30 +02:00
.map_err(Into::into)
.and_then(|r| {
2020-04-05 11:44:48 +02:00
ast_u = r.clone();
2020-03-22 14:03:58 +01:00
#[cfg(not(feature = "no_optimize"))]
{
2021-03-10 16:37:04 +01:00
ast = engine.optimize_ast(&scope, r, rhai::OptimizationLevel::Simple);
2020-03-22 14:03:58 +01:00
}
#[cfg(feature = "no_optimize")]
{
2020-04-05 11:44:48 +02:00
ast = r;
2020-03-22 14:03:58 +01:00
}
// Merge the AST into the main
main_ast += ast.clone();
// Evaluate
2020-04-13 04:27:08 +02:00
engine.eval_ast_with_scope::<Dynamic>(&mut scope, &main_ast)
}) {
2020-04-16 05:57:08 +02:00
Ok(result) if !result.is::<()>() => {
2020-04-13 04:27:08 +02:00
println!("=> {:?}", result);
println!();
}
2020-04-16 05:57:08 +02:00
Ok(_) => (),
2020-04-13 04:27:08 +02:00
Err(err) => {
println!();
print_error(&input, *err);
2020-04-13 04:27:08 +02:00
println!();
}
2017-12-20 12:16:14 +01:00
}
2020-04-13 04:27:08 +02:00
// Throw away all the statements, leaving only the functions
main_ast.clear_statements();
2017-12-20 12:16:14 +01:00
}
2017-10-15 17:50:39 +02:00
}