at_commands/lowlevel/
arguments.rs1use crate::lowlevel::write_to::WriteTo;
11use std::io;
12
13#[derive(Debug, Clone, PartialEq)]
15pub struct DelimitedArguments {
16 pub delimiter: Option<String>,
20 pub arguments: Arguments,
22 pub terminator: Option<String>,
25}
26
27impl WriteTo for DelimitedArguments {
28 fn write_to<W: io::Write>(&self, sink: &mut W) -> io::Result<()> {
29 let DelimitedArguments { delimiter, arguments, terminator } = self;
30 if let Some(string) = delimiter {
31 if string == ":" {
32 sink.write_all(": ".as_bytes())?;
34 } else {
35 sink.write_all(string.as_bytes())?;
36 }
37 };
38 arguments.write_to(sink)?;
39 if let Some(terminator) = terminator {
40 sink.write_all(terminator.as_bytes())?
41 };
42
43 Ok(())
44 }
45}
46#[derive(Debug, Clone, PartialEq)]
51pub enum Arguments {
52 ParenthesisDelimitedArgumentLists(Vec<Vec<Argument>>),
54 ArgumentList(Vec<Argument>),
56}
57
58impl Arguments {
59 fn write_comma_delimited_argument_list<W: io::Write>(
60 &self,
61 arguments: &[Argument],
62 sink: &mut W,
63 ) -> io::Result<()> {
64 if !arguments.is_empty() {
65 for argument in &arguments[0..arguments.len() - 1] {
66 argument.write_to(sink)?;
67 sink.write_all(b",")?;
68 }
69 arguments[arguments.len() - 1].write_to(sink)?;
70 }
71
72 Ok(())
73 }
74
75 fn write_paren_delimited_argument_lists<W: io::Write>(
76 &self,
77 argument_lists: &[Vec<Argument>],
78 sink: &mut W,
79 ) -> io::Result<()> {
80 for arguments in argument_lists {
81 sink.write_all(b"(")?;
82 self.write_comma_delimited_argument_list(arguments, sink)?;
83 sink.write_all(b")")?;
84 }
85
86 Ok(())
87 }
88}
89
90impl WriteTo for Arguments {
91 fn write_to<W: io::Write>(&self, sink: &mut W) -> io::Result<()> {
92 match self {
93 Arguments::ParenthesisDelimitedArgumentLists(argument_lists) => {
94 self.write_paren_delimited_argument_lists(&argument_lists, sink)
95 }
96 Arguments::ArgumentList(argument_list) => {
97 self.write_comma_delimited_argument_list(&argument_list, sink)
98 }
99 }
100 }
101}
102
103#[derive(Debug, Clone, PartialEq)]
105pub enum Argument {
106 PrimitiveArgument(String),
108 KeyValueArgument { key: String, value: String },
110}
111
112impl Argument {
113 pub fn is_empty(&self) -> bool {
114 match self {
115 Argument::PrimitiveArgument(argument) => argument.is_empty(),
116 Argument::KeyValueArgument { key, value } => key.is_empty() && value.is_empty(),
117 }
118 }
119}
120
121impl WriteTo for Argument {
122 fn write_to<W: io::Write>(&self, sink: &mut W) -> io::Result<()> {
123 match self {
124 Argument::PrimitiveArgument(argument) => sink.write_all(argument.as_bytes())?,
125 Argument::KeyValueArgument { key, value } => {
126 sink.write_all(key.as_bytes())?;
127 sink.write_all(b"=")?;
128 sink.write_all(value.as_bytes())?;
129 }
130 }
131 Ok(())
132 }
133}