rhai/src/api/mod.rs

231 lines
6.7 KiB
Rust
Raw Normal View History

2021-11-13 15:36:23 +01:00
//! Module defining the public API of the Rhai engine.
2022-02-03 16:54:53 +01:00
pub mod type_names;
2021-11-20 07:57:21 +01:00
pub mod eval;
2021-11-20 14:29:36 +01:00
pub mod run;
pub mod compile;
2022-04-21 06:15:21 +02:00
pub mod json;
2021-11-20 07:57:21 +01:00
pub mod files;
2021-11-20 14:29:36 +01:00
pub mod register;
pub mod call_fn;
2021-12-03 04:16:35 +01:00
pub mod options;
2022-03-01 08:34:15 +01:00
pub mod optimize;
2021-11-20 07:57:21 +01:00
pub mod limits;
2021-11-20 14:29:36 +01:00
pub mod events;
2021-12-27 15:02:34 +01:00
pub mod custom_syntax;
2021-11-20 14:29:36 +01:00
pub mod deprecated;
2021-11-20 07:57:21 +01:00
pub mod build_type;
#[cfg(feature = "metadata")]
pub mod definitions;
use crate::{Dynamic, Engine, Identifier};
2021-11-20 07:57:21 +01:00
2022-07-05 16:59:03 +02:00
#[cfg(not(feature = "no_custom_syntax"))]
use crate::{engine::Precedence, tokenizer::Token};
2021-11-20 07:57:21 +01:00
#[cfg(feature = "no_std")]
use std::prelude::v1::*;
2021-12-17 09:55:07 +01:00
pub mod default_limits {
#[cfg(not(feature = "unchecked"))]
#[cfg(debug_assertions)]
#[cfg(not(feature = "no_function"))]
pub const MAX_CALL_STACK_DEPTH: usize = 8;
#[cfg(not(feature = "unchecked"))]
#[cfg(debug_assertions)]
pub const MAX_EXPR_DEPTH: usize = 32;
#[cfg(not(feature = "unchecked"))]
#[cfg(not(feature = "no_function"))]
#[cfg(debug_assertions)]
pub const MAX_FUNCTION_EXPR_DEPTH: usize = 16;
#[cfg(not(feature = "unchecked"))]
#[cfg(not(debug_assertions))]
#[cfg(not(feature = "no_function"))]
pub const MAX_CALL_STACK_DEPTH: usize = 64;
#[cfg(not(feature = "unchecked"))]
#[cfg(not(debug_assertions))]
pub const MAX_EXPR_DEPTH: usize = 64;
#[cfg(not(feature = "unchecked"))]
#[cfg(not(feature = "no_function"))]
#[cfg(not(debug_assertions))]
pub const MAX_FUNCTION_EXPR_DEPTH: usize = 32;
pub const MAX_DYNAMIC_PARAMETERS: usize = 16;
}
2021-11-20 07:57:21 +01:00
impl Engine {
/// Set the module resolution service used by the [`Engine`].
///
/// Not available under `no_module`.
#[cfg(not(feature = "no_module"))]
#[inline(always)]
pub fn set_module_resolver(
&mut self,
resolver: impl crate::ModuleResolver + 'static,
) -> &mut Self {
2022-03-20 14:58:43 +01:00
self.module_resolver = Box::new(resolver);
2021-11-20 07:57:21 +01:00
self
}
2022-03-01 08:34:15 +01:00
2021-11-20 07:57:21 +01:00
/// Disable a particular keyword or operator in the language.
///
/// # Examples
///
2022-02-24 03:36:20 +01:00
/// The following will raise an error during parsing because the `if` keyword is disabled and is
/// recognized as a reserved symbol!
2021-11-20 07:57:21 +01:00
///
/// ```rust,should_panic
/// # fn main() -> Result<(), rhai::ParseError> {
/// use rhai::Engine;
///
/// let mut engine = Engine::new();
///
/// engine.disable_symbol("if"); // disable the 'if' keyword
///
/// engine.compile("let x = if true { 42 } else { 0 };")?;
/// // ^ 'if' is rejected as a reserved symbol
/// # Ok(())
/// # }
/// ```
///
/// The following will raise an error during parsing because the `+=` operator is disabled.
///
/// ```rust,should_panic
/// # fn main() -> Result<(), rhai::ParseError> {
/// use rhai::Engine;
///
/// let mut engine = Engine::new();
///
/// engine.disable_symbol("+="); // disable the '+=' operator
///
/// engine.compile("let x = 42; x += 1;")?;
/// // ^ unknown operator
/// # Ok(())
/// # }
/// ```
#[inline(always)]
pub fn disable_symbol(&mut self, symbol: impl Into<Identifier>) -> &mut Self {
self.disabled_symbols.insert(symbol.into());
self
}
2022-03-01 08:34:15 +01:00
2021-11-20 07:57:21 +01:00
/// Register a custom operator with a precedence into the language.
///
2022-07-05 16:59:03 +02:00
/// Not available under `no_custom_syntax`.
///
2021-12-09 15:54:10 +01:00
/// The operator can be a valid identifier, a reserved symbol, a disabled operator or a disabled keyword.
2021-11-20 07:57:21 +01:00
///
/// The precedence cannot be zero.
///
/// # Example
///
/// ```rust
/// # fn main() -> Result<(), Box<rhai::EvalAltResult>> {
/// use rhai::Engine;
///
/// let mut engine = Engine::new();
///
2021-12-09 15:54:10 +01:00
/// // Register a custom operator called '#' and give it
2021-11-20 07:57:21 +01:00
/// // a precedence of 160 (i.e. between +|- and *|/).
2021-12-09 15:54:10 +01:00
/// engine.register_custom_operator("#", 160).expect("should succeed");
2021-11-20 07:57:21 +01:00
///
2021-12-09 15:54:10 +01:00
/// // Register a binary function named '#'
/// engine.register_fn("#", |x: i64, y: i64| (x * y) - (x + y));
2021-11-20 07:57:21 +01:00
///
/// assert_eq!(
2021-12-09 15:54:10 +01:00
/// engine.eval_expression::<i64>("1 + 2 * 3 # 4 - 5 / 6")?,
2021-11-20 07:57:21 +01:00
/// 15
/// );
/// # Ok(())
/// # }
/// ```
2022-07-05 16:59:03 +02:00
#[cfg(not(feature = "no_custom_syntax"))]
2021-11-20 07:57:21 +01:00
pub fn register_custom_operator(
&mut self,
2022-01-04 08:22:48 +01:00
keyword: impl AsRef<str>,
2021-11-20 07:57:21 +01:00
precedence: u8,
) -> Result<&mut Self, String> {
let precedence = Precedence::new(precedence);
if precedence.is_none() {
return Err("precedence cannot be zero".into());
}
2022-07-05 10:26:38 +02:00
let keyword = keyword.as_ref();
match Token::lookup_from_syntax(keyword) {
2022-07-05 16:59:03 +02:00
// Standard identifiers and reserved keywords are OK
None | Some(Token::Reserved(..)) => (),
// custom keywords are OK
#[cfg(not(feature = "no_custom_syntax"))]
Some(Token::Custom(..)) => (),
2021-11-20 07:57:21 +01:00
// Active standard keywords cannot be made custom
// Disabled keywords are OK
Some(token) if token.is_standard_keyword() => {
2022-03-03 06:02:57 +01:00
if self.disabled_symbols.is_empty()
|| !self.disabled_symbols.contains(&*token.syntax())
{
2022-08-11 13:01:23 +02:00
return Err(format!("'{keyword}' is a reserved keyword"));
2021-11-20 07:57:21 +01:00
}
}
// Active standard symbols cannot be made custom
Some(token) if token.is_standard_symbol() => {
2022-03-03 06:02:57 +01:00
if self.disabled_symbols.is_empty()
|| !self.disabled_symbols.contains(&*token.syntax())
{
2022-08-11 13:01:23 +02:00
return Err(format!("'{keyword}' is a reserved operator"));
2021-11-20 07:57:21 +01:00
}
}
// Active standard symbols cannot be made custom
2022-03-03 06:02:57 +01:00
Some(token)
if self.disabled_symbols.is_empty()
|| !self.disabled_symbols.contains(&*token.syntax()) =>
{
2022-08-11 13:01:23 +02:00
return Err(format!("'{keyword}' is a reserved symbol"))
2021-11-20 07:57:21 +01:00
}
// Disabled symbols are OK
Some(_) => (),
}
// Add to custom keywords
2022-07-05 10:26:38 +02:00
self.custom_keywords.insert(keyword.into(), precedence);
2021-11-20 07:57:21 +01:00
Ok(self)
}
/// Get the default value of the custom state for each evaluation run.
#[inline(always)]
#[must_use]
pub fn default_tag(&self) -> &Dynamic {
&self.def_tag
}
/// Get a mutable reference to the default value of the custom state for each evaluation run.
#[inline(always)]
#[must_use]
pub fn default_tag_mut(&mut self) -> &mut Dynamic {
&mut self.def_tag
}
/// Set the default value of the custom state for each evaluation run.
#[inline(always)]
pub fn set_default_tag(&mut self, value: impl Into<Dynamic>) -> &mut Self {
self.def_tag = value.into();
self
}
2021-11-20 07:57:21 +01:00
}