lib.rs

  1//! A crate parsing common XMPP elements into Rust structures.
  2//!
  3//! Each module implements the [`TryFrom<Element>`] trait, which takes a
  4//! minidom [`Element`] and returns a `Result` whose value is `Ok` if the
  5//! element parsed correctly, `Err(error::Error)` otherwise.
  6//!
  7//! The returned structure can be manipuled as any Rust structure, with each
  8//! field being public.  You can also create the same structure manually, with
  9//! some having `new()` and `with_*()` helper methods to create them.
 10//!
 11//! Once you are happy with your structure, you can serialise it back to an
 12//! [`Element`], using either `From` or `Into<Element>`, which give you what
 13//! you want to be sending on the wire.
 14//!
 15//! [`TryFrom<Element>`]: ../try_from/trait.TryFrom.html
 16//! [`Element`]: ../minidom/element/struct.Element.html
 17
 18// Copyright (c) 2017 Emmanuel Gil Peyrot <linkmauve@linkmauve.fr>
 19// Copyright (c) 2017 Maxime “pep” Buquet <pep+code@bouah.net>
 20//
 21// This Source Code Form is subject to the terms of the Mozilla Public
 22// License, v. 2.0. If a copy of the MPL was not distributed with this
 23// file, You can obtain one at http://mozilla.org/MPL/2.0/.
 24
 25extern crate minidom;
 26extern crate jid;
 27extern crate base64;
 28extern crate digest;
 29extern crate sha_1;
 30extern crate sha2;
 31extern crate sha3;
 32extern crate blake2;
 33extern crate chrono;
 34extern crate try_from;
 35
 36macro_rules! get_attr {
 37    ($elem:ident, $attr:tt, $type:tt) => (
 38        get_attr!($elem, $attr, $type, value, value.parse()?)
 39    );
 40    ($elem:ident, $attr:tt, optional, $value:ident, $func:expr) => (
 41        match $elem.attr($attr) {
 42            Some($value) => Some($func),
 43            None => None,
 44        }
 45    );
 46    ($elem:ident, $attr:tt, required, $value:ident, $func:expr) => (
 47        match $elem.attr($attr) {
 48            Some($value) => $func,
 49            None => return Err(Error::ParseError(concat!("Required attribute '", $attr, "' missing."))),
 50        }
 51    );
 52    ($elem:ident, $attr:tt, default, $value:ident, $func:expr) => (
 53        match $elem.attr($attr) {
 54            Some($value) => $func,
 55            None => Default::default(),
 56        }
 57    );
 58}
 59
 60macro_rules! generate_attribute {
 61    ($elem:ident, $name:tt, {$($a:ident => $b:tt),+,}) => (
 62        generate_attribute!($elem, $name, {$($a => $b),+});
 63    );
 64    ($elem:ident, $name:tt, {$($a:ident => $b:tt),+,}, Default = $default:ident) => (
 65        generate_attribute!($elem, $name, {$($a => $b),+}, Default = $default);
 66    );
 67    ($elem:ident, $name:tt, {$($a:ident => $b:tt),+}) => (
 68        #[derive(Debug, Clone, PartialEq)]
 69        pub enum $elem {
 70            $(
 71                #[doc=$b]
 72                #[doc="value for this attribute."]
 73                $a
 74            ),+
 75        }
 76        impl FromStr for $elem {
 77            type Err = Error;
 78            fn from_str(s: &str) -> Result<$elem, Error> {
 79                Ok(match s {
 80                    $($b => $elem::$a),+,
 81                    _ => return Err(Error::ParseError(concat!("Unknown value for '", $name, "' attribute."))),
 82                })
 83            }
 84        }
 85        impl IntoAttributeValue for $elem {
 86            fn into_attribute_value(self) -> Option<String> {
 87                Some(String::from(match self {
 88                    $($elem::$a => $b),+
 89                }))
 90            }
 91        }
 92    );
 93    ($elem:ident, $name:tt, {$($a:ident => $b:tt),+}, Default = $default:ident) => (
 94        #[derive(Debug, Clone, PartialEq)]
 95        pub enum $elem {
 96            $(
 97                #[doc=$b]
 98                #[doc="value for this attribute."]
 99                $a
100            ),+
101        }
102        impl FromStr for $elem {
103            type Err = Error;
104            fn from_str(s: &str) -> Result<$elem, Error> {
105                Ok(match s {
106                    $($b => $elem::$a),+,
107                    _ => return Err(Error::ParseError(concat!("Unknown value for '", $name, "' attribute."))),
108                })
109            }
110        }
111        impl IntoAttributeValue for $elem {
112            #[allow(unreachable_patterns)]
113            fn into_attribute_value(self) -> Option<String> {
114                Some(String::from(match self {
115                    $elem::$default => return None,
116                    $($elem::$a => $b),+
117                }))
118            }
119        }
120        impl Default for $elem {
121            fn default() -> $elem {
122                $elem::$default
123            }
124        }
125    );
126}
127
128macro_rules! check_self {
129    ($elem:ident, $name:tt, $ns:expr) => (
130        if !$elem.is($name, $ns) {
131            return Err(Error::ParseError(concat!("This is not a ", $name, " element.")));
132        }
133    );
134    ($elem:ident, $name:tt, $ns:expr, $pretty_name:tt) => (
135        if !$elem.is($name, $ns) {
136            return Err(Error::ParseError(concat!("This is not a ", $pretty_name, " element.")));
137        }
138    );
139}
140
141macro_rules! check_ns_only {
142    ($elem:ident, $name:tt, $ns:expr) => (
143        if !$elem.has_ns($ns) {
144            return Err(Error::ParseError(concat!("This is not a ", $name, " element.")));
145        }
146    );
147}
148
149macro_rules! check_no_children {
150    ($elem:ident, $name:tt) => (
151        for _ in $elem.children() {
152            return Err(Error::ParseError(concat!("Unknown child in ", $name, " element.")));
153        }
154    );
155}
156
157macro_rules! check_no_attributes {
158    ($elem:ident, $name:tt) => (
159        check_no_unknown_attributes!($elem, $name, []);
160    );
161}
162
163macro_rules! check_no_unknown_attributes {
164    ($elem:ident, $name:tt, [$($attr:tt),*]) => (
165        for (_attr, _) in $elem.attrs() {
166            $(
167            if _attr == $attr {
168                continue;
169            }
170            )*
171            return Err(Error::ParseError(concat!("Unknown attribute in ", $name, " element.")));
172        }
173    );
174}
175
176macro_rules! generate_empty_element {
177    ($elem:ident, $name:tt, $ns:expr) => (
178        // TODO: Find a better way to concatenate doc.
179        #[doc="Structure representing a "]
180        #[doc=$name]
181        #[doc=" element."]
182        #[derive(Debug, Clone)]
183        pub struct $elem;
184
185        impl TryFrom<Element> for $elem {
186            type Err = Error;
187
188            fn try_from(elem: Element) -> Result<$elem, Error> {
189                check_self!(elem, $name, $ns);
190                check_no_children!(elem, $name);
191                check_no_attributes!(elem, $name);
192                Ok($elem)
193            }
194        }
195
196        impl From<$elem> for Element {
197            fn from(_: $elem) -> Element {
198                Element::builder($name)
199                        .ns($ns)
200                        .build()
201            }
202        }
203    );
204}
205
206macro_rules! generate_element_with_only_attributes {
207    ($elem:ident, $name:tt, $ns:expr, [$($attr:ident: $attr_type:ty = $attr_name:tt => $attr_action:tt),+,]) => (
208        generate_element_with_only_attributes!($elem, $name, $ns, [$($attr: $attr_type = $attr_name => $attr_action),*]);
209    );
210    ($elem:ident, $name:tt, $ns:expr, [$($attr:ident: $attr_type:ty = $attr_name:tt => $attr_action:tt),+]) => (
211        #[derive(Debug, Clone)]
212        pub struct $elem {
213            $(
214            pub $attr: $attr_type
215            ),*
216        }
217
218        impl TryFrom<Element> for $elem {
219            type Err = Error;
220
221            fn try_from(elem: Element) -> Result<$elem, Error> {
222                check_self!(elem, $name, $ns);
223                check_no_children!(elem, $name);
224                check_no_unknown_attributes!(elem, $name, [$($attr_name),*]);
225                Ok($elem {
226                    $(
227                    $attr: get_attr!(elem, $attr_name, $attr_action)
228                    ),*
229                })
230            }
231        }
232
233        impl From<$elem> for Element {
234            fn from(elem: $elem) -> Element {
235                Element::builder($name)
236                        .ns($ns)
237                        $(
238                        .attr($attr_name, elem.$attr)
239                        )*
240                        .build()
241            }
242        }
243    );
244}
245
246macro_rules! generate_id {
247    ($elem:ident) => (
248        #[derive(Debug, Clone, PartialEq, Eq, Hash)]
249        pub struct $elem(pub String);
250        impl FromStr for $elem {
251            type Err = Error;
252            fn from_str(s: &str) -> Result<$elem, Error> {
253                // TODO: add a way to parse that differently when needed.
254                Ok($elem(String::from(s)))
255            }
256        }
257        impl IntoAttributeValue for $elem {
258            fn into_attribute_value(self) -> Option<String> {
259                Some(self.0)
260            }
261        }
262    );
263}
264
265macro_rules! generate_elem_id {
266    ($elem:ident, $name:tt, $ns:expr) => (
267        #[derive(Debug, Clone, PartialEq, Eq, Hash)]
268        pub struct $elem(pub String);
269        impl FromStr for $elem {
270            type Err = Error;
271            fn from_str(s: &str) -> Result<$elem, Error> {
272                // TODO: add a way to parse that differently when needed.
273                Ok($elem(String::from(s)))
274            }
275        }
276        impl From<$elem> for Element {
277            fn from(elem: $elem) -> Element {
278                Element::builder($name)
279                        .ns($ns)
280                        .append(elem.0)
281                        .build()
282            }
283        }
284    );
285}
286
287/// Error type returned by every parser on failure.
288pub mod error;
289/// XML namespace definitions used through XMPP.
290pub mod ns;
291
292#[cfg(test)]
293/// Namespace-aware comparison for tests
294mod compare_elements;
295
296/// RFC 6120: Extensible Messaging and Presence Protocol (XMPP): Core
297pub mod message;
298/// RFC 6120: Extensible Messaging and Presence Protocol (XMPP): Core
299pub mod presence;
300/// RFC 6120: Extensible Messaging and Presence Protocol (XMPP): Core
301pub mod iq;
302/// RFC 6120: Extensible Messaging and Presence Protocol (XMPP): Core
303pub mod stanza_error;
304
305/// RFC 6121: Extensible Messaging and Presence Protocol (XMPP): Instant Messaging and Presence
306pub mod roster;
307
308/// XEP-0004: Data Forms
309pub mod data_forms;
310
311/// XEP-0030: Service Discovery
312pub mod disco;
313
314/// XEP-0045: Multi-User Chat
315pub mod muc;
316
317/// XEP-0047: In-Band Bytestreams
318pub mod ibb;
319
320/// XEP-0059: Result Set Management
321pub mod rsm;
322
323/// XEP-0060: Publish-Subscribe
324pub mod pubsub;
325
326/// XEP-0077: In-Band Registration
327pub mod ibr;
328
329/// XEP-0085: Chat State Notifications
330pub mod chatstates;
331
332/// XEP-0092: Software Version
333pub mod version;
334
335/// XEP-0115: Entity Capabilities
336pub mod caps;
337
338/// XEP-0166: Jingle
339pub mod jingle;
340
341/// XEP-0184: Message Delivery Receipts
342pub mod receipts;
343
344/// XEP-0191: Blocking Command
345pub mod blocking;
346
347/// XEP-0199: XMPP Ping
348pub mod ping;
349
350/// XEP-0203: Delayed Delivery
351pub mod delay;
352
353/// XEP-0221: Data Forms Media Element
354pub mod media_element;
355
356/// XEP-0224: Attention
357pub mod attention;
358
359/// XEP-0234: Jingle File Transfer
360pub mod jingle_ft;
361
362/// XEP-0260: Jingle SOCKS5 Bytestreams Transport Method
363pub mod jingle_s5b;
364
365/// XEP-0261: Jingle In-Band Bytestreams Transport Method
366pub mod jingle_ibb;
367
368/// XEP-0297: Stanza Forwarding
369pub mod forwarding;
370
371/// XEP-0300: Use of Cryptographic Hash Functions in XMPP
372pub mod hashes;
373
374/// XEP-0308: Last Message Correction
375pub mod message_correct;
376
377/// XEP-0313: Message Archive Management
378pub mod mam;
379
380/// XEP-0319: Last User Interaction in Presence
381pub mod idle;
382
383/// XEP-0353: Jingle Message Initiation
384pub mod jingle_message;
385
386/// XEP-0359: Unique and Stable Stanza IDs
387pub mod stanza_id;
388
389/// XEP-0380: Explicit Message Encryption
390pub mod eme;
391
392/// XEP-0390: Entity Capabilities 2.0
393pub mod ecaps2;