diff --git a/codegen/src/test/function.rs b/codegen/src/test/function.rs index 0af46110..9db588e2 100644 --- a/codegen/src/test/function.rs +++ b/codegen/src/test/function.rs @@ -235,7 +235,7 @@ mod generate_tests { fn assert_streams_eq(actual: TokenStream, expected: TokenStream) { let actual = actual.to_string(); let expected = expected.to_string(); - if &actual != &expected { + if actual != expected { let mut counter = 0; let _iter = actual.chars().zip(expected.chars()).skip_while(|(a, e)| { if *a == *e { diff --git a/codegen/src/test/module.rs b/codegen/src/test/module.rs index 0f0bc9dd..4ae05dfa 100644 --- a/codegen/src/test/module.rs +++ b/codegen/src/test/module.rs @@ -86,11 +86,7 @@ mod module_tests { assert_eq!(item_mod.fns().len(), 1); assert_eq!(item_mod.fns()[0].name().to_string(), "get_mystic_number"); assert_eq!( - item_mod.fns()[0] - .comments() - .iter() - .cloned() - .collect::>(), + item_mod.fns()[0].comments().to_vec(), vec![ "\ /// This is a doc-comment.\n\ @@ -286,7 +282,7 @@ mod generate_tests { fn assert_streams_eq(actual: TokenStream, expected: TokenStream) { let actual = actual.to_string(); let expected = expected.to_string(); - if &actual != &expected { + if actual != expected { let mut counter = 0; let _iter = actual.chars().zip(expected.chars()).skip_while(|(a, e)| { if *a == *e { diff --git a/codegen/tests/test_functions.rs b/codegen/tests/test_functions.rs index cc665678..8734f45b 100644 --- a/codegen/tests/test_functions.rs +++ b/codegen/tests/test_functions.rs @@ -75,10 +75,9 @@ fn raw_fn_str_test() -> Result<(), Box> { rhai::set_exported_fn!(m, "write_out_str", raw_fn_str::write_out_str); engine.register_static_module("Host::IO", m.into()); - assert_eq!( - engine.eval::(r#"let x = Host::IO::write_out_str("hello world!"); x"#)?, - true - ); + assert!(engine + .eval::(r#"let x = Host::IO::write_out_str("hello world!"); x"#) + .unwrap()); Ok(()) } @@ -86,6 +85,7 @@ mod mut_opaque_ref { use rhai::plugin::*; use rhai::INT; + #[allow(dead_code)] // used inside `export_module!` #[derive(Clone)] pub struct StatusMessage { os_code: Option, @@ -127,17 +127,16 @@ fn mut_opaque_ref_test() -> Result<(), Box> { rhai::set_exported_fn!(m, "write_out_message", mut_opaque_ref::write_out_message); engine.register_static_module("Host::Msg", m.into()); - assert_eq!( - engine.eval::( + assert!(engine + .eval::( r#" let message1 = Host::Msg::new_message(true, "it worked"); let ok1 = Host::Msg::write_out_message(message1); let message2 = Host::Msg::new_os_message(true, 0); let ok2 = Host::Msg::write_out_message(message2); ok1 && ok2"# - )?, - true - ); + ) + .unwrap()); Ok(()) } diff --git a/codegen/tests/test_modules.rs b/codegen/tests/test_modules.rs index 95f8d15f..7524e2b0 100644 --- a/codegen/tests/test_modules.rs +++ b/codegen/tests/test_modules.rs @@ -3,6 +3,7 @@ use rhai::{Array, Engine, EvalAltResult, FLOAT, INT}; pub mod empty_module { use rhai::plugin::*; + #[allow(non_snake_case)] #[export_module] pub mod EmptyModule {} } @@ -93,10 +94,9 @@ fn raw_fn_str_module_test() -> Result<(), Box> { let m = rhai::exported_module!(crate::raw_fn_str_module::host_io); engine.register_static_module("Host::IO", m.into()); - assert_eq!( - engine.eval::(r#"let x = Host::IO::write_out_str("hello world!"); x"#)?, - true - ); + assert!(engine + .eval::(r#"let x = Host::IO::write_out_str("hello world!"); x"#) + .unwrap()); Ok(()) } @@ -104,6 +104,7 @@ pub mod mut_opaque_ref_module { use rhai::plugin::*; use rhai::INT; + #[allow(dead_code)] // used inside `exported_module!` #[derive(Clone)] pub struct StatusMessage { os_code: Option, @@ -144,8 +145,8 @@ fn mut_opaque_ref_test() -> Result<(), Box> { let m = rhai::exported_module!(crate::mut_opaque_ref_module::host_msg); engine.register_static_module("Host::Msg", m.into()); - assert_eq!( - engine.eval::( + assert!(engine + .eval::( r#" let success = "it worked"; let message1 = Host::Msg::new_message(true, success); @@ -154,9 +155,8 @@ fn mut_opaque_ref_test() -> Result<(), Box> { let ok2 = Host::Msg::write_out_message(message2); ok1 && ok2 "# - )?, - true - ); + ) + .unwrap()); Ok(()) } @@ -267,6 +267,7 @@ fn multiple_fn_rename_test() -> Result<(), Box> { Ok(()) } +#[allow(dead_code)] // used inside `export_module!` mod export_by_prefix { use rhai::plugin::*; @@ -331,7 +332,7 @@ fn export_by_prefix_test() -> Result<(), Box> { let fx = Math::Advanced::foo_add_float2(ex, 1.0); fx ").unwrap_err(), - EvalAltResult::ErrorFunctionNotFound(s, p) + EvalAltResult::ErrorFunctionNotFound(s, ..) if s == "Math::Advanced::foo_add_float2 (f64, f64)")); assert!(matches!(*engine.eval::( @@ -340,12 +341,13 @@ fn export_by_prefix_test() -> Result<(), Box> { let fx = Math::Advanced::bar_m(ex, 1.0); fx ").unwrap_err(), - EvalAltResult::ErrorFunctionNotFound(s, p) + EvalAltResult::ErrorFunctionNotFound(s, ..) if s == "Math::Advanced::bar_m (f64, f64)")); Ok(()) } +#[allow(dead_code)] // used inside `export_module!` mod export_all { use rhai::plugin::*; @@ -411,7 +413,7 @@ fn export_all_test() -> Result<(), Box> { let fx = Math::Advanced::foo_p(ex, 1); fx ").unwrap_err(), - EvalAltResult::ErrorFunctionNotFound(s, p) + EvalAltResult::ErrorFunctionNotFound(s, ..) if s == "Math::Advanced::foo_p (i64, i64)")); Ok(()) diff --git a/codegen/tests/test_nested.rs b/codegen/tests/test_nested.rs index 9a7ff676..c5323685 100644 --- a/codegen/tests/test_nested.rs +++ b/codegen/tests/test_nested.rs @@ -92,6 +92,7 @@ mod export_nested_by_prefix { } } + #[allow(dead_code)] // used inside a `exported_module!` #[rhai_mod(name = "foo_third_adders")] pub mod baz_third_adders { use rhai::{FLOAT, INT}; @@ -105,6 +106,7 @@ mod export_nested_by_prefix { } } + #[allow(dead_code)] // used inside a `exported_module!` pub mod bar_fourth_adders { use rhai::{FLOAT, INT}; @@ -153,7 +155,7 @@ fn export_nested_by_prefix_test() -> Result<(), Box> { let fx = Math::Advanced::foo_third_adders::add_float(ex, 1.0); fx ").unwrap_err(), - EvalAltResult::ErrorFunctionNotFound(s, p) + EvalAltResult::ErrorFunctionNotFound(s, ..) if s == "Math::Advanced::foo_third_adders::add_float (f64, f64)")); assert!(matches!(*engine.eval::( @@ -162,7 +164,7 @@ fn export_nested_by_prefix_test() -> Result<(), Box> { let fx = Math::Advanced::foo_third_adders::add_int(ex, 1); fx ").unwrap_err(), - EvalAltResult::ErrorFunctionNotFound(s, p) + EvalAltResult::ErrorFunctionNotFound(s, ..) if s == "Math::Advanced::foo_third_adders::add_int (i64, i64)")); assert!(matches!(*engine.eval::( @@ -171,7 +173,7 @@ fn export_nested_by_prefix_test() -> Result<(), Box> { let fx = Math::Advanced::bar_fourth_adders::add_int(ex, 1); fx ").unwrap_err(), - EvalAltResult::ErrorFunctionNotFound(s, p) + EvalAltResult::ErrorFunctionNotFound(s, ..) if s == "Math::Advanced::bar_fourth_adders::add_int (i64, i64)")); assert!(matches!(*engine.eval::( @@ -180,7 +182,7 @@ fn export_nested_by_prefix_test() -> Result<(), Box> { let fx = Math::Advanced::bar_fourth_adders::add_float(ex, 1.0); fx ").unwrap_err(), - EvalAltResult::ErrorFunctionNotFound(s, p) + EvalAltResult::ErrorFunctionNotFound(s, ..) if s == "Math::Advanced::bar_fourth_adders::add_float (f64, f64)")); Ok(()) diff --git a/examples/event_handler_js/main.rs b/examples/event_handler_js/main.rs index e6998d7a..efed0107 100644 --- a/examples/event_handler_js/main.rs +++ b/examples/event_handler_js/main.rs @@ -80,7 +80,7 @@ pub fn main() { // Compile the handler script. println!("> Loading script file: {path}"); - let ast = match engine.compile_file_with_scope(&mut scope, path.into()) { + let ast = match engine.compile_file_with_scope(&scope, path.into()) { Ok(ast) => ast, Err(err) => { eprintln!("! Error: {err}"); diff --git a/examples/event_handler_main/main.rs b/examples/event_handler_main/main.rs index 8fbfdafd..43cfdb0e 100644 --- a/examples/event_handler_main/main.rs +++ b/examples/event_handler_main/main.rs @@ -69,7 +69,7 @@ pub fn main() { // Compile the handler script. println!("> Loading script file: {path}"); - let ast = match engine.compile_file_with_scope(&mut scope, path.into()) { + let ast = match engine.compile_file_with_scope(&scope, path.into()) { Ok(ast) => ast, Err(err) => { eprintln!("! Error: {}", err); diff --git a/examples/event_handler_map/main.rs b/examples/event_handler_map/main.rs index b92dba94..9bef50b5 100644 --- a/examples/event_handler_map/main.rs +++ b/examples/event_handler_map/main.rs @@ -83,7 +83,7 @@ pub fn main() { // Compile the handler script. println!("> Loading script file: {path}"); - let ast = match engine.compile_file_with_scope(&mut scope, path.into()) { + let ast = match engine.compile_file_with_scope(&scope, path.into()) { Ok(ast) => ast, Err(err) => { eprintln!("! Error: {err}"); diff --git a/src/api/eval.rs b/src/api/eval.rs index d08915c4..6e61382a 100644 --- a/src/api/eval.rs +++ b/src/api/eval.rs @@ -245,16 +245,16 @@ impl Engine { g.source = orig_source; }); - self.eval_global_statements(global, caches, scope, ast.statements()) - .and_then(|r| { - #[cfg(feature = "debugging")] - if self.is_debugger_registered() { - global.debugger_mut().status = crate::eval::DebuggerStatus::Terminate; - let node = &crate::ast::Stmt::Noop(Position::NONE); - self.run_debugger(global, caches, scope, None, node)?; - } - Ok(r) - }) + let r = self.eval_global_statements(global, caches, scope, ast.statements())?; + + #[cfg(feature = "debugging")] + if self.is_debugger_registered() { + global.debugger_mut().status = crate::eval::DebuggerStatus::Terminate; + let node = &crate::ast::Stmt::Noop(Position::NONE); + self.run_debugger(global, caches, scope, None, node)?; + } + + Ok(r) } } diff --git a/src/api/files.rs b/src/api/files.rs index 2025b412..3322eedb 100644 --- a/src/api/files.rs +++ b/src/api/files.rs @@ -97,7 +97,7 @@ impl Engine { /// /// // Compile a script to an AST and store it for later evaluation. /// // Notice that a PathBuf is required which can easily be constructed from a string. - /// let ast = engine.compile_file_with_scope(&mut scope, "script.rhai".into())?; + /// let ast = engine.compile_file_with_scope(&scope, "script.rhai".into())?; /// /// let result = engine.eval_ast::(&ast)?; /// # } diff --git a/src/api/run.rs b/src/api/run.rs index e0f0b49c..678be8eb 100644 --- a/src/api/run.rs +++ b/src/api/run.rs @@ -126,16 +126,16 @@ impl Engine { global.embedded_module_resolver = ast.resolver().cloned(); } - self.eval_global_statements(global, caches, scope, ast.statements()) - .and_then(|_| { - #[cfg(feature = "debugging")] - if self.is_debugger_registered() { - global.debugger_mut().status = crate::eval::DebuggerStatus::Terminate; - let node = &crate::ast::Stmt::Noop(crate::Position::NONE); - self.run_debugger(global, caches, scope, None, node)?; - } - Ok(()) - }) + let _ = self.eval_global_statements(global, caches, scope, ast.statements())?; + + #[cfg(feature = "debugging")] + if self.is_debugger_registered() { + global.debugger_mut().status = crate::eval::DebuggerStatus::Terminate; + let node = &crate::ast::Stmt::Noop(crate::Position::NONE); + self.run_debugger(global, caches, scope, None, node)?; + } + + Ok(()) } } diff --git a/src/ast/expr.rs b/src/ast/expr.rs index c8cdedb1..ffafc09a 100644 --- a/src/ast/expr.rs +++ b/src/ast/expr.rs @@ -287,6 +287,7 @@ pub enum Expr { Array(Box>, Position), /// #{ name:expr, ... } Map( + #[allow(clippy::type_complexity)] Box<(StaticVec<(Ident, Expr)>, BTreeMap)>, Position, ), @@ -304,6 +305,7 @@ pub enum Expr { ), /// Property access - ((getter, hash), (setter, hash), prop) Property( + #[allow(clippy::type_complexity)] Box<( (ImmutableString, u64), (ImmutableString, u64), diff --git a/src/eval/data_check.rs b/src/eval/data_check.rs index 57d3297a..e4e5dc68 100644 --- a/src/eval/data_check.rs +++ b/src/eval/data_check.rs @@ -103,11 +103,11 @@ impl Dynamic { pub(crate) fn calc_data_sizes(&self, _top: bool) -> (usize, usize, usize) { match self.0 { #[cfg(not(feature = "no_index"))] - Union::Array(ref arr, ..) => Self::calc_array_sizes(&**arr), + Union::Array(ref arr, ..) => Self::calc_array_sizes(arr), #[cfg(not(feature = "no_index"))] Union::Blob(ref blob, ..) => (blob.len(), 0, 0), #[cfg(not(feature = "no_object"))] - Union::Map(ref map, ..) => Self::calc_map_sizes(&**map), + Union::Map(ref map, ..) => Self::calc_map_sizes(map), Union::Str(ref s, ..) => (0, 0, s.len()), #[cfg(not(feature = "no_closure"))] Union::Shared(..) if _top => self.read_lock::().unwrap().calc_data_sizes(true), diff --git a/src/func/script.rs b/src/func/script.rs index b864b4e8..ddcc3c43 100644 --- a/src/func/script.rs +++ b/src/func/script.rs @@ -28,7 +28,7 @@ impl Engine { global: &mut GlobalRuntimeState, caches: &mut Caches, scope: &mut Scope, - mut this_ptr: Option<&mut Dynamic>, + this_ptr: Option<&mut Dynamic>, _environ: Option<&EncapsulatedEnviron>, fn_def: &ScriptFnDef, args: &mut FnCallArgs, @@ -108,19 +108,12 @@ impl Engine { #[cfg(feature = "debugging")] if self.is_debugger_registered() { let node = crate::ast::Stmt::Noop(fn_def.body.position()); - self.run_debugger(global, caches, scope, this_ptr.as_deref_mut(), &node)?; + self.run_debugger(global, caches, scope, this_ptr, &node)?; } // Evaluate the function let mut _result: RhaiResult = self - .eval_stmt_block( - global, - caches, - scope, - this_ptr.as_deref_mut(), - &fn_def.body, - rewind_scope, - ) + .eval_stmt_block(global, caches, scope, this_ptr, &fn_def.body, rewind_scope) .or_else(|err| match *err { // Convert return statement to return value ERR::Return(x, ..) => Ok(x), diff --git a/src/lib.rs b/src/lib.rs index b6be66eb..0c414401 100644 --- a/src/lib.rs +++ b/src/lib.rs @@ -42,7 +42,7 @@ //! //! # #[cfg(not(feature = "no_std"))] //! # #[cfg(not(target_family = "wasm"))] -//! # +//! # //! // Evaluate the script, expecting a 'bool' result //! let result: bool = engine.eval_file("my_script.rhai".into())?; //! @@ -82,8 +82,8 @@ // The lints below can be turned off to reduce signal/noise ratio // #![allow(clippy::too_many_lines)] // #![allow(clippy::let_underscore_drop)] -// #![allow(clippy::absurd_extreme_comparisons)] -// #![allow(clippy::unnecessary_cast)] +#![allow(clippy::absurd_extreme_comparisons)] +#![allow(clippy::unnecessary_cast)] // #![allow(clippy::wildcard_imports)] #[cfg(feature = "no_std")] diff --git a/src/packages/string_basic.rs b/src/packages/string_basic.rs index f2ff7304..1324a845 100644 --- a/src/packages/string_basic.rs +++ b/src/packages/string_basic.rs @@ -141,14 +141,12 @@ mod print_debug_functions { /// Return the empty string. #[rhai_fn(name = "print", name = "to_string")] - pub fn print_unit(ctx: NativeCallContext, unit: ()) -> ImmutableString { - let _ = unit; + pub fn print_unit(ctx: NativeCallContext, _unit: ()) -> ImmutableString { ctx.engine().const_empty_string() } /// Convert the unit into a string in debug format. #[rhai_fn(name = "debug", name = "to_debug")] - pub fn debug_unit(unit: ()) -> ImmutableString { - let _ = unit; + pub fn debug_unit(_unit: ()) -> ImmutableString { "()".into() } diff --git a/src/packages/string_more.rs b/src/packages/string_more.rs index 3819295d..45257925 100644 --- a/src/packages/string_more.rs +++ b/src/packages/string_more.rs @@ -84,8 +84,7 @@ mod string_functions { } #[rhai_fn(name = "+")] - pub fn add_append_unit(string: ImmutableString, item: ()) -> ImmutableString { - let _ = item; + pub fn add_append_unit(string: ImmutableString, _item: ()) -> ImmutableString { string } #[rhai_fn(name = "+")] @@ -102,9 +101,8 @@ mod string_functions { *string += character; } #[rhai_fn(name = "+=")] - pub fn add_assign_append_unit(string: &mut ImmutableString, item: ()) { + pub fn add_assign_append_unit(string: &mut ImmutableString, _item: ()) { let _ = string; - let _ = item; } #[cfg(not(feature = "no_index"))] diff --git a/src/types/fn_ptr.rs b/src/types/fn_ptr.rs index 155eaa27..192fe674 100644 --- a/src/types/fn_ptr.rs +++ b/src/types/fn_ptr.rs @@ -99,6 +99,7 @@ impl FnPtr { #[cfg(not(feature = "no_function"))] #[inline(always)] #[must_use] + #[allow(clippy::type_complexity)] pub(crate) fn take_data( self, ) -> ( diff --git a/tests/arrays.rs b/tests/arrays.rs index e0d5226e..502ad450 100644 --- a/tests/arrays.rs +++ b/tests/arrays.rs @@ -1,10 +1,10 @@ #![cfg(not(feature = "no_index"))] use rhai::{Array, Dynamic, Engine, EvalAltResult, ParseErrorType, INT}; +use std::iter::FromIterator; #[test] fn test_arrays() -> Result<(), Box> { - let mut a = Array::new(); - a.push((42 as INT).into()); + let a = Array::from_iter([(42 as INT).into()]); assert_eq!(a[0].clone_cast::(), 42); @@ -125,7 +125,7 @@ fn test_arrays() -> Result<(), Box> { let y = [4, 5]; x.append(y); - x + x " )? .into_typed_array::()?, @@ -501,15 +501,14 @@ fn test_arrays_map_reduce() -> Result<(), Box> { 3 ); - assert_eq!( - engine.eval::<()>( + engine + .eval::<()>( " let x = [1, 2, 3, 2, 1]; x.find(|v| v > 4) - " - )?, - () - ); + ", + ) + .unwrap(); assert_eq!( engine.eval::( @@ -521,15 +520,14 @@ fn test_arrays_map_reduce() -> Result<(), Box> { 2 ); - assert_eq!( - engine.eval::<()>( + engine + .eval::<()>( " let x = [#{alice: 1}, #{bob: 2}, #{clara: 3}]; x.find_map(|v| v.dave) - " - )?, - () - ); + ", + ) + .unwrap(); Ok(()) } @@ -538,7 +536,7 @@ fn test_arrays_map_reduce() -> Result<(), Box> { fn test_arrays_elvis() -> Result<(), Box> { let engine = Engine::new(); - assert_eq!(engine.eval::<()>("let x = (); x?[2]")?, ()); + engine.eval::<()>("let x = (); x?[2]").unwrap(); engine.run("let x = (); x?[2] = 42")?; diff --git a/tests/blobs.rs b/tests/blobs.rs index d961563f..acd9f953 100644 --- a/tests/blobs.rs +++ b/tests/blobs.rs @@ -1,12 +1,10 @@ #![cfg(not(feature = "no_index"))] use rhai::{Blob, Engine, EvalAltResult, Scope, INT}; +use std::iter::FromIterator; #[test] fn test_blobs() -> Result<(), Box> { - let mut a = Blob::new(); - a.push(1); - a.push(2); - a.push(3); + let a = Blob::from_iter([1, 2, 3]); let engine = Engine::new(); let mut scope = Scope::new(); diff --git a/tests/bool_op.rs b/tests/bool_op.rs index e6ef023a..30a551cd 100644 --- a/tests/bool_op.rs +++ b/tests/bool_op.rs @@ -4,8 +4,8 @@ use rhai::{Engine, EvalAltResult}; fn test_bool_op1() -> Result<(), Box> { let engine = Engine::new(); - assert_eq!(engine.eval::("true && (false || true)")?, true); - assert_eq!(engine.eval::("true & (false | true)")?, true); + assert!(engine.eval::("true && (false || true)").unwrap()); + assert!(engine.eval::("true & (false | true)").unwrap()); Ok(()) } @@ -14,8 +14,8 @@ fn test_bool_op1() -> Result<(), Box> { fn test_bool_op2() -> Result<(), Box> { let engine = Engine::new(); - assert_eq!(engine.eval::("false && (false || true)")?, false); - assert_eq!(engine.eval::("false & (false | true)")?, false); + assert!(!engine.eval::("false && (false || true)").unwrap()); + assert!(!engine.eval::("false & (false | true)").unwrap()); Ok(()) } @@ -25,9 +25,9 @@ fn test_bool_op3() -> Result<(), Box> { let engine = Engine::new(); assert!(engine.eval::("true && (false || 123)").is_err()); - assert_eq!(engine.eval::("true && (true || { throw })")?, true); + assert!(engine.eval::("true && (true || { throw })").unwrap()); assert!(engine.eval::("123 && (false || true)").is_err()); - assert_eq!(engine.eval::("false && (true || { throw })")?, false); + assert!(!engine.eval::("false && (true || { throw })").unwrap()); Ok(()) } @@ -36,25 +36,23 @@ fn test_bool_op3() -> Result<(), Box> { fn test_bool_op_short_circuit() -> Result<(), Box> { let engine = Engine::new(); - assert_eq!( - engine.eval::( + assert!(engine + .eval::( " let x = true; x || { throw; }; " - )?, - true - ); + ) + .unwrap()); - assert_eq!( - engine.eval::( + assert!(!engine + .eval::( " let x = false; x && { throw; }; " - )?, - false - ); + ) + .unwrap()); Ok(()) } @@ -63,14 +61,14 @@ fn test_bool_op_short_circuit() -> Result<(), Box> { fn test_bool_op_no_short_circuit1() { let engine = Engine::new(); - assert!(engine + let _ = engine .eval::( " let x = true; x | { throw; } - " + ", ) - .is_err()); + .unwrap_err(); } #[test] diff --git a/tests/call_fn.rs b/tests/call_fn.rs index 26b3ec8b..5d4338d9 100644 --- a/tests/call_fn.rs +++ b/tests/call_fn.rs @@ -169,7 +169,7 @@ fn test_fn_ptr_raw() -> Result<(), Box> { .register_fn("mul", |x: &mut INT, y: INT| *x *= y) .register_raw_fn( "bar", - &[ + [ TypeId::of::(), TypeId::of::(), TypeId::of::(), diff --git a/tests/comments.rs b/tests/comments.rs index 3ad7e4ca..15f15afc 100644 --- a/tests/comments.rs +++ b/tests/comments.rs @@ -21,7 +21,7 @@ fn test_comments() -> Result<(), Box> { 42 ); - assert_eq!(engine.run("/* Hello world */")?, ()); + engine.run("/* Hello world */").unwrap(); Ok(()) } diff --git a/tests/compound_equality.rs b/tests/compound_equality.rs index af5c16b6..e7de4cec 100644 --- a/tests/compound_equality.rs +++ b/tests/compound_equality.rs @@ -5,8 +5,8 @@ fn test_or_equals() -> Result<(), Box> { let engine = Engine::new(); assert_eq!(engine.eval::("let x = 16; x |= 74; x")?, 90); - assert_eq!(engine.eval::("let x = true; x |= false; x")?, true); - assert_eq!(engine.eval::("let x = false; x |= true; x")?, true); + assert!(engine.eval::("let x = true; x |= false; x").unwrap()); + assert!(engine.eval::("let x = false; x |= true; x").unwrap()); Ok(()) } @@ -16,9 +16,9 @@ fn test_and_equals() -> Result<(), Box> { let engine = Engine::new(); assert_eq!(engine.eval::("let x = 16; x &= 31; x")?, 16); - assert_eq!(engine.eval::("let x = true; x &= false; x")?, false); - assert_eq!(engine.eval::("let x = false; x &= true; x")?, false); - assert_eq!(engine.eval::("let x = true; x &= true; x")?, true); + assert!(!engine.eval::("let x = true; x &= false; x").unwrap()); + assert!(!engine.eval::("let x = false; x &= true; x").unwrap()); + assert!(engine.eval::("let x = true; x &= true; x").unwrap()); Ok(()) } diff --git a/tests/custom_syntax.rs b/tests/custom_syntax.rs index 899d83a9..32382acd 100644 --- a/tests/custom_syntax.rs +++ b/tests/custom_syntax.rs @@ -91,11 +91,12 @@ fn test_custom_syntax() -> Result<(), Box> { } // Do not rewind if the variable is upper-case - if var_name.to_uppercase() == var_name { - context.eval_expression_tree_raw(stmt, false)?; + let _: Dynamic = if var_name.to_uppercase() == var_name { + #[allow(deprecated)] // not deprecated but unstable + context.eval_expression_tree_raw(stmt, false) } else { - context.eval_expression_tree(stmt)?; - } + context.eval_expression_tree(stmt) + }?; count += 1; diff --git a/tests/expressions.rs b/tests/expressions.rs index 34938a57..182f9fa9 100644 --- a/tests/expressions.rs +++ b/tests/expressions.rs @@ -90,6 +90,7 @@ fn test_expressions() -> Result<(), Box> { #[test] #[cfg(not(feature = "no_object"))] fn test_expressions_eval() -> Result<(), Box> { + #[allow(clippy::upper_case_acronyms)] #[derive(Debug, Clone)] struct AGENT { pub gender: String, @@ -124,14 +125,12 @@ fn test_expressions_eval() -> Result<(), Box> { scope.push_constant("agent", my_agent); // Evaluate the expression - let result: bool = engine.eval_expression_with_scope( + assert!(engine.eval_expression_with_scope( &mut scope, r#" agent.age > 10 && agent.gender == "male" "#, - )?; - - assert_eq!(result, true); + )?); Ok(()) } diff --git a/tests/float.rs b/tests/float.rs index a1c05186..b09740e6 100644 --- a/tests/float.rs +++ b/tests/float.rs @@ -7,9 +7,11 @@ const EPSILON: FLOAT = 0.000_000_000_1; fn test_float() -> Result<(), Box> { let engine = Engine::new(); - assert!(engine.eval::("let x = 0.0; let y = 1.0; x < y")?,); - assert!(!engine.eval::("let x = 0.0; let y = 1.0; x > y")?,); - assert_eq!(engine.eval::("let x = 0.; let y = 1.; x > y")?, false); + assert!(engine.eval::("let x = 0.0; let y = 1.0; x < y")?); + assert!(!engine.eval::("let x = 0.0; let y = 1.0; x > y")?); + assert!(!engine + .eval::("let x = 0.; let y = 1.; x > y") + .unwrap()); assert!((engine.eval::("let x = 9.9999; x")? - 9.9999 as FLOAT).abs() < EPSILON); Ok(()) diff --git a/tests/functions.rs b/tests/functions.rs index 8e4a7f36..0dc70d04 100644 --- a/tests/functions.rs +++ b/tests/functions.rs @@ -8,6 +8,7 @@ fn test_functions_trait_object() -> Result<(), Box> { fn greet(&self) -> INT; } + #[allow(clippy::upper_case_acronyms)] #[derive(Debug, Clone)] struct ABC(INT); diff --git a/tests/get_set.rs b/tests/get_set.rs index af1416a6..d5af9080 100644 --- a/tests/get_set.rs +++ b/tests/get_set.rs @@ -267,7 +267,7 @@ fn test_get_set_collection() -> Result<(), Box> { engine .register_type_with_name::("MyBag") .register_iterator::() - .register_fn("new_bag", || MyBag::new()) + .register_fn("new_bag", MyBag::new) .register_fn("len", |col: &mut MyBag| col.len() as INT) .register_get("len", |col: &mut MyBag| col.len() as INT) .register_fn("clear", |col: &mut MyBag| col.clear()) @@ -314,7 +314,7 @@ fn test_get_set_indexer() -> Result<(), Box> { engine .register_type_with_name::("MyMap") - .register_fn("new_map", || MyMap::new()) + .register_fn("new_map", MyMap::new) .register_indexer_get( |map: &mut MyMap, index: &str| -> Result<_, Box> { map.get(index).cloned().ok_or_else(|| { @@ -376,7 +376,7 @@ fn test_get_set_indexer() -> Result<(), Box> { r#" let my_map = new_map(); my_map["eggs"] = 42; - + try { let eggs = my_map["eggs"]; let eggs = my_map["not found"]; @@ -385,7 +385,7 @@ fn test_get_set_indexer() -> Result<(), Box> { { print("Not found!"); } - + my_map["eggs"] "#, )?, @@ -399,9 +399,11 @@ fn test_get_set_indexer() -> Result<(), Box> { fn test_get_set_elvis() -> Result<(), Box> { let engine = Engine::new(); - assert_eq!(engine.eval::<()>("let x = (); x?.foo.bar.baz")?, ()); - assert_eq!(engine.eval::<()>("let x = (); x?.foo(1,2,3)")?, ()); - assert_eq!(engine.eval::<()>("let x = #{a:()}; x.a?.foo.bar.baz")?, ()); + engine.eval::<()>("let x = (); x?.foo.bar.baz").unwrap(); + engine.eval::<()>("let x = (); x?.foo(1,2,3)").unwrap(); + engine + .eval::<()>("let x = #{a:()}; x.a?.foo.bar.baz") + .unwrap(); assert_eq!(engine.eval::("let x = 'x'; x?.type_of()")?, "char"); Ok(()) diff --git a/tests/maps.rs b/tests/maps.rs index 2620738d..2bfab623 100644 --- a/tests/maps.rs +++ b/tests/maps.rs @@ -111,7 +111,7 @@ b`: 1}; y["a\nb"] fn test_map_prop() -> Result<(), Box> { let mut engine = Engine::new(); - assert_eq!(engine.eval::<()>("let x = #{a: 42}; x.b")?, ()); + engine.eval::<()>("let x = #{a: 42}; x.b").unwrap(); engine.set_fail_on_invalid_map_property(true); @@ -182,7 +182,7 @@ fn test_map_assign() -> Result<(), Box> { let x = engine.eval::(r#"let x = #{a: 1, b: true, "c$": "hello"}; x"#)?; assert_eq!(x["a"].as_int().unwrap(), 1); - assert_eq!(x["b"].as_bool().unwrap(), true); + assert!(x["b"].as_bool().unwrap()); assert_eq!(x["c$"].clone_cast::(), "hello"); Ok(()) @@ -195,7 +195,7 @@ fn test_map_return() -> Result<(), Box> { let x = engine.eval::(r#"#{a: 1, b: true, "c$": "hello"}"#)?; assert_eq!(x["a"].as_int().unwrap(), 1); - assert_eq!(x["b"].as_bool().unwrap(), true); + assert!(x["b"].as_bool().unwrap()); assert_eq!(x["c$"].clone_cast::(), "hello"); Ok(()) @@ -240,10 +240,10 @@ fn test_map_json() -> Result<(), Box> { assert!(!map.contains_key("x")); assert_eq!(map["a"].as_int().unwrap(), 1); - assert_eq!(map["b"].as_bool().unwrap(), true); + assert!(map["b"].as_bool().unwrap()); assert_eq!(map["c"].as_int().unwrap(), 42); assert_eq!(map["$d e f!"].clone_cast::(), "hello"); - assert_eq!(map["z"].as_unit().unwrap(), ()); + let _: () = map["z"].as_unit().unwrap(); #[cfg(not(feature = "no_index"))] { diff --git a/tests/method_call.rs b/tests/method_call.rs index a9f2c4b7..dee55417 100644 --- a/tests/method_call.rs +++ b/tests/method_call.rs @@ -56,7 +56,7 @@ fn test_method_call_with_full_optimization() -> Result<(), Box> { engine.set_optimization_level(rhai::OptimizationLevel::Full); engine - .register_fn("new_ts", || TestStruct::new()) + .register_fn("new_ts", TestStruct::new) .register_fn("ymd", |_: INT, _: INT, _: INT| 42 as INT) .register_fn("range", |_: &mut TestStruct, _: INT, _: INT| { TestStruct::new() diff --git a/tests/mismatched_op.rs b/tests/mismatched_op.rs index a117f215..7147330a 100644 --- a/tests/mismatched_op.rs +++ b/tests/mismatched_op.rs @@ -13,6 +13,7 @@ fn test_mismatched_op() { #[test] #[cfg(not(feature = "no_object"))] fn test_mismatched_op_custom_type() -> Result<(), Box> { + #[allow(dead_code)] // used inside `register_type_with_name` #[derive(Debug, Clone)] struct TestStruct { x: INT, diff --git a/tests/modules.rs b/tests/modules.rs index babc862a..63dfbfb5 100644 --- a/tests/modules.rs +++ b/tests/modules.rs @@ -1,9 +1,12 @@ #![cfg(not(feature = "no_module"))] use rhai::{ module_resolvers::{DummyModuleResolver, StaticModuleResolver}, - Dynamic, Engine, EvalAltResult, FnNamespace, FnPtr, ImmutableString, Module, NativeCallContext, - ParseError, ParseErrorType, Scope, INT, + Dynamic, Engine, EvalAltResult, FnNamespace, ImmutableString, Module, ParseError, + ParseErrorType, Scope, INT, }; +// +#[cfg(all(not(feature = "no_function"), feature = "internals"))] +use rhai::{FnPtr, NativeCallContext}; #[test] fn test_module() { @@ -241,7 +244,7 @@ fn test_module_resolver() -> Result<(), Box> { "# ) .expect_err("should error"), - EvalAltResult::ErrorInFunctionCall(fn_name, _, ..) if fn_name == "foo" + EvalAltResult::ErrorInFunctionCall(fn_name, ..) if fn_name == "foo" )); engine.set_max_modules(1000); @@ -269,9 +272,9 @@ fn test_module_resolver() -> Result<(), Box> { } foo(1) + { import "hello" as h; h::answer } "#; - let mut scope = Scope::new(); + let scope = Scope::new(); - let ast = engine.compile_into_self_contained(&mut scope, script)?; + let ast = engine.compile_into_self_contained(&scope, script)?; engine.set_module_resolver(DummyModuleResolver::new()); @@ -329,15 +332,15 @@ fn test_module_from_ast() -> Result<(), Box> { private fn hidden() { throw "you shouldn't see me!"; } - + // Imported modules become sub-modules import "another module" as extra; - + // Variables defined at global level become module variables export const x = 123; let foo = 41; let hello; - + // Final variable values become constant module variable values foo = calc(foo); hello = `hello, ${foo} worlds!`; @@ -527,8 +530,7 @@ fn test_module_ast_namespace2() -> Result<(), Box> { Ok(()) } -#[cfg(not(feature = "no_function"))] -#[cfg(feature = "internals")] +#[cfg(all(not(feature = "no_function"), feature = "internals"))] #[test] fn test_module_context() -> Result<(), Box> { let script = "fn bar() { calc(|x| x + 1) }"; diff --git a/tests/native.rs b/tests/native.rs index 71b833c4..0c339cb0 100644 --- a/tests/native.rs +++ b/tests/native.rs @@ -33,12 +33,12 @@ fn test_native_context_fn_name() -> Result<(), Box> { engine .register_raw_fn( "add_double", - &[TypeId::of::(), TypeId::of::()], + [TypeId::of::(), TypeId::of::()], add_double, ) .register_raw_fn( "append_x2", - &[TypeId::of::(), TypeId::of::()], + [TypeId::of::(), TypeId::of::()], add_double, ); diff --git a/tests/not.rs b/tests/not.rs index 41220389..c9db6e2f 100644 --- a/tests/not.rs +++ b/tests/not.rs @@ -4,15 +4,14 @@ use rhai::{Engine, EvalAltResult}; fn test_not() -> Result<(), Box> { let engine = Engine::new(); - assert_eq!( - engine.eval::("let not_true = !true; not_true")?, - false - ); + assert!(!engine + .eval::("let not_true = !true; not_true") + .unwrap()); #[cfg(not(feature = "no_function"))] - assert_eq!(engine.eval::("fn not(x) { !x } not(false)")?, true); + assert!(engine.eval::("fn not(x) { !x } not(false)").unwrap()); - assert_eq!(engine.eval::("!!!!true")?, true); + assert!(engine.eval::("!!!!true").unwrap()); Ok(()) } diff --git a/tests/options.rs b/tests/options.rs index 4f04f1ec..2ff30cb5 100644 --- a/tests/options.rs +++ b/tests/options.rs @@ -83,7 +83,7 @@ fn test_options_strict_var() -> Result<(), Box> { assert!(engine.compile("let x = if y { z } else { w };").is_err()); #[cfg(not(feature = "no_object"))] - engine.compile_with_scope(&mut scope, "if x.abs() { y } else { x + y.len };")?; + engine.compile_with_scope(&scope, "if x.abs() { y } else { x + y.len };")?; engine.compile("let y = 42; let x = y;")?; diff --git a/tests/serde.rs b/tests/serde.rs index f3c7914f..fb0ce51e 100644 --- a/tests/serde.rs +++ b/tests/serde.rs @@ -127,6 +127,7 @@ fn test_serde_ser_unit_enum() -> Result<(), Box> { #[test] #[cfg(not(feature = "no_object"))] fn test_serde_ser_externally_tagged_enum() -> Result<(), Box> { + #[allow(clippy::enum_variant_names)] #[derive(Serialize)] enum MyEnum { VariantUnit, @@ -227,6 +228,7 @@ fn test_serde_ser_internally_tagged_enum() -> Result<(), Box> { #[test] #[cfg(not(feature = "no_object"))] fn test_serde_ser_adjacently_tagged_enum() -> Result<(), Box> { + #[allow(clippy::enum_variant_names)] #[derive(Serialize)] #[serde(tag = "tag", content = "content")] enum MyEnum { @@ -355,8 +357,8 @@ fn test_serde_ser_untagged_enum() -> Result<(), Box> { fn test_serde_de_primary_types() -> Result<(), Box> { assert_eq!(42, from_dynamic::(&Dynamic::from(42_u16))?); assert_eq!(42, from_dynamic::(&(42 as INT).into())?); - assert_eq!(true, from_dynamic::(&true.into())?); - assert_eq!((), from_dynamic::<()>(&().into())?); + assert!(from_dynamic::(&true.into())?); + let _: () = from_dynamic::<()>(&().into()).unwrap(); #[cfg(not(feature = "no_float"))] { @@ -447,12 +449,14 @@ fn test_serde_de_struct() -> Result<(), Box> { #[cfg(not(feature = "no_object"))] #[cfg(not(feature = "no_float"))] fn test_serde_de_script() -> Result<(), Box> { + #[allow(dead_code)] #[derive(Debug, Deserialize)] struct Point { x: FLOAT, y: FLOAT, } + #[allow(dead_code)] #[derive(Debug, Deserialize)] struct MyStruct { a: i64, @@ -500,6 +504,7 @@ fn test_serde_de_unit_enum() -> Result<(), Box> { #[test] #[cfg(not(feature = "no_object"))] fn test_serde_de_externally_tagged_enum() -> Result<(), Box> { + #[allow(clippy::enum_variant_names)] #[derive(Debug, PartialEq, Deserialize)] #[serde(deny_unknown_fields)] enum MyEnum { @@ -598,6 +603,7 @@ fn test_serde_de_internally_tagged_enum() -> Result<(), Box> { #[test] #[cfg(not(feature = "no_object"))] fn test_serde_de_adjacently_tagged_enum() -> Result<(), Box> { + #[allow(clippy::enum_variant_names)] #[derive(Debug, PartialEq, Deserialize)] #[serde(tag = "tag", content = "content", deny_unknown_fields)] enum MyEnum { @@ -814,7 +820,7 @@ fn test_serde_optional() -> Result<(), Box> { let map = r.cast::(); assert_eq!(map.len(), 1); - assert_eq!(map.get("foo").unwrap().as_unit().unwrap(), ()); + let _: () = map.get("foo").unwrap().as_unit().unwrap(); Ok(()) } @@ -882,7 +888,7 @@ fn test_serde_scope() { assert_eq!(scope.len(), 3); assert_eq!(scope.get_value::("x").unwrap(), 42); - assert_eq!(scope.get_value::("y").unwrap(), true); + assert!(scope.get_value::("y").unwrap()); assert_eq!( scope.get_value::("z").unwrap(), "serde::test_serde_scope::TestStruct" diff --git a/tests/side_effects.rs b/tests/side_effects.rs index ad5a8f42..72afc71d 100644 --- a/tests/side_effects.rs +++ b/tests/side_effects.rs @@ -19,6 +19,7 @@ impl Command { } } +#[allow(clippy::upper_case_acronyms)] type API = Arc>; #[cfg(not(feature = "no_object"))] diff --git a/tests/switch.rs b/tests/switch.rs index 2a4aed98..0de962f7 100644 --- a/tests/switch.rs +++ b/tests/switch.rs @@ -10,10 +10,9 @@ fn test_switch() -> Result<(), Box> { engine.eval::("switch 2 { 1 => (), 2 => 'a', 42 => true }")?, 'a' ); - assert_eq!( - engine.run("switch 3 { 1 => (), 2 => 'a', 42 => true }")?, - () - ); + engine + .run("switch 3 { 1 => (), 2 => 'a', 42 => true }") + .unwrap(); assert_eq!( engine.eval::("switch 3 { 1 => (), 2 => 'a', 42 => true, _ => 123 }")?, 123 @@ -32,18 +31,16 @@ fn test_switch() -> Result<(), Box> { )?, 'a' ); - assert_eq!( - engine.eval_with_scope::(&mut scope, "switch x { 1 => (), 2 => 'a', 42 => true }")?, - true - ); - assert_eq!( - engine.eval_with_scope::(&mut scope, "switch x { 1 => (), 2 => 'a', _ => true }")?, - true - ); - assert_eq!( - engine.eval_with_scope::<()>(&mut scope, "switch x { 1 => 123, 2 => 'a' }")?, - () - ); + assert!(engine + .eval_with_scope::(&mut scope, "switch x { 1 => (), 2 => 'a', 42 => true }") + .unwrap()); + assert!(engine + .eval_with_scope::(&mut scope, "switch x { 1 => (), 2 => 'a', _ => true }") + .unwrap()); + let _: () = engine + .eval_with_scope::<()>(&mut scope, "switch x { 1 => 123, 2 => 'a' }") + .unwrap(); + assert_eq!( engine.eval_with_scope::( &mut scope, diff --git a/tests/types.rs b/tests/types.rs index 87e93d51..76bbfe99 100644 --- a/tests/types.rs +++ b/tests/types.rs @@ -2,6 +2,7 @@ use rhai::{Engine, EvalAltResult, INT}; #[test] fn test_type_of() -> Result<(), Box> { + #[allow(dead_code)] #[derive(Clone)] struct TestStruct { x: INT, diff --git a/tests/unit.rs b/tests/unit.rs index bb9d1496..ed3d2847 100644 --- a/tests/unit.rs +++ b/tests/unit.rs @@ -10,13 +10,15 @@ fn test_unit() -> Result<(), Box> { #[test] fn test_unit_eq() -> Result<(), Box> { let engine = Engine::new(); - assert_eq!(engine.eval::("let x = (); let y = (); x == y")?, true); + assert!(engine + .eval::("let x = (); let y = (); x == y") + .unwrap()); Ok(()) } #[test] fn test_unit_with_spaces() -> Result<(), Box> { let engine = Engine::new(); - engine.run("let x = ( ); x").expect_err("should error"); + let _ = engine.run("let x = ( ); x").expect_err("should error"); Ok(()) } diff --git a/tests/var_scope.rs b/tests/var_scope.rs index e249b6de..32db7db7 100644 --- a/tests/var_scope.rs +++ b/tests/var_scope.rs @@ -167,6 +167,7 @@ fn test_var_resolver() -> Result<(), Box> { #[cfg(not(feature = "no_closure"))] let shared = base.clone(); + #[allow(deprecated)] // not deprecated but unstable engine.on_var(move |name, _, context| { match name { "MYSTIC_NUMBER" => Ok(Some((42 as INT).into())), @@ -222,6 +223,7 @@ fn test_var_def_filter() -> Result<(), Box> { let ast = engine.compile("let x = 42;")?; engine.run_ast(&ast)?; + #[allow(deprecated)] // not deprecated but unstable engine.on_def_var(|_, info, _| match (info.name, info.nesting_level) { ("x", 0 | 1) => Ok(false), _ => Ok(true),