diff --git a/crates/nu-cli/src/eval_file.rs b/crates/nu-cli/src/eval_file.rs index 433459c6d..1785c3a83 100644 --- a/crates/nu-cli/src/eval_file.rs +++ b/crates/nu-cli/src/eval_file.rs @@ -145,7 +145,7 @@ pub(crate) fn print_table_or_error( if let PipelineData::Value(Value::Error { error }, ..) = &pipeline_data { let working_set = StateWorkingSet::new(engine_state); - report_error(&working_set, error); + report_error(&working_set, &**error); std::process::exit(1); } @@ -193,7 +193,7 @@ fn print_or_exit(pipeline_data: PipelineData, engine_state: &mut EngineState, co if let Value::Error { error } = item { let working_set = StateWorkingSet::new(engine_state); - report_error(&working_set, &error); + report_error(&working_set, &*error); std::process::exit(1); } diff --git a/crates/nu-cli/src/nu_highlight.rs b/crates/nu-cli/src/nu_highlight.rs index 5c1e74f77..1e8df9f71 100644 --- a/crates/nu-cli/src/nu_highlight.rs +++ b/crates/nu-cli/src/nu_highlight.rs @@ -53,7 +53,9 @@ impl Command for NuHighlight { span: head, } } - Err(err) => Value::Error { error: err }, + Err(err) => Value::Error { + error: Box::new(err), + }, }, ctrlc, ) diff --git a/crates/nu-cli/src/repl.rs b/crates/nu-cli/src/repl.rs index 22af1fba8..bac7f889f 100644 --- a/crates/nu-cli/src/repl.rs +++ b/crates/nu-cli/src/repl.rs @@ -1124,7 +1124,7 @@ fn run_hook_block( eval_block_with_early_return(engine_state, &mut callee_stack, block, input, false, false)?; if let PipelineData::Value(Value::Error { error }, _) = pipeline_data { - return Err(error); + return Err(*error); } // If all went fine, preserve the environment of the called block diff --git a/crates/nu-cmd-lang/src/core_commands/try_.rs b/crates/nu-cmd-lang/src/core_commands/try_.rs index c5eab1aef..78534e97f 100644 --- a/crates/nu-cmd-lang/src/core_commands/try_.rs +++ b/crates/nu-cmd-lang/src/core_commands/try_.rs @@ -57,66 +57,29 @@ impl Command for Try { let result = eval_block(engine_state, stack, try_block, input, false, false); match result { - Err(error) | Ok(PipelineData::Value(Value::Error { error }, ..)) => { - if let nu_protocol::ShellError::Break(_) = error { - return Err(error); - } else if let nu_protocol::ShellError::Continue(_) = error { - return Err(error); - } else if let nu_protocol::ShellError::Return(_, _) = error { - return Err(error); - } - if let Some(catch_block) = catch_block { - let catch_block = engine_state.get_block(catch_block.block_id); - let err_value = Value::Error { error }; - // Put the error value in the positional closure var - if let Some(var) = catch_block.signature.get_positional(0) { - if let Some(var_id) = &var.var_id { - stack.add_var(*var_id, err_value.clone()); - } - } - - eval_block( - engine_state, - stack, - catch_block, - // Make the error accessible with $in, too - err_value.into_pipeline_data(), - false, - false, - ) - } else { - Ok(PipelineData::empty()) - } + Err(error) => { + let error = intercept_block_control(error)?; + let err_value = Value::Error { + error: Box::new(error), + }; + handle_catch(err_value, catch_block, engine_state, stack) + } + Ok(PipelineData::Value(Value::Error { error }, ..)) => { + let error = intercept_block_control(*error)?; + let err_value = Value::Error { + error: Box::new(error), + }; + handle_catch(err_value, catch_block, engine_state, stack) } // external command may fail to run Ok(pipeline) => { let (pipeline, external_failed) = pipeline.is_external_failed(); if external_failed { - if let Some(catch_block) = catch_block { - let catch_block = engine_state.get_block(catch_block.block_id); - - if let Some(var) = catch_block.signature.get_positional(0) { - if let Some(var_id) = &var.var_id { - // Because external command errors aren't "real" errors, - // (unless do -c is in effect) - // they can't be passed in as Nushell values. - let err_value = Value::nothing(call.head); - stack.add_var(*var_id, err_value); - } - } - - eval_block( - engine_state, - stack, - catch_block, - // The same null as in the above block is set as the $in value. - Value::nothing(call.head).into_pipeline_data(), - false, - false, - ) - } else { - Ok(PipelineData::empty()) - } + // Because external command errors aren't "real" errors, + // (unless do -c is in effect) + // they can't be passed in as Nushell values. + let err_value = Value::nothing(call.head); + handle_catch(err_value, catch_block, engine_state, stack) } else { Ok(pipeline) } @@ -140,6 +103,48 @@ impl Command for Try { } } +fn handle_catch( + err_value: Value, + catch_block: Option, + engine_state: &EngineState, + stack: &mut Stack, +) -> Result { + if let Some(catch_block) = catch_block { + let catch_block = engine_state.get_block(catch_block.block_id); + // Put the error value in the positional closure var + if let Some(var) = catch_block.signature.get_positional(0) { + if let Some(var_id) = &var.var_id { + stack.add_var(*var_id, err_value.clone()); + } + } + + eval_block( + engine_state, + stack, + catch_block, + // Make the error accessible with $in, too + err_value.into_pipeline_data(), + false, + false, + ) + } else { + Ok(PipelineData::empty()) + } +} + +/// The flow control commands `break`/`continue`/`return` emit their own [`ShellError`] variants +/// We need to ignore those in `try` and bubble them through +/// +/// `Err` when flow control to bubble up with `?` +fn intercept_block_control(error: ShellError) -> Result { + match error { + nu_protocol::ShellError::Break(_) => Err(error), + nu_protocol::ShellError::Continue(_) => Err(error), + nu_protocol::ShellError::Return(_, _) => Err(error), + _ => Ok(error), + } +} + #[cfg(test)] mod test { use super::*; diff --git a/crates/nu-command/src/bits/and.rs b/crates/nu-command/src/bits/and.rs index f00d4f35b..b7514959e 100644 --- a/crates/nu-command/src/bits/and.rs +++ b/crates/nu-command/src/bits/and.rs @@ -81,12 +81,12 @@ fn operate(value: Value, target: i64, head: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bits/not.rs b/crates/nu-command/src/bits/not.rs index 604acdf00..027bfeff4 100644 --- a/crates/nu-command/src/bits/not.rs +++ b/crates/nu-command/src/bits/not.rs @@ -150,12 +150,12 @@ fn operate(value: Value, head: Span, signed: bool, number_size: NumberBytes) -> // Propagate errors inside the value Value::Error { .. } => other, _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, }, } diff --git a/crates/nu-command/src/bits/or.rs b/crates/nu-command/src/bits/or.rs index 9dde724af..47d8f69d4 100644 --- a/crates/nu-command/src/bits/or.rs +++ b/crates/nu-command/src/bits/or.rs @@ -81,12 +81,12 @@ fn operate(value: Value, target: i64, head: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bits/rotate_left.rs b/crates/nu-command/src/bits/rotate_left.rs index e795c79ce..caf6f1177 100644 --- a/crates/nu-command/src/bits/rotate_left.rs +++ b/crates/nu-command/src/bits/rotate_left.rs @@ -103,7 +103,7 @@ where match rotate_result { Ok(val) => Value::Int { val, span }, Err(_) => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "Rotate left result beyond the range of 64 bit signed number".to_string(), format!( "{val} of the specified number of bytes rotate left {bits} bits exceed limit" @@ -111,7 +111,7 @@ where Some(span), None, Vec::new(), - ), + )), }, } } @@ -137,12 +137,12 @@ fn operate(value: Value, bits: usize, head: Span, signed: bool, number_size: Num // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bits/rotate_right.rs b/crates/nu-command/src/bits/rotate_right.rs index 709aa9aa1..f6e5fba8e 100644 --- a/crates/nu-command/src/bits/rotate_right.rs +++ b/crates/nu-command/src/bits/rotate_right.rs @@ -107,7 +107,7 @@ where match rotate_result { Ok(val) => Value::Int { val, span }, Err(_) => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "Rotate right result beyond the range of 64 bit signed number".to_string(), format!( "{val} of the specified number of bytes rotate right {bits} bits exceed limit" @@ -115,7 +115,7 @@ where Some(span), None, Vec::new(), - ), + )), }, } } @@ -141,12 +141,12 @@ fn operate(value: Value, bits: usize, head: Span, signed: bool, number_size: Num // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bits/shift_left.rs b/crates/nu-command/src/bits/shift_left.rs index c5457b0d9..c0e4b238b 100644 --- a/crates/nu-command/src/bits/shift_left.rs +++ b/crates/nu-command/src/bits/shift_left.rs @@ -115,7 +115,7 @@ where match shift_result { Ok(val) => Value::Int { val, span }, Err(_) => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "Shift left result beyond the range of 64 bit signed number".to_string(), format!( "{val} of the specified number of bytes shift left {bits} bits exceed limit" @@ -123,18 +123,18 @@ where Some(span), None, Vec::new(), - ), + )), }, } } None => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "Shift left failed".to_string(), format!("{val} shift left {bits} bits failed, you may shift too many bits"), Some(span), None, Vec::new(), - ), + )), }, } } @@ -160,12 +160,12 @@ fn operate(value: Value, bits: usize, head: Span, signed: bool, number_size: Num // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bits/shift_right.rs b/crates/nu-command/src/bits/shift_right.rs index 4dcd96d87..52965d2fa 100644 --- a/crates/nu-command/src/bits/shift_right.rs +++ b/crates/nu-command/src/bits/shift_right.rs @@ -105,7 +105,7 @@ where match shift_result { Ok(val) => Value::Int { val, span }, Err(_) => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "Shift right result beyond the range of 64 bit signed number".to_string(), format!( "{val} of the specified number of bytes shift right {bits} bits exceed limit" @@ -113,18 +113,18 @@ where Some(span), None, Vec::new(), - ), + )), }, } } None => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "Shift right failed".to_string(), format!("{val} shift right {bits} bits failed, you may shift too many bits"), Some(span), None, Vec::new(), - ), + )), }, } } @@ -150,12 +150,12 @@ fn operate(value: Value, bits: usize, head: Span, signed: bool, number_size: Num // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bits/xor.rs b/crates/nu-command/src/bits/xor.rs index 38eebdcd6..8ab888fc0 100644 --- a/crates/nu-command/src/bits/xor.rs +++ b/crates/nu-command/src/bits/xor.rs @@ -80,12 +80,12 @@ fn operate(value: Value, target: i64, head: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bytes/add.rs b/crates/nu-command/src/bytes/add.rs index fffe644ce..dd129518e 100644 --- a/crates/nu-command/src/bytes/add.rs +++ b/crates/nu-command/src/bytes/add.rs @@ -125,12 +125,12 @@ fn add(val: &Value, args: &Arguments, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => val.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bytes/at.rs b/crates/nu-command/src/bytes/at.rs index 0356fcafb..df81e33cd 100644 --- a/crates/nu-command/src/bytes/at.rs +++ b/crates/nu-command/src/bytes/at.rs @@ -41,7 +41,7 @@ fn parse_range(range: Value, head: Span) -> Result<(isize, isize, Span), ShellEr Value::Int { val, .. } => val.to_string(), Value::String { val, .. } => val, // Explicitly propagate errors instead of dropping them. - Value::Error { error } => return Err(error), + Value::Error { error } => return Err(*error), other => { return Err(ShellError::UnsupportedInput( "Only string or list ranges are supported".into(), @@ -56,7 +56,7 @@ fn parse_range(range: Value, head: Span) -> Result<(isize, isize, Span), ShellEr Value::Int { val, .. } => val.to_string(), Value::String { val, .. } => val, // Explicitly propagate errors instead of dropping them. - Value::Error { error } => return Err(error), + Value::Error { error } => return Err(*error), other => { return Err(ShellError::UnsupportedInput( "Only string or list ranges are supported".into(), @@ -84,7 +84,7 @@ fn parse_range(range: Value, head: Span) -> Result<(isize, isize, Span), ShellEr } } // Explicitly propagate errors instead of dropping them. - Value::Error { error } => return Err(error), + Value::Error { error } => return Err(*error), other => { return Err(ShellError::UnsupportedInput( "could not perform subbytes".to_string(), @@ -249,12 +249,12 @@ fn at(val: &Value, args: &Arguments, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => val.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } @@ -277,10 +277,10 @@ fn at_impl(input: &[u8], arg: &Arguments, span: Span) -> Value { match start.cmp(&end) { Ordering::Equal => Value::Binary { val: vec![], span }, Ordering::Greater => Value::Error { - error: ShellError::TypeMismatch { + error: Box::new(ShellError::TypeMismatch { err_message: "End must be greater than or equal to Start".to_string(), span: arg.arg_span, - }, + }), }, Ordering::Less => Value::Binary { val: { diff --git a/crates/nu-command/src/bytes/build_.rs b/crates/nu-command/src/bytes/build_.rs index 5ddf6f3a0..0b80a4895 100644 --- a/crates/nu-command/src/bytes/build_.rs +++ b/crates/nu-command/src/bytes/build_.rs @@ -53,7 +53,7 @@ impl Command for BytesBuild { match val { Value::Binary { mut val, .. } => output.append(&mut val), // Explicitly propagate errors instead of dropping them. - Value::Error { error } => return Err(error), + Value::Error { error } => return Err(*error), other => { return Err(ShellError::TypeMismatch { err_message: "only binary data arguments are supported".to_string(), diff --git a/crates/nu-command/src/bytes/collect.rs b/crates/nu-command/src/bytes/collect.rs index bf8eaf1fd..d68c915b1 100644 --- a/crates/nu-command/src/bytes/collect.rs +++ b/crates/nu-command/src/bytes/collect.rs @@ -55,7 +55,7 @@ impl Command for BytesCollect { } } // Explicitly propagate errors instead of dropping them. - Value::Error { error } => return Err(error), + Value::Error { error } => return Err(*error), other => { return Err(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), diff --git a/crates/nu-command/src/bytes/ends_with.rs b/crates/nu-command/src/bytes/ends_with.rs index d70586634..9317ad924 100644 --- a/crates/nu-command/src/bytes/ends_with.rs +++ b/crates/nu-command/src/bytes/ends_with.rs @@ -93,12 +93,12 @@ fn ends_with(val: &Value, args: &Arguments, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => val.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bytes/index_of.rs b/crates/nu-command/src/bytes/index_of.rs index 92e106c25..a991864fe 100644 --- a/crates/nu-command/src/bytes/index_of.rs +++ b/crates/nu-command/src/bytes/index_of.rs @@ -135,12 +135,12 @@ fn index_of(val: &Value, args: &Arguments, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => val.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bytes/length.rs b/crates/nu-command/src/bytes/length.rs index 78bd9bb49..372f90eca 100644 --- a/crates/nu-command/src/bytes/length.rs +++ b/crates/nu-command/src/bytes/length.rs @@ -74,12 +74,12 @@ fn length(val: &Value, _args: &CellPathOnlyArgs, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => val.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bytes/remove.rs b/crates/nu-command/src/bytes/remove.rs index fd196ba02..6d6dbc8a5 100644 --- a/crates/nu-command/src/bytes/remove.rs +++ b/crates/nu-command/src/bytes/remove.rs @@ -142,12 +142,12 @@ fn remove(val: &Value, args: &Arguments, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => val.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bytes/replace.rs b/crates/nu-command/src/bytes/replace.rs index ebe113085..090642c10 100644 --- a/crates/nu-command/src/bytes/replace.rs +++ b/crates/nu-command/src/bytes/replace.rs @@ -133,12 +133,12 @@ fn replace(val: &Value, args: &Arguments, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => val.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bytes/reverse.rs b/crates/nu-command/src/bytes/reverse.rs index 897b46f14..916f44c85 100644 --- a/crates/nu-command/src/bytes/reverse.rs +++ b/crates/nu-command/src/bytes/reverse.rs @@ -84,12 +84,12 @@ fn reverse(val: &Value, _args: &CellPathOnlyArgs, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => val.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/bytes/starts_with.rs b/crates/nu-command/src/bytes/starts_with.rs index 564daf79b..4a936c1cf 100644 --- a/crates/nu-command/src/bytes/starts_with.rs +++ b/crates/nu-command/src/bytes/starts_with.rs @@ -80,12 +80,12 @@ impl Command for BytesStartsWith { // Unsupported data Ok(other) => { return Ok(Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string and binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), } .into_pipeline_data()); } @@ -149,12 +149,12 @@ fn starts_with(val: &Value, args: &Arguments, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => val.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/charting/hashable_value.rs b/crates/nu-command/src/charting/hashable_value.rs index 9ed0d2b17..680a298b8 100644 --- a/crates/nu-command/src/charting/hashable_value.rs +++ b/crates/nu-command/src/charting/hashable_value.rs @@ -79,7 +79,7 @@ impl HashableValue { Value::Binary { val, span } => Ok(HashableValue::Binary { val, span }), // Explicitly propagate errors instead of dropping them. - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), _ => Err(ShellError::UnsupportedInput( "input value is not hashable".into(), format!("input type: {:?}", value.get_type()), @@ -236,7 +236,7 @@ mod test { }, Value::Nothing { span }, Value::Error { - error: ShellError::DidYouMean("what?".to_string(), span), + error: Box::new(ShellError::DidYouMean("what?".to_string(), span)), }, Value::CellPath { val: CellPath { diff --git a/crates/nu-command/src/charting/histogram.rs b/crates/nu-command/src/charting/histogram.rs index e082b59e4..1353302ce 100644 --- a/crates/nu-command/src/charting/histogram.rs +++ b/crates/nu-command/src/charting/histogram.rs @@ -160,7 +160,7 @@ fn run_histogram( for v in values { match v { // Propagate existing errors. - Value::Error { error } => return Err(error), + Value::Error { error } => return Err(*error), _ => { let t = v.get_type(); let span = v.expect_span(); @@ -198,7 +198,7 @@ fn run_histogram( } } // Propagate existing errors. - Value::Error { error } => return Err(error), + Value::Error { error } => return Err(*error), _ => continue, } } diff --git a/crates/nu-command/src/conversions/fill.rs b/crates/nu-command/src/conversions/fill.rs index cb77db44c..f560daa5c 100644 --- a/crates/nu-command/src/conversions/fill.rs +++ b/crates/nu-command/src/conversions/fill.rs @@ -193,12 +193,12 @@ fn action(input: &Value, args: &Arguments, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => input.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "int, filesize, float, string".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/conversions/fmt.rs b/crates/nu-command/src/conversions/fmt.rs index 6b31d3de3..581268648 100644 --- a/crates/nu-command/src/conversions/fmt.rs +++ b/crates/nu-command/src/conversions/fmt.rs @@ -87,12 +87,12 @@ fn action(input: &Value, _args: &CellPathOnlyArgs, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => input.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer or filesize".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/conversions/into/binary.rs b/crates/nu-command/src/conversions/into/binary.rs index 77803fd54..28f35fe67 100644 --- a/crates/nu-command/src/conversions/into/binary.rs +++ b/crates/nu-command/src/conversions/into/binary.rs @@ -188,13 +188,13 @@ pub fn action(input: &Value, _args: &CellPathOnlyArgs, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => input.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer, float, filesize, string, date, duration, binary or bool" .into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/conversions/into/bool.rs b/crates/nu-command/src/conversions/into/bool.rs index 21cc07c59..34546f25e 100644 --- a/crates/nu-command/src/conversions/into/bool.rs +++ b/crates/nu-command/src/conversions/into/bool.rs @@ -161,17 +161,19 @@ fn action(input: &Value, _args: &CellPathOnlyArgs, span: Span) -> Value { }, Value::String { val, .. } => match string_to_boolean(val, span) { Ok(val) => Value::Bool { val, span }, - Err(error) => Value::Error { error }, + Err(error) => Value::Error { + error: Box::new(error), + }, }, // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => input.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "bool, integer, float or string".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/conversions/into/datetime.rs b/crates/nu-command/src/conversions/into/datetime.rs index 6a8d9955b..8405dcb9c 100644 --- a/crates/nu-command/src/conversions/into/datetime.rs +++ b/crates/nu-command/src/conversions/into/datetime.rs @@ -209,12 +209,12 @@ fn action(input: &Value, args: &Arguments, head: Span) -> Value { Value::Error { .. } => return input.clone(), other => { return Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string and integer".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }; } }; @@ -245,21 +245,21 @@ fn action(input: &Value, args: &Arguments, head: Span) -> Value { Zone::East(i) => match FixedOffset::east_opt((*i as i32) * HOUR) { Some(eastoffset) => match_datetime!(eastoffset.timestamp_nanos(ts)), None => Value::Error { - error: ShellError::DatetimeParseError(input.debug_value(), *span), + error: Box::new(ShellError::DatetimeParseError(input.debug_value(), *span)), }, }, Zone::West(i) => match FixedOffset::west_opt((*i as i32) * HOUR) { Some(westoffset) => match_datetime!(westoffset.timestamp_nanos(ts)), None => Value::Error { - error: ShellError::DatetimeParseError(input.debug_value(), *span), + error: Box::new(ShellError::DatetimeParseError(input.debug_value(), *span)), }, }, Zone::Error => Value::Error { // This is an argument error, not an input error - error: ShellError::TypeMismatch { + error: Box::new(ShellError::TypeMismatch { err_message: "Invalid timezone or offset".to_string(), span: *span, - }, + }), }, }, }; @@ -273,7 +273,7 @@ fn action(input: &Value, args: &Arguments, head: Span) -> Value { Ok(d) => Value::Date { val: d, span: head }, Err(reason) => { Value::Error { - error: ShellError::CantConvert { to_type: format!("could not parse as datetime using format '{}'", dt.0), from_type: reason.to_string(), span: head, help: Some("you can use `into datetime` without a format string to enable flexible parsing".to_string()) }, + error: Box::new(ShellError::CantConvert { to_type: format!("could not parse as datetime using format '{}'", dt.0), from_type: reason.to_string(), span: head, help: Some("you can use `into datetime` without a format string to enable flexible parsing".to_string()) }), } } }, @@ -292,12 +292,12 @@ fn action(input: &Value, args: &Arguments, head: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => input.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } @@ -374,7 +374,7 @@ mod tests { #[test] fn takes_timestamp_offset_as_int() { - let date_int = Value::test_int(1614434140_000000000); + let date_int = Value::test_int(1_614_434_140_000_000_000); let timezone_option = Some(Spanned { item: Zone::East(8), span: Span::test_data(), diff --git a/crates/nu-command/src/conversions/into/decimal.rs b/crates/nu-command/src/conversions/into/decimal.rs index 30f84fab0..254db812d 100644 --- a/crates/nu-command/src/conversions/into/decimal.rs +++ b/crates/nu-command/src/conversions/into/decimal.rs @@ -88,12 +88,12 @@ fn action(input: &Value, _args: &CellPathOnlyArgs, head: Span) -> Value { match other.parse::() { Ok(x) => Value::float(x, head), Err(reason) => Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "float".to_string(), from_type: reason.to_string(), span: *span, help: None, - }, + }), }, } } @@ -108,12 +108,12 @@ fn action(input: &Value, _args: &CellPathOnlyArgs, head: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => input.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string, integer or bool".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/conversions/into/duration.rs b/crates/nu-command/src/conversions/into/duration.rs index 285251890..ff2b27204 100644 --- a/crates/nu-command/src/conversions/into/duration.rs +++ b/crates/nu-command/src/conversions/into/duration.rs @@ -174,7 +174,9 @@ fn into_duration( Box::new(move |old| action(old, &d, float_precision, head)), ); if let Err(error) = r { - return Value::Error { error }; + return Value::Error { + error: Box::new(error), + }; } } @@ -430,7 +432,7 @@ fn action( } } } - Err(e) => Value::Error { error: e }, + Err(e) => Value::Error { error: Box::new(e) }, } } else { input.clone() @@ -464,34 +466,36 @@ fn action( } } } - Err(e) => Value::Error { error: e }, + Err(e) => Value::Error { error: Box::new(e) }, } } else { Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "string".into(), from_type: "duration".into(), span, help: None, - }, + }), } } } else { match string_to_duration(val, span, *value_span) { Ok(val) => Value::Duration { val, span }, - Err(error) => Value::Error { error }, + Err(error) => Value::Error { + error: Box::new(error), + }, } } } // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => input.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string or duration".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/conversions/into/filesize.rs b/crates/nu-command/src/conversions/into/filesize.rs index cdc2426f5..acc40d130 100644 --- a/crates/nu-command/src/conversions/into/filesize.rs +++ b/crates/nu-command/src/conversions/into/filesize.rs @@ -110,19 +110,21 @@ pub fn action(input: &Value, _args: &CellPathOnlyArgs, span: Span) -> Value { val, span: value_span, }, - Err(error) => Value::Error { error }, + Err(error) => Value::Error { + error: Box::new(error), + }, }, Value::Nothing { .. } => Value::Filesize { val: 0, span: value_span, }, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string and integer".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: value_span, - }, + }), }, } } else { diff --git a/crates/nu-command/src/conversions/into/int.rs b/crates/nu-command/src/conversions/into/int.rs index 2fcfcbb51..fa4718e98 100644 --- a/crates/nu-command/src/conversions/into/int.rs +++ b/crates/nu-command/src/conversions/into/int.rs @@ -189,12 +189,12 @@ fn action(input: &Value, args: &Arguments, span: Span) -> Value { Ok(v) => v, _ => { return Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "float".to_string(), from_type: "integer".to_string(), span, help: None, - }, + }), } } } @@ -206,7 +206,9 @@ fn action(input: &Value, args: &Arguments, span: Span) -> Value { if radix == 10 { match int_from_string(val, span) { Ok(val) => Value::Int { val, span }, - Err(error) => Value::Error { error }, + Err(error) => Value::Error { + error: Box::new(error), + }, } } else { convert_int(input, span, radix) @@ -232,10 +234,10 @@ fn action(input: &Value, args: &Arguments, span: Span) -> Value { .unwrap() { Value::Error { - error: ShellError::IncorrectValue { + error: Box::new(ShellError::IncorrectValue { msg: "DateTime out of range for timestamp: 1677-09-21T00:12:43Z to 2262-04-11T23:47:16".to_string(), span - }, + }), } } else { Value::Int { @@ -269,13 +271,13 @@ fn action(input: &Value, args: &Arguments, span: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => input.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "integer, float, filesize, date, string, binary, duration or bool" .into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }, } } @@ -292,7 +294,7 @@ fn convert_int(input: &Value, head: Span, radix: u32) -> Value { { match int_from_string(val, head) { Ok(x) => return Value::int(x, head), - Err(e) => return Value::Error { error: e }, + Err(e) => return Value::Error { error: Box::new(e) }, } } else if val.starts_with("00") { // It's a padded string @@ -300,12 +302,12 @@ fn convert_int(input: &Value, head: Span, radix: u32) -> Value { Ok(n) => return Value::int(n, head), Err(e) => { return Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "string".to_string(), from_type: "int".to_string(), span: head, help: Some(e.to_string()), - }, + }), } } } @@ -316,24 +318,24 @@ fn convert_int(input: &Value, head: Span, radix: u32) -> Value { Value::Error { .. } => return input.clone(), other => { return Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string and integer".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }; } }; match i64::from_str_radix(i.trim(), radix) { Ok(n) => Value::int(n, head), Err(_reason) => Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "string".to_string(), from_type: "int".to_string(), span: head, help: None, - }, + }), }, } } @@ -483,9 +485,9 @@ mod test { } #[rstest] - #[case("2262-04-11T23:47:16+00:00", 0x7fffffff_ffffffff)] + #[case("2262-04-11T23:47:16+00:00", 0x7fff_ffff_ffff_ffff)] #[case("1970-01-01T00:00:00+00:00", 0)] - #[case("1677-09-21T00:12:44+00:00", -0x7fffffff_ffffffff)] + #[case("1677-09-21T00:12:44+00:00", -0x7fff_ffff_ffff_ffff)] fn datetime_to_int_values_that_work( #[case] dt_in: DateTime, #[case] int_expected: i64, @@ -522,14 +524,15 @@ mod test { }, Span::test_data(), ); - if let Value::Error { - error: ShellError::IncorrectValue { msg: e, .. }, - } = actual - { - assert!( - e.contains(err_expected), - "{e:?} doesn't contain {err_expected}" - ); + if let Value::Error { error } = actual { + if let ShellError::IncorrectValue { msg: e, .. } = *error { + assert!( + e.contains(err_expected), + "{e:?} doesn't contain {err_expected}" + ); + } else { + panic!("Unexpected error variant {error:?}") + } } else { panic!("Unexpected actual value {actual:?}") } diff --git a/crates/nu-command/src/conversions/into/record.rs b/crates/nu-command/src/conversions/into/record.rs index dad210488..01145a8f3 100644 --- a/crates/nu-command/src/conversions/into/record.rs +++ b/crates/nu-command/src/conversions/into/record.rs @@ -185,12 +185,12 @@ fn into_record( Value::Record { cols, vals, span } => Value::Record { cols, vals, span }, Value::Error { .. } => input, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: other.get_type().to_string(), dst_span: call.head, src_span: other.expect_span(), - }, + }), }, }; Ok(res.into_pipeline_data()) diff --git a/crates/nu-command/src/conversions/into/string.rs b/crates/nu-command/src/conversions/into/string.rs index b6ad99f72..8137146f5 100644 --- a/crates/nu-command/src/conversions/into/string.rs +++ b/crates/nu-command/src/conversions/into/string.rs @@ -247,28 +247,28 @@ fn action(input: &Value, args: &Arguments, span: Span) -> Value { span: _, } => Value::Error { // Watch out for CantConvert's argument order - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "string".into(), from_type: "record".into(), span, help: Some("try using the `to nuon` command".into()), - }, + }), }, Value::Binary { .. } => Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "string".into(), from_type: "binary".into(), span, help: Some("try using the `decode` command".into()), - }, + }), }, x => Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: String::from("string"), from_type: x.get_type().to_string(), span, help: None, - }, + }), }, } } diff --git a/crates/nu-command/src/database/commands/into_sqlite.rs b/crates/nu-command/src/database/commands/into_sqlite.rs index 54f84f098..ef970013a 100644 --- a/crates/nu-command/src/database/commands/into_sqlite.rs +++ b/crates/nu-command/src/database/commands/into_sqlite.rs @@ -217,7 +217,7 @@ fn action( Ok(Value::Nothing { span: *span }) } // Propagate errors by explicitly matching them before the final case. - Value::Error { error } => Err(error.clone()), + Value::Error { error } => Err(*error.clone()), other => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "list".into(), wrong_type: other.get_type().to_string(), diff --git a/crates/nu-command/src/database/values/sqlite.rs b/crates/nu-command/src/database/values/sqlite.rs index dca57b191..21703d1c4 100644 --- a/crates/nu-command/src/database/values/sqlite.rs +++ b/crates/nu-command/src/database/values/sqlite.rs @@ -463,7 +463,7 @@ pub fn convert_sqlite_value_to_nu_value(value: ValueRef, span: Span) -> Value { Ok(v) => v, Err(_) => { return Value::Error { - error: ShellError::NonUtf8(span), + error: Box::new(ShellError::NonUtf8(span)), } } }; diff --git a/crates/nu-command/src/dataframe/values/nu_dataframe/conversion.rs b/crates/nu-command/src/dataframe/values/nu_dataframe/conversion.rs index 409d2227f..5aa82743a 100644 --- a/crates/nu-command/src/dataframe/values/nu_dataframe/conversion.rs +++ b/crates/nu-command/src/dataframe/values/nu_dataframe/conversion.rs @@ -461,13 +461,13 @@ pub fn create_column( Some(val) => val, None => { return Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "The given local datetime representation is invalid." .to_string(), format!("timestamp is {a:?}"), span, Span::unknown(), - ), + )), } } }; @@ -476,13 +476,13 @@ pub fn create_column( Some(val) => val, None => { return Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "The given local datetime representation is invalid." .to_string(), format!("timestamp is {a:?}"), span, Span::unknown(), - ), + )), } } }; @@ -526,13 +526,13 @@ pub fn create_column( Some(val) => val, None => { return Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "The given local datetime representation is invalid." .to_string(), format!("timestamp is {a:?}"), span, Span::unknown(), - ), + )), } } }; @@ -541,13 +541,13 @@ pub fn create_column( Some(val) => val, None => { return Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "The given local datetime representation is invalid." .to_string(), format!("timestamp is {a:?}"), span, Span::unknown(), - ), + )), } } }; diff --git a/crates/nu-command/src/date/format.rs b/crates/nu-command/src/date/format.rs index fd487bd07..8fb3e67b0 100644 --- a/crates/nu-command/src/date/format.rs +++ b/crates/nu-command/src/date/format.rs @@ -132,10 +132,10 @@ where span, }, Err(_) => Value::Error { - error: ShellError::TypeMismatch { + error: Box::new(ShellError::TypeMismatch { err_message: "invalid format".to_string(), span, - }, + }), }, } } @@ -152,7 +152,10 @@ fn format_helper(value: Value, formatter: &str, formatter_span: Span, head_span: } } _ => Value::Error { - error: ShellError::DatetimeParseError(value.debug_value(), head_span), + error: Box::new(ShellError::DatetimeParseError( + value.debug_value(), + head_span, + )), }, } } @@ -177,7 +180,7 @@ fn format_helper_rfc2822(value: Value, span: Span) -> Value { } } _ => Value::Error { - error: ShellError::DatetimeParseError(value.debug_value(), span), + error: Box::new(ShellError::DatetimeParseError(value.debug_value(), span)), }, } } diff --git a/crates/nu-command/src/date/humanize.rs b/crates/nu-command/src/date/humanize.rs index 14d73a0c2..7fbeb53e1 100644 --- a/crates/nu-command/src/date/humanize.rs +++ b/crates/nu-command/src/date/humanize.rs @@ -90,7 +90,7 @@ fn helper(value: Value, head: Span) -> Value { span: head, }, _ => Value::Error { - error: ShellError::DatetimeParseError(value.debug_value(), head), + error: Box::new(ShellError::DatetimeParseError(value.debug_value(), head)), }, } } diff --git a/crates/nu-command/src/date/to_record.rs b/crates/nu-command/src/date/to_record.rs index e63f9d494..4406a39df 100644 --- a/crates/nu-command/src/date/to_record.rs +++ b/crates/nu-command/src/date/to_record.rs @@ -156,7 +156,7 @@ fn helper(val: Value, head: Span) -> Value { } Value::Date { val, span: _ } => parse_date_into_table(Ok(val), head), _ => Value::Error { - error: DatetimeParseError(val.debug_value(), head), + error: Box::new(DatetimeParseError(val.debug_value(), head)), }, } } diff --git a/crates/nu-command/src/date/to_table.rs b/crates/nu-command/src/date/to_table.rs index 7e9711c94..5f9610d54 100644 --- a/crates/nu-command/src/date/to_table.rs +++ b/crates/nu-command/src/date/to_table.rs @@ -161,7 +161,7 @@ fn helper(val: Value, head: Span) -> Value { } Value::Date { val, span: _ } => parse_date_into_table(Ok(val), head), _ => Value::Error { - error: DatetimeParseError(val.debug_value(), head), + error: Box::new(DatetimeParseError(val.debug_value(), head)), }, } } diff --git a/crates/nu-command/src/date/to_timezone.rs b/crates/nu-command/src/date/to_timezone.rs index 37de40f1f..37250a8d1 100644 --- a/crates/nu-command/src/date/to_timezone.rs +++ b/crates/nu-command/src/date/to_timezone.rs @@ -128,7 +128,7 @@ fn helper(value: Value, head: Span, timezone: &Spanned) -> Value { _to_timezone(dt.with_timezone(dt.offset()), timezone, head) } _ => Value::Error { - error: ShellError::DatetimeParseError(value.debug_value(), head), + error: Box::new(ShellError::DatetimeParseError(value.debug_value(), head)), }, } } @@ -137,10 +137,10 @@ fn _to_timezone(dt: DateTime, timezone: &Spanned, span: Spa match datetime_in_timezone(&dt, timezone.item.as_str()) { Ok(dt) => Value::Date { val: dt, span }, Err(_) => Value::Error { - error: ShellError::TypeMismatch { + error: Box::new(ShellError::TypeMismatch { err_message: String::from("invalid time zone"), span: timezone.span, - }, + }), }, } } diff --git a/crates/nu-command/src/date/utils.rs b/crates/nu-command/src/date/utils.rs index 80eda3fdf..75bb15231 100644 --- a/crates/nu-command/src/date/utils.rs +++ b/crates/nu-command/src/date/utils.rs @@ -15,12 +15,12 @@ pub(crate) fn parse_date_from_string( LocalResult::Single(d) => Ok(d), LocalResult::Ambiguous(d, _) => Ok(d), LocalResult::None => Err(Value::Error { - error: ShellError::DatetimeParseError(input.to_string(), span), + error: Box::new(ShellError::DatetimeParseError(input.to_string(), span)), }), } } Err(_) => Err(Value::Error { - error: ShellError::DatetimeParseError(input.to_string(), span), + error: Box::new(ShellError::DatetimeParseError(input.to_string(), span)), }), } } diff --git a/crates/nu-command/src/debug/explain.rs b/crates/nu-command/src/debug/explain.rs index 36aa850f3..cd10d8a47 100644 --- a/crates/nu-command/src/debug/explain.rs +++ b/crates/nu-command/src/debug/explain.rs @@ -279,7 +279,9 @@ fn get_expression_as_value( ) -> Value { match eval_expression(engine_state, stack, inner_expr) { Ok(v) => v, - Err(error) => Value::Error { error }, + Err(error) => Value::Error { + error: Box::new(error), + }, } } diff --git a/crates/nu-command/src/filesystem/cp.rs b/crates/nu-command/src/filesystem/cp.rs index 7779527c5..33a6036da 100644 --- a/crates/nu-command/src/filesystem/cp.rs +++ b/crates/nu-command/src/filesystem/cp.rs @@ -379,13 +379,13 @@ fn interactive_copy( ); if let Err(e) = interaction { Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( e.to_string(), e.to_string(), Some(span), None, Vec::new(), - ), + )), } } else if !confirmed { let msg = format!("{:} not copied to {:}", src.display(), dst.display()); @@ -518,13 +518,13 @@ fn copy_symlink( Ok(p) => p, Err(err) => { return Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( err.to_string(), err.to_string(), Some(span), None, vec![], - ), + )), } } }; @@ -551,7 +551,13 @@ fn copy_symlink( Value::String { val: msg, span } } Err(e) => Value::Error { - error: ShellError::GenericError(e.to_string(), e.to_string(), Some(span), None, vec![]), + error: Box::new(ShellError::GenericError( + e.to_string(), + e.to_string(), + Some(span), + None, + vec![], + )), }, } } @@ -593,5 +599,7 @@ fn convert_io_error(error: std::io::Error, src: PathBuf, dst: PathBuf, span: Spa _ => ShellError::IOErrorSpanned(message_src, span), }; - Value::Error { error: shell_error } + Value::Error { + error: Box::new(shell_error), + } } diff --git a/crates/nu-command/src/filesystem/ls.rs b/crates/nu-command/src/filesystem/ls.rs index 5ee4ee990..4aabe7cab 100644 --- a/crates/nu-command/src/filesystem/ls.rs +++ b/crates/nu-command/src/filesystem/ls.rs @@ -255,10 +255,14 @@ impl Command for Ls { ); match entry { Ok(value) => Some(value), - Err(err) => Some(Value::Error { error: err }), + Err(err) => Some(Value::Error { + error: Box::new(err), + }), } } - Err(err) => Some(Value::Error { error: err }), + Err(err) => Some(Value::Error { + error: Box::new(err), + }), } } _ => Some(Value::Nothing { span: call_span }), diff --git a/crates/nu-command/src/filesystem/mv.rs b/crates/nu-command/src/filesystem/mv.rs index ca17bb88b..3a4eeb152 100644 --- a/crates/nu-command/src/filesystem/mv.rs +++ b/crates/nu-command/src/filesystem/mv.rs @@ -193,7 +193,9 @@ impl Command for Mv { interactive, ); if let Err(error) = result { - Some(Value::Error { error }) + Some(Value::Error { + error: Box::new(error), + }) } else if verbose { let val = match result { Ok(true) => format!( diff --git a/crates/nu-command/src/filesystem/rm.rs b/crates/nu-command/src/filesystem/rm.rs index 00127088d..3c9eea8e3 100644 --- a/crates/nu-command/src/filesystem/rm.rs +++ b/crates/nu-command/src/filesystem/rm.rs @@ -405,13 +405,13 @@ fn rm( if let Err(e) = result { let msg = format!("Could not delete because: {e:}"); Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( msg, e.to_string(), Some(span), None, Vec::new(), - ), + )), } } else if verbose { let msg = if interactive && !confirmed { @@ -427,25 +427,25 @@ fn rm( } else { let msg = format!("Cannot remove {:}. try --recursive", f.to_string_lossy()); Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( msg, "cannot remove non-empty directory".into(), Some(span), None, Vec::new(), - ), + )), } } } else { let msg = format!("no such file or directory: {:}", f.to_string_lossy()); Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( msg, "no such file or directory".into(), Some(span), None, Vec::new(), - ), + )), } } }) diff --git a/crates/nu-command/src/filesystem/save.rs b/crates/nu-command/src/filesystem/save.rs index e7026d26d..eb9664f36 100644 --- a/crates/nu-command/src/filesystem/save.rs +++ b/crates/nu-command/src/filesystem/save.rs @@ -250,7 +250,7 @@ fn value_to_bytes(value: Value) -> Result, ShellError> { Ok(val.into_bytes()) } // Propagate errors by explicitly matching them before the final case. - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), other => Ok(other.as_string()?.into_bytes()), } } @@ -376,7 +376,7 @@ fn stream_to_file( Value::String { val, .. } => val.into_bytes(), Value::Binary { val, .. } => val, // Propagate errors by explicitly matching them before the final case. - Value::Error { error } => return Err(error), + Value::Error { error } => return Err(*error), other => { return Err(ShellError::OnlySupportsThisInputType { exp_input_type: "string or binary".into(), diff --git a/crates/nu-command/src/filters/columns.rs b/crates/nu-command/src/filters/columns.rs index 1c98f5dbf..f8fca080b 100644 --- a/crates/nu-command/src/filters/columns.rs +++ b/crates/nu-command/src/filters/columns.rs @@ -137,7 +137,7 @@ fn getcol( .into_pipeline_data(ctrlc) .set_metadata(metadata)), // Propagate errors - PipelineData::Value(Value::Error { error }, ..) => Err(error), + PipelineData::Value(Value::Error { error }, ..) => Err(*error), PipelineData::Value(other, ..) => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "record or table".into(), wrong_type: other.get_type().to_string(), diff --git a/crates/nu-command/src/filters/each.rs b/crates/nu-command/src/filters/each.rs index 500ad4728..29b6663bb 100644 --- a/crates/nu-command/src/filters/each.rs +++ b/crates/nu-command/src/filters/each.rs @@ -167,7 +167,9 @@ with 'transpose' first."# Err(ShellError::Break(_)) => None, Err(error) => { let error = chain_error_with_input(error, input_span); - Some(Value::Error { error }) + Some(Value::Error { + error: Box::new(error), + }) } } }) @@ -187,7 +189,11 @@ with 'transpose' first."# let x = match x { Ok(x) => x, Err(ShellError::Break(_)) => return None, - Err(err) => return Some(Value::Error { error: err }), + Err(err) => { + return Some(Value::Error { + error: Box::new(err), + }) + } }; if let Some(var) = block.signature.get_positional(0) { @@ -208,7 +214,7 @@ with 'transpose' first."# Ok(v) => Some(v.into_value(span)), Err(ShellError::Break(_)) => None, Err(error) => { - let error = chain_error_with_input(error, input_span); + let error = Box::new(chain_error_with_input(error, input_span)); Some(Value::Error { error }) } } diff --git a/crates/nu-command/src/filters/filter.rs b/crates/nu-command/src/filters/filter.rs index e8854f2bb..e092c1f11 100644 --- a/crates/nu-command/src/filters/filter.rs +++ b/crates/nu-command/src/filters/filter.rs @@ -101,7 +101,7 @@ a variable. On the other hand, the "row condition" syntax is not supported."# } } Err(error) => Some(Value::Error { - error: chain_error_with_input(error, x.span()), + error: Box::new(chain_error_with_input(error, x.span())), }), } }) @@ -118,7 +118,11 @@ a variable. On the other hand, the "row condition" syntax is not supported."# let x = match x { Ok(x) => x, - Err(err) => return Some(Value::Error { error: err }), + Err(err) => { + return Some(Value::Error { + error: Box::new(err), + }) + } }; if let Some(var) = block.signature.get_positional(0) { @@ -144,7 +148,7 @@ a variable. On the other hand, the "row condition" syntax is not supported."# } } Err(error) => Some(Value::Error { - error: chain_error_with_input(error, x.span()), + error: Box::new(chain_error_with_input(error, x.span())), }), } }) @@ -177,7 +181,7 @@ a variable. On the other hand, the "row condition" syntax is not supported."# } } Err(error) => Some(Value::Error { - error: chain_error_with_input(error, x.span()), + error: Box::new(chain_error_with_input(error, x.span())), }), } .into_pipeline_data(ctrlc)) diff --git a/crates/nu-command/src/filters/find.rs b/crates/nu-command/src/filters/find.rs index 91af1d5f1..a177d1ea2 100644 --- a/crates/nu-command/src/filters/find.rs +++ b/crates/nu-command/src/filters/find.rs @@ -522,7 +522,7 @@ fn find_with_rest_and_highlight( } } // Propagate errors by explicitly matching them before the final case. - Value::Error { error } => return Err(error), + Value::Error { error } => return Err(*error), other => { return Err(ShellError::UnsupportedInput( "unsupported type from raw stream".into(), diff --git a/crates/nu-command/src/filters/first.rs b/crates/nu-command/src/filters/first.rs index b22ccacce..d3404f74a 100644 --- a/crates/nu-command/src/filters/first.rs +++ b/crates/nu-command/src/filters/first.rs @@ -141,7 +141,7 @@ fn first_helper( } } // Propagate errors by explicitly matching them before the final case. - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), other => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "list, binary or range".into(), wrong_type: other.get_type().to_string(), diff --git a/crates/nu-command/src/filters/flatten.rs b/crates/nu-command/src/filters/flatten.rs index b4c715a84..85bb95f1d 100644 --- a/crates/nu-command/src/filters/flatten.rs +++ b/crates/nu-command/src/filters/flatten.rs @@ -154,7 +154,7 @@ enum TableInside<'a> { fn flat_value(columns: &[CellPath], item: &Value, _name_tag: Span, all: bool) -> Vec { let tag = match item.span() { Ok(x) => x, - Err(e) => return vec![Value::Error { error: e }], + Err(e) => return vec![Value::Error { error: Box::new(e) }], }; let res = { @@ -172,19 +172,19 @@ fn flat_value(columns: &[CellPath], item: &Value, _name_tag: Span, all: bool) -> Value::Error { .. } => return vec![item.clone()], other => { return vec![Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "record".into(), wrong_type: other.get_type().to_string(), dst_span: _name_tag, src_span: other.expect_span(), - }, + }), }]; } }; let s = match item.span() { Ok(x) => x, - Err(e) => return vec![Value::Error { error: e }], + Err(e) => return vec![Value::Error { error: Box::new(e) }], }; let records_iterator = { @@ -229,12 +229,12 @@ fn flat_value(columns: &[CellPath], item: &Value, _name_tag: Span, all: bool) -> if all && vals.iter().all(|f| f.as_record().is_ok()) => { if need_flatten && inner_table.is_some() { - return vec![Value::Error{ error: ShellError::UnsupportedInput( + return vec![Value::Error{ error: Box::new(ShellError::UnsupportedInput( "can only flatten one inner list at a time. tried flattening more than one column with inner lists... but is flattened already".to_string(), "value originates from here".into(), s, *span - )} + ))} ]; } // it's a table (a list of record, we can flatten inner record) @@ -267,12 +267,12 @@ fn flat_value(columns: &[CellPath], item: &Value, _name_tag: Span, all: bool) -> } Value::List { vals: values, span } => { if need_flatten && inner_table.is_some() { - return vec![Value::Error{ error: ShellError::UnsupportedInput( + return vec![Value::Error{ error: Box::new(ShellError::UnsupportedInput( "can only flatten one inner list at a time. tried flattening more than one column with inner lists... but is flattened already".to_string(), "value originates from here".into(), s, *span - )} + ))} ]; } diff --git a/crates/nu-command/src/filters/group_by.rs b/crates/nu-command/src/filters/group_by.rs index 18468f0cc..fd6e85167 100644 --- a/crates/nu-command/src/filters/group_by.rs +++ b/crates/nu-command/src/filters/group_by.rs @@ -244,7 +244,7 @@ pub fn group( Grouper::ByColumn(Some(column_name)) => { let block = Box::new(move |_, row: &Value| { if let Value::Error { error } = row { - return Err(error.clone()); + return Err(*error.clone()); }; match row.get_data_by_key(&column_name.item) { Some(group_key) => Ok(group_key.as_string()?), diff --git a/crates/nu-command/src/filters/insert.rs b/crates/nu-command/src/filters/insert.rs index 1086484c3..43840cdb6 100644 --- a/crates/nu-command/src/filters/insert.rs +++ b/crates/nu-command/src/filters/insert.rs @@ -163,12 +163,12 @@ fn insert( pd.into_value(span), span, ) { - return Value::Error { error: e }; + return Value::Error { error: Box::new(e) }; } input } - Err(e) => Value::Error { error: e }, + Err(e) => Value::Error { error: Box::new(e) }, } }, ctrlc, @@ -199,7 +199,7 @@ fn insert( if let Err(e) = input.insert_data_at_cell_path(&cell_path.members, replacement, span) { - return Value::Error { error: e }; + return Value::Error { error: Box::new(e) }; } input diff --git a/crates/nu-command/src/filters/length.rs b/crates/nu-command/src/filters/length.rs index f3ec9dbdd..9aec125d4 100644 --- a/crates/nu-command/src/filters/length.rs +++ b/crates/nu-command/src/filters/length.rs @@ -86,7 +86,7 @@ fn length_row(call: &Call, input: PipelineData) -> Result { match val { // Propagate existing errors - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), _ => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "string or raw data".into(), wrong_type: val.get_type().to_string(), @@ -129,7 +129,9 @@ impl Command for Lines { .enumerate() .map(move |(_idx, x)| match x { Ok(x) => x, - Err(err) => Value::Error { error: err }, + Err(err) => Value::Error { + error: Box::new(err), + }, }) .into_pipeline_data(ctrlc)), } @@ -232,7 +234,7 @@ impl Iterator for RawStreamLinesAdapter { self.queue.append(&mut lines); } // Propagate errors by explicitly matching them before the final case. - Value::Error { error } => return Some(Err(error)), + Value::Error { error } => return Some(Err(*error)), other => { return Some(Err(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), diff --git a/crates/nu-command/src/filters/merge.rs b/crates/nu-command/src/filters/merge.rs index 19d76b1ef..ea7d0092b 100644 --- a/crates/nu-command/src/filters/merge.rs +++ b/crates/nu-command/src/filters/merge.rs @@ -125,11 +125,15 @@ repeating this process with row 1, and so on."# span: call.head, } } - Err(error) => Value::Error { error }, + Err(error) => Value::Error { + error: Box::new(error), + }, } } (_, None) => inp, - (Err(error), _) => Value::Error { error }, + (Err(error), _) => Value::Error { + error: Box::new(error), + }, }); if let Some(md) = metadata { diff --git a/crates/nu-command/src/filters/move_.rs b/crates/nu-command/src/filters/move_.rs index e67337d9f..020ee4841 100644 --- a/crates/nu-command/src/filters/move_.rs +++ b/crates/nu-command/src/filters/move_.rs @@ -158,9 +158,13 @@ impl Command for Move { call.head, ) { Ok(val) => val, - Err(error) => Value::Error { error }, + Err(error) => Value::Error { + error: Box::new(error), + }, + }, + Err(error) => Value::Error { + error: Box::new(error), }, - Err(error) => Value::Error { error }, }); if let Some(md) = metadata { diff --git a/crates/nu-command/src/filters/par_each.rs b/crates/nu-command/src/filters/par_each.rs index 9cd8e1f83..7fc8abfc1 100644 --- a/crates/nu-command/src/filters/par_each.rs +++ b/crates/nu-command/src/filters/par_each.rs @@ -121,7 +121,7 @@ impl Command for ParEach { ) { Ok(v) => v, Err(error) => Value::Error { - error: chain_error_with_input(error, val_span), + error: Box::new(chain_error_with_input(error, val_span)), } .into_pipeline_data(), } @@ -155,7 +155,7 @@ impl Command for ParEach { ) { Ok(v) => v, Err(error) => Value::Error { - error: chain_error_with_input(error, val_span), + error: Box::new(chain_error_with_input(error, val_span)), } .into_pipeline_data(), } @@ -188,7 +188,7 @@ impl Command for ParEach { ) { Ok(v) => v, Err(error) => Value::Error { - error: chain_error_with_input(error, val_span), + error: Box::new(chain_error_with_input(error, val_span)), } .into_pipeline_data(), } @@ -206,7 +206,12 @@ impl Command for ParEach { .map(move |x| { let x = match x { Ok(x) => x, - Err(err) => return Value::Error { error: err }.into_pipeline_data(), + Err(err) => { + return Value::Error { + error: Box::new(err), + } + .into_pipeline_data() + } }; let block = engine_state.get_block(block_id); @@ -228,7 +233,10 @@ impl Command for ParEach { redirect_stderr, ) { Ok(v) => v, - Err(error) => Value::Error { error }.into_pipeline_data(), + Err(error) => Value::Error { + error: Box::new(error), + } + .into_pipeline_data(), } }) .collect::>() diff --git a/crates/nu-command/src/filters/rename.rs b/crates/nu-command/src/filters/rename.rs index 964eec1cb..49151608c 100644 --- a/crates/nu-command/src/filters/rename.rs +++ b/crates/nu-command/src/filters/rename.rs @@ -141,7 +141,7 @@ fn rename( // check if the specified column to be renamed exists if !cols.contains(&c[0]) { return Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( format!( "The column '{}' does not exist in the input", &c[0] @@ -151,7 +151,7 @@ fn rename( specified_col_span.unwrap_or(head_span), // Arrow 2 points at the input value. span, - ), + )), }; } for (idx, val) in cols.iter_mut().enumerate() { @@ -177,12 +177,12 @@ fn rename( // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => item.clone(), other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "record".into(), wrong_type: other.get_type().to_string(), dst_span: head_span, src_span: other.expect_span(), - }, + }), }, }, engine_state.ctrlc.clone(), diff --git a/crates/nu-command/src/filters/take/take_.rs b/crates/nu-command/src/filters/take/take_.rs index 96cdb2a0d..1c75b40e3 100644 --- a/crates/nu-command/src/filters/take/take_.rs +++ b/crates/nu-command/src/filters/take/take_.rs @@ -73,7 +73,7 @@ impl Command for Take { .into_pipeline_data(ctrlc) .set_metadata(metadata)), // Propagate errors by explicitly matching them before the final case. - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), other => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "list, binary or range".into(), wrong_type: other.get_type().to_string(), diff --git a/crates/nu-command/src/filters/update.rs b/crates/nu-command/src/filters/update.rs index 1db469a2a..a7259af03 100644 --- a/crates/nu-command/src/filters/update.rs +++ b/crates/nu-command/src/filters/update.rs @@ -132,12 +132,12 @@ fn update( if let Err(e) = input.update_data_at_cell_path(&cell_path.members, pd.into_value(span)) { - return Value::Error { error: e }; + return Value::Error { error: Box::new(e) }; } input } - Err(e) => Value::Error { error: e }, + Err(e) => Value::Error { error: Box::new(e) }, } }, ctrlc, @@ -174,7 +174,7 @@ fn update( let replacement = replacement.clone(); if let Err(e) = input.update_data_at_cell_path(&cell_path.members, replacement) { - return Value::Error { error: e }; + return Value::Error { error: Box::new(e) }; } input diff --git a/crates/nu-command/src/filters/update_cells.rs b/crates/nu-command/src/filters/update_cells.rs index 7805a4882..621c97287 100644 --- a/crates/nu-command/src/filters/update_cells.rs +++ b/crates/nu-command/src/filters/update_cells.rs @@ -253,7 +253,7 @@ fn process_cell( redirect_stderr, ) { Ok(pd) => pd.into_value(span), - Err(e) => Value::Error { error: e }, + Err(e) => Value::Error { error: Box::new(e) }, } } diff --git a/crates/nu-command/src/filters/upsert.rs b/crates/nu-command/src/filters/upsert.rs index 30729fae5..ddc916e39 100644 --- a/crates/nu-command/src/filters/upsert.rs +++ b/crates/nu-command/src/filters/upsert.rs @@ -154,12 +154,12 @@ fn upsert( if let Err(e) = input.upsert_data_at_cell_path(&cell_path.members, pd.into_value(span)) { - return Value::Error { error: e }; + return Value::Error { error: Box::new(e) }; } input } - Err(e) => Value::Error { error: e }, + Err(e) => Value::Error { error: Box::new(e) }, } }, ctrlc, @@ -195,7 +195,7 @@ fn upsert( let replacement = replacement.clone(); if let Err(e) = input.upsert_data_at_cell_path(&cell_path.members, replacement) { - return Value::Error { error: e }; + return Value::Error { error: Box::new(e) }; } input diff --git a/crates/nu-command/src/filters/values.rs b/crates/nu-command/src/filters/values.rs index c8d1074cf..7225290da 100644 --- a/crates/nu-command/src/filters/values.rs +++ b/crates/nu-command/src/filters/values.rs @@ -119,7 +119,7 @@ pub fn get_values<'a>( } } } - Value::Error { error } => return Err(error.clone()), + Value::Error { error } => return Err(*error.clone()), _ => { return Err(ShellError::OnlySupportsThisInputType { exp_input_type: "record or table".into(), @@ -176,7 +176,7 @@ fn values( Ok(vals.into_pipeline_data(ctrlc).set_metadata(metadata)) } // Propagate errors - PipelineData::Value(Value::Error { error }, ..) => Err(error), + PipelineData::Value(Value::Error { error }, ..) => Err(*error), PipelineData::Value(other, ..) => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "record or table".into(), wrong_type: other.get_type().to_string(), diff --git a/crates/nu-command/src/filters/where_.rs b/crates/nu-command/src/filters/where_.rs index 1df21ffac..8144bea01 100644 --- a/crates/nu-command/src/filters/where_.rs +++ b/crates/nu-command/src/filters/where_.rs @@ -97,7 +97,9 @@ not supported."# None } } - Err(err) => Some(Value::Error { error: err }), + Err(err) => Some(Value::Error { + error: Box::new(err), + }), } }) .into_pipeline_data(ctrlc) diff --git a/crates/nu-command/src/formats/from/json.rs b/crates/nu-command/src/formats/from/json.rs index 031ad07bc..6a5f44f6b 100644 --- a/crates/nu-command/src/formats/from/json.rs +++ b/crates/nu-command/src/formats/from/json.rs @@ -77,7 +77,9 @@ impl Command for FromJson { } else { match convert_string_to_value(x.to_string(), span) { Ok(v) => Some(v), - Err(error) => Some(Value::Error { error }), + Err(error) => Some(Value::Error { + error: Box::new(error), + }), } } }) @@ -119,12 +121,12 @@ fn convert_nujson_to_value(value: &nu_json::Value, span: Span) -> Value { nu_json::Value::U64(u) => { if *u > i64::MAX as u64 { Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "i64 sized integer".into(), from_type: "value larger than i64".into(), span, help: None, - }, + }), } } else { Value::Int { diff --git a/crates/nu-command/src/formats/from/ods.rs b/crates/nu-command/src/formats/from/ods.rs index 411ed7097..7b9e2b870 100644 --- a/crates/nu-command/src/formats/from/ods.rs +++ b/crates/nu-command/src/formats/from/ods.rs @@ -93,7 +93,7 @@ fn collect_binary(input: PipelineData, span: Span) -> Result, ShellError Some(Value::Binary { val: b, .. }) => { bytes.extend_from_slice(&b); } - Some(Value::Error { error }) => return Err(error), + Some(Value::Error { error }) => return Err(*error), Some(x) => { return Err(ShellError::UnsupportedInput( "Expected binary from pipeline".to_string(), diff --git a/crates/nu-command/src/formats/to/delimited.rs b/crates/nu-command/src/formats/to/delimited.rs index 9e9b16ff7..19c53b45a 100644 --- a/crates/nu-command/src/formats/to/delimited.rs +++ b/crates/nu-command/src/formats/to/delimited.rs @@ -16,7 +16,7 @@ fn from_value_to_delimited_string( } Value::List { vals, span } => table_to_delimited(vals, span, separator, config, head), // Propagate errors by explicitly matching them before the final case. - Value::Error { error } => Err(error.clone()), + Value::Error { error } => Err(*error.clone()), v => Err(make_unsupported_input_error(v, head, v.expect_span())), } } @@ -122,7 +122,7 @@ fn to_string_tagged_value( Value::Date { val, .. } => Ok(val.to_string()), Value::Nothing { .. } => Ok(String::new()), // Propagate existing errors - Value::Error { error } => Err(error.clone()), + Value::Error { error } => Err(*error.clone()), _ => Err(make_unsupported_input_error(v, head, span)), } } diff --git a/crates/nu-command/src/formats/to/json.rs b/crates/nu-command/src/formats/to/json.rs index ffe15f256..2ee30d4bc 100644 --- a/crates/nu-command/src/formats/to/json.rs +++ b/crates/nu-command/src/formats/to/json.rs @@ -70,12 +70,12 @@ impl Command for ToJson { } .into_pipeline_data()), _ => Ok(Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "JSON".into(), from_type: value.get_type().to_string(), span, help: None, - }, + }), } .into_pipeline_data()), } @@ -126,7 +126,7 @@ pub fn value_to_json_value(v: &Value) -> Result { ), Value::List { vals, .. } => nu_json::Value::Array(json_list(vals)?), - Value::Error { error } => return Err(error.clone()), + Value::Error { error } => return Err(*error.clone()), Value::Closure { .. } | Value::Block { .. } | Value::Range { .. } => nu_json::Value::Null, Value::Binary { val, .. } => { nu_json::Value::Array(val.iter().map(|x| nu_json::Value::U64(*x as u64)).collect()) diff --git a/crates/nu-command/src/formats/to/nuon.rs b/crates/nu-command/src/formats/to/nuon.rs index abe34c054..f8b2ba87b 100644 --- a/crates/nu-command/src/formats/to/nuon.rs +++ b/crates/nu-command/src/formats/to/nuon.rs @@ -101,7 +101,7 @@ pub fn value_to_string(v: &Value, span: Span) -> Result { // FIXME: make durations use the shortest lossless representation. Value::Duration { val, .. } => Ok(format!("{}ns", *val)), // Propagate existing errors - Value::Error { error } => Err(error.clone()), + Value::Error { error } => Err(*error.clone()), // FIXME: make filesizes use the shortest lossless representation. Value::Filesize { val, .. } => Ok(format!("{}b", *val)), Value::Float { val, .. } => { diff --git a/crates/nu-command/src/formats/to/toml.rs b/crates/nu-command/src/formats/to/toml.rs index 4738dd379..18951eff3 100644 --- a/crates/nu-command/src/formats/to/toml.rs +++ b/crates/nu-command/src/formats/to/toml.rs @@ -77,7 +77,7 @@ fn helper(engine_state: &EngineState, v: &Value) -> Result toml::Value::String("".to_string()), - Value::Error { error } => return Err(error.clone()), + Value::Error { error } => return Err(*error.clone()), Value::Binary { val, .. } => toml::Value::Array( val.iter() .map(|x| toml::Value::Integer(*x as i64)) @@ -118,12 +118,12 @@ fn toml_into_pipeline_data( } .into_pipeline_data()), _ => Ok(Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "TOML".into(), from_type: value_type.to_string(), span, help: None, - }, + }), } .into_pipeline_data()), } @@ -137,7 +137,7 @@ fn value_to_toml_value( match v { Value::Record { .. } => helper(engine_state, v), // Propagate existing errors - Value::Error { error } => Err(error.clone()), + Value::Error { error } => Err(*error.clone()), _ => Err(ShellError::UnsupportedInput( format!("{:?} is not valid top-level TOML", v.get_type()), "value originates from here".into(), diff --git a/crates/nu-command/src/formats/to/yaml.rs b/crates/nu-command/src/formats/to/yaml.rs index a8ccd72fe..49e0d6e24 100644 --- a/crates/nu-command/src/formats/to/yaml.rs +++ b/crates/nu-command/src/formats/to/yaml.rs @@ -79,7 +79,7 @@ pub fn value_to_yaml_value(v: &Value) -> Result { Value::Block { .. } => serde_yaml::Value::Null, Value::Closure { .. } => serde_yaml::Value::Null, Value::Nothing { .. } => serde_yaml::Value::Null, - Value::Error { error } => return Err(error.clone()), + Value::Error { error } => return Err(*error.clone()), Value::Binary { val, .. } => serde_yaml::Value::Sequence( val.iter() .map(|x| serde_yaml::Value::Number(serde_yaml::Number::from(*x))) @@ -111,12 +111,12 @@ fn to_yaml(input: PipelineData, head: Span) -> Result } .into_pipeline_data()), _ => Ok(Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: "YAML".into(), from_type: value.get_type().to_string(), span: head, help: None, - }, + }), } .into_pipeline_data()), } diff --git a/crates/nu-command/src/hash/generic_digest.rs b/crates/nu-command/src/hash/generic_digest.rs index 64fae86f9..6be9bd53d 100644 --- a/crates/nu-command/src/hash/generic_digest.rs +++ b/crates/nu-command/src/hash/generic_digest.rs @@ -111,16 +111,20 @@ where other => { let span = match input.span() { Ok(span) => span, - Err(error) => return Value::Error { error }, + Err(error) => { + return Value::Error { + error: Box::new(error), + } + } }; return Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string or binary".into(), wrong_type: other.get_type().to_string(), dst_span: span, src_span: other.expect_span(), - }, + }), }; } }; diff --git a/crates/nu-command/src/input_handler.rs b/crates/nu-command/src/input_handler.rs index 256f44c6e..73b831af8 100644 --- a/crates/nu-command/src/input_handler.rs +++ b/crates/nu-command/src/input_handler.rs @@ -76,7 +76,9 @@ where }), ); if let Err(error) = r { - return Value::Error { error }; + return Value::Error { + error: Box::new(error), + }; } } v diff --git a/crates/nu-command/src/math/abs.rs b/crates/nu-command/src/math/abs.rs index ac59c2b3a..a4d1e8f62 100644 --- a/crates/nu-command/src/math/abs.rs +++ b/crates/nu-command/src/math/abs.rs @@ -68,12 +68,12 @@ fn abs_helper(val: Value, head: Span) -> Value { }, Value::Error { .. } => val, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/arccos.rs b/crates/nu-command/src/math/arccos.rs index e5c3b8776..959e1a648 100644 --- a/crates/nu-command/src/math/arccos.rs +++ b/crates/nu-command/src/math/arccos.rs @@ -77,23 +77,23 @@ fn operate(value: Value, head: Span, use_degrees: bool) -> Value { Value::Float { val, span } } else { Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "'arccos' undefined for values outside the closed interval [-1, 1].".into(), "value originates from here".into(), head, span, - ), + )), } } } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/arccosh.rs b/crates/nu-command/src/math/arccosh.rs index e9af7f56f..92af886f2 100644 --- a/crates/nu-command/src/math/arccosh.rs +++ b/crates/nu-command/src/math/arccosh.rs @@ -67,23 +67,23 @@ fn operate(value: Value, head: Span) -> Value { Value::Float { val, span } } else { Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "'arccosh' undefined for values below 1.".into(), "value originates from here".into(), head, span, - ), + )), } } } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/arcsin.rs b/crates/nu-command/src/math/arcsin.rs index 657b7b69d..aa588b1a8 100644 --- a/crates/nu-command/src/math/arcsin.rs +++ b/crates/nu-command/src/math/arcsin.rs @@ -78,23 +78,23 @@ fn operate(value: Value, head: Span, use_degrees: bool) -> Value { Value::Float { val, span } } else { Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "'arcsin' undefined for values outside the closed interval [-1, 1].".into(), "value originates from here".into(), head, span, - ), + )), } } } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/arcsinh.rs b/crates/nu-command/src/math/arcsinh.rs index f924ac067..dfc2b68be 100644 --- a/crates/nu-command/src/math/arcsinh.rs +++ b/crates/nu-command/src/math/arcsinh.rs @@ -67,12 +67,12 @@ fn operate(value: Value, head: Span) -> Value { } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/arctan.rs b/crates/nu-command/src/math/arctan.rs index 69aafa76c..8cf1de39a 100644 --- a/crates/nu-command/src/math/arctan.rs +++ b/crates/nu-command/src/math/arctan.rs @@ -78,12 +78,12 @@ fn operate(value: Value, head: Span, use_degrees: bool) -> Value { } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/arctanh.rs b/crates/nu-command/src/math/arctanh.rs index e4de8281e..1e8549b58 100644 --- a/crates/nu-command/src/math/arctanh.rs +++ b/crates/nu-command/src/math/arctanh.rs @@ -67,23 +67,23 @@ fn operate(value: Value, head: Span) -> Value { Value::Float { val, span } } else { Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "'arctanh' undefined for values outside the open interval (-1, 1).".into(), "value originates from here".into(), head, span, - ), + )), } } } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/ceil.rs b/crates/nu-command/src/math/ceil.rs index 26ed2b938..7398b957a 100644 --- a/crates/nu-command/src/math/ceil.rs +++ b/crates/nu-command/src/math/ceil.rs @@ -64,12 +64,12 @@ fn operate(value: Value, head: Span) -> Value { }, Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/cos.rs b/crates/nu-command/src/math/cos.rs index a2aa716a3..d2b94b7fd 100644 --- a/crates/nu-command/src/math/cos.rs +++ b/crates/nu-command/src/math/cos.rs @@ -88,12 +88,12 @@ fn operate(value: Value, head: Span, use_degrees: bool) -> Value { } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/cosh.rs b/crates/nu-command/src/math/cosh.rs index 0ea9bd2a2..1605cd07b 100644 --- a/crates/nu-command/src/math/cosh.rs +++ b/crates/nu-command/src/math/cosh.rs @@ -69,12 +69,12 @@ fn operate(value: Value, head: Span) -> Value { } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/floor.rs b/crates/nu-command/src/math/floor.rs index fb1fcb5ed..e605dfa8a 100644 --- a/crates/nu-command/src/math/floor.rs +++ b/crates/nu-command/src/math/floor.rs @@ -64,12 +64,12 @@ fn operate(value: Value, head: Span) -> Value { }, Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/ln.rs b/crates/nu-command/src/math/ln.rs index cc4475ef2..305beb057 100644 --- a/crates/nu-command/src/math/ln.rs +++ b/crates/nu-command/src/math/ln.rs @@ -67,23 +67,23 @@ fn operate(value: Value, head: Span) -> Value { Value::Float { val, span } } else { Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "'ln' undefined for values outside the open interval (0, Inf).".into(), "value originates from here".into(), head, span, - ), + )), } } } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/log.rs b/crates/nu-command/src/math/log.rs index 3c740e022..257857ce3 100644 --- a/crates/nu-command/src/math/log.rs +++ b/crates/nu-command/src/math/log.rs @@ -96,13 +96,13 @@ fn operate(value: Value, head: Span, base: f64) -> Value { if val <= 0.0 { return Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "'math log' undefined for values outside the open interval (0, Inf)." .into(), "value originates from here".into(), head, span, - ), + )), }; } // Specialize for better precision/performance @@ -118,12 +118,12 @@ fn operate(value: Value, head: Span, base: f64) -> Value { } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/mode.rs b/crates/nu-command/src/math/mode.rs index 9e0c787d5..f1d22eb02 100644 --- a/crates/nu-command/src/math/mode.rs +++ b/crates/nu-command/src/math/mode.rs @@ -132,7 +132,7 @@ pub fn mode(values: &[Value], _span: Span, head: &Span) -> Result { Ok(HashableType::new(val.to_ne_bytes(), NumberTypes::Filesize)) } - Value::Error { error } => Err(error.clone()), + Value::Error { error } => Err(*error.clone()), other => Err(ShellError::UnsupportedInput( "Unable to give a result with this input".to_string(), "value originates from here".into(), diff --git a/crates/nu-command/src/math/reducers.rs b/crates/nu-command/src/math/reducers.rs index 4a285ac43..a92c2d7e8 100644 --- a/crates/nu-command/src/math/reducers.rs +++ b/crates/nu-command/src/math/reducers.rs @@ -112,7 +112,7 @@ pub fn sum(data: Vec, span: Span, head: Span) -> Result { acc = acc.add(head, value, head)?; } - Value::Error { error } => return Err(error.clone()), + Value::Error { error } => return Err(*error.clone()), other => { return Err(ShellError::UnsupportedInput( "Attempted to compute the sum of a value that cannot be summed".to_string(), @@ -145,7 +145,7 @@ pub fn product(data: Vec, span: Span, head: Span) -> Result { acc = acc.mul(head, value, head)?; } - Value::Error { error } => return Err(error.clone()), + Value::Error { error } => return Err(*error.clone()), other => { return Err(ShellError::UnsupportedInput( "Attempted to compute the product of a value that cannot be multiplied" diff --git a/crates/nu-command/src/math/round.rs b/crates/nu-command/src/math/round.rs index a97f4e96a..9eb28249e 100644 --- a/crates/nu-command/src/math/round.rs +++ b/crates/nu-command/src/math/round.rs @@ -95,12 +95,12 @@ fn operate(value: Value, head: Span, precision: Option) -> Value { Value::Int { .. } => value, Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/sin.rs b/crates/nu-command/src/math/sin.rs index f85e45a5f..0db2dbc6d 100644 --- a/crates/nu-command/src/math/sin.rs +++ b/crates/nu-command/src/math/sin.rs @@ -88,12 +88,12 @@ fn operate(value: Value, head: Span, use_degrees: bool) -> Value { } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/sinh.rs b/crates/nu-command/src/math/sinh.rs index 150413217..af6330116 100644 --- a/crates/nu-command/src/math/sinh.rs +++ b/crates/nu-command/src/math/sinh.rs @@ -69,12 +69,12 @@ fn operate(value: Value, head: Span) -> Value { } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/sqrt.rs b/crates/nu-command/src/math/sqrt.rs index f0d206364..d34199915 100644 --- a/crates/nu-command/src/math/sqrt.rs +++ b/crates/nu-command/src/math/sqrt.rs @@ -73,24 +73,24 @@ fn operate(value: Value, head: Span) -> Value { } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } fn error_negative_sqrt(head: Span, span: Span) -> Value { Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( String::from("Can't square root a negative number"), "value originates from here".into(), head, span, - ), + )), } } diff --git a/crates/nu-command/src/math/tan.rs b/crates/nu-command/src/math/tan.rs index c5baedea0..a6b3a8e64 100644 --- a/crates/nu-command/src/math/tan.rs +++ b/crates/nu-command/src/math/tan.rs @@ -86,12 +86,12 @@ fn operate(value: Value, head: Span, use_degrees: bool) -> Value { } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/tanh.rs b/crates/nu-command/src/math/tanh.rs index dfb7b8a24..0c24bdd24 100644 --- a/crates/nu-command/src/math/tanh.rs +++ b/crates/nu-command/src/math/tanh.rs @@ -68,12 +68,12 @@ fn operate(value: Value, head: Span) -> Value { } Value::Error { .. } => value, other => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "numeric".into(), wrong_type: other.get_type().to_string(), dst_span: head, src_span: other.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/math/utils.rs b/crates/nu-command/src/math/utils.rs index a2bb60308..21467bd2e 100644 --- a/crates/nu-command/src/math/utils.rs +++ b/crates/nu-command/src/math/utils.rs @@ -34,7 +34,7 @@ fn helper_for_tables( .or_insert_with(|| vec![value.clone()]); } } - Value::Error { error } => return Err(error.clone()), + Value::Error { error } => return Err(*error.clone()), _ => { //Turns out we are not dealing with a table return mf(values, val.expect_span(), &name); diff --git a/crates/nu-command/src/math/variance.rs b/crates/nu-command/src/math/variance.rs index 062ca3637..e2a15ac3d 100644 --- a/crates/nu-command/src/math/variance.rs +++ b/crates/nu-command/src/math/variance.rs @@ -64,7 +64,7 @@ fn sum_of_squares(values: &[Value], span: &Span) -> Result { for value in values { let v = match &value { Value::Int { .. } | Value::Float { .. } => Ok(value), - Value::Error { error } => Err(error.clone()), + Value::Error { error } => Err(*error.clone()), _ => Err(ShellError::UnsupportedInput( "Attempted to compute the sum of squares of a non-integer, non-float value" .to_string(), diff --git a/crates/nu-command/src/network/url/build_query.rs b/crates/nu-command/src/network/url/build_query.rs index 78f44ab7c..3ffb442cb 100644 --- a/crates/nu-command/src/network/url/build_query.rs +++ b/crates/nu-command/src/network/url/build_query.rs @@ -98,7 +98,7 @@ fn to_url(input: PipelineData, head: Span) -> Result { } } // Propagate existing errors - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), other => Err(ShellError::UnsupportedInput( "Expected a table from pipeline".to_string(), "value originates from here".into(), diff --git a/crates/nu-command/src/network/url/encode.rs b/crates/nu-command/src/network/url/encode.rs index 77620f5eb..0606d0990 100644 --- a/crates/nu-command/src/network/url/encode.rs +++ b/crates/nu-command/src/network/url/encode.rs @@ -100,12 +100,12 @@ fn action_all(input: &Value, _arg: &CellPathOnlyArgs, head: Span) -> Value { } Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } @@ -121,12 +121,12 @@ fn action(input: &Value, _arg: &CellPathOnlyArgs, head: Span) -> Value { } Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/network/url/join.rs b/crates/nu-command/src/network/url/join.rs index ca42ea529..8e1a74549 100644 --- a/crates/nu-command/src/network/url/join.rs +++ b/crates/nu-command/src/network/url/join.rs @@ -106,7 +106,7 @@ impl Command for SubCommand { url_components?.to_url(span) } - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), other => Err(ShellError::UnsupportedInput( "Expected a record from pipeline".to_string(), "value originates from here".into(), @@ -164,7 +164,7 @@ impl UrlComponents { port: Some(val), ..self }), - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), other => Err(ShellError::IncompatibleParametersSingle { msg: String::from( "Port parameter should be an unsigned integer or a string representing it", @@ -211,7 +211,7 @@ impl UrlComponents { ..self }) } - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), other => Err(ShellError::IncompatibleParametersSingle { msg: String::from("Key params has to be a record"), span: other.expect_span(), diff --git a/crates/nu-command/src/path/exists.rs b/crates/nu-command/src/path/exists.rs index 8f86c4d2b..388c1813a 100644 --- a/crates/nu-command/src/path/exists.rs +++ b/crates/nu-command/src/path/exists.rs @@ -111,7 +111,7 @@ fn exists(path: &Path, span: Span, args: &Arguments) -> Value { Ok(exists) => exists, Err(err) => { return Value::Error { - error: ShellError::IOErrorSpanned(err.to_string(), span), + error: Box::new(ShellError::IOErrorSpanned(err.to_string(), span)), } } }, diff --git a/crates/nu-command/src/path/expand.rs b/crates/nu-command/src/path/expand.rs index 04c5efaa5..1252d9ee0 100644 --- a/crates/nu-command/src/path/expand.rs +++ b/crates/nu-command/src/path/expand.rs @@ -136,7 +136,7 @@ fn expand(path: &Path, span: Span, args: &Arguments) -> Value { } } Err(_) => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "Could not expand path".into(), "could not be expanded (path might not exist, non-final \ component is not a directory, or other cause)" @@ -144,7 +144,7 @@ fn expand(path: &Path, span: Span, args: &Arguments) -> Value { Some(span), None, Vec::new(), - ), + )), }, } } else if args.not_follow_symlink { diff --git a/crates/nu-command/src/path/join.rs b/crates/nu-command/src/path/join.rs index 37e4c67df..54fbc185a 100644 --- a/crates/nu-command/src/path/join.rs +++ b/crates/nu-command/src/path/join.rs @@ -197,11 +197,11 @@ fn join_list(parts: &[Value], head: Span, span: Span, args: &Arguments) -> Value Value::List { vals, span } } Err(_) => Value::Error { - error: ShellError::PipelineMismatch { + error: Box::new(ShellError::PipelineMismatch { exp_input_type: "string or record".into(), dst_span: head, src_span: span, - }, + }), }, } } @@ -223,7 +223,9 @@ fn join_record(cols: &[String], vals: &[Value], head: Span, span: Span, args: &A } else { match merge_record(cols, vals, head, span) { Ok(p) => join_single(p.as_path(), head, args), - Err(error) => Value::Error { error }, + Err(error) => Value::Error { + error: Box::new(error), + }, } } } diff --git a/crates/nu-command/src/path/mod.rs b/crates/nu-command/src/path/mod.rs index 49d867135..5eccd2ac2 100644 --- a/crates/nu-command/src/path/mod.rs +++ b/crates/nu-command/src/path/mod.rs @@ -48,12 +48,12 @@ where }; if col.is_empty() { return Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( String::from("when the input is a table, you must specify the columns"), "value originates from here".into(), name, span, - ), + )), }; } @@ -85,7 +85,7 @@ where fn handle_invalid_values(rest: Value, name: Span) -> Value { Value::Error { - error: err_from_value(&rest, name), + error: Box::new(err_from_value(&rest, name)), } } diff --git a/crates/nu-command/src/path/relative_to.rs b/crates/nu-command/src/path/relative_to.rs index 8c99fe9aa..b8fdc90fc 100644 --- a/crates/nu-command/src/path/relative_to.rs +++ b/crates/nu-command/src/path/relative_to.rs @@ -128,12 +128,12 @@ fn relative_to(path: &Path, span: Span, args: &Arguments) -> Value { match lhs.strip_prefix(&rhs) { Ok(p) => Value::string(p.to_string_lossy(), span), Err(e) => Value::Error { - error: ShellError::CantConvert { + error: Box::new(ShellError::CantConvert { to_type: e.to_string(), from_type: "string".into(), span, help: None, - }, + }), }, } } diff --git a/crates/nu-command/src/platform/ansi/gradient.rs b/crates/nu-command/src/platform/ansi/gradient.rs index f8a18c172..bb8a67dbf 100644 --- a/crates/nu-command/src/platform/ansi/gradient.rs +++ b/crates/nu-command/src/platform/ansi/gradient.rs @@ -134,7 +134,9 @@ fn operate( Box::new(move |old| action(old, fgs_hex, fge_hex, bgs_hex, bge_hex, &head)), ); if let Err(error) = r { - return Value::Error { error }; + return Value::Error { + error: Box::new(error), + }; } } ret @@ -158,11 +160,11 @@ fn action( (None, None, None, None) => { // Error - no colors Value::Error { - error: ShellError::MissingParameter { + error: Box::new(ShellError::MissingParameter { param_name: "please supply foreground and/or background color parameters".into(), span: *command_span, - }, + }), } } (None, None, None, Some(bg_end)) => { @@ -286,10 +288,10 @@ fn action( let got = format!("value is {}, not string", other.get_type()); Value::Error { - error: ShellError::TypeMismatch { + error: Box::new(ShellError::TypeMismatch { err_message: got, span: other.span().unwrap_or(*command_span), - }, + }), } } } diff --git a/crates/nu-command/src/platform/ansi/link.rs b/crates/nu-command/src/platform/ansi/link.rs index bdf79f3c0..a5505d66b 100644 --- a/crates/nu-command/src/platform/ansi/link.rs +++ b/crates/nu-command/src/platform/ansi/link.rs @@ -122,7 +122,9 @@ fn process_each_path( Box::new(|v| process_value(v, text, command_span)), ); if let Err(error) = ret { - return Value::Error { error }; + return Value::Error { + error: Box::new(error), + }; } } value @@ -139,10 +141,10 @@ fn process_value(value: &Value, text: &Option, command_span: &Span) -> V let got = format!("value is {}, not string", other.get_type()); Value::Error { - error: ShellError::TypeMismatch { + error: Box::new(ShellError::TypeMismatch { err_message: got, span: other.span().unwrap_or(*command_span), - }, + }), } } } diff --git a/crates/nu-command/src/platform/ansi/strip.rs b/crates/nu-command/src/platform/ansi/strip.rs index ba611a1b7..a9ebe9250 100644 --- a/crates/nu-command/src/platform/ansi/strip.rs +++ b/crates/nu-command/src/platform/ansi/strip.rs @@ -58,10 +58,10 @@ fn action(input: &Value, _args: &CellPathOnlyArgs, command_span: Span) -> Value let got = format!("value is {}, not string", other.get_type()); Value::Error { - error: ShellError::TypeMismatch { + error: Box::new(ShellError::TypeMismatch { err_message: got, span: other.span().unwrap_or(command_span), - }, + }), } } } diff --git a/crates/nu-command/src/platform/du.rs b/crates/nu-command/src/platform/du.rs index 72e365ea6..4266793f7 100644 --- a/crates/nu-command/src/platform/du.rs +++ b/crates/nu-command/src/platform/du.rs @@ -179,7 +179,7 @@ impl Command for Du { } } Err(e) => { - output.push(Value::Error { error: e }); + output.push(Value::Error { error: Box::new(e) }); } } } diff --git a/crates/nu-command/src/strings/encode_decode/base64.rs b/crates/nu-command/src/strings/encode_decode/base64.rs index e521c2838..9a7256e16 100644 --- a/crates/nu-command/src/strings/encode_decode/base64.rs +++ b/crates/nu-command/src/strings/encode_decode/base64.rs @@ -90,7 +90,8 @@ fn action( "binhex" => GeneralPurpose::new(&alphabet::BIN_HEX, NO_PAD), "crypt" => GeneralPurpose::new(&alphabet::CRYPT, NO_PAD), "mutf7" => GeneralPurpose::new(&alphabet::IMAP_MUTF7, NO_PAD), - not_valid => return Value::Error { error:ShellError::GenericError( + not_valid => return Value::Error { error: + Box::new(ShellError::GenericError( "value is not an accepted character set".to_string(), format!( "{not_valid} is not a valid character-set.\nPlease use `help encode base64` to see a list of valid character sets." @@ -98,7 +99,7 @@ fn action( Some(config_character_set.span), None, Vec::new(), - )} + ))} }; match input { // Propagate existing errors. @@ -111,13 +112,13 @@ fn action( Ok(bytes_written) => bytes_written, Err(err) => { return Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "Error encoding data".into(), err.to_string(), Some(Span::unknown()), None, Vec::new(), - ), + )), } } }; @@ -125,13 +126,13 @@ fn action( Value::string(std::str::from_utf8(&enc_vec).unwrap_or(""), command_span) } ActionType::Decode => Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "Binary data can only be encoded".to_string(), "value originates from here".into(), command_span, // This line requires the Value::Error {} match above. input.expect_span(), - ), + )), }, }, Value::String { @@ -158,20 +159,20 @@ fn action( match String::from_utf8(decoded_value) { Ok(string_value) => Value::string(string_value, command_span), Err(e) => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "base64 payload isn't a valid utf-8 sequence" .to_owned(), e.to_string(), Some(*value_span), Some("consider using the `--binary` flag".to_owned()), Vec::new(), - ), + )), }, } } } Err(_) => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "value could not be base64 decoded".to_string(), format!( "invalid base64 input for character set {}", @@ -180,17 +181,17 @@ fn action( Some(command_span), None, Vec::new(), - ), + )), }, } } } } other => Value::Error { - error: ShellError::TypeMismatch { + error: Box::new(ShellError::TypeMismatch { err_message: format!("string or binary, not {}", other.get_type()), span: other.span().unwrap_or(command_span), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/encode_decode/decode.rs b/crates/nu-command/src/strings/encode_decode/decode.rs index 13e352f16..1387261cd 100644 --- a/crates/nu-command/src/strings/encode_decode/decode.rs +++ b/crates/nu-command/src/strings/encode_decode/decode.rs @@ -77,7 +77,7 @@ documentation link at https://docs.rs/encoding_rs/latest/encoding_rs/#statics"# PipelineData::Value(v, ..) => match v { Value::Binary { val: bytes, .. } => super::encoding::decode(head, encoding, &bytes) .map(|val| val.into_pipeline_data()), - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), _ => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "binary".into(), wrong_type: v.get_type().to_string(), diff --git a/crates/nu-command/src/strings/encode_decode/encode.rs b/crates/nu-command/src/strings/encode_decode/encode.rs index 4290f9b92..f475701c6 100644 --- a/crates/nu-command/src/strings/encode_decode/encode.rs +++ b/crates/nu-command/src/strings/encode_decode/encode.rs @@ -100,7 +100,7 @@ documentation link at https://docs.rs/encoding_rs/latest/encoding_rs/#statics"# super::encoding::encode(head, encoding, &s, span, ignore_errors) .map(|val| val.into_pipeline_data()) } - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), _ => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: v.get_type().to_string(), diff --git a/crates/nu-command/src/strings/format/command.rs b/crates/nu-command/src/strings/format/command.rs index 4e9d6d1fe..8f3bf3e50 100644 --- a/crates/nu-command/src/strings/format/command.rs +++ b/crates/nu-command/src/strings/format/command.rs @@ -230,7 +230,7 @@ fn format( } } } - Value::Error { error } => return Err(error.clone()), + Value::Error { error } => return Err(*error.clone()), _ => { return Err(ShellError::OnlySupportsThisInputType { exp_input_type: "record".to_string(), @@ -249,7 +249,7 @@ fn format( } // Unwrapping this ShellError is a bit unfortunate. // Ideally, its Span would be preserved. - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), _ => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "record".to_string(), wrong_type: data_as_value.get_type().to_string(), diff --git a/crates/nu-command/src/strings/format/filesize.rs b/crates/nu-command/src/strings/format/filesize.rs index fee893fcb..7cea48650 100644 --- a/crates/nu-command/src/strings/format/filesize.rs +++ b/crates/nu-command/src/strings/format/filesize.rs @@ -106,12 +106,12 @@ fn format_value_impl(val: &Value, arg: &Arguments, span: Span) -> Value { }, Value::Error { .. } => val.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "filesize".into(), wrong_type: val.get_type().to_string(), dst_span: span, src_span: val.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/parse.rs b/crates/nu-command/src/strings/parse.rs index 1c795b270..06d26be44 100644 --- a/crates/nu-command/src/strings/parse.rs +++ b/crates/nu-command/src/strings/parse.rs @@ -346,11 +346,11 @@ impl Iterator for ParseStreamer { &mut self.excess, ), Err(_) => Some(Value::Error { - error: ShellError::PipelineMismatch { + error: Box::new(ShellError::PipelineMismatch { exp_input_type: "string".into(), dst_span: self.span, src_span: v.span().unwrap_or(self.span), - }, + }), }), } } else { @@ -386,15 +386,17 @@ impl Iterator for ParseStreamerExternal { &mut self.excess, ), Err(_) => Some(Value::Error { - error: ShellError::PipelineMismatch { + error: Box::new(ShellError::PipelineMismatch { exp_input_type: "string".into(), dst_span: self.span, src_span: self.span, - }, + }), }), } } else if let Some(Err(err)) = v { - Some(Value::Error { error: err }) + Some(Value::Error { + error: Box::new(err), + }) } else { None } @@ -416,13 +418,13 @@ fn stream_helper( Ok(c) => c, Err(e) => { return Some(Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "Error with regular expression captures".into(), e.to_string(), None, None, Vec::new(), - ), + )), }) } }; diff --git a/crates/nu-command/src/strings/size.rs b/crates/nu-command/src/strings/size.rs index bb5b24fcd..faffbc09d 100644 --- a/crates/nu-command/src/strings/size.rs +++ b/crates/nu-command/src/strings/size.rs @@ -124,18 +124,18 @@ fn size( move |v| { // First, obtain the span. If this fails, propagate the error that results. let value_span = match v.span() { - Err(v) => return Value::Error { error: v }, + Err(v) => return Value::Error { error: Box::new(v) }, Ok(v) => v, }; // Now, check if it's a string. match v.as_string() { Ok(s) => counter(&s, span), Err(_) => Value::Error { - error: ShellError::PipelineMismatch { + error: Box::new(ShellError::PipelineMismatch { exp_input_type: "string".into(), dst_span: span, src_span: value_span, - }, + }), }, } }, diff --git a/crates/nu-command/src/strings/split/chars.rs b/crates/nu-command/src/strings/split/chars.rs index 0ee5cb4f5..d4371f4d0 100644 --- a/crates/nu-command/src/strings/split/chars.rs +++ b/crates/nu-command/src/strings/split/chars.rs @@ -110,15 +110,17 @@ fn split_chars_helper(v: &Value, name: Span, graphemes: bool) -> Vec { } } else { vec![Value::Error { - error: ShellError::PipelineMismatch { + error: Box::new(ShellError::PipelineMismatch { exp_input_type: "string".into(), dst_span: name, src_span: v_span, - }, + }), }] } } - Err(error) => vec![Value::Error { error }], + Err(error) => vec![Value::Error { + error: Box::new(error), + }], } } diff --git a/crates/nu-command/src/strings/split/column.rs b/crates/nu-command/src/strings/split/column.rs index 137474c54..4aa03f008 100644 --- a/crates/nu-command/src/strings/split/column.rs +++ b/crates/nu-command/src/strings/split/column.rs @@ -182,13 +182,15 @@ fn split_column_helper( } else { match v.span() { Ok(span) => vec![Value::Error { - error: ShellError::PipelineMismatch { + error: Box::new(ShellError::PipelineMismatch { exp_input_type: "string".into(), dst_span: head, src_span: span, - }, + }), + }], + Err(error) => vec![Value::Error { + error: Box::new(error), }], - Err(error) => vec![Value::Error { error }], } } } diff --git a/crates/nu-command/src/strings/split/row.rs b/crates/nu-command/src/strings/split/row.rs index 13de193cc..3cfe8036d 100644 --- a/crates/nu-command/src/strings/split/row.rs +++ b/crates/nu-command/src/strings/split/row.rs @@ -132,15 +132,17 @@ fn split_row_helper( } } else { vec![Value::Error { - error: ShellError::PipelineMismatch { + error: Box::new(ShellError::PipelineMismatch { exp_input_type: "string".into(), dst_span: name, src_span: v_span, - }, + }), }] } } - Err(error) => vec![Value::Error { error }], + Err(error) => vec![Value::Error { + error: Box::new(error), + }], } } diff --git a/crates/nu-command/src/strings/split/words.rs b/crates/nu-command/src/strings/split/words.rs index 80895e073..9c7eeb420 100644 --- a/crates/nu-command/src/strings/split/words.rs +++ b/crates/nu-command/src/strings/split/words.rs @@ -185,15 +185,17 @@ fn split_words_helper( .collect::>() } else { vec![Value::Error { - error: ShellError::PipelineMismatch { + error: Box::new(ShellError::PipelineMismatch { exp_input_type: "string".into(), dst_span: span, src_span: v_span, - }, + }), }] } } - Err(error) => vec![Value::Error { error }], + Err(error) => vec![Value::Error { + error: Box::new(error), + }], } } diff --git a/crates/nu-command/src/strings/str_/case/capitalize.rs b/crates/nu-command/src/strings/str_/case/capitalize.rs index 5c5b21a42..498b77f2b 100644 --- a/crates/nu-command/src/strings/str_/case/capitalize.rs +++ b/crates/nu-command/src/strings/str_/case/capitalize.rs @@ -89,7 +89,9 @@ fn operate( let r = ret.update_cell_path(&path.members, Box::new(move |old| action(old, head))); if let Err(error) = r { - return Value::Error { error }; + return Value::Error { + error: Box::new(error), + }; } } ret @@ -107,12 +109,12 @@ fn action(input: &Value, head: Span) -> Value { }, Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/case/downcase.rs b/crates/nu-command/src/strings/str_/case/downcase.rs index 61b4f8392..9c63e29b3 100644 --- a/crates/nu-command/src/strings/str_/case/downcase.rs +++ b/crates/nu-command/src/strings/str_/case/downcase.rs @@ -101,7 +101,9 @@ fn operate( let r = ret.update_cell_path(&path.members, Box::new(move |old| action(old, head))); if let Err(error) = r { - return Value::Error { error }; + return Value::Error { + error: Box::new(error), + }; } } ret @@ -119,12 +121,12 @@ fn action(input: &Value, head: Span) -> Value { }, Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/case/mod.rs b/crates/nu-command/src/strings/str_/case/mod.rs index 99c6da424..1f76caf03 100644 --- a/crates/nu-command/src/strings/str_/case/mod.rs +++ b/crates/nu-command/src/strings/str_/case/mod.rs @@ -69,12 +69,12 @@ where }, Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/case/upcase.rs b/crates/nu-command/src/strings/str_/case/upcase.rs index 0f04febb3..fd4fdca79 100644 --- a/crates/nu-command/src/strings/str_/case/upcase.rs +++ b/crates/nu-command/src/strings/str_/case/upcase.rs @@ -68,7 +68,9 @@ fn operate( let r = ret.update_cell_path(&path.members, Box::new(move |old| action(old, head))); if let Err(error) = r { - return Value::Error { error }; + return Value::Error { + error: Box::new(error), + }; } } ret @@ -86,12 +88,12 @@ fn action(input: &Value, head: Span) -> Value { }, Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/collect.rs b/crates/nu-command/src/strings/str_/collect.rs index 2ebf1efcf..258ee6412 100644 --- a/crates/nu-command/src/strings/str_/collect.rs +++ b/crates/nu-command/src/strings/str_/collect.rs @@ -48,7 +48,7 @@ impl Command for StrCollect { for value in input { match value { Value::Error { error } => { - return Err(error); + return Err(*error); } value => { strings.push(value.debug_string("\n", config)); diff --git a/crates/nu-command/src/strings/str_/contains.rs b/crates/nu-command/src/strings/str_/contains.rs index f45748d0f..5c34f7a90 100644 --- a/crates/nu-command/src/strings/str_/contains.rs +++ b/crates/nu-command/src/strings/str_/contains.rs @@ -183,12 +183,12 @@ fn action( ), Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/distance.rs b/crates/nu-command/src/strings/str_/distance.rs index 9fc1e601d..12af21c92 100644 --- a/crates/nu-command/src/strings/str_/distance.rs +++ b/crates/nu-command/src/strings/str_/distance.rs @@ -99,12 +99,12 @@ fn action(input: &Value, args: &Arguments, head: Span) -> Value { } Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/ends_with.rs b/crates/nu-command/src/strings/str_/ends_with.rs index 7853be0eb..671a1c75a 100644 --- a/crates/nu-command/src/strings/str_/ends_with.rs +++ b/crates/nu-command/src/strings/str_/ends_with.rs @@ -98,12 +98,12 @@ fn action(input: &Value, args: &Arguments, head: Span) -> Value { } Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/index_of.rs b/crates/nu-command/src/strings/str_/index_of.rs index 808a1e8f0..2f9ff5802 100644 --- a/crates/nu-command/src/strings/str_/index_of.rs +++ b/crates/nu-command/src/strings/str_/index_of.rs @@ -155,7 +155,7 @@ fn action( Value::String { val: s, .. } => { let (start_index, end_index) = match r { Ok(r) => (r.0 as usize, r.1 as usize), - Err(e) => return Value::Error { error: e }, + Err(e) => return Value::Error { error: Box::new(e) }, }; // When the -e flag is present, search using rfind instead of find.s @@ -186,12 +186,12 @@ fn action( } Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } @@ -235,7 +235,7 @@ fn process_range( Ok((start_index, end_index)) } } - Value::Error { error } => Err(error.clone()), + Value::Error { error } => Err(*error.clone()), _ => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), diff --git a/crates/nu-command/src/strings/str_/join.rs b/crates/nu-command/src/strings/str_/join.rs index 21f79ed2b..e48adefac 100644 --- a/crates/nu-command/src/strings/str_/join.rs +++ b/crates/nu-command/src/strings/str_/join.rs @@ -52,7 +52,7 @@ impl Command for StrJoin { for value in input { match value { Value::Error { error } => { - return Err(error); + return Err(*error); } value => { strings.push(value.debug_string("\n", config)); diff --git a/crates/nu-command/src/strings/str_/length.rs b/crates/nu-command/src/strings/str_/length.rs index 91f318152..46bab5510 100644 --- a/crates/nu-command/src/strings/str_/length.rs +++ b/crates/nu-command/src/strings/str_/length.rs @@ -108,12 +108,12 @@ fn action(input: &Value, arg: &Arguments, head: Span) -> Value { ), Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/replace.rs b/crates/nu-command/src/strings/str_/replace.rs index b1c88bfee..91b7b45dd 100644 --- a/crates/nu-command/src/strings/str_/replace.rs +++ b/crates/nu-command/src/strings/str_/replace.rs @@ -209,22 +209,22 @@ fn action( } } Err(e) => Value::Error { - error: ShellError::IncorrectValue { + error: Box::new(ShellError::IncorrectValue { msg: format!("Regex error: {e}"), span: find.span, - }, + }), }, } } } Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/reverse.rs b/crates/nu-command/src/strings/str_/reverse.rs index 07790549f..3a326ba32 100644 --- a/crates/nu-command/src/strings/str_/reverse.rs +++ b/crates/nu-command/src/strings/str_/reverse.rs @@ -77,12 +77,12 @@ fn action(input: &Value, _arg: &CellPathOnlyArgs, head: Span) -> Value { }, Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/starts_with.rs b/crates/nu-command/src/strings/str_/starts_with.rs index 2a0276590..31ab8bad7 100644 --- a/crates/nu-command/src/strings/str_/starts_with.rs +++ b/crates/nu-command/src/strings/str_/starts_with.rs @@ -114,12 +114,12 @@ fn action( } Value::Error { .. } => input.clone(), _ => Value::Error { - error: ShellError::OnlySupportsThisInputType { + error: Box::new(ShellError::OnlySupportsThisInputType { exp_input_type: "string".into(), wrong_type: input.get_type().to_string(), dst_span: head, src_span: input.expect_span(), - }, + }), }, } } diff --git a/crates/nu-command/src/strings/str_/substring.rs b/crates/nu-command/src/strings/str_/substring.rs index 5b253a778..ebdf37436 100644 --- a/crates/nu-command/src/strings/str_/substring.rs +++ b/crates/nu-command/src/strings/str_/substring.rs @@ -155,10 +155,10 @@ fn action(input: &Value, args: &Arguments, head: Span) -> Value { match start.cmp(&end) { Ordering::Equal => Value::string("", head), Ordering::Greater => Value::Error { - error: ShellError::TypeMismatch { + error: Box::new(ShellError::TypeMismatch { err_message: "End must be greater than or equal to Start".to_string(), span: head, - }, + }), }, Ordering::Less => Value::String { val: { @@ -200,13 +200,13 @@ fn action(input: &Value, args: &Arguments, head: Span) -> Value { // Propagate errors by explicitly matching them before the final case. Value::Error { .. } => input.clone(), other => Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "Only string values are supported".into(), format!("input type: {:?}", other.get_type()), head, // This line requires the Value::Error match above. other.expect_span(), - ), + )), }, } } diff --git a/crates/nu-command/src/strings/str_/trim/trim_.rs b/crates/nu-command/src/strings/str_/trim/trim_.rs index 148520dad..84624f0e2 100644 --- a/crates/nu-command/src/strings/str_/trim/trim_.rs +++ b/crates/nu-command/src/strings/str_/trim/trim_.rs @@ -191,13 +191,13 @@ fn action(input: &Value, arg: &Arguments, head: Span) -> Value { }, ActionMode::Local => { Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( "Only string values are supported".into(), format!("input type: {:?}", other.get_type()), head, // This line requires the Value::Error match above. other.expect_span(), - ), + )), } } }, diff --git a/crates/nu-command/src/system/run_external.rs b/crates/nu-command/src/system/run_external.rs index 7107c1de6..1592f4a34 100644 --- a/crates/nu-command/src/system/run_external.rs +++ b/crates/nu-command/src/system/run_external.rs @@ -445,7 +445,7 @@ impl ExternalCommand { )) ); let _ = exit_code_tx.send(Value::Error { - error: ShellError::ExternalCommand { label: "core dumped".to_string(), help: format!("{cause}: child process '{commandname}' core dumped"), span: head }, + error: Box::new(ShellError::ExternalCommand { label: "core dumped".to_string(), help: format!("{cause}: child process '{commandname}' core dumped"), span: head }), }); return Ok(()); } diff --git a/crates/nu-command/src/viewers/explore.rs b/crates/nu-command/src/viewers/explore.rs index 22ecd187d..3eef7a126 100644 --- a/crates/nu-command/src/viewers/explore.rs +++ b/crates/nu-command/src/viewers/explore.rs @@ -98,7 +98,9 @@ impl Command for Explore { Ok(Some(value)) => Ok(PipelineData::Value(value, None)), Ok(None) => Ok(PipelineData::Value(Value::default(), None)), Err(err) => Ok(PipelineData::Value( - Value::Error { error: err.into() }, + Value::Error { + error: Box::new(err.into()), + }, None, )), } diff --git a/crates/nu-command/src/viewers/table.rs b/crates/nu-command/src/viewers/table.rs index 80c71765d..870550c93 100644 --- a/crates/nu-command/src/viewers/table.rs +++ b/crates/nu-command/src/viewers/table.rs @@ -305,7 +305,7 @@ fn handle_table_command( PipelineData::Value(Value::Error { error }, ..) => { // Propagate this error outward, so that it goes to stderr // instead of stdout. - Err(error) + Err(*error) } PipelineData::Value(Value::CustomValue { val, span }, ..) => { let base_pipeline = val.to_base_value(span)?.into_pipeline_data(); @@ -904,7 +904,7 @@ fn convert_to_table( } if let Value::Error { error } = item { - return Err(error.clone()); + return Err(*error.clone()); } let mut row = vec![]; @@ -1043,7 +1043,7 @@ fn convert_to_table2<'a>( } if let Value::Error { error } = item { - return Err(error.clone()); + return Err(*error.clone()); } let index = row + row_offset; @@ -1085,7 +1085,7 @@ fn convert_to_table2<'a>( } if let Value::Error { error } = item { - return Err(error.clone()); + return Err(*error.clone()); } let mut value = convert_to_table2_entry( @@ -1184,7 +1184,7 @@ fn convert_to_table2<'a>( } if let Value::Error { error } = item { - return Err(error.clone()); + return Err(*error.clone()); } let mut value = create_table2_entry( diff --git a/crates/nu-engine/src/eval.rs b/crates/nu-engine/src/eval.rs index 0b33e884d..064b69732 100644 --- a/crates/nu-engine/src/eval.rs +++ b/crates/nu-engine/src/eval.rs @@ -1086,7 +1086,14 @@ pub fn eval_block( // make early return so remaining commands will not be executed. // don't return `Err(ShellError)`, so nushell wouldn't show extra error message. } - (Err(error), true) => input = PipelineData::Value(Value::Error { error }, None), + (Err(error), true) => { + input = PipelineData::Value( + Value::Error { + error: Box::new(error), + }, + None, + ) + } (output, false) => { let output = output?; input = output.0; @@ -1191,7 +1198,7 @@ pub fn eval_block( fn print_or_return(pipeline_data: PipelineData, config: &Config) -> Result<(), ShellError> { for item in pipeline_data { if let Value::Error { error } = item { - return Err(error); + return Err(*error); } let mut out = item.into_string("\n", config); @@ -1393,49 +1400,49 @@ fn compute(size: i64, unit: Unit, span: Span) -> Value { Unit::Minute => match size.checked_mul(1000 * 1000 * 1000 * 60) { Some(val) => Value::Duration { val, span }, None => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "duration too large".into(), "duration too large".into(), Some(span), None, Vec::new(), - ), + )), }, }, Unit::Hour => match size.checked_mul(1000 * 1000 * 1000 * 60 * 60) { Some(val) => Value::Duration { val, span }, None => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "duration too large".into(), "duration too large".into(), Some(span), None, Vec::new(), - ), + )), }, }, Unit::Day => match size.checked_mul(1000 * 1000 * 1000 * 60 * 60 * 24) { Some(val) => Value::Duration { val, span }, None => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "duration too large".into(), "duration too large".into(), Some(span), None, Vec::new(), - ), + )), }, }, Unit::Week => match size.checked_mul(1000 * 1000 * 1000 * 60 * 60 * 24 * 7) { Some(val) => Value::Duration { val, span }, None => Value::Error { - error: ShellError::GenericError( + error: Box::new(ShellError::GenericError( "duration too large".into(), "duration too large".into(), Some(span), None, Vec::new(), - ), + )), }, }, } @@ -1490,7 +1497,9 @@ fn collect_profiling_metadata( Value::string("raw stream", element_span) } Ok((PipelineData::Empty, ..)) => Value::Nothing { span: element_span }, - Err(err) => Value::Error { error: err.clone() }, + Err(err) => Value::Error { + error: Box::new(err.clone()), + }, }; cols.push("value".to_string()); diff --git a/crates/nu-explore/src/nu_common/table.rs b/crates/nu-explore/src/nu_common/table.rs index 4035f95a6..696e62026 100644 --- a/crates/nu-explore/src/nu_common/table.rs +++ b/crates/nu-explore/src/nu_common/table.rs @@ -347,7 +347,7 @@ fn convert_to_table2<'a>( } if let Value::Error { error } = item { - return Err(error.clone()); + return Err(*error.clone()); } let index = row + row_offset; @@ -382,7 +382,7 @@ fn convert_to_table2<'a>( } if let Value::Error { error } = item { - return Err(error.clone()); + return Err(*error.clone()); } let value = convert_to_table2_entry( @@ -444,7 +444,7 @@ fn convert_to_table2<'a>( } if let Value::Error { error } = item { - return Err(error.clone()); + return Err(*error.clone()); } let value = create_table2_entry( diff --git a/crates/nu-explore/src/nu_common/value.rs b/crates/nu-explore/src/nu_common/value.rs index 40956e61b..be09e7d3e 100644 --- a/crates/nu-explore/src/nu_common/value.rs +++ b/crates/nu-explore/src/nu_common/value.rs @@ -52,7 +52,9 @@ fn collect_external_stream( let mut data = vec![]; if let Some(stdout) = stdout { let value = stdout.into_string().map_or_else( - |error| Value::Error { error }, + |error| Value::Error { + error: Box::new(error), + }, |string| Value::string(string.item, span), ); @@ -61,7 +63,9 @@ fn collect_external_stream( } if let Some(stderr) = stderr { let value = stderr.into_string().map_or_else( - |error| Value::Error { error }, + |error| Value::Error { + error: Box::new(error), + }, |string| Value::string(string.item, span), ); diff --git a/crates/nu-protocol/src/pipeline_data.rs b/crates/nu-protocol/src/pipeline_data.rs index dabd122b7..0864445ad 100644 --- a/crates/nu-protocol/src/pipeline_data.rs +++ b/crates/nu-protocol/src/pipeline_data.rs @@ -145,7 +145,7 @@ impl PipelineData { items.push(val); } Err(e) => { - return Value::Error { error: e }; + return Value::Error { error: Box::new(e) }; } } } @@ -165,7 +165,9 @@ impl PipelineData { output.extend(item); } Err(err) => { - return Value::Error { error: err }; + return Value::Error { + error: Box::new(err), + }; } } } @@ -180,7 +182,9 @@ impl PipelineData { match item.as_string() { Ok(s) => output.push_str(&s), Err(err) => { - return Value::Error { error: err }; + return Value::Error { + error: Box::new(err), + }; } } } @@ -227,7 +231,7 @@ impl PipelineData { Err(error) => Err(error), }, // Propagate errors by explicitly matching them before the final case. - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), other => Err(ShellError::OnlySupportsThisInputType { exp_input_type: "list, binary, raw data or range".into(), wrong_type: other.get_type().to_string(), @@ -397,7 +401,7 @@ impl PipelineData { .map(f) .into_pipeline_data(ctrlc)), PipelineData::Value(v, ..) => match f(v) { - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), v => Ok(v.into_pipeline_data()), }, } @@ -770,7 +774,7 @@ impl PipelineData { let working_set = StateWorkingSet::new(engine_state); // Value::Errors must always go to stderr, not stdout. is_err = true; - format_error(&working_set, &error) + format_error(&working_set, &*error) } else if no_newline { item.into_string("", config) } else { @@ -821,7 +825,9 @@ impl IntoIterator for PipelineData { )), Err(error) => PipelineIterator(PipelineData::ListStream( ListStream { - stream: Box::new(std::iter::once(Value::Error { error })), + stream: Box::new(std::iter::once(Value::Error { + error: Box::new(error), + })), ctrlc: None, }, metadata, @@ -863,7 +869,7 @@ pub fn print_if_stream( let mut exit_codes: Vec<_> = exit_code.into_iter().collect(); return match exit_codes.pop() { #[cfg(unix)] - Some(Value::Error { error }) => Err(error), + Some(Value::Error { error }) => Err(*error), Some(Value::Int { val, .. }) => Ok(val), _ => Ok(0), }; @@ -887,7 +893,9 @@ impl Iterator for PipelineIterator { .. } => stream.next().map(|x| match x { Ok(x) => x, - Err(err) => Value::Error { error: err }, + Err(err) => Value::Error { + error: Box::new(err), + }, }), } } diff --git a/crates/nu-protocol/src/value/mod.rs b/crates/nu-protocol/src/value/mod.rs index 65db0a46c..c0c00a324 100644 --- a/crates/nu-protocol/src/value/mod.rs +++ b/crates/nu-protocol/src/value/mod.rs @@ -93,7 +93,7 @@ pub enum Value { span: Span, }, Error { - error: ShellError, + error: Box, }, Binary { val: Vec, @@ -150,7 +150,9 @@ impl Clone for Value { match val.collect() { Ok(val) => val, // this is a bit weird, but because clone() is infallible... - Err(error) => Value::Error { error }, + Err(error) => Value::Error { + error: Box::new(error), + }, } } Value::List { vals, span } => Value::List { @@ -346,7 +348,7 @@ impl Value { /// Get the span for the current value pub fn span(&self) -> Result { match self { - Value::Error { error } => Err(error.clone()), + Value::Error { error } => Err(*error.clone()), Value::Bool { span, .. } => Ok(*span), Value::Int { span, .. } => Ok(*span), Value::Float { span, .. } => Ok(*span), @@ -494,7 +496,7 @@ impl Value { config: &Config, ) -> Result { if let Value::Error { error } = self { - Err(error.to_owned()) + Err(*error.to_owned()) } else { Ok(self.into_string(separator, config)) } @@ -535,7 +537,9 @@ impl Value { Value::LazyRecord { val, .. } => { let collected = match val.collect() { Ok(val) => val, - Err(error) => Value::Error { error }, + Err(error) => Value::Error { + error: Box::new(error), + }, }; collected.into_string(separator, config) } @@ -773,7 +777,7 @@ impl Value { err_message: "Can't access record values with a row index. Try specifying a column name instead".into(), span: *origin_span, }, *origin_span) } - Value::Error { error } => return Err(error.to_owned()), + Value::Error { error } => return Err(*error.to_owned()), x => { err_or_null!( ShellError::IncompatiblePathAccess { @@ -880,11 +884,11 @@ impl Value { Value::nothing(*origin_span) } else { Value::Error { - error: ShellError::CantFindColumn { + error: Box::new(ShellError::CantFindColumn { col_name: column_name.to_string(), span: *origin_span, src_span: val.span().unwrap_or(*span), - }, + }), } }); } @@ -894,11 +898,11 @@ impl Value { Value::nothing(*origin_span) } else { Value::Error { - error: ShellError::CantFindColumn { + error: Box::new(ShellError::CantFindColumn { col_name: column_name.to_string(), span: *origin_span, src_span: val.span().unwrap_or(*span), - }, + }), } }); } @@ -922,7 +926,7 @@ impl Value { Value::CustomValue { val, .. } => { current = val.follow_path_string(column_name.clone(), *origin_span)?; } - Value::Error { error } => err_or_null!(error.to_owned(), *origin_span), + Value::Error { error } => err_or_null!(*error.to_owned(), *origin_span), x => { err_or_null!( ShellError::IncompatiblePathAccess { @@ -938,7 +942,7 @@ impl Value { // If a single Value::Error was produced by the above (which won't happen if nullify_errors is true), unwrap it now. // Note that Value::Errors inside Lists remain as they are, so that the rest of the list can still potentially be used. if let Value::Error { error } = current { - Err(error) + Err(*error) } else { Ok(current) } @@ -955,7 +959,7 @@ impl Value { let new_val = callback(&orig.follow_cell_path(cell_path, false, false)?); match new_val { - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), new_val => self.upsert_data_at_cell_path(cell_path, new_val), } } @@ -1005,7 +1009,7 @@ impl Value { } } } - Value::Error { error } => return Err(error.to_owned()), + Value::Error { error } => return Err(*error.to_owned()), v => { return Err(ShellError::CantFindColumn { col_name: col_name.to_string(), @@ -1042,7 +1046,7 @@ impl Value { } } } - Value::Error { error } => return Err(error.to_owned()), + Value::Error { error } => return Err(*error.to_owned()), v => { return Err(ShellError::CantFindColumn { col_name: col_name.to_string(), @@ -1066,7 +1070,7 @@ impl Value { }); } } - Value::Error { error } => return Err(error.to_owned()), + Value::Error { error } => return Err(*error.to_owned()), v => { return Err(ShellError::NotAList { dst_span: *span, @@ -1093,7 +1097,8 @@ impl Value { let new_val = callback(&orig.follow_cell_path(cell_path, false, false)?); match new_val { - Value::Error { error } => Err(error), + Value::Error { error } => Err(*error), + new_val => self.update_data_at_cell_path(cell_path, new_val), } } @@ -1135,7 +1140,7 @@ impl Value { }); } } - Value::Error { error } => return Err(error.to_owned()), + Value::Error { error } => return Err(*error.to_owned()), v => { return Err(ShellError::CantFindColumn { col_name: col_name.to_string(), @@ -1169,7 +1174,7 @@ impl Value { }); } } - Value::Error { error } => return Err(error.to_owned()), + Value::Error { error } => return Err(*error.to_owned()), v => { return Err(ShellError::CantFindColumn { col_name: col_name.to_string(), @@ -1191,7 +1196,7 @@ impl Value { }); } } - Value::Error { error } => return Err(error.to_owned()), + Value::Error { error } => return Err(*error.to_owned()), v => { return Err(ShellError::NotAList { dst_span: *span, @@ -1436,7 +1441,7 @@ impl Value { vals.push(new_val.clone()); } // SIGH... - Value::Error { error } => return Err(error.clone()), + Value::Error { error } => return Err(*error.clone()), _ => { return Err(ShellError::UnsupportedInput( "expected table or record".into(), diff --git a/crates/nu-protocol/src/value/range.rs b/crates/nu-protocol/src/value/range.rs index 3998059b4..36ea9870e 100644 --- a/crates/nu-protocol/src/value/range.rs +++ b/crates/nu-protocol/src/value/range.rs @@ -218,7 +218,7 @@ impl Iterator for RangeIterator { } else { self.done = true; return Some(Value::Error { - error: ShellError::CannotCreateRange { span: self.span }, + error: Box::new(ShellError::CannotCreateRange { span: self.span }), }); }; @@ -237,7 +237,9 @@ impl Iterator for RangeIterator { Err(error) => { self.done = true; - return Some(Value::Error { error }); + return Some(Value::Error { + error: Box::new(error), + }); } }; std::mem::swap(&mut self.curr, &mut next); diff --git a/crates/nu_plugin_formats/src/from/ics.rs b/crates/nu_plugin_formats/src/from/ics.rs index 57ad0e150..70c10cd54 100644 --- a/crates/nu_plugin_formats/src/from/ics.rs +++ b/crates/nu_plugin_formats/src/from/ics.rs @@ -28,12 +28,12 @@ pub fn from_ics_call(call: &EvaluatedCall, input: &Value) -> Result output.push(calendar_to_value(c, head)), Err(e) => output.push(Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( format!("input cannot be parsed as .ics ({e})"), "value originates from here".into(), head, span, - ), + )), }), } } diff --git a/crates/nu_plugin_formats/src/from/vcf.rs b/crates/nu_plugin_formats/src/from/vcf.rs index e2fde15c0..8fd69b1d4 100644 --- a/crates/nu_plugin_formats/src/from/vcf.rs +++ b/crates/nu_plugin_formats/src/from/vcf.rs @@ -24,12 +24,12 @@ pub fn from_vcf_call(call: &EvaluatedCall, input: &Value) -> Result contact_to_value(c, head), Err(e) => Value::Error { - error: ShellError::UnsupportedInput( + error: Box::new(ShellError::UnsupportedInput( format!("input cannot be parsed as .vcf ({e})"), "value originates from here".into(), head, span, - ), + )), }, });