forked from extern/nushell
* Moves off of draining between filters. Instead, the sink will pull on the stream, and will drain element-wise. This moves the whole stream to being lazy. * Adds ctrl-c support and connects it into some of the key points where we pull on the stream. If a ctrl-c is detect, we immediately halt pulling on the stream and return to the prompt. * Moves away from having a SourceMap where anchor locations are stored. Now AnchorLocation is kept directly in the Tag. * To make this possible, split tag and span. Span is largely used in the parser and is copyable. Tag is now no longer copyable.
86 lines
2.7 KiB
Rust
86 lines
2.7 KiB
Rust
use crate::commands::WholeStreamCommand;
|
|
use crate::data::Value;
|
|
use crate::prelude::*;
|
|
|
|
pub struct ToURL;
|
|
|
|
impl WholeStreamCommand for ToURL {
|
|
fn name(&self) -> &str {
|
|
"to-url"
|
|
}
|
|
|
|
fn signature(&self) -> Signature {
|
|
Signature::build("to-url")
|
|
}
|
|
|
|
fn usage(&self) -> &str {
|
|
"Convert table into url-encoded text"
|
|
}
|
|
|
|
fn run(
|
|
&self,
|
|
args: CommandArgs,
|
|
registry: &CommandRegistry,
|
|
) -> Result<OutputStream, ShellError> {
|
|
to_url(args, registry)
|
|
}
|
|
}
|
|
|
|
fn to_url(args: CommandArgs, registry: &CommandRegistry) -> Result<OutputStream, ShellError> {
|
|
let args = args.evaluate_once(registry)?;
|
|
let tag = args.name_tag();
|
|
let input = args.input;
|
|
|
|
let stream = async_stream! {
|
|
let input: Vec<Tagged<Value>> = input.values.collect().await;
|
|
|
|
for value in input {
|
|
match value {
|
|
Tagged { item: Value::Row(row), .. } => {
|
|
let mut row_vec = vec![];
|
|
for (k,v) in row.entries {
|
|
match v.as_string() {
|
|
Ok(s) => {
|
|
row_vec.push((k.clone(), s));
|
|
}
|
|
_ => {
|
|
yield Err(ShellError::labeled_error_with_secondary(
|
|
"Expected table with string values",
|
|
"requires table with strings",
|
|
&tag,
|
|
"value originates from here",
|
|
v.tag,
|
|
))
|
|
}
|
|
}
|
|
}
|
|
|
|
match serde_urlencoded::to_string(row_vec) {
|
|
Ok(s) => {
|
|
yield ReturnSuccess::value(Value::string(s).tagged(&tag));
|
|
}
|
|
_ => {
|
|
yield Err(ShellError::labeled_error(
|
|
"Failed to convert to url-encoded",
|
|
"cannot url-encode",
|
|
&tag,
|
|
))
|
|
}
|
|
}
|
|
}
|
|
Tagged { tag: value_tag, .. } => {
|
|
yield Err(ShellError::labeled_error_with_secondary(
|
|
"Expected a table from pipeline",
|
|
"requires table input",
|
|
&tag,
|
|
"value originates from here",
|
|
value_tag,
|
|
))
|
|
}
|
|
}
|
|
}
|
|
};
|
|
|
|
Ok(stream.to_output_stream())
|
|
}
|