-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmod.rs
186 lines (159 loc) · 5.13 KB
/
mod.rs
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
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
extern crate quick_xml;
use self::quick_xml::events::{attributes::Attributes as XmlAttributes, Event as XmlEvent};
use self::quick_xml::Reader as XmlReader;
use std::collections::hash_map::HashMap;
use std::str::{self, FromStr};
#[derive(Debug, Clone)]
pub enum Primitive {
Null,
Float(f64),
Integer(i32),
Boolean(bool),
String(String),
}
impl Primitive {
fn parse(string: &str) -> Self {
if let Ok(value) = string.parse::<i32>() {
Primitive::Integer(value)
} else if let Ok(value) = string.parse::<f64>() {
Primitive::Float(value)
} else if let Ok(value) = string.parse::<bool>() {
Primitive::Boolean(value)
} else {
Primitive::String(string.to_owned())
}
}
}
#[derive(Debug, Clone)]
pub enum ChildValue {
Object(Node),
Array(Vec<Node>),
}
#[derive(Debug, Clone)]
pub struct Node {
pub name: String,
pub attributes: Vec<(String, String)>,
pub content: Primitive,
pub children: HashMap<String, ChildValue>,
}
impl Node {
fn new(name: String) -> Self {
Self {
name,
attributes: Vec::new(),
content: Primitive::Null,
children: HashMap::new(),
}
}
fn set_content(&mut self, content: &str) {
self.content = Primitive::parse(&content);
}
fn set_attributes_from_reader(
&mut self,
reader: &XmlReader<&[u8]>,
xml_attributes: XmlAttributes,
) {
self.attributes =
xml_attributes
.into_iter()
.fold(Vec::new(), |mut acc_attributes, attribute_result| {
let attribute = attribute_result.unwrap();
let key = str::from_utf8(attribute.key).unwrap();
let value = attribute.unescape_and_decode_value(&reader).unwrap();
acc_attributes.push((key.to_owned(), value));
acc_attributes
});
}
fn insert_child(&mut self, name: &str, value: Node) {
match self.children.get_mut(name) {
Some(thing) => match thing {
ChildValue::Object(object) => {
*thing = ChildValue::Array(vec![object.clone(), value]);
}
ChildValue::Array(array) => {
array.push(value);
}
},
None => {
self
.children
.insert(name.to_owned(), ChildValue::Object(value));
}
};
}
}
type ParseResult = Result<Node, String>;
impl FromStr for Node {
type Err = String;
fn from_str(xml_string: &str) -> ParseResult {
let mut reader = XmlReader::from_str(xml_string);
reader.trim_text(true);
let mut buffer = Vec::new();
let mut traversal_stack: Vec<Node> = Vec::new();
let root = Node::new("root".to_owned());
traversal_stack.push(root);
loop {
match reader.read_event(&mut buffer) {
Ok(XmlEvent::Start(tag_result)) => {
let name = str::from_utf8(&tag_result.name()).unwrap();
let mut current_node = Node::new(name.to_owned());
current_node.set_attributes_from_reader(&reader, tag_result.attributes());
traversal_stack.push(current_node);
}
Ok(XmlEvent::Empty(tag_result)) => {
let name = str::from_utf8(&tag_result.name()).unwrap();
let current_parent = traversal_stack.last_mut().unwrap();
let mut current_node = Node::new(name.to_owned());
current_node.set_attributes_from_reader(&reader, tag_result.attributes());
current_parent.insert_child(name, current_node);
}
Ok(XmlEvent::Text(content_result)) => {
let content = content_result.unescape_and_decode(&reader).unwrap();
let current_node = traversal_stack.last_mut().unwrap();
current_node.set_content(&content);
}
Ok(XmlEvent::CData(cdata_result)) => {
let current_node = traversal_stack.last_mut().unwrap();
let cdata = match cdata_result.unescape_and_decode(&reader) {
Ok(value) => value,
Err(_) => reader
.decode(cdata_result.escaped())
.unwrap_or("")
.to_owned(),
};
current_node.set_content(&cdata);
}
Ok(XmlEvent::End(tag_result)) => {
let current_node = traversal_stack.last().unwrap();
let name = str::from_utf8(&tag_result.name()).unwrap();
if current_node.name != name {
panic!(
"Error at position {}. Expected {}, got {} instead",
reader.buffer_position(),
current_node.name,
name
);
}
let removed_node = traversal_stack.pop().unwrap();
let current_last_node = traversal_stack.last_mut().unwrap();
current_last_node.insert_child(name, removed_node);
}
Ok(XmlEvent::Eof) => {
let stack_len = traversal_stack.len();
let last_node = traversal_stack.pop().unwrap();
if stack_len > 1 {
panic!(
"Unexpected EOF at {}. Expected closing tag </ {}>",
reader.buffer_position(),
last_node.name
);
}
return Ok(last_node);
}
Err(reason) => panic!("Error at position {}: {}", reader.buffer_position(), reason),
_ => (),
}
buffer.clear();
}
}
}