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
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
use roxmltree::Node;
use super::types::BoolParse;
use super::{Parse, SVDError, SVDErrorAt};
pub trait ElementExt {
fn get_child<K>(&self, k: K) -> Option<Node>
where
K: AsRef<str>;
fn get_child_text_opt<K>(&self, k: K) -> Result<Option<String>, SVDErrorAt>
where
K: AsRef<str>;
fn get_child_text<K>(&self, k: K) -> Result<String, SVDErrorAt>
where
K: AsRef<str>;
fn get_text(&self) -> Result<&str, SVDErrorAt>;
fn get_child_elem(&self, n: &str) -> Result<Node, SVDErrorAt>;
fn get_child_u32(&self, n: &str) -> Result<u32, SVDErrorAt>;
fn get_child_u64(&self, n: &str) -> Result<u64, SVDErrorAt>;
fn get_child_bool(&self, n: &str) -> Result<bool, SVDErrorAt>;
fn debug(&self);
}
impl<'a, 'input> ElementExt for Node<'a, 'input> {
fn get_child<K>(&self, k: K) -> Option<Node>
where
K: AsRef<str>,
{
for c in self.children() {
if c.has_tag_name(k.as_ref()) {
return Some(c);
}
}
None
}
fn get_child_text_opt<K>(&self, k: K) -> Result<Option<String>, SVDErrorAt>
where
K: AsRef<str>,
{
if let Some(child) = self.get_child(k) {
match child.get_text() {
Err(e) => {
match e {
SVDErrorAt {
error: SVDError::EmptyTag(_),
..
} => Ok(None),
_ => Err(e),
}
}
Ok(s) => Ok(Some(s.to_string())),
}
} else {
Ok(None)
}
}
fn get_child_text<K>(&self, k: K) -> Result<String, SVDErrorAt>
where
K: AsRef<str>,
{
let k = k.as_ref();
self.get_child_text_opt(k)?
.ok_or_else(|| SVDError::MissingTag(k.to_string()).at(self.id()))
}
fn get_text(&self) -> Result<&str, SVDErrorAt> {
match self.text() {
Some(s) => Ok(s),
None => Err(SVDError::EmptyTag(self.tag_name().name().to_string()).at(self.id())),
}
}
fn get_child_elem(&self, n: &str) -> Result<Node, SVDErrorAt> {
self.get_child(n)
.ok_or_else(|| SVDError::MissingTag(n.to_string()).at(self.id()))
}
fn get_child_u32(&self, n: &str) -> Result<u32, SVDErrorAt> {
let s = self.get_child_elem(n)?;
u32::parse(&s, &())
}
fn get_child_u64(&self, n: &str) -> Result<u64, SVDErrorAt> {
let s = self.get_child_elem(n)?;
u64::parse(&s, &())
}
fn get_child_bool(&self, n: &str) -> Result<bool, SVDErrorAt> {
let s = self.get_child_elem(n)?;
BoolParse::parse(&s, &())
}
fn debug(&self) {
let name = self.tag_name().name();
println!("<{}>", name);
for c in self.children() {
println!("{}: {:?}", c.tag_name().name(), c.text())
}
println!("</{}>", name);
}
}