mirror of
https://github.com/nushell/nushell.git
synced 2025-04-17 01:38:19 +02:00
* Make json require string and pass around metadata The json deserializer was accepting any inputs by coercing non-strings into strings. As an example, if the input was `[1, 2]` the coercion would turn into `[12]` and deserialize as a list containing number twelve instead of a list of two numbers, one and two. This could lead to silent data corruption. Aside from that pipeline metadata wasn't passed aroud. This commit fixes the type issue by adding a strict conversion function that errors if the input type is not a string or external stream. It then uses this function instead of the original `collect_string()`. In addition, this function returns the pipeline metadata so it can be passed along. * Make other formats require string The problem with json coercing non-string types to string was present in all other text formats. This reuses the `collect_string_strict` function to fix them. * `IntoPipelineData` cleanup The method `into_pipeline_data_with_metadata` can now be conveniently used.
144 lines
4.3 KiB
Rust
144 lines
4.3 KiB
Rust
use nu_protocol::ast::Call;
|
|
use nu_protocol::engine::{Command, EngineState, Stack};
|
|
use nu_protocol::{
|
|
Category, Example, IntoPipelineData, PipelineData, ShellError, Signature, Span, Type, Value,
|
|
};
|
|
|
|
#[derive(Clone)]
|
|
pub struct FromToml;
|
|
|
|
impl Command for FromToml {
|
|
fn name(&self) -> &str {
|
|
"from toml"
|
|
}
|
|
|
|
fn signature(&self) -> Signature {
|
|
Signature::build("from toml")
|
|
.input_output_types(vec![(Type::String, Type::Record(vec![]))])
|
|
.category(Category::Formats)
|
|
}
|
|
|
|
fn usage(&self) -> &str {
|
|
"Parse text as .toml and create record."
|
|
}
|
|
|
|
fn examples(&self) -> Vec<Example> {
|
|
vec![
|
|
Example {
|
|
example: "'a = 1' | from toml",
|
|
description: "Converts toml formatted string to record",
|
|
result: Some(Value::Record {
|
|
cols: vec!["a".to_string()],
|
|
vals: vec![Value::Int {
|
|
val: 1,
|
|
span: Span::test_data(),
|
|
}],
|
|
span: Span::test_data(),
|
|
}),
|
|
},
|
|
Example {
|
|
example: "'a = 1
|
|
b = [1, 2]' | from toml",
|
|
description: "Converts toml formatted string to record",
|
|
result: Some(Value::Record {
|
|
cols: vec!["a".to_string(), "b".to_string()],
|
|
vals: vec![
|
|
Value::Int {
|
|
val: 1,
|
|
span: Span::test_data(),
|
|
},
|
|
Value::List {
|
|
vals: vec![
|
|
Value::Int {
|
|
val: 1,
|
|
span: Span::test_data(),
|
|
},
|
|
Value::Int {
|
|
val: 2,
|
|
span: Span::test_data(),
|
|
},
|
|
],
|
|
span: Span::test_data(),
|
|
},
|
|
],
|
|
span: Span::test_data(),
|
|
}),
|
|
},
|
|
]
|
|
}
|
|
|
|
fn run(
|
|
&self,
|
|
__engine_state: &EngineState,
|
|
_stack: &mut Stack,
|
|
call: &Call,
|
|
input: PipelineData,
|
|
) -> Result<nu_protocol::PipelineData, ShellError> {
|
|
let span = call.head;
|
|
let (mut string_input, metadata) = input.collect_string_strict(span)?;
|
|
string_input.push('\n');
|
|
Ok(convert_string_to_value(string_input, span)?.into_pipeline_data_with_metadata(metadata))
|
|
}
|
|
}
|
|
|
|
fn convert_toml_to_value(value: &toml::Value, span: Span) -> Value {
|
|
match value {
|
|
toml::Value::Array(array) => {
|
|
let v: Vec<Value> = array
|
|
.iter()
|
|
.map(|x| convert_toml_to_value(x, span))
|
|
.collect();
|
|
|
|
Value::List { vals: v, span }
|
|
}
|
|
toml::Value::Boolean(b) => Value::Bool { val: *b, span },
|
|
toml::Value::Float(f) => Value::Float { val: *f, span },
|
|
toml::Value::Integer(i) => Value::Int { val: *i, span },
|
|
toml::Value::Table(k) => {
|
|
let mut cols = vec![];
|
|
let mut vals = vec![];
|
|
|
|
for item in k {
|
|
cols.push(item.0.clone());
|
|
vals.push(convert_toml_to_value(item.1, span));
|
|
}
|
|
|
|
Value::Record { cols, vals, span }
|
|
}
|
|
toml::Value::String(s) => Value::String {
|
|
val: s.clone(),
|
|
span,
|
|
},
|
|
toml::Value::Datetime(d) => Value::String {
|
|
val: d.to_string(),
|
|
span,
|
|
},
|
|
}
|
|
}
|
|
|
|
pub fn convert_string_to_value(string_input: String, span: Span) -> Result<Value, ShellError> {
|
|
let result: Result<toml::Value, toml::de::Error> = toml::from_str(&string_input);
|
|
match result {
|
|
Ok(value) => Ok(convert_toml_to_value(&value, span)),
|
|
|
|
Err(_x) => Err(ShellError::CantConvert(
|
|
"structured toml data".into(),
|
|
"string".into(),
|
|
span,
|
|
None,
|
|
)),
|
|
}
|
|
}
|
|
|
|
#[cfg(test)]
|
|
mod tests {
|
|
use super::*;
|
|
|
|
#[test]
|
|
fn test_examples() {
|
|
use crate::test_examples;
|
|
|
|
test_examples(FromToml {})
|
|
}
|
|
}
|