mirror of
https://github.com/nushell/nushell.git
synced 2025-04-04 14:40:43 +02:00
Continuation of #8229 and #8326 # Description The `ShellError` enum at the moment is kind of messy. Many variants are basic tuple structs where you always have to reference the implementation with its macro invocation to know which field serves which purpose. Furthermore we have both variants that are kind of redundant or either overly broad to be useful for the user to match on or overly specific with few uses. So I set out to start fixing the lacking documentation and naming to make it feasible to critically review the individual usages and fix those. Furthermore we can decide to join or split up variants that don't seem to be fit for purpose. # Call to action **Everyone:** Feel free to add review comments if you spot inconsistent use of `ShellError` variants. # User-Facing Changes (None now, end goal more explicit and consistent error messages) # Tests + Formatting (No additional tests needed so far) # Commits (so far) - Remove `ShellError::FeatureNotEnabled` - Name fields on `SE::ExternalNotSupported` - Name field on `SE::InvalidProbability` - Name fields on `SE::NushellFailed` variants - Remove unused `SE::NushellFailedSpannedHelp` - Name field on `SE::VariableNotFoundAtRuntime` - Name fields on `SE::EnvVarNotFoundAtRuntime` - Name fields on `SE::ModuleNotFoundAtRuntime` - Remove usused `ModuleOrOverlayNotFoundAtRuntime` - Name fields on `SE::OverlayNotFoundAtRuntime` - Name field on `SE::NotFound`
208 lines
6.5 KiB
Rust
208 lines
6.5 KiB
Rust
use indexmap::IndexMap;
|
|
use nu_engine::CallExt;
|
|
use nu_protocol::ast::Call;
|
|
use nu_protocol::engine::{Command, EngineState, Stack};
|
|
use nu_protocol::{
|
|
Category, Config, Example, IntoPipelineData, PipelineData, ShellError, Signature, Span,
|
|
Spanned, SyntaxShape, Type, Value,
|
|
};
|
|
use quick_xml::events::{BytesEnd, BytesStart, BytesText, Event};
|
|
use std::collections::HashSet;
|
|
use std::io::Cursor;
|
|
use std::io::Write;
|
|
|
|
#[derive(Clone)]
|
|
pub struct ToXml;
|
|
|
|
impl Command for ToXml {
|
|
fn name(&self) -> &str {
|
|
"to xml"
|
|
}
|
|
|
|
fn signature(&self) -> Signature {
|
|
Signature::build("to xml")
|
|
.input_output_types(vec![(Type::Record(vec![]), Type::String)])
|
|
.named(
|
|
"pretty",
|
|
SyntaxShape::Int,
|
|
"Formats the XML text with the provided indentation setting",
|
|
Some('p'),
|
|
)
|
|
.category(Category::Formats)
|
|
}
|
|
|
|
fn examples(&self) -> Vec<Example> {
|
|
vec![
|
|
Example {
|
|
description: "Outputs an XML string representing the contents of this table",
|
|
example: r#"{ "note": { "children": [{ "remember": {"attributes" : {}, "children": [Event]}}], "attributes": {} } } | to xml"#,
|
|
result: Some(Value::test_string(
|
|
"<note><remember>Event</remember></note>",
|
|
)),
|
|
},
|
|
Example {
|
|
description: "Optionally, formats the text with a custom indentation setting",
|
|
example: r#"{ "note": { "children": [{ "remember": {"attributes" : {}, "children": [Event]}}], "attributes": {} } } | to xml -p 3"#,
|
|
result: Some(Value::test_string(
|
|
"<note>\n <remember>Event</remember>\n</note>",
|
|
)),
|
|
},
|
|
]
|
|
}
|
|
|
|
fn usage(&self) -> &str {
|
|
"Convert table into .xml text."
|
|
}
|
|
|
|
fn run(
|
|
&self,
|
|
engine_state: &EngineState,
|
|
stack: &mut Stack,
|
|
call: &Call,
|
|
input: PipelineData,
|
|
) -> Result<PipelineData, ShellError> {
|
|
let head = call.head;
|
|
let config = engine_state.get_config();
|
|
let pretty: Option<Spanned<i64>> = call.get_flag(engine_state, stack, "pretty")?;
|
|
let input = input.try_expand_range()?;
|
|
to_xml(input, head, pretty, config)
|
|
}
|
|
}
|
|
|
|
pub fn add_attributes<'a>(
|
|
element: &mut quick_xml::events::BytesStart<'a>,
|
|
attributes: &'a IndexMap<String, String>,
|
|
) {
|
|
for (k, v) in attributes {
|
|
element.push_attribute((k.as_str(), v.as_str()));
|
|
}
|
|
}
|
|
|
|
pub fn get_attributes(row: &Value, config: &Config) -> Option<IndexMap<String, String>> {
|
|
if let Value::Record { .. } = row {
|
|
if let Some(Value::Record { cols, vals, .. }) = row.get_data_by_key("attributes") {
|
|
let mut h = IndexMap::new();
|
|
for (k, v) in cols.iter().zip(vals.iter()) {
|
|
h.insert(k.clone(), v.clone().into_abbreviated_string(config));
|
|
}
|
|
return Some(h);
|
|
}
|
|
}
|
|
None
|
|
}
|
|
|
|
pub fn get_children(row: &Value) -> Option<Vec<Value>> {
|
|
if let Value::Record { .. } = row {
|
|
if let Some(Value::List { vals, .. }) = row.get_data_by_key("children") {
|
|
return Some(vals);
|
|
}
|
|
}
|
|
None
|
|
}
|
|
|
|
pub fn is_xml_row(row: &Value) -> bool {
|
|
if let Value::Record { cols, .. } = &row {
|
|
let keys: HashSet<&String> = cols.iter().collect();
|
|
let children: String = "children".to_string();
|
|
let attributes: String = "attributes".to_string();
|
|
return keys.contains(&children) && keys.contains(&attributes) && keys.len() == 2;
|
|
}
|
|
false
|
|
}
|
|
|
|
pub fn write_xml_events<W: Write>(
|
|
current: Value,
|
|
writer: &mut quick_xml::Writer<W>,
|
|
config: &Config,
|
|
) -> Result<(), ShellError> {
|
|
match current {
|
|
Value::Record { cols, vals, span } => {
|
|
for (k, v) in cols.iter().zip(vals.iter()) {
|
|
let mut e = BytesStart::new(k);
|
|
if !is_xml_row(v) {
|
|
return Err(ShellError::GenericError(
|
|
"Expected a row with 'children' and 'attributes' columns".to_string(),
|
|
"missing 'children' and 'attributes' columns ".to_string(),
|
|
Some(span),
|
|
None,
|
|
Vec::new(),
|
|
));
|
|
}
|
|
let a = get_attributes(v, config);
|
|
if let Some(ref a) = a {
|
|
add_attributes(&mut e, a);
|
|
}
|
|
writer
|
|
.write_event(Event::Start(e))
|
|
.expect("Couldn't open XML node");
|
|
let c = get_children(v);
|
|
if let Some(c) = c {
|
|
for v in c {
|
|
write_xml_events(v, writer, config)?;
|
|
}
|
|
}
|
|
writer
|
|
.write_event(Event::End(BytesEnd::new(k)))
|
|
.expect("Couldn't close XML node");
|
|
}
|
|
}
|
|
Value::List { vals, .. } => {
|
|
for v in vals {
|
|
write_xml_events(v, writer, config)?;
|
|
}
|
|
}
|
|
_ => {
|
|
let s = current.into_abbreviated_string(config);
|
|
writer
|
|
.write_event(Event::Text(BytesText::from_escaped(s.as_str())))
|
|
.expect("Couldn't write XML text");
|
|
}
|
|
}
|
|
Ok(())
|
|
}
|
|
|
|
fn to_xml(
|
|
input: PipelineData,
|
|
head: Span,
|
|
pretty: Option<Spanned<i64>>,
|
|
config: &Config,
|
|
) -> Result<PipelineData, ShellError> {
|
|
let mut w = pretty.as_ref().map_or_else(
|
|
|| quick_xml::Writer::new(Cursor::new(Vec::new())),
|
|
|p| quick_xml::Writer::new_with_indent(Cursor::new(Vec::new()), b' ', p.item as usize),
|
|
);
|
|
|
|
let value = input.into_value(head);
|
|
let value_type = value.get_type();
|
|
|
|
match write_xml_events(value, &mut w, config) {
|
|
Ok(_) => {
|
|
let b = w.into_inner().into_inner();
|
|
let s = if let Ok(s) = String::from_utf8(b) {
|
|
s
|
|
} else {
|
|
return Err(ShellError::NonUtf8(head));
|
|
};
|
|
Ok(Value::string(s, head).into_pipeline_data())
|
|
}
|
|
Err(_) => Err(ShellError::CantConvert {
|
|
to_type: "XML".into(),
|
|
from_type: value_type.to_string(),
|
|
span: head,
|
|
help: None,
|
|
}),
|
|
}
|
|
}
|
|
|
|
#[cfg(test)]
|
|
mod test {
|
|
use super::*;
|
|
|
|
#[test]
|
|
fn test_examples() {
|
|
use crate::test_examples;
|
|
|
|
test_examples(ToXml {})
|
|
}
|
|
}
|