add --char flag to 'str trim' (#2162)

This commit is contained in:
bailey-layzer 2020-07-12 22:45:34 -07:00 committed by GitHub
parent 0456f4a007
commit 5a34744d8c
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
3 changed files with 53 additions and 20 deletions

View File

@ -207,7 +207,7 @@ fn format_decimal(mut decimal: BigDecimal, digits: Option<u64>, group_digits: bo
.take(n as usize) .take(n as usize)
.collect() .collect()
} else { } else {
trim_char(dec_part, '0', false, true) trim_char(&dec_part, '0', false, true)
}; };
let format_default_loc = |int_part: BigInt| { let format_default_loc = |int_part: BigInt| {

View File

@ -5,12 +5,14 @@ use nu_protocol::ShellTypeName;
use nu_protocol::{ use nu_protocol::{
ColumnPath, Primitive, ReturnSuccess, Signature, SyntaxShape, UntaggedValue, Value, ColumnPath, Primitive, ReturnSuccess, Signature, SyntaxShape, UntaggedValue, Value,
}; };
use nu_source::Tag; use nu_source::{Tag, Tagged};
use nu_value_ext::ValueExt; use nu_value_ext::ValueExt;
#[derive(Deserialize)] #[derive(Deserialize)]
struct Arguments { struct Arguments {
rest: Vec<ColumnPath>, rest: Vec<ColumnPath>,
#[serde(rename(deserialize = "char"))]
char_: Option<Tagged<char>>,
} }
pub struct SubCommand; pub struct SubCommand;
@ -22,10 +24,17 @@ impl WholeStreamCommand for SubCommand {
} }
fn signature(&self) -> Signature { fn signature(&self) -> Signature {
Signature::build("str trim").rest( Signature::build("str trim")
SyntaxShape::ColumnPath, .rest(
"optionally trim text by column paths", SyntaxShape::ColumnPath,
) "optionally trim text by column paths",
)
.named(
"char",
SyntaxShape::String,
"character to trim (default: whitespace)",
Some('c'),
)
} }
fn usage(&self) -> &str { fn usage(&self) -> &str {
@ -41,11 +50,18 @@ impl WholeStreamCommand for SubCommand {
} }
fn examples(&self) -> Vec<Example> { fn examples(&self) -> Vec<Example> {
vec![Example { vec![
description: "Trim contents", Example {
example: "echo 'Nu shell ' | str trim", description: "Trim whitespace",
result: Some(vec![Value::from("Nu shell")]), example: "echo 'Nu shell ' | str trim",
}] result: Some(vec![Value::from("Nu shell")]),
},
Example {
description: "Trim a specific character",
example: "echo '=== Nu shell ===' | str trim -c '=' | str trim",
result: Some(vec![Value::from("Nu shell")]),
},
]
} }
} }
@ -55,14 +71,15 @@ async fn operate(
) -> Result<OutputStream, ShellError> { ) -> Result<OutputStream, ShellError> {
let registry = registry.clone(); let registry = registry.clone();
let (Arguments { rest }, input) = args.process(&registry).await?; let (Arguments { rest, char_ }, input) = args.process(&registry).await?;
let column_paths: Vec<_> = rest; let column_paths: Vec<_> = rest;
let to_trim = char_.map(|tagged| tagged.item);
Ok(input Ok(input
.map(move |v| { .map(move |v| {
if column_paths.is_empty() { if column_paths.is_empty() {
match action(&v, v.tag()) { match action(&v, v.tag(), to_trim) {
Ok(out) => ReturnSuccess::value(out), Ok(out) => ReturnSuccess::value(out),
Err(err) => Err(err), Err(err) => Err(err),
} }
@ -72,7 +89,7 @@ async fn operate(
for path in &column_paths { for path in &column_paths {
let swapping = ret.swap_data_by_column_path( let swapping = ret.swap_data_by_column_path(
path, path,
Box::new(move |old| action(old, old.tag())), Box::new(move |old| action(old, old.tag(), to_trim)),
); );
match swapping { match swapping {
@ -91,11 +108,15 @@ async fn operate(
.to_output_stream()) .to_output_stream())
} }
fn action(input: &Value, tag: impl Into<Tag>) -> Result<Value, ShellError> { fn action(input: &Value, tag: impl Into<Tag>, char_: Option<char>) -> Result<Value, ShellError> {
match &input.value { match &input.value {
UntaggedValue::Primitive(Primitive::Line(s)) UntaggedValue::Primitive(Primitive::Line(s))
| UntaggedValue::Primitive(Primitive::String(s)) => { | UntaggedValue::Primitive(Primitive::String(s)) => {
Ok(UntaggedValue::string(s.trim()).into_value(tag)) Ok(UntaggedValue::string(match char_ {
None => String::from(s.trim()),
Some(ch) => trim_char(s, ch, true, true),
})
.into_value(tag))
} }
other => { other => {
let got = format!("got {}", other.type_name()); let got = format!("got {}", other.type_name());
@ -108,12 +129,11 @@ fn action(input: &Value, tag: impl Into<Tag>) -> Result<Value, ShellError> {
} }
} }
// TODO make callable using flag pub fn trim_char(from: &str, to_trim: char, leading: bool, trailing: bool) -> String {
pub fn trim_char(s: String, to_trim: char, leading: bool, trailing: bool) -> String {
let mut trimmed = String::from(""); let mut trimmed = String::from("");
let mut backlog = String::from(""); let mut backlog = String::from("");
let mut at_left = true; let mut at_left = true;
s.chars().for_each(|ch| match ch { from.chars().for_each(|ch| match ch {
c if c == to_trim => { c if c == to_trim => {
if !(leading && at_left) { if !(leading && at_left) {
if trailing { if trailing {
@ -154,7 +174,7 @@ mod tests {
let word = string("andres "); let word = string("andres ");
let expected = string("andres"); let expected = string("andres");
let actual = action(&word, Tag::unknown()).unwrap(); let actual = action(&word, Tag::unknown(), None).unwrap();
assert_eq!(actual, expected); assert_eq!(actual, expected);
} }
} }

View File

@ -22,6 +22,19 @@ fn trims() {
}) })
} }
#[test]
fn error_trim_multiple_chars() {
let actual = nu!(
cwd: ".", pipeline(
r#"
echo 'does it work now?!' | str trim -c '?!'
"#
)
);
assert!(actual.err.contains("char"));
}
#[test] #[test]
fn capitalizes() { fn capitalizes() {
Playground::setup("str_test_2", |dirs, sandbox| { Playground::setup("str_test_2", |dirs, sandbox| {