xmpp-rs/src/receipts.rs

87 lines
2.6 KiB
Rust
Raw Normal View History

2017-04-29 21:14:34 +00:00
// Copyright (c) 2017 Emmanuel Gil Peyrot <linkmauve@linkmauve.fr>
//
// This Source Code Form is subject to the terms of the Mozilla Public
// License, v. 2.0. If a copy of the MPL was not distributed with this
// file, You can obtain one at http://mozilla.org/MPL/2.0/.
use try_from::TryFrom;
2017-05-06 19:07:03 +00:00
2017-04-19 23:43:33 +00:00
use minidom::Element;
use error::Error;
use ns;
2017-04-19 23:43:33 +00:00
2017-04-20 23:41:15 +00:00
#[derive(Debug, Clone)]
2017-04-19 23:43:33 +00:00
pub enum Receipt {
Request,
Received(Option<String>),
2017-04-19 23:43:33 +00:00
}
impl TryFrom<Element> for Receipt {
type Err = Error;
2017-05-06 19:07:03 +00:00
fn try_from(elem: Element) -> Result<Receipt, Error> {
2017-05-06 19:07:03 +00:00
for _ in elem.children() {
return Err(Error::ParseError("Unknown child in receipt element."));
}
if elem.is("request", ns::RECEIPTS) {
for _ in elem.attrs() {
return Err(Error::ParseError("Unknown attribute in request element."));
}
2017-05-06 19:07:03 +00:00
Ok(Receipt::Request)
} else if elem.is("received", ns::RECEIPTS) {
for (attr, _) in elem.attrs() {
if attr != "id" {
return Err(Error::ParseError("Unknown attribute in received element."));
}
}
let id = get_attr!(elem, "id", optional);
2017-05-06 19:07:03 +00:00
Ok(Receipt::Received(id))
} else {
Err(Error::ParseError("This is not a receipt element."))
}
2017-04-19 23:43:33 +00:00
}
}
impl From<Receipt> for Element {
fn from(receipt: Receipt) -> Element {
match receipt {
2017-05-06 19:07:03 +00:00
Receipt::Request => Element::builder("request")
.ns(ns::RECEIPTS),
Receipt::Received(id) => Element::builder("received")
.ns(ns::RECEIPTS)
.attr("id", id),
}.build()
2017-04-23 02:21:21 +00:00
}
}
2017-04-19 23:43:33 +00:00
#[cfg(test)]
mod tests {
2017-05-06 19:07:03 +00:00
use super::*;
2017-04-19 23:43:33 +00:00
#[test]
fn test_simple() {
let elem: Element = "<request xmlns='urn:xmpp:receipts'/>".parse().unwrap();
Receipt::try_from(elem).unwrap();
2017-04-19 23:43:33 +00:00
let elem: Element = "<received xmlns='urn:xmpp:receipts'/>".parse().unwrap();
Receipt::try_from(elem).unwrap();
2017-04-19 23:43:33 +00:00
let elem: Element = "<received xmlns='urn:xmpp:receipts' id='coucou'/>".parse().unwrap();
Receipt::try_from(elem).unwrap();
2017-04-19 23:43:33 +00:00
}
2017-04-23 02:21:21 +00:00
#[test]
fn test_serialise() {
2017-05-06 19:07:03 +00:00
let receipt = Receipt::Request;
let elem: Element = receipt.into();
2017-04-23 02:21:21 +00:00
assert!(elem.is("request", ns::RECEIPTS));
let receipt = Receipt::Received(Some(String::from("coucou")));
let elem: Element = receipt.into();
2017-04-23 02:21:21 +00:00
assert!(elem.is("received", ns::RECEIPTS));
assert_eq!(elem.attr("id"), Some("coucou"));
}
2017-04-19 23:43:33 +00:00
}