1use nu_cmd_base::input_handler::{CmdArgument, operate};
2use nu_engine::command_prelude::*;
3
4struct Arguments {
5 pattern: Vec<u8>,
6 end: bool,
7 cell_paths: Option<Vec<CellPath>>,
8 all: bool,
9}
10
11impl CmdArgument for Arguments {
12 fn take_cell_paths(&mut self) -> Option<Vec<CellPath>> {
13 self.cell_paths.take()
14 }
15}
16
17#[derive(Clone)]
18pub struct BytesRemove;
19
20impl Command for BytesRemove {
21 fn name(&self) -> &str {
22 "bytes remove"
23 }
24
25 fn signature(&self) -> Signature {
26 Signature::build("bytes remove")
27 .input_output_types(vec![
28 (Type::Binary, Type::Binary),
29 (Type::table(), Type::table()),
30 (Type::record(), Type::record()),
31 ])
32 .required("pattern", SyntaxShape::Binary, "The pattern to find.")
33 .rest(
34 "rest",
35 SyntaxShape::CellPath,
36 "For a data structure input, remove bytes from data at the given cell paths.",
37 )
38 .switch("end", "Remove from end of binary.", Some('e'))
39 .switch("all", "Remove occurrences of finding binary.", Some('a'))
40 .category(Category::Bytes)
41 }
42
43 fn description(&self) -> &str {
44 "Remove specified bytes from the input."
45 }
46
47 fn search_terms(&self) -> Vec<&str> {
48 vec!["search", "shift", "switch"]
49 }
50
51 fn run(
52 &self,
53 engine_state: &EngineState,
54 stack: &mut Stack,
55 call: &Call,
56 input: PipelineData,
57 ) -> Result<PipelineData, ShellError> {
58 let cell_paths: Vec<CellPath> = call.rest(engine_state, stack, 1)?;
59 let cell_paths = (!cell_paths.is_empty()).then_some(cell_paths);
60 let pattern_to_remove = call.req::<Spanned<Vec<u8>>>(engine_state, stack, 0)?;
61 if pattern_to_remove.item.is_empty() {
62 return Err(ShellError::TypeMismatch {
63 err_message: "the pattern to remove cannot be empty".to_string(),
64 span: pattern_to_remove.span,
65 });
66 }
67
68 let pattern_to_remove: Vec<u8> = pattern_to_remove.item;
69 let arg = Arguments {
70 pattern: pattern_to_remove,
71 end: call.has_flag(engine_state, stack, "end")?,
72 cell_paths,
73 all: call.has_flag(engine_state, stack, "all")?,
74 };
75
76 operate(remove, arg, input, call.head, engine_state.signals()).map(|mut pipeline| {
77 if let Some(metadata) = pipeline.metadata_mut() {
78 metadata.content_type = None;
80 }
81 pipeline
82 })
83 }
84
85 fn examples(&self) -> Vec<Example<'_>> {
86 vec![
87 Example {
88 description: "Remove contents.",
89 example: "0x[10 AA FF AA FF] | bytes remove 0x[10 AA]",
90 result: Some(Value::test_binary(vec![0xFF, 0xAA, 0xFF])),
91 },
92 Example {
93 description: "Remove all occurrences of find binary in record field.",
94 example: "{ data: 0x[10 AA 10 BB 10] } | bytes remove --all 0x[10] data",
95 result: Some(Value::test_record(record! {
96 "data" => Value::test_binary(vec![0xAA, 0xBB])
97 })),
98 },
99 Example {
100 description: "Remove occurrences of find binary from end.",
101 example: "0x[10 AA 10 BB CC AA 10] | bytes remove --end 0x[10]",
102 result: Some(Value::test_binary(vec![0x10, 0xAA, 0x10, 0xBB, 0xCC, 0xAA])),
103 },
104 Example {
105 description: "Remove find binary from end not found.",
106 example: "0x[10 AA 10 BB CC AA 10] | bytes remove --end 0x[11]",
107 result: Some(Value::test_binary(vec![
108 0x10, 0xAA, 0x10, 0xBB, 0xCC, 0xAA, 0x10,
109 ])),
110 },
111 Example {
112 description: "Remove all occurrences of find binary in table.",
113 example: "[[ColA ColB ColC]; [0x[11 12 13] 0x[14 15 16] 0x[17 18 19]]] | bytes remove 0x[11] ColA ColC",
114 result: Some(Value::test_list(vec![Value::test_record(record! {
115 "ColA" => Value::test_binary ( vec![0x12, 0x13],),
116 "ColB" => Value::test_binary ( vec![0x14, 0x15, 0x16],),
117 "ColC" => Value::test_binary ( vec![0x17, 0x18, 0x19],),
118 })])),
119 },
120 ]
121 }
122}
123
124fn remove(val: &Value, args: &Arguments, span: Span) -> Value {
125 let val_span = val.span();
126 match val {
127 Value::Binary { val, .. } => remove_impl(val, args, val_span),
128 Value::Error { .. } => val.clone(),
130 other => Value::error(
131 ShellError::OnlySupportsThisInputType {
132 exp_input_type: "binary".into(),
133 wrong_type: other.get_type().to_string(),
134 dst_span: span,
135 src_span: other.span(),
136 },
137 span,
138 ),
139 }
140}
141
142fn remove_impl(input: &[u8], arg: &Arguments, span: Span) -> Value {
143 let mut result = vec![];
144 let remove_all = arg.all;
145 let input_len = input.len();
146 let pattern_len = arg.pattern.len();
147
148 if arg.end && !remove_all {
152 let (mut left, mut right) = (
153 input.len() as isize - arg.pattern.len() as isize,
154 input.len() as isize,
155 );
156 while left >= 0 && input[left as usize..right as usize] != arg.pattern {
157 result.push(input[right as usize - 1]);
158 left -= 1;
159 right -= 1;
160 }
161 if left > 0 {
165 let mut remain = input[..left as usize].iter().copied().rev().collect();
166 result.append(&mut remain);
167 }
168 result = result.into_iter().rev().collect();
169 Value::binary(result, span)
170 } else {
171 let (mut left, mut right) = (0, arg.pattern.len());
172 while right <= input_len {
173 if input[left..right] == arg.pattern {
174 left += pattern_len;
175 right += pattern_len;
176 if !remove_all {
177 break;
178 }
179 } else {
180 result.push(input[left]);
181 left += 1;
182 right += 1;
183 }
184 }
185 let mut remain = input[left..].to_vec();
188 result.append(&mut remain);
189 Value::binary(result, span)
190 }
191}
192
193#[cfg(test)]
194mod tests {
195 use super::*;
196
197 #[test]
198 fn test_examples() -> nu_test_support::Result {
199 nu_test_support::test().examples(BytesRemove)
200 }
201}