1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
|
use jid::JID;
use peanuts::{
element::{FromElement, IntoElement},
Element,
};
pub const XMLNS: &str = "urn:ietf:params:xml:ns:xmpp-bind";
#[derive(Clone, Debug)]
pub struct Bind {
pub r#type: Option<BindType>,
}
impl FromElement for Bind {
fn from_element(mut element: peanuts::Element) -> peanuts::element::DeserializeResult<Self> {
element.check_name("bind")?;
element.check_name(XMLNS)?;
let r#type = element.pop_child_opt()?;
Ok(Bind { r#type })
}
}
impl IntoElement for Bind {
fn builder(&self) -> peanuts::element::ElementBuilder {
Element::builder("bind", Some(XMLNS)).push_child_opt(self.r#type.clone())
}
}
#[derive(Clone, Debug)]
pub enum BindType {
Resource(ResourceType),
Jid(FullJidType),
}
impl FromElement for BindType {
fn from_element(element: peanuts::Element) -> peanuts::element::DeserializeResult<Self> {
match element.identify() {
(Some(XMLNS), "resource") => {
Ok(BindType::Resource(ResourceType::from_element(element)?))
}
(Some(XMLNS), "jid") => Ok(BindType::Jid(FullJidType::from_element(element)?)),
_ => Err(peanuts::DeserializeError::UnexpectedElement(element)),
}
}
}
impl IntoElement for BindType {
fn builder(&self) -> peanuts::element::ElementBuilder {
match self {
BindType::Resource(resource_type) => resource_type.builder(),
BindType::Jid(full_jid_type) => full_jid_type.builder(),
}
}
}
// minLength 8 maxLength 3071
#[derive(Clone, Debug)]
pub struct FullJidType(pub JID);
impl FromElement for FullJidType {
fn from_element(mut element: peanuts::Element) -> peanuts::element::DeserializeResult<Self> {
element.check_name("jid")?;
element.check_namespace(XMLNS)?;
let jid = element.pop_value()?;
Ok(FullJidType(jid))
}
}
impl IntoElement for FullJidType {
fn builder(&self) -> peanuts::element::ElementBuilder {
Element::builder("jid", Some(XMLNS)).push_text(self.0.clone())
}
}
// minLength 1 maxLength 1023
#[derive(Clone, Debug)]
pub struct ResourceType(pub String);
impl FromElement for ResourceType {
fn from_element(mut element: peanuts::Element) -> peanuts::element::DeserializeResult<Self> {
element.check_name("resource")?;
element.check_namespace(XMLNS)?;
let resource = element.pop_value()?;
Ok(ResourceType(resource))
}
}
impl IntoElement for ResourceType {
fn builder(&self) -> peanuts::element::ElementBuilder {
Element::builder("resource", Some(XMLNS)).push_text(self.0.clone())
}
}
|