rhai/src/optimizer.rs

1407 lines
55 KiB
Rust
Raw Normal View History

2020-11-25 02:36:06 +01:00
//! Module implementing the [`AST`] optimizer.
2021-11-27 16:20:05 +01:00
#![cfg(not(feature = "no_optimize"))]
2022-07-18 07:40:41 +02:00
use crate::ast::{
2022-12-23 11:54:55 +01:00
ASTFlags, Expr, FlowControl, OpAssignment, Stmt, StmtBlock, StmtBlockContainer,
SwitchCasesCollection,
2022-07-18 07:40:41 +02:00
};
use crate::engine::{
KEYWORD_DEBUG, KEYWORD_EVAL, KEYWORD_FN_PTR, KEYWORD_FN_PTR_CURRY, KEYWORD_PRINT,
KEYWORD_TYPE_OF, OP_NOT,
};
2022-04-16 10:36:53 +02:00
use crate::eval::{Caches, GlobalRuntimeState};
2021-11-13 15:36:23 +01:00
use crate::func::builtin::get_builtin_binary_op_fn;
use crate::func::hashing::get_hasher;
2022-11-23 04:36:30 +01:00
use crate::module::ModuleFlags;
2022-10-29 06:09:18 +02:00
use crate::tokenizer::Token;
use crate::types::scope::SCOPE_ENTRIES_INLINED;
2021-12-27 15:28:11 +01:00
use crate::{
calc_fn_hash, calc_fn_hash_full, Dynamic, Engine, FnArgsVec, FnPtr, ImmutableString, Position,
Scope, AST,
2021-12-27 15:28:11 +01:00
};
use smallvec::SmallVec;
2021-04-17 09:15:54 +02:00
#[cfg(feature = "no_std")]
use std::prelude::v1::*;
use std::{
2021-12-27 15:28:11 +01:00
any::TypeId,
convert::TryFrom,
2021-04-17 09:15:54 +02:00
hash::{Hash, Hasher},
mem,
};
2020-03-18 03:36:50 +01:00
/// Level of optimization performed.
#[derive(Debug, Eq, PartialEq, Hash, Clone, Copy)]
2022-05-03 15:55:08 +02:00
#[non_exhaustive]
pub enum OptimizationLevel {
2020-03-18 03:36:50 +01:00
/// No optimization performed.
None,
2020-03-18 03:36:50 +01:00
/// Only perform simple optimizations without evaluating functions.
Simple,
/// Full optimizations performed, including evaluating functions.
2020-03-18 03:36:50 +01:00
/// Take care that this may cause side effects as it essentially assumes that all functions are pure.
Full,
}
2021-05-18 06:24:11 +02:00
impl Default for OptimizationLevel {
2020-10-08 16:25:50 +02:00
#[inline(always)]
2022-09-28 06:06:22 +02:00
#[must_use]
2021-05-18 06:24:11 +02:00
fn default() -> Self {
2021-11-29 03:17:04 +01:00
Self::Simple
2020-04-10 06:16:39 +02:00
}
}
2020-03-18 03:36:50 +01:00
/// Mutable state throughout an optimization pass.
#[derive(Debug, Clone)]
2021-07-04 10:40:15 +02:00
struct OptimizerState<'a> {
2020-11-25 02:36:06 +01:00
/// Has the [`AST`] been changed during this pass?
is_dirty: bool,
/// Stack of variables/constants for constants propagation.
variables: SmallVec<[(ImmutableString, Option<Dynamic>); SCOPE_ENTRIES_INLINED]>,
2021-01-12 16:52:50 +01:00
/// Activate constants propagation?
propagate_constants: bool,
/// [`Engine`] instance for eager function evaluation.
2020-04-16 17:31:48 +02:00
engine: &'a Engine,
2022-05-01 18:03:45 +02:00
/// The global runtime state.
global: GlobalRuntimeState,
2022-05-01 18:03:45 +02:00
/// Function resolution caches.
caches: Caches,
/// Optimization level.
optimization_level: OptimizationLevel,
2020-03-13 11:12:41 +01:00
}
2021-07-04 10:40:15 +02:00
impl<'a> OptimizerState<'a> {
2022-11-25 13:42:16 +01:00
/// Create a new [`OptimizerState`].
2020-10-08 16:25:50 +02:00
#[inline(always)]
2022-05-01 18:03:45 +02:00
pub fn new(
2021-03-11 11:29:22 +01:00
engine: &'a Engine,
2022-11-28 16:24:22 +01:00
lib: &'a [crate::SharedModule],
2021-03-11 11:29:22 +01:00
optimization_level: OptimizationLevel,
) -> Self {
2022-11-10 05:16:23 +01:00
let mut _global = GlobalRuntimeState::new(engine);
2022-11-28 16:24:22 +01:00
let _lib = lib;
2022-11-10 05:16:23 +01:00
#[cfg(not(feature = "no_function"))]
{
2022-11-28 16:24:22 +01:00
_global.lib = _lib.iter().cloned().collect();
2022-11-10 05:16:23 +01:00
}
2022-11-10 04:49:10 +01:00
2020-04-01 03:51:33 +02:00
Self {
is_dirty: false,
variables: SmallVec::new_const(),
2021-01-12 16:52:50 +01:00
propagate_constants: true,
2020-04-01 03:51:33 +02:00
engine,
2022-11-10 05:16:23 +01:00
global: _global,
2022-05-01 18:03:45 +02:00
caches: Caches::new(),
2021-03-11 11:29:22 +01:00
optimization_level,
2020-04-01 03:51:33 +02:00
}
}
2020-11-25 02:36:06 +01:00
/// Set the [`AST`] state to be dirty (i.e. changed).
2020-10-08 16:25:50 +02:00
#[inline(always)]
2020-03-13 11:12:41 +01:00
pub fn set_dirty(&mut self) {
self.is_dirty = true;
2020-03-13 11:12:41 +01:00
}
2021-03-11 11:29:22 +01:00
/// Set the [`AST`] state to be not dirty (i.e. unchanged).
#[inline(always)]
pub fn clear_dirty(&mut self) {
self.is_dirty = false;
2021-03-11 11:29:22 +01:00
}
2020-11-25 02:36:06 +01:00
/// Is the [`AST`] dirty (i.e. changed)?
2020-10-08 16:25:50 +02:00
#[inline(always)]
2021-06-28 12:06:05 +02:00
pub const fn is_dirty(&self) -> bool {
self.is_dirty
2020-03-13 11:12:41 +01:00
}
/// Rewind the variables stack back to a specified size.
2020-10-08 16:25:50 +02:00
#[inline(always)]
pub fn rewind_var(&mut self, len: usize) {
2022-07-27 12:04:59 +02:00
self.variables.truncate(len);
2020-03-13 11:12:41 +01:00
}
/// Add a new variable to the stack.
2023-04-10 12:47:53 +02:00
///
/// `Some(value)` if literal constant (which can be used for constants propagation), `None` otherwise.
2020-10-08 16:25:50 +02:00
#[inline(always)]
2023-04-10 12:47:53 +02:00
pub fn push_var(&mut self, name: ImmutableString, value: Option<Dynamic>) {
self.variables.push((name, value));
2020-03-13 11:12:41 +01:00
}
/// Look up a literal constant from the variables stack.
2020-10-08 16:25:50 +02:00
#[inline]
pub fn find_literal_constant(&self, name: &str) -> Option<&Dynamic> {
self.variables
.iter()
.rev()
.find(|(n, _)| n.as_str() == name)
.and_then(|(_, value)| value.as_ref())
2020-03-13 11:12:41 +01:00
}
/// Call a registered function
#[inline]
pub fn call_fn_with_const_args(
2022-05-01 18:03:45 +02:00
&mut self,
2022-01-04 08:22:48 +01:00
fn_name: &str,
2023-02-10 16:42:13 +01:00
op_token: Option<&Token>,
arg_values: &mut [Dynamic],
) -> Option<Dynamic> {
self.engine
2022-10-30 11:43:18 +01:00
.exec_native_fn_call(
2022-05-01 18:03:45 +02:00
&mut self.global,
&mut self.caches,
2022-01-04 08:22:48 +01:00
fn_name,
2022-10-30 16:33:44 +01:00
op_token,
2022-09-21 05:46:23 +02:00
calc_fn_hash(None, fn_name, arg_values.len()),
&mut arg_values.iter_mut().collect::<FnArgsVec<_>>(),
false,
Position::NONE,
)
.ok()
.map(|(v, ..)| v)
}
2020-04-09 12:45:49 +02:00
}
2020-12-26 16:21:16 +01:00
/// Optimize a block of [statements][Stmt].
2020-11-12 05:37:42 +01:00
fn optimize_stmt_block(
2022-02-16 05:57:26 +01:00
mut statements: StmtBlockContainer,
2021-07-04 10:40:15 +02:00
state: &mut OptimizerState,
2020-11-12 05:37:42 +01:00
preserve_result: bool,
2021-03-13 16:43:05 +01:00
is_internal: bool,
reduce_return: bool,
2022-02-16 05:57:26 +01:00
) -> StmtBlockContainer {
2021-03-10 05:27:10 +01:00
if statements.is_empty() {
return statements;
}
2021-03-11 11:29:22 +01:00
let mut is_dirty = state.is_dirty();
2021-01-12 16:52:50 +01:00
2021-03-13 16:43:05 +01:00
let is_pure = if is_internal {
Stmt::is_internally_pure
} else {
Stmt::is_pure
};
2021-12-30 05:14:54 +01:00
// Flatten blocks
2022-07-27 10:04:24 +02:00
while let Some(n) = statements.iter().position(
|s| matches!(s, Stmt::Block(block, ..) if !block.iter().any(Stmt::is_block_dependent)),
) {
let (first, second) = statements.split_at_mut(n);
2023-04-21 04:20:19 +02:00
let stmt = second[0].take();
2022-07-27 10:04:24 +02:00
let mut stmts = match stmt {
Stmt::Block(block, ..) => block,
stmt => unreachable!("Stmt::Block expected but gets {:?}", stmt),
};
statements = first
.iter_mut()
.map(mem::take)
.chain(stmts.iter_mut().map(mem::take))
.chain(second.iter_mut().skip(1).map(mem::take))
.collect();
2021-12-30 05:14:54 +01:00
is_dirty = true;
}
// Optimize
2021-03-11 11:29:22 +01:00
loop {
state.clear_dirty();
2020-11-12 05:37:42 +01:00
2021-03-11 11:29:22 +01:00
let orig_constants_len = state.variables.len(); // Original number of constants in the state, for restore later
let orig_propagate_constants = state.propagate_constants;
2020-11-12 05:37:42 +01:00
2021-03-11 11:29:22 +01:00
// Remove everything following control flow breaking statements
let mut dead_code = false;
2020-11-12 05:37:42 +01:00
2021-03-11 11:29:22 +01:00
statements.retain(|stmt| {
if dead_code {
state.set_dirty();
false
} else if stmt.is_control_flow_break() {
dead_code = true;
true
} else {
true
}
});
2020-11-12 05:37:42 +01:00
2021-03-11 11:29:22 +01:00
// Optimize each statement in the block
2023-01-31 12:44:46 +01:00
statements.iter_mut().for_each(|stmt| {
2021-03-11 11:29:22 +01:00
match stmt {
2022-02-16 10:51:14 +01:00
Stmt::Var(x, options, ..) => {
optimize_expr(&mut x.1, state, false);
let value = if options.contains(ASTFlags::CONSTANT) && x.1.is_constant() {
// constant literal
Some(x.1.get_literal_value().unwrap())
} else {
// variable
None
};
state.push_var(x.0.name.clone(), value);
2021-03-11 11:29:22 +01:00
}
// Optimize the statement
_ => optimize_stmt(stmt, state, preserve_result),
2020-11-12 05:37:42 +01:00
}
2023-01-31 12:44:46 +01:00
});
2020-11-12 05:37:42 +01:00
2021-03-13 16:43:05 +01:00
// Remove all pure statements except the last one
let mut index = 0;
let mut first_non_constant = statements
.iter()
.rev()
.enumerate()
.find_map(|(i, stmt)| match stmt {
stmt if !is_pure(stmt) => Some(i),
2022-02-16 10:51:14 +01:00
Stmt::Var(x, ..) if x.1.is_constant() => Some(i),
Stmt::Expr(e) if !e.is_constant() => Some(i),
2021-03-13 16:43:05 +01:00
2021-03-14 03:47:21 +01:00
#[cfg(not(feature = "no_module"))]
2022-02-16 10:51:14 +01:00
Stmt::Import(x, ..) if !x.0.is_constant() => Some(i),
2021-03-14 03:47:21 +01:00
2021-04-24 07:42:45 +02:00
_ => None,
2021-03-13 16:43:05 +01:00
})
2021-04-24 07:42:45 +02:00
.map_or(0, |n| statements.len() - n - 1);
2021-03-13 16:43:05 +01:00
while index < statements.len() {
if preserve_result && index >= statements.len() - 1 {
break;
2022-08-27 10:26:41 +02:00
}
match statements[index] {
ref stmt if is_pure(stmt) && index >= first_non_constant => {
state.set_dirty();
statements.remove(index);
}
ref stmt if stmt.is_pure() => {
state.set_dirty();
if index < first_non_constant {
first_non_constant -= 1;
2021-03-13 16:43:05 +01:00
}
2022-08-27 10:26:41 +02:00
statements.remove(index);
2021-03-13 16:43:05 +01:00
}
2022-08-27 10:26:41 +02:00
_ => index += 1,
2021-03-13 16:43:05 +01:00
}
}
2021-03-11 11:29:22 +01:00
// Remove all pure statements that do not return values at the end of a block.
// We cannot remove anything for non-pure statements due to potential side-effects.
if preserve_result {
loop {
2021-06-14 06:02:22 +02:00
match statements[..] {
2021-03-13 16:43:05 +01:00
// { return; } -> {}
2022-02-16 10:51:14 +01:00
[Stmt::Return(None, options, ..)]
2022-02-25 04:42:59 +01:00
if reduce_return && !options.contains(ASTFlags::BREAK) =>
{
2021-03-13 16:43:05 +01:00
state.set_dirty();
statements.clear();
}
2021-06-14 06:02:22 +02:00
[ref stmt] if !stmt.returns_value() && is_pure(stmt) => {
2021-03-11 11:29:22 +01:00
state.set_dirty();
statements.clear();
}
2021-03-13 16:43:05 +01:00
// { ...; return; } -> { ... }
2022-02-16 10:51:14 +01:00
[.., ref last_stmt, Stmt::Return(None, options, ..)]
if reduce_return
2022-02-25 04:42:59 +01:00
&& !options.contains(ASTFlags::BREAK)
&& !last_stmt.returns_value() =>
2021-03-13 16:43:05 +01:00
{
state.set_dirty();
2022-01-06 04:07:52 +01:00
statements.pop().unwrap();
2021-03-13 16:43:05 +01:00
}
// { ...; return val; } -> { ...; val }
2022-02-16 10:51:14 +01:00
[.., Stmt::Return(ref mut expr, options, pos)]
2022-02-25 04:42:59 +01:00
if reduce_return && !options.contains(ASTFlags::BREAK) =>
2021-03-13 16:43:05 +01:00
{
state.set_dirty();
2022-01-06 04:07:52 +01:00
*statements.last_mut().unwrap() = expr
2021-12-12 05:33:22 +01:00
.as_mut()
.map_or_else(|| Stmt::Noop(pos), |e| Stmt::Expr(mem::take(e)));
2021-03-13 16:43:05 +01:00
}
2021-07-01 06:27:29 +02:00
// { ...; stmt; noop } -> done
2022-02-08 02:46:14 +01:00
[.., ref second_last_stmt, Stmt::Noop(..)]
2021-07-01 06:27:29 +02:00
if second_last_stmt.returns_value() =>
{
break
}
// { ...; stmt_that_returns; pure_non_value_stmt } -> { ...; stmt_that_returns; noop }
// { ...; stmt; pure_non_value_stmt } -> { ...; stmt }
2021-06-14 06:02:22 +02:00
[.., ref second_last_stmt, ref last_stmt]
2021-03-13 16:43:05 +01:00
if !last_stmt.returns_value() && is_pure(last_stmt) =>
2021-03-11 11:29:22 +01:00
{
state.set_dirty();
if second_last_stmt.returns_value() {
2022-01-06 04:07:52 +01:00
*statements.last_mut().unwrap() = Stmt::Noop(last_stmt.position());
2021-03-11 11:29:22 +01:00
} else {
2022-01-06 04:07:52 +01:00
statements.pop().unwrap();
2021-03-11 11:29:22 +01:00
}
}
_ => break,
}
}
} else {
loop {
2021-06-14 06:02:22 +02:00
match statements[..] {
[ref stmt] if is_pure(stmt) => {
2021-03-11 11:29:22 +01:00
state.set_dirty();
statements.clear();
}
2021-03-13 16:43:05 +01:00
// { ...; return; } -> { ... }
2022-02-16 10:51:14 +01:00
[.., Stmt::Return(None, options, ..)]
2022-02-25 04:42:59 +01:00
if reduce_return && !options.contains(ASTFlags::BREAK) =>
2021-03-13 16:43:05 +01:00
{
state.set_dirty();
2022-01-06 04:07:52 +01:00
statements.pop().unwrap();
2021-03-13 16:43:05 +01:00
}
// { ...; return pure_val; } -> { ... }
2022-02-16 10:51:14 +01:00
[.., Stmt::Return(Some(ref expr), options, ..)]
if reduce_return
2022-02-25 04:42:59 +01:00
&& !options.contains(ASTFlags::BREAK)
&& expr.is_pure() =>
2021-03-13 16:43:05 +01:00
{
state.set_dirty();
2022-01-06 04:07:52 +01:00
statements.pop().unwrap();
2021-03-13 16:43:05 +01:00
}
2021-06-14 06:02:22 +02:00
[.., ref last_stmt] if is_pure(last_stmt) => {
2021-03-11 11:29:22 +01:00
state.set_dirty();
2022-01-06 04:07:52 +01:00
statements.pop().unwrap();
2021-03-11 11:29:22 +01:00
}
_ => break,
}
}
2020-11-12 05:37:42 +01:00
}
2021-03-11 11:29:22 +01:00
// Pop the stack and remove all the local constants
state.rewind_var(orig_constants_len);
2021-03-11 11:29:22 +01:00
state.propagate_constants = orig_propagate_constants;
2020-11-12 05:37:42 +01:00
2021-03-11 11:29:22 +01:00
if !state.is_dirty() {
break;
2020-11-12 05:37:42 +01:00
}
2021-03-11 11:29:22 +01:00
is_dirty = true;
}
2020-11-12 05:37:42 +01:00
2021-03-11 11:29:22 +01:00
if is_dirty {
2020-11-12 05:37:42 +01:00
state.set_dirty();
}
2021-03-13 16:43:05 +01:00
statements.shrink_to_fit();
2021-03-10 05:27:10 +01:00
statements
2020-11-12 05:37:42 +01:00
}
2020-12-26 16:21:16 +01:00
/// Optimize a [statement][Stmt].
2021-07-04 10:40:15 +02:00
fn optimize_stmt(stmt: &mut Stmt, state: &mut OptimizerState, preserve_result: bool) {
2020-03-09 14:57:07 +01:00
match stmt {
2021-04-23 17:37:10 +02:00
// var = var op expr => var op= expr
2022-02-08 02:02:15 +01:00
Stmt::Assignment(x, ..)
2022-04-18 17:12:47 +02:00
if !x.0.is_op_assignment()
&& x.1.lhs.is_variable_access(true)
2022-02-08 02:02:15 +01:00
&& matches!(&x.1.rhs, Expr::FnCall(x2, ..)
2022-10-30 15:16:09 +01:00
if Token::lookup_symbol_from_syntax(&x2.name).map_or(false, |t| t.has_op_assignment())
&& x2.args.len() == 2
&& x2.args[0].get_variable_name(true) == x.1.lhs.get_variable_name(true)
2021-04-23 17:37:10 +02:00
) =>
{
match x.1.rhs {
2022-10-30 11:43:18 +01:00
Expr::FnCall(ref mut x2, pos) => {
2021-04-23 17:37:10 +02:00
state.set_dirty();
2022-10-30 11:43:18 +01:00
x.0 = OpAssignment::new_op_assignment_from_base(&x2.name, pos);
2023-04-21 04:20:19 +02:00
x.1.rhs = x2.args[1].take();
2021-04-23 17:37:10 +02:00
}
2021-12-30 05:14:54 +01:00
ref expr => unreachable!("Expr::FnCall expected but gets {:?}", expr),
2021-04-23 17:37:10 +02:00
}
}
2020-11-03 06:08:19 +01:00
// expr op= expr
2022-02-08 02:02:15 +01:00
Stmt::Assignment(x, ..) => {
if !x.1.lhs.is_variable_access(false) {
optimize_expr(&mut x.1.lhs, state, false);
2020-11-03 06:08:19 +01:00
}
optimize_expr(&mut x.1.rhs, state, false);
}
2020-11-14 16:43:36 +01:00
2021-03-10 05:27:10 +01:00
// if expr {}
2022-12-23 07:26:06 +01:00
Stmt::If(x, ..) if x.body.is_empty() && x.branch.is_empty() => {
let condition = &mut x.expr;
2020-03-13 11:12:41 +01:00
state.set_dirty();
2020-03-12 16:46:52 +01:00
2022-02-04 05:04:33 +01:00
let pos = condition.start_position();
2023-04-21 04:20:19 +02:00
let mut expr = condition.take();
2021-06-02 08:29:18 +02:00
optimize_expr(&mut expr, state, false);
2020-03-12 16:46:52 +01:00
2020-11-12 05:37:42 +01:00
*stmt = if preserve_result {
2020-03-18 03:36:50 +01:00
// -> { expr, Noop }
2022-02-16 10:51:14 +01:00
(
[Stmt::Expr(expr.into()), Stmt::Noop(pos)],
pos,
Position::NONE,
2022-02-04 05:04:33 +01:00
)
2022-02-16 10:51:14 +01:00
.into()
2020-03-14 16:41:15 +01:00
} else {
2020-03-18 03:36:50 +01:00
// -> expr
2022-02-16 10:51:14 +01:00
Stmt::Expr(expr.into())
2020-11-12 05:37:42 +01:00
};
2020-03-12 16:46:52 +01:00
}
2021-03-10 05:27:10 +01:00
// if false { if_block } -> Noop
2022-12-23 07:26:06 +01:00
Stmt::If(x, ..)
if matches!(x.expr, Expr::BoolConstant(false, ..)) && x.branch.is_empty() =>
{
if let Expr::BoolConstant(false, pos) = x.expr {
2022-02-16 10:51:14 +01:00
state.set_dirty();
*stmt = Stmt::Noop(pos);
} else {
unreachable!("`Expr::BoolConstant`");
}
2020-11-12 05:37:42 +01:00
}
2020-10-27 11:18:19 +01:00
// if false { if_block } else { else_block } -> else_block
2022-12-23 07:26:06 +01:00
Stmt::If(x, ..) if matches!(x.expr, Expr::BoolConstant(false, ..)) => {
2021-03-10 05:27:10 +01:00
state.set_dirty();
2023-04-21 04:20:19 +02:00
let body = x.branch.take_statements();
2022-12-23 07:26:06 +01:00
*stmt = match optimize_stmt_block(body, state, preserve_result, true, false) {
statements if statements.is_empty() => Stmt::Noop(x.branch.position()),
statements => (statements, x.branch.span()).into(),
}
2020-10-27 11:18:19 +01:00
}
// if true { if_block } else { else_block } -> if_block
2022-12-23 07:26:06 +01:00
Stmt::If(x, ..) if matches!(x.expr, Expr::BoolConstant(true, ..)) => {
2021-03-10 05:27:10 +01:00
state.set_dirty();
2023-04-21 04:20:19 +02:00
let body = x.body.take_statements();
2022-12-23 07:26:06 +01:00
*stmt = match optimize_stmt_block(body, state, preserve_result, true, false) {
statements if statements.is_empty() => Stmt::Noop(x.body.position()),
statements => (statements, x.body.span()).into(),
}
2020-11-12 05:37:42 +01:00
}
2020-03-18 03:36:50 +01:00
// if expr { if_block } else { else_block }
2022-02-16 10:51:14 +01:00
Stmt::If(x, ..) => {
2022-12-23 07:26:06 +01:00
let FlowControl { expr, body, branch } = &mut **x;
optimize_expr(expr, state, false);
2023-04-21 04:20:19 +02:00
let statements = body.take_statements();
2022-12-23 07:26:06 +01:00
**body = optimize_stmt_block(statements, state, preserve_result, true, false);
2023-04-21 04:20:19 +02:00
let statements = branch.take_statements();
2022-12-23 07:26:06 +01:00
**branch = optimize_stmt_block(statements, state, preserve_result, true, false);
2020-11-12 05:37:42 +01:00
}
2020-10-27 11:18:19 +01:00
2020-11-14 16:43:36 +01:00
// switch const { ... }
2022-02-16 10:51:14 +01:00
Stmt::Switch(x, pos) if x.0.is_constant() => {
let (
match_expr,
2022-07-18 07:40:41 +02:00
SwitchCasesCollection {
2022-07-19 07:33:53 +02:00
expressions,
2022-02-16 10:51:14 +01:00
cases,
ranges,
def_case,
},
2022-07-05 10:26:38 +02:00
) = &mut **x;
2022-02-16 10:51:14 +01:00
2022-01-06 04:07:52 +01:00
let value = match_expr.get_literal_value().unwrap();
2020-11-14 16:43:36 +01:00
let hasher = &mut get_hasher();
value.hash(hasher);
let hash = hasher.finish();
2021-12-15 05:06:17 +01:00
// First check hashes
2022-07-18 07:40:41 +02:00
if let Some(case_blocks_list) = cases.get(&hash) {
match &case_blocks_list[..] {
[] => (),
[index] => {
2022-07-19 07:33:53 +02:00
let mut b = mem::take(&mut expressions[*index]);
2022-07-18 07:40:41 +02:00
cases.clear();
2022-07-04 11:42:24 +02:00
if b.is_always_true() {
// Promote the matched case
2023-04-21 04:20:19 +02:00
let mut statements = Stmt::Expr(b.expr.take().into());
2022-07-19 07:33:53 +02:00
optimize_stmt(&mut statements, state, true);
*stmt = statements;
} else {
// switch const { case if condition => stmt, _ => def } => if condition { stmt } else { def }
optimize_expr(&mut b.condition, state, false);
2022-12-23 07:26:06 +01:00
let branch = match def_case {
2022-10-10 10:46:35 +02:00
Some(index) => {
let mut def_stmt =
2023-04-21 04:20:19 +02:00
Stmt::Expr(expressions[*index].expr.take().into());
2022-10-10 10:46:35 +02:00
optimize_stmt(&mut def_stmt, state, true);
def_stmt.into()
}
_ => StmtBlock::NONE,
};
2023-04-21 04:20:19 +02:00
let body = Stmt::Expr(b.expr.take().into()).into();
let expr = b.condition.take();
*stmt = Stmt::If(
2022-12-23 07:26:06 +01:00
FlowControl { expr, body, branch }.into(),
match_expr.start_position(),
);
2022-07-18 07:40:41 +02:00
}
state.set_dirty();
return;
2022-04-19 10:20:43 +02:00
}
2022-07-18 07:40:41 +02:00
_ => {
for &index in case_blocks_list {
2022-07-19 07:33:53 +02:00
let mut b = mem::take(&mut expressions[index]);
2022-07-18 07:40:41 +02:00
if b.is_always_true() {
// Promote the matched case
2023-04-21 04:20:19 +02:00
let mut statements = Stmt::Expr(b.expr.take().into());
2022-07-19 07:33:53 +02:00
optimize_stmt(&mut statements, state, true);
*stmt = statements;
state.set_dirty();
return;
2022-07-18 07:40:41 +02:00
}
}
2022-04-19 10:20:43 +02:00
}
2021-04-16 06:04:33 +02:00
}
2021-12-15 05:06:17 +01:00
}
// Then check ranges
if !ranges.is_empty() {
2021-12-15 05:06:17 +01:00
// Only one range or all ranges without conditions
2022-04-19 10:20:43 +02:00
if ranges.len() == 1
|| ranges
.iter()
2022-07-19 07:33:53 +02:00
.all(|r| expressions[r.index()].is_always_true())
2022-04-19 10:20:43 +02:00
{
if let Some(r) = ranges.iter().find(|r| r.contains(&value)) {
2022-07-19 07:33:53 +02:00
let range_block = &mut expressions[r.index()];
if range_block.is_always_true() {
// Promote the matched case
2022-07-19 07:33:53 +02:00
let block = &mut expressions[r.index()];
2023-04-21 04:20:19 +02:00
let mut statements = Stmt::Expr(block.expr.take().into());
2022-07-19 07:33:53 +02:00
optimize_stmt(&mut statements, state, true);
*stmt = statements;
} else {
2023-04-21 04:20:19 +02:00
let mut expr = range_block.condition.take();
// switch const { range if condition => stmt, _ => def } => if condition { stmt } else { def }
2022-12-23 07:26:06 +01:00
optimize_expr(&mut expr, state, false);
2022-12-23 07:26:06 +01:00
let branch = match def_case {
2022-10-10 10:46:35 +02:00
Some(index) => {
let mut def_stmt =
2023-04-21 04:20:19 +02:00
Stmt::Expr(expressions[*index].expr.take().into());
2022-10-10 10:46:35 +02:00
optimize_stmt(&mut def_stmt, state, true);
def_stmt.into()
}
_ => StmtBlock::NONE,
};
2023-04-21 04:20:19 +02:00
let body = Stmt::Expr(expressions[r.index()].expr.take().into()).into();
*stmt = Stmt::If(
2022-12-23 07:26:06 +01:00
FlowControl { expr, body, branch }.into(),
match_expr.start_position(),
);
2021-12-15 05:06:17 +01:00
}
state.set_dirty();
return;
}
2021-04-16 07:15:11 +02:00
} else {
2021-12-15 05:06:17 +01:00
// Multiple ranges - clear the table and just keep the right ranges
if !cases.is_empty() {
2021-12-15 05:06:17 +01:00
state.set_dirty();
cases.clear();
2021-12-15 05:06:17 +01:00
}
let old_ranges_len = ranges.len();
ranges.retain(|r| r.contains(&value));
2021-12-15 05:06:17 +01:00
if ranges.len() != old_ranges_len {
state.set_dirty();
}
2023-01-31 12:44:46 +01:00
ranges.iter().for_each(|r| {
2022-07-19 07:33:53 +02:00
let b = &mut expressions[r.index()];
2022-07-18 02:54:10 +02:00
optimize_expr(&mut b.condition, state, false);
2022-07-19 07:33:53 +02:00
optimize_expr(&mut b.expr, state, false);
2023-01-31 12:44:46 +01:00
});
2021-12-15 05:06:17 +01:00
return;
}
2021-04-16 06:04:33 +02:00
}
2021-12-15 05:06:17 +01:00
// Promote the default case
state.set_dirty();
2022-07-18 16:30:09 +02:00
2022-10-10 10:46:35 +02:00
match def_case {
Some(index) => {
2023-04-21 04:20:19 +02:00
let mut def_stmt = Stmt::Expr(expressions[*index].expr.take().into());
2022-10-10 10:46:35 +02:00
optimize_stmt(&mut def_stmt, state, true);
*stmt = def_stmt;
}
_ => *stmt = StmtBlock::empty(*pos).into(),
2022-07-18 16:30:09 +02:00
}
2020-11-14 16:43:36 +01:00
}
// switch
2022-02-16 10:51:14 +01:00
Stmt::Switch(x, ..) => {
let (
match_expr,
2022-07-18 07:40:41 +02:00
SwitchCasesCollection {
2022-07-19 07:33:53 +02:00
expressions,
2022-02-16 10:51:14 +01:00
cases,
ranges,
def_case,
..
},
2022-07-05 10:26:38 +02:00
) = &mut **x;
2022-02-16 10:51:14 +01:00
2021-06-02 08:29:18 +02:00
optimize_expr(match_expr, state, false);
2022-02-16 10:51:14 +01:00
2022-07-04 11:42:24 +02:00
// Optimize blocks
2023-01-31 12:44:46 +01:00
expressions.iter_mut().for_each(|b| {
2022-07-18 02:54:10 +02:00
optimize_expr(&mut b.condition, state, false);
2022-07-19 07:33:53 +02:00
optimize_expr(&mut b.expr, state, false);
2022-04-19 10:20:43 +02:00
2022-07-27 10:04:24 +02:00
if b.is_always_false() && !b.expr.is_unit() {
b.expr = Expr::Unit(b.expr.position());
state.set_dirty();
2021-04-16 06:04:33 +02:00
}
2023-01-31 12:44:46 +01:00
});
2021-04-16 06:04:33 +02:00
// Remove false cases
2022-07-18 07:40:41 +02:00
cases.retain(|_, list| {
// Remove all entries that have false conditions
list.retain(|index| {
2022-07-19 07:33:53 +02:00
if expressions[*index].is_always_false() {
2022-07-18 16:30:09 +02:00
state.set_dirty();
false
} else {
true
2022-07-18 16:30:09 +02:00
}
2022-07-18 07:40:41 +02:00
});
// Remove all entries after a `true` condition
if let Some(n) = list
.iter()
.position(|&index| expressions[index].is_always_true())
2022-07-18 07:40:41 +02:00
{
2022-07-18 16:30:09 +02:00
if n + 1 < list.len() {
state.set_dirty();
list.truncate(n + 1);
}
2022-02-16 10:51:14 +01:00
}
2022-07-18 07:40:41 +02:00
// Remove if no entry left
2022-07-27 12:04:59 +02:00
if list.is_empty() {
state.set_dirty();
false
} else {
true
2022-07-18 16:30:09 +02:00
}
2022-02-16 10:51:14 +01:00
});
2022-07-18 16:30:09 +02:00
2022-02-16 10:51:14 +01:00
// Remove false ranges
ranges.retain(|r| {
2022-07-19 07:33:53 +02:00
if expressions[r.index()].is_always_false() {
2022-02-16 10:51:14 +01:00
state.set_dirty();
false
} else {
true
2022-02-16 10:51:14 +01:00
}
});
2022-07-18 16:30:09 +02:00
if let Some(index) = def_case {
2022-07-19 07:33:53 +02:00
optimize_expr(&mut expressions[*index].expr, state, false);
2022-07-18 16:30:09 +02:00
}
2022-07-18 02:54:10 +02:00
// Remove unused block statements
2023-01-31 12:44:46 +01:00
(0..expressions.len()).into_iter().for_each(|index| {
2022-07-18 16:30:09 +02:00
if *def_case == Some(index)
2022-07-18 07:40:41 +02:00
|| cases.values().flat_map(|c| c.iter()).any(|&n| n == index)
2022-07-18 02:54:10 +02:00
|| ranges.iter().any(|r| r.index() == index)
{
2023-01-31 12:44:46 +01:00
return;
2022-07-18 02:54:10 +02:00
}
2022-07-19 07:33:53 +02:00
let b = &mut expressions[index];
2022-07-18 02:54:10 +02:00
2022-07-19 07:33:53 +02:00
if !b.expr.is_unit() {
b.expr = Expr::Unit(b.expr.position());
2022-07-18 02:54:10 +02:00
state.set_dirty();
}
2023-01-31 12:44:46 +01:00
});
2020-11-14 16:43:36 +01:00
}
2020-10-27 11:18:19 +01:00
// while false { block } -> Noop
2022-12-23 07:26:06 +01:00
Stmt::While(x, ..) if matches!(x.expr, Expr::BoolConstant(false, ..)) => match x.expr {
2022-02-16 10:51:14 +01:00
Expr::BoolConstant(false, pos) => {
state.set_dirty();
2022-07-27 12:04:59 +02:00
*stmt = Stmt::Noop(pos);
2022-02-16 10:51:14 +01:00
}
_ => unreachable!("`Expr::BoolConstant"),
},
2020-03-18 03:36:50 +01:00
// while expr { block }
2022-02-16 10:51:14 +01:00
Stmt::While(x, ..) => {
2022-12-23 07:26:06 +01:00
let FlowControl { expr, body, .. } = &mut **x;
optimize_expr(expr, state, false);
if let Expr::BoolConstant(true, pos) = expr {
*expr = Expr::Unit(*pos);
2021-08-04 11:40:26 +02:00
}
2023-04-21 04:20:19 +02:00
**body = optimize_stmt_block(body.take_statements(), state, false, true, false);
2020-11-20 15:23:37 +01:00
}
// do { block } while|until expr
2022-02-16 10:51:14 +01:00
Stmt::Do(x, ..) => {
2022-12-23 07:26:06 +01:00
optimize_expr(&mut x.expr, state, false);
2023-04-21 04:20:19 +02:00
*x.body = optimize_stmt_block(x.body.take_statements(), state, false, true, false);
2020-11-12 05:37:42 +01:00
}
2020-03-18 03:36:50 +01:00
// for id in expr { block }
2022-02-16 10:51:14 +01:00
Stmt::For(x, ..) => {
2022-12-23 07:26:06 +01:00
optimize_expr(&mut x.2.expr, state, false);
2023-04-21 04:20:19 +02:00
*x.2.body = optimize_stmt_block(x.2.body.take_statements(), state, false, true, false);
2020-10-27 12:23:43 +01:00
}
2020-03-18 03:36:50 +01:00
// let id = expr;
2022-02-25 04:42:59 +01:00
Stmt::Var(x, options, ..) if !options.contains(ASTFlags::CONSTANT) => {
2022-07-27 12:04:59 +02:00
optimize_expr(&mut x.1, state, false);
}
2020-10-20 17:16:03 +02:00
// import expr as var;
2020-07-26 09:53:22 +02:00
#[cfg(not(feature = "no_module"))]
2022-02-16 10:51:14 +01:00
Stmt::Import(x, ..) => optimize_expr(&mut x.0, state, false),
2020-03-18 03:36:50 +01:00
// { block }
2022-02-16 10:51:14 +01:00
Stmt::Block(block) => {
let span = block.span();
let statements = block.take_statements().into_vec().into();
2021-05-05 12:38:52 +02:00
let mut block = optimize_stmt_block(statements, state, preserve_result, true, false);
2021-04-05 08:57:07 +02:00
match block.as_mut_slice() {
[] => {
2021-03-10 05:27:10 +01:00
state.set_dirty();
2022-02-08 16:01:47 +01:00
*stmt = Stmt::Noop(span.start());
2021-03-10 05:27:10 +01:00
}
2021-12-30 05:14:54 +01:00
// Only one statement which is not block-dependent - promote
[s] if !s.is_block_dependent() => {
2021-03-10 05:27:10 +01:00
state.set_dirty();
2023-04-21 04:20:19 +02:00
*stmt = s.take();
2021-03-10 05:27:10 +01:00
}
2022-02-16 10:51:14 +01:00
_ => *stmt = (block, span).into(),
2021-04-05 08:57:07 +02:00
}
2020-03-09 14:57:07 +01:00
}
2021-03-13 16:43:05 +01:00
// try { pure try_block } catch ( var ) { catch_block } -> try_block
2022-12-23 07:26:06 +01:00
Stmt::TryCatch(x, ..) if x.body.iter().all(Stmt::is_pure) => {
2020-10-20 17:16:03 +02:00
// If try block is pure, there will never be any exceptions
state.set_dirty();
2022-02-16 10:51:14 +01:00
*stmt = (
2023-04-21 04:20:19 +02:00
optimize_stmt_block(x.body.take_statements(), state, false, true, false),
2022-12-23 07:26:06 +01:00
x.body.span(),
2022-02-16 10:51:14 +01:00
)
.into();
2020-10-20 17:16:03 +02:00
}
2021-03-13 16:43:05 +01:00
// try { try_block } catch ( var ) { catch_block }
2022-02-08 02:02:15 +01:00
Stmt::TryCatch(x, ..) => {
2023-04-21 04:20:19 +02:00
*x.body = optimize_stmt_block(x.body.take_statements(), state, false, true, false);
*x.branch = optimize_stmt_block(x.branch.take_statements(), state, false, true, false);
2020-10-27 11:18:19 +01:00
}
2022-02-16 10:51:14 +01:00
2022-07-19 15:59:49 +02:00
// expr(stmt)
Stmt::Expr(expr) if matches!(**expr, Expr::Stmt(..)) => {
state.set_dirty();
match expr.as_mut() {
Expr::Stmt(block) if !block.is_empty() => {
let mut stmt_block = *mem::take(block);
*stmt_block =
2023-04-21 04:20:19 +02:00
optimize_stmt_block(stmt_block.take_statements(), state, true, true, false);
2022-07-19 15:59:49 +02:00
*stmt = stmt_block.into();
}
Expr::Stmt(..) => *stmt = Stmt::Noop(expr.position()),
2022-07-23 15:00:58 +02:00
_ => unreachable!("`Expr::Stmt`"),
2022-07-19 15:59:49 +02:00
}
}
// expr(func())
Stmt::Expr(expr) if matches!(**expr, Expr::FnCall(..)) => {
state.set_dirty();
2023-04-21 04:20:19 +02:00
match expr.take() {
Expr::FnCall(x, pos) => *stmt = Stmt::FnCall(x, pos),
_ => unreachable!(),
}
}
Stmt::Expr(expr) => optimize_expr(expr, state, false),
2022-02-16 10:51:14 +01:00
// func(...)
Stmt::FnCall(..) => {
2023-04-21 04:20:19 +02:00
if let Stmt::FnCall(x, pos) = stmt.take() {
let mut expr = Expr::FnCall(x, pos);
optimize_expr(&mut expr, state, false);
*stmt = match expr {
Expr::FnCall(x, pos) => Stmt::FnCall(x, pos),
_ => Stmt::Expr(expr.into()),
}
} else {
unreachable!();
2021-04-21 12:16:24 +02:00
}
}
2022-02-16 10:51:14 +01:00
2022-10-29 06:09:18 +02:00
// break expr;
Stmt::BreakLoop(Some(ref mut expr), ..) => optimize_expr(expr, state, false),
2020-03-18 03:36:50 +01:00
// return expr;
2022-02-16 10:51:14 +01:00
Stmt::Return(Some(ref mut expr), ..) => optimize_expr(expr, state, false),
2020-11-12 05:37:42 +01:00
2023-04-09 10:31:06 +02:00
// Share nothing
2023-04-09 10:38:19 +02:00
#[cfg(not(feature = "no_closure"))]
2023-04-09 10:31:06 +02:00
Stmt::Share(x) if x.is_empty() => {
state.set_dirty();
*stmt = Stmt::Noop(Position::NONE);
}
// Share constants
2023-04-09 10:38:19 +02:00
#[cfg(not(feature = "no_closure"))]
2023-04-09 10:31:06 +02:00
Stmt::Share(x) => {
let orig_len = x.len();
if state.propagate_constants {
x.retain(|(v, _)| state.find_literal_constant(v).is_none());
if x.len() != orig_len {
state.set_dirty();
}
2023-04-09 10:31:06 +02:00
}
}
2020-03-18 03:36:50 +01:00
// All other statements - skip
2020-11-12 05:37:42 +01:00
_ => (),
2020-03-09 14:57:07 +01:00
}
}
2020-12-26 16:21:16 +01:00
/// Optimize an [expression][Expr].
2022-04-11 10:29:16 +02:00
fn optimize_expr(expr: &mut Expr, state: &mut OptimizerState, _chaining: bool) {
2020-03-18 03:36:50 +01:00
// These keywords are handled specially
const DONT_EVAL_KEYWORDS: &[&str] = &[
2020-11-22 08:41:55 +01:00
KEYWORD_PRINT, // side effects
KEYWORD_DEBUG, // side effects
KEYWORD_EVAL, // arbitrary scripts
];
2020-03-17 03:27:43 +01:00
2020-03-09 14:57:07 +01:00
match expr {
2020-11-04 04:49:02 +01:00
// {}
2021-04-16 07:15:11 +02:00
Expr::Stmt(x) if x.is_empty() => { state.set_dirty(); *expr = Expr::Unit(x.position()) }
2022-07-19 15:59:49 +02:00
Expr::Stmt(x) if x.len() == 1 && matches!(x.statements()[0], Stmt::Expr(..)) => {
state.set_dirty();
match x.take_statements().remove(0) {
Stmt::Expr(mut e) => {
optimize_expr(&mut e, state, false);
*expr = *e;
}
2022-07-23 15:00:58 +02:00
_ => unreachable!("`Expr::Stmt`")
2022-07-19 15:59:49 +02:00
}
}
2021-04-05 08:57:07 +02:00
// { stmt; ... } - do not count promotion as dirty because it gets turned back into an array
Expr::Stmt(x) => {
2023-04-21 04:20:19 +02:00
***x = optimize_stmt_block(x.take_statements(), state, true, true, false);
2021-04-05 08:57:07 +02:00
// { Stmt(Expr) } - promote
2023-04-21 04:20:19 +02:00
if let [ Stmt::Expr(e) ] = &mut ****x { state.set_dirty(); *expr = e.take(); }
2021-04-04 07:13:07 +02:00
}
2022-06-10 04:26:06 +02:00
// ()?.rhs
#[cfg(not(feature = "no_object"))]
Expr::Dot(x, options, ..) if options.contains(ASTFlags::NEGATED) && matches!(x.lhs, Expr::Unit(..)) => {
state.set_dirty();
2023-04-21 04:20:19 +02:00
*expr = x.lhs.take();
2022-06-10 04:26:06 +02:00
}
2020-03-18 03:36:50 +01:00
// lhs.rhs
#[cfg(not(feature = "no_object"))]
2022-06-10 04:26:06 +02:00
Expr::Dot(x, ..) if !_chaining => match (&mut x.lhs, &mut x.rhs) {
// map.string
2022-02-08 02:02:15 +01:00
(Expr::Map(m, pos), Expr::Property(p, ..)) if m.0.iter().all(|(.., x)| x.is_pure()) => {
let prop = p.2.as_str();
// Map literal where everything is pure - promote the indexed item.
// All other items can be thrown away.
state.set_dirty();
2022-03-05 10:57:23 +01:00
*expr = mem::take(&mut m.0).into_iter().find(|(x, ..)| x.as_str() == prop)
2022-07-27 12:04:59 +02:00
.map_or_else(|| Expr::Unit(*pos), |(.., mut expr)| { expr.set_position(*pos); expr });
}
2023-05-07 16:25:01 +02:00
// var.rhs or this.rhs
(Expr::Variable(..) | Expr::ThisPtr(..), rhs) => optimize_expr(rhs, state, true),
2022-11-21 09:27:12 +01:00
// const.type_of()
(lhs, Expr::MethodCall(x, pos)) if lhs.is_constant() && x.name == KEYWORD_TYPE_OF && x.args.is_empty() => {
if let Some(value) = lhs.get_literal_value() {
state.set_dirty();
let typ = state.engine.map_type_name(value.type_name()).into();
*expr = Expr::from_dynamic(typ, *pos);
}
}
// const.is_shared()
#[cfg(not(feature = "no_closure"))]
(lhs, Expr::MethodCall(x, pos)) if lhs.is_constant() && x.name == crate::engine::KEYWORD_IS_SHARED && x.args.is_empty() => {
if let Some(..) = lhs.get_literal_value() {
state.set_dirty();
*expr = Expr::from_dynamic(Dynamic::FALSE, *pos);
}
}
// lhs.rhs
2021-06-02 08:29:18 +02:00
(lhs, rhs) => { optimize_expr(lhs, state, false); optimize_expr(rhs, state, true); }
}
2021-06-02 08:29:18 +02:00
// ....lhs.rhs
#[cfg(not(feature = "no_object"))]
2022-06-10 04:26:06 +02:00
Expr::Dot(x,..) => { optimize_expr(&mut x.lhs, state, false); optimize_expr(&mut x.rhs, state, _chaining); }
2020-03-11 04:03:18 +01:00
2022-06-11 18:32:12 +02:00
// ()?[rhs]
#[cfg(not(feature = "no_index"))]
Expr::Index(x, options, ..) if options.contains(ASTFlags::NEGATED) && matches!(x.lhs, Expr::Unit(..)) => {
state.set_dirty();
2023-04-21 04:20:19 +02:00
*expr = x.lhs.take();
2022-06-11 18:32:12 +02:00
}
2020-03-18 03:36:50 +01:00
// lhs[rhs]
#[cfg(not(feature = "no_index"))]
2022-12-22 10:34:58 +01:00
#[allow(clippy::cast_sign_loss, clippy::cast_possible_truncation)]
2022-02-08 02:02:15 +01:00
Expr::Index(x, ..) if !_chaining => match (&mut x.lhs, &mut x.rhs) {
2020-03-18 03:36:50 +01:00
// array[int]
2022-08-29 08:27:05 +02:00
(Expr::Array(a, pos), Expr::IntegerConstant(i, ..)) if *i >= 0 && *i <= crate::MAX_USIZE_INT && (*i as usize) < a.len() && a.iter().all(Expr::is_pure) => {
// Array literal where everything is pure - promote the indexed item.
2020-03-11 16:43:10 +01:00
// All other items can be thrown away.
2020-03-13 11:12:41 +01:00
state.set_dirty();
2023-04-21 04:20:19 +02:00
let mut result = a[*i as usize].take();
2020-11-12 05:37:42 +01:00
result.set_position(*pos);
*expr = result;
}
// array[-int]
2022-08-29 08:27:05 +02:00
(Expr::Array(a, pos), Expr::IntegerConstant(i, ..)) if *i < 0 && i.unsigned_abs() as u64 <= a.len() as u64 && a.iter().all(Expr::is_pure) => {
// Array literal where everything is pure - promote the indexed item.
// All other items can be thrown away.
state.set_dirty();
2022-07-27 10:04:24 +02:00
let index = a.len() - i.unsigned_abs() as usize;
2023-04-21 04:20:19 +02:00
let mut result = a[index].take();
result.set_position(*pos);
*expr = result;
}
// map[string]
2022-02-08 02:02:15 +01:00
(Expr::Map(m, pos), Expr::StringConstant(s, ..)) if m.0.iter().all(|(.., x)| x.is_pure()) => {
// Map literal where everything is pure - promote the indexed item.
// All other items can be thrown away.
state.set_dirty();
2022-03-05 10:57:23 +01:00
*expr = mem::take(&mut m.0).into_iter().find(|(x, ..)| x.as_str() == s.as_str())
2022-07-27 12:04:59 +02:00
.map_or_else(|| Expr::Unit(*pos), |(.., mut expr)| { expr.set_position(*pos); expr });
}
2021-06-02 08:29:18 +02:00
// int[int]
2022-08-29 08:27:05 +02:00
(Expr::IntegerConstant(n, pos), Expr::IntegerConstant(i, ..)) if *i >= 0 && *i <= crate::MAX_USIZE_INT && (*i as usize) < crate::INT_BITS => {
2021-06-02 08:29:18 +02:00
// Bit-field literal indexing - get the bit
state.set_dirty();
*expr = Expr::BoolConstant((*n & (1 << (*i as usize))) != 0, *pos);
}
// int[-int]
2022-08-29 08:27:05 +02:00
(Expr::IntegerConstant(n, pos), Expr::IntegerConstant(i, ..)) if *i < 0 && i.unsigned_abs() as u64 <= crate::INT_BITS as u64 => {
2021-06-02 08:29:18 +02:00
// Bit-field literal indexing - get the bit
state.set_dirty();
2022-07-27 10:04:24 +02:00
*expr = Expr::BoolConstant((*n & (1 << (crate::INT_BITS - i.unsigned_abs() as usize))) != 0, *pos);
2021-06-02 08:29:18 +02:00
}
2020-03-18 03:36:50 +01:00
// string[int]
2022-08-29 08:27:05 +02:00
(Expr::StringConstant(s, pos), Expr::IntegerConstant(i, ..)) if *i >= 0 && *i <= crate::MAX_USIZE_INT && (*i as usize) < s.chars().count() => {
// String literal indexing - get the character
state.set_dirty();
2022-01-06 04:07:52 +01:00
*expr = Expr::CharConstant(s.chars().nth(*i as usize).unwrap(), *pos);
}
// string[-int]
2022-08-29 08:27:05 +02:00
(Expr::StringConstant(s, pos), Expr::IntegerConstant(i, ..)) if *i < 0 && i.unsigned_abs() as u64 <= s.chars().count() as u64 => {
// String literal indexing - get the character
state.set_dirty();
2022-07-27 10:04:24 +02:00
*expr = Expr::CharConstant(s.chars().rev().nth(i.unsigned_abs() as usize - 1).unwrap(), *pos);
}
2023-05-07 16:25:01 +02:00
// var[rhs] or this[rhs]
(Expr::Variable(..) | Expr::ThisPtr(..), rhs) => optimize_expr(rhs, state, true),
2020-03-18 03:36:50 +01:00
// lhs[rhs]
2021-06-02 08:29:18 +02:00
(lhs, rhs) => { optimize_expr(lhs, state, false); optimize_expr(rhs, state, true); }
},
2021-06-02 08:29:18 +02:00
// ...[lhs][rhs]
#[cfg(not(feature = "no_index"))]
2022-02-08 02:02:15 +01:00
Expr::Index(x, ..) => { optimize_expr(&mut x.lhs, state, false); optimize_expr(&mut x.rhs, state, _chaining); }
2021-04-04 07:13:07 +02:00
// ``
2021-06-29 12:41:03 +02:00
Expr::InterpolatedString(x, pos) if x.is_empty() => {
2021-04-04 07:13:07 +02:00
state.set_dirty();
2022-11-28 16:24:22 +01:00
*expr = Expr::StringConstant(state.engine.const_empty_string(), *pos);
2021-04-04 07:13:07 +02:00
}
// `... ${const} ...`
Expr::InterpolatedString(..) if expr.is_constant() => {
2021-04-04 07:13:07 +02:00
state.set_dirty();
*expr = Expr::StringConstant(expr.get_literal_value().unwrap().cast::<ImmutableString>(), expr.position());
2021-04-04 07:13:07 +02:00
}
// `... ${ ... } ...`
2022-02-08 02:02:15 +01:00
Expr::InterpolatedString(x, ..) => {
2021-09-20 16:36:10 +02:00
x.iter_mut().for_each(|expr| optimize_expr(expr, state, false));
2021-06-16 12:36:33 +02:00
let mut n = 0;
2021-04-04 07:13:07 +02:00
// Merge consecutive strings
2021-12-15 16:21:05 +01:00
while n < x.len() - 1 {
2023-04-21 04:20:19 +02:00
match (x[n].take(),x[n+1].take()) {
2022-02-08 02:02:15 +01:00
(Expr::StringConstant(mut s1, pos), Expr::StringConstant(s2, ..)) => { s1 += s2; x[n] = Expr::StringConstant(s1, pos); x.remove(n+1); state.set_dirty(); }
2022-02-10 10:55:32 +01:00
(expr1, Expr::Unit(..)) => { x[n] = expr1; x.remove(n+1); state.set_dirty(); }
2022-02-08 02:46:14 +01:00
(Expr::Unit(..), expr2) => { x[n+1] = expr2; x.remove(n); state.set_dirty(); }
2022-02-08 02:02:15 +01:00
(expr1, Expr::StringConstant(s, ..)) if s.is_empty() => { x[n] = expr1; x.remove(n+1); state.set_dirty(); }
(Expr::StringConstant(s, ..), expr2) if s.is_empty()=> { x[n+1] = expr2; x.remove(n); state.set_dirty(); }
2021-12-15 16:21:05 +01:00
(expr1, expr2) => { x[n] = expr1; x[n+1] = expr2; n += 1; }
2021-04-04 07:13:07 +02:00
}
}
2021-05-05 12:38:52 +02:00
x.shrink_to_fit();
2021-04-04 07:13:07 +02:00
}
2020-11-14 12:04:49 +01:00
// [ constant .. ]
#[cfg(not(feature = "no_index"))]
2022-02-08 02:02:15 +01:00
Expr::Array(..) if expr.is_constant() => {
2020-11-14 12:04:49 +01:00
state.set_dirty();
2022-01-06 04:07:52 +01:00
*expr = Expr::DynamicConstant(expr.get_literal_value().unwrap().into(), expr.position());
2020-11-14 12:04:49 +01:00
}
2020-03-18 03:36:50 +01:00
// [ items .. ]
#[cfg(not(feature = "no_index"))]
2022-02-08 02:02:15 +01:00
Expr::Array(x, ..) => x.iter_mut().for_each(|expr| optimize_expr(expr, state, false)),
2020-11-14 12:04:49 +01:00
// #{ key:constant, .. }
#[cfg(not(feature = "no_object"))]
2022-02-08 02:02:15 +01:00
Expr::Map(..) if expr.is_constant() => {
2020-11-14 12:04:49 +01:00
state.set_dirty();
2022-01-06 04:07:52 +01:00
*expr = Expr::DynamicConstant(expr.get_literal_value().unwrap().into(), expr.position());
2020-11-14 12:04:49 +01:00
}
2020-11-12 05:37:42 +01:00
// #{ key:value, .. }
2020-03-29 17:53:35 +02:00
#[cfg(not(feature = "no_object"))]
2022-02-08 02:02:15 +01:00
Expr::Map(x, ..) => x.0.iter_mut().for_each(|(.., expr)| optimize_expr(expr, state, false)),
2020-03-18 03:36:50 +01:00
// lhs && rhs
2022-02-08 02:02:15 +01:00
Expr::And(x, ..) => match (&mut x.lhs, &mut x.rhs) {
2020-03-18 03:36:50 +01:00
// true && rhs -> rhs
2023-04-21 04:20:19 +02:00
(Expr::BoolConstant(true, ..), rhs) => { state.set_dirty(); optimize_expr(rhs, state, false); *expr = rhs.take(); }
2020-03-18 03:36:50 +01:00
// false && rhs -> false
2022-02-08 02:02:15 +01:00
(Expr::BoolConstant(false, pos), ..) => { state.set_dirty(); *expr = Expr::BoolConstant(false, *pos); }
2020-03-18 03:36:50 +01:00
// lhs && true -> lhs
2023-04-21 04:20:19 +02:00
(lhs, Expr::BoolConstant(true, ..)) => { state.set_dirty(); optimize_expr(lhs, state, false); *expr = lhs.take(); }
2020-03-18 03:36:50 +01:00
// lhs && rhs
2021-12-15 16:21:05 +01:00
(lhs, rhs) => { optimize_expr(lhs, state, false); optimize_expr(rhs, state, false); }
2020-03-09 14:57:07 +01:00
},
2020-03-18 03:36:50 +01:00
// lhs || rhs
2022-02-08 02:02:15 +01:00
Expr::Or(ref mut x, ..) => match (&mut x.lhs, &mut x.rhs) {
2020-03-18 03:36:50 +01:00
// false || rhs -> rhs
2023-04-21 04:20:19 +02:00
(Expr::BoolConstant(false, ..), rhs) => { state.set_dirty(); optimize_expr(rhs, state, false); *expr = rhs.take(); }
2020-03-18 03:36:50 +01:00
// true || rhs -> true
2022-02-08 02:02:15 +01:00
(Expr::BoolConstant(true, pos), ..) => { state.set_dirty(); *expr = Expr::BoolConstant(true, *pos); }
2020-03-18 03:36:50 +01:00
// lhs || false
2023-04-21 04:20:19 +02:00
(lhs, Expr::BoolConstant(false, ..)) => { state.set_dirty(); optimize_expr(lhs, state, false); *expr = lhs.take(); }
2020-03-18 03:36:50 +01:00
// lhs || rhs
2021-12-15 16:21:05 +01:00
(lhs, rhs) => { optimize_expr(lhs, state, false); optimize_expr(rhs, state, false); }
2020-03-09 14:57:07 +01:00
},
2022-06-10 05:22:33 +02:00
// () ?? rhs -> rhs
Expr::Coalesce(x, ..) if matches!(x.lhs, Expr::Unit(..)) => {
state.set_dirty();
2023-04-21 04:20:19 +02:00
*expr = x.rhs.take();
2022-06-10 05:22:33 +02:00
},
// lhs:constant ?? rhs -> lhs
Expr::Coalesce(x, ..) if x.lhs.is_constant() => {
state.set_dirty();
2023-04-21 04:20:19 +02:00
*expr = x.lhs.take();
2022-06-10 05:22:33 +02:00
},
2020-03-11 16:43:10 +01:00
2022-11-30 07:11:57 +01:00
// !true or !false
Expr::FnCall(x,..)
if x.name == OP_NOT
&& x.args.len() == 1
&& matches!(x.args[0], Expr::BoolConstant(..))
=> {
state.set_dirty();
if let Expr::BoolConstant(b, pos) = x.args[0] {
*expr = Expr::BoolConstant(!b, pos)
} else {
unreachable!()
}
}
2021-01-12 16:52:50 +01:00
// eval!
2022-02-08 02:02:15 +01:00
Expr::FnCall(x, ..) if x.name == KEYWORD_EVAL => {
2021-01-12 16:52:50 +01:00
state.propagate_constants = false;
}
2021-04-06 06:26:38 +02:00
// Fn
Expr::FnCall(x, pos)
2021-04-20 17:28:04 +02:00
if !x.is_qualified() // Non-qualified
&& x.args.len() == 1
2021-04-06 06:26:38 +02:00
&& x.name == KEYWORD_FN_PTR
2022-10-30 16:33:44 +01:00
&& x.constant_args()
2021-04-06 06:26:38 +02:00
=> {
let fn_name = match x.args[0] {
2022-02-08 02:02:15 +01:00
Expr::StringConstant(ref s, ..) => s.clone().into(),
_ => Dynamic::UNIT
};
2022-07-27 12:04:59 +02:00
if let Ok(fn_ptr) = fn_name.into_immutable_string().map_err(Into::into).and_then(FnPtr::try_from) {
state.set_dirty();
*expr = Expr::DynamicConstant(Box::new(fn_ptr.into()), *pos);
} else {
optimize_expr(&mut x.args[0], state, false);
}
2021-04-06 06:26:38 +02:00
}
// curry(FnPtr, constants...)
Expr::FnCall(x, pos)
if !x.is_qualified() // Non-qualified
&& x.args.len() >= 2
&& x.name == KEYWORD_FN_PTR_CURRY
&& matches!(x.args[0], Expr::DynamicConstant(ref v, ..) if v.is_fnptr())
&& x.constant_args()
=> {
let mut fn_ptr = x.args[0].get_literal_value().unwrap().cast::<FnPtr>();
fn_ptr.extend(x.args.iter().skip(1).map(|arg_expr| arg_expr.get_literal_value().unwrap()));
state.set_dirty();
*expr = Expr::DynamicConstant(Box::new(fn_ptr.into()), *pos);
}
2021-04-06 06:26:38 +02:00
// Do not call some special keywords that may have side effects
2022-03-05 10:57:23 +01:00
Expr::FnCall(x, ..) if DONT_EVAL_KEYWORDS.contains(&x.name.as_str()) => {
x.args.iter_mut().for_each(|arg_expr| optimize_expr(arg_expr, state, false));
}
2020-03-19 12:53:42 +01:00
2020-10-09 05:15:25 +02:00
// Call built-in operators
2020-11-12 05:37:42 +01:00
Expr::FnCall(x, pos)
2021-04-20 17:28:04 +02:00
if !x.is_qualified() // Non-qualified
&& state.optimization_level == OptimizationLevel::Simple // simple optimizations
2022-10-30 16:33:44 +01:00
&& x.constant_args() // all arguments are constants
=> {
let arg_values = &mut x.args.iter().map(|arg_expr| arg_expr.get_literal_value().unwrap()).collect::<FnArgsVec<_>>();
let arg_types = arg_values.iter().map(Dynamic::type_id).collect::<FnArgsVec<_>>();
2021-11-01 02:42:22 +01:00
match x.name.as_str() {
KEYWORD_TYPE_OF if arg_values.len() == 1 => {
state.set_dirty();
2022-03-14 01:50:17 +01:00
let typ = state.engine.map_type_name(arg_values[0].type_name()).into();
*expr = Expr::from_dynamic(typ, *pos);
2021-11-01 02:42:22 +01:00
return;
2021-11-01 03:07:45 +01:00
}
2021-07-14 16:33:47 +02:00
#[cfg(not(feature = "no_closure"))]
2021-12-02 05:49:46 +01:00
crate::engine::KEYWORD_IS_SHARED if arg_values.len() == 1 => {
2021-11-01 02:42:22 +01:00
state.set_dirty();
*expr = Expr::from_dynamic(Dynamic::FALSE, *pos);
return;
}
// Overloaded operators can override built-in.
_ if x.args.len() == 2 && x.op_token.is_some() && (state.engine.fast_operators() || !state.engine.has_native_fn_override(x.hashes.native(), &arg_types)) => {
2023-02-10 16:42:13 +01:00
if let Some(result) = get_builtin_binary_op_fn(x.op_token.as_ref().unwrap(), &arg_values[0], &arg_values[1])
2022-12-03 09:20:13 +01:00
.and_then(|(f, ctx)| {
2023-02-21 11:16:03 +01:00
let context = ctx.then(|| (state.engine, x.name.as_str(), None, &state.global, *pos).into());
2022-01-06 04:07:52 +01:00
let (first, second) = arg_values.split_first_mut().unwrap();
2023-03-07 09:52:37 +01:00
f(context, &mut [ first, &mut second[0] ]).ok()
2021-11-01 02:42:22 +01:00
}) {
state.set_dirty();
*expr = Expr::from_dynamic(result, *pos);
return;
}
}
2021-11-01 02:42:22 +01:00
_ => ()
}
x.args.iter_mut().for_each(|arg_expr| optimize_expr(arg_expr, state, false));
// Move constant arguments
x.args.iter_mut().for_each(|arg_expr| match arg_expr {
Expr::DynamicConstant(..) | Expr::Unit(..)
| Expr::StringConstant(..) | Expr::CharConstant(..)
| Expr::BoolConstant(..) | Expr::IntegerConstant(..) => (),
2022-03-05 10:57:23 +01:00
#[cfg(not(feature = "no_float"))]
Expr:: FloatConstant(..) => (),
2022-03-05 10:57:23 +01:00
_ => if let Some(value) = arg_expr.get_literal_value() {
state.set_dirty();
*arg_expr = Expr::DynamicConstant(value.into(), arg_expr.start_position());
},
2023-01-31 12:44:46 +01:00
});
}
2020-03-18 03:36:50 +01:00
// Eagerly call functions
2020-11-12 05:37:42 +01:00
Expr::FnCall(x, pos)
if !x.is_qualified() // non-qualified
&& state.optimization_level == OptimizationLevel::Full // full optimizations
2022-10-30 16:33:44 +01:00
&& x.constant_args() // all arguments are constants
2020-03-17 03:27:43 +01:00
=> {
// First search for script-defined functions (can override built-in)
2023-04-28 09:05:31 +02:00
let _has_script_fn = false;
2020-10-05 06:09:45 +02:00
#[cfg(not(feature = "no_function"))]
2023-04-28 09:05:31 +02:00
let _has_script_fn = !x.hashes.is_native_only() && state.global.lib.iter().find_map(|m| m.get_script_fn(&x.name, x.args.len())).is_some();
2023-04-28 09:05:31 +02:00
if !_has_script_fn {
let arg_values = &mut x.args.iter().map(Expr::get_literal_value).collect::<Option<FnArgsVec<_>>>().unwrap();
let result = match x.name.as_str() {
KEYWORD_TYPE_OF if arg_values.len() == 1 => Some(state.engine.map_type_name(arg_values[0].type_name()).into()),
2021-07-14 16:33:47 +02:00
#[cfg(not(feature = "no_closure"))]
crate::engine::KEYWORD_IS_SHARED if arg_values.len() == 1 => Some(Dynamic::FALSE),
_ => state.call_fn_with_const_args(&x.name, x.op_token.as_ref(), arg_values)
};
if let Some(r) = result {
2020-06-01 09:25:22 +02:00
state.set_dirty();
*expr = Expr::from_dynamic(r, *pos);
2020-11-12 05:37:42 +01:00
return;
}
}
2021-06-02 08:29:18 +02:00
x.args.iter_mut().for_each(|a| optimize_expr(a, state, false));
}
2020-03-19 12:53:42 +01:00
// id(args ..) or xxx.id(args ..) -> optimize function call arguments
Expr::FnCall(x, ..) | Expr::MethodCall(x, ..) => x.args.iter_mut().for_each(|arg_expr| {
optimize_expr(arg_expr, state, false);
// Move constant arguments
match arg_expr {
Expr::DynamicConstant(..) | Expr::Unit(..)
| Expr::StringConstant(..) | Expr::CharConstant(..)
| Expr::BoolConstant(..) | Expr::IntegerConstant(..) => (),
#[cfg(not(feature = "no_float"))]
Expr:: FloatConstant(..) => (),
_ => if let Some(value) = arg_expr.get_literal_value() {
state.set_dirty();
*arg_expr = Expr::DynamicConstant(value.into(), arg_expr.start_position());
},
}
2023-01-31 12:44:46 +01:00
}),
2020-03-19 12:53:42 +01:00
2020-03-18 03:36:50 +01:00
// constant-name
2022-01-29 04:09:43 +01:00
#[cfg(not(feature = "no_module"))]
2022-03-05 10:57:23 +01:00
Expr::Variable(x, ..) if !x.1.is_empty() => (),
Expr::Variable(x, .., pos) if state.propagate_constants && state.find_literal_constant(&x.3).is_some() => {
2020-03-13 11:12:41 +01:00
// Replace constant with value
*expr = Expr::from_dynamic(state.find_literal_constant(&x.3).unwrap().clone(), *pos);
2021-05-16 15:21:13 +02:00
state.set_dirty();
2020-03-13 11:12:41 +01:00
}
2020-03-19 12:53:42 +01:00
2020-07-09 13:54:28 +02:00
// Custom syntax
2022-07-05 16:59:03 +02:00
#[cfg(not(feature = "no_custom_syntax"))]
2022-02-08 02:02:15 +01:00
Expr::Custom(x, ..) => {
if x.scope_may_be_changed {
2021-01-12 16:52:50 +01:00
state.propagate_constants = false;
}
2022-07-06 06:56:15 +02:00
// Do not optimize custom syntax expressions as you won't know how they would be called
2021-01-12 16:52:50 +01:00
}
2020-07-09 13:54:28 +02:00
2020-03-18 03:36:50 +01:00
// All other expressions - skip
2020-11-12 05:37:42 +01:00
_ => (),
2020-03-09 14:57:07 +01:00
}
}
2022-11-25 13:42:16 +01:00
impl Engine {
/// Has a system function a Rust-native override?
fn has_native_fn_override(&self, hash_script: u64, arg_types: impl AsRef<[TypeId]>) -> bool {
let hash = calc_fn_hash_full(hash_script, arg_types.as_ref().iter().copied());
2021-08-13 07:42:39 +02:00
2022-11-25 13:42:16 +01:00
// First check the global namespace and packages, but skip modules that are standard because
// they should never conflict with system functions.
if self
.global_modules
.iter()
.filter(|m| !m.flags.contains(ModuleFlags::STANDARD_LIB))
.any(|m| m.contains_fn(hash))
{
return true;
}
2022-11-25 13:42:16 +01:00
// Then check sub-modules
#[cfg(not(feature = "no_module"))]
if self
.global_sub_modules
2023-03-23 06:37:10 +01:00
.as_ref()
2022-11-25 16:03:20 +01:00
.into_iter()
.flatten()
.any(|(_, m)| m.contains_qualified_fn(hash))
2022-11-25 13:42:16 +01:00
{
return true;
}
false
}
2022-11-25 13:42:16 +01:00
/// Optimize a block of [statements][Stmt] at top level.
///
/// Constants and variables from the scope are added.
fn optimize_top_level(
&self,
statements: StmtBlockContainer,
2023-01-11 04:42:46 +01:00
scope: Option<&Scope>,
2022-11-28 16:24:22 +01:00
lib: &[crate::SharedModule],
2022-11-25 13:42:16 +01:00
optimization_level: OptimizationLevel,
) -> StmtBlockContainer {
let mut statements = statements;
// If optimization level is None then skip optimizing
if optimization_level == OptimizationLevel::None {
statements.shrink_to_fit();
return statements;
}
2022-11-25 13:42:16 +01:00
// Set up the state
2022-11-28 16:24:22 +01:00
let mut state = OptimizerState::new(self, lib, optimization_level);
2022-11-25 13:42:16 +01:00
// Add constants from global modules
2023-01-31 12:44:46 +01:00
self.global_modules
.iter()
.rev()
.flat_map(|m| m.iter_var())
2023-04-10 12:47:53 +02:00
.for_each(|(name, value)| state.push_var(name.into(), Some(value.clone())));
2022-11-25 13:42:16 +01:00
// Add constants and variables from the scope
2023-01-31 12:44:46 +01:00
scope
.into_iter()
.flat_map(Scope::iter)
.for_each(|(name, constant, value)| {
2023-04-10 12:47:53 +02:00
state.push_var(name.into(), if constant { Some(value) } else { None });
2023-01-31 12:44:46 +01:00
});
2022-11-25 13:42:16 +01:00
optimize_stmt_block(statements, &mut state, true, false, true)
}
2022-11-25 13:42:16 +01:00
/// Optimize a collection of statements and functions into an [`AST`].
pub(crate) fn optimize_into_ast(
&self,
2023-01-11 04:42:46 +01:00
scope: Option<&Scope>,
2022-11-25 13:42:16 +01:00
statements: StmtBlockContainer,
#[cfg(not(feature = "no_function"))] functions: crate::StaticVec<
2022-11-25 13:42:16 +01:00
crate::Shared<crate::ast::ScriptFnDef>,
>,
optimization_level: OptimizationLevel,
) -> AST {
let mut statements = statements;
2021-03-11 11:29:22 +01:00
2022-11-25 13:42:16 +01:00
#[cfg(not(feature = "no_function"))]
let lib: crate::Shared<_> = {
let mut module = crate::Module::new();
2022-12-22 10:34:58 +01:00
if optimization_level == OptimizationLevel::None {
2023-01-31 12:44:46 +01:00
functions.into_iter().for_each(|fn_def| {
2022-12-22 10:34:58 +01:00
module.set_script_fn(fn_def);
2023-01-31 12:44:46 +01:00
});
2022-12-22 10:34:58 +01:00
} else {
2022-11-25 13:42:16 +01:00
// We only need the script library's signatures for optimization purposes
let mut lib2 = crate::Module::new();
2023-01-31 12:44:46 +01:00
functions
.iter()
.map(|fn_def| crate::ast::ScriptFnDef {
2022-11-25 13:42:16 +01:00
name: fn_def.name.clone(),
access: fn_def.access,
body: crate::ast::StmtBlock::NONE,
2023-03-22 09:05:25 +01:00
#[cfg(not(feature = "no_object"))]
this_type: fn_def.this_type.clone(),
2022-11-25 13:42:16 +01:00
params: fn_def.params.clone(),
#[cfg(feature = "metadata")]
comments: Box::default(),
2023-01-31 12:44:46 +01:00
})
.for_each(|script_def| {
lib2.set_script_fn(script_def);
2022-11-25 13:42:16 +01:00
});
2021-03-12 07:11:08 +01:00
2022-11-25 13:42:16 +01:00
let lib2 = &[lib2.into()];
2021-03-10 15:12:48 +01:00
2023-01-31 12:44:46 +01:00
functions.into_iter().for_each(|fn_def| {
2022-11-25 13:42:16 +01:00
let mut fn_def = crate::func::shared_take_or_clone(fn_def);
// Optimize the function body
2023-04-21 04:20:19 +02:00
let body = fn_def.body.take_statements();
2022-11-25 13:42:16 +01:00
*fn_def.body = self.optimize_top_level(body, scope, lib2, optimization_level);
module.set_script_fn(fn_def);
2023-01-31 12:44:46 +01:00
});
2022-01-28 11:59:18 +01:00
}
2022-11-25 13:42:16 +01:00
module.into()
};
2022-11-28 16:24:22 +01:00
#[cfg(feature = "no_function")]
let lib: crate::Shared<_> = crate::Module::new().into();
2022-11-25 13:42:16 +01:00
statements.shrink_to_fit();
2020-11-15 06:49:54 +01:00
2022-11-25 13:42:16 +01:00
AST::new(
match optimization_level {
OptimizationLevel::None => statements,
2022-11-28 16:24:22 +01:00
OptimizationLevel::Simple | OptimizationLevel::Full => {
self.optimize_top_level(statements, scope, &[lib.clone()], optimization_level)
}
2022-11-25 13:42:16 +01:00
},
#[cfg(not(feature = "no_function"))]
lib,
)
}
}