1use std::io::{Read};
7use std::result;
8
9use common::{Position, TextPosition};
10
11pub use self::config::ParserConfig;
12pub use self::events::XmlEvent;
13
14use self::parser::PullParser;
15
16mod lexer;
17mod parser;
18mod config;
19mod events;
20
21mod error;
22pub use self::error::{Error, ErrorKind};
23
24pub type Result<T> = result::Result<T, Error>;
26
27pub struct EventReader<R: Read> {
29 source: R,
30 parser: PullParser
31}
32
33impl<R: Read> EventReader<R> {
34 #[inline]
36 pub fn new(source: R) -> EventReader<R> {
37 EventReader::new_with_config(source, ParserConfig::new())
38 }
39
40 #[inline]
42 pub fn new_with_config(source: R, config: ParserConfig) -> EventReader<R> {
43 EventReader { source: source, parser: PullParser::new(config) }
44 }
45
46 #[inline]
51 pub fn next(&mut self) -> Result<XmlEvent> {
52 self.parser.next(&mut self.source)
53 }
54
55 pub fn source(&self) -> &R { &self.source }
56 pub fn source_mut(&mut self) -> &mut R { &mut self.source }
57
58 pub fn into_inner(self) -> R {
64 self.source
65 }
66}
67
68impl<B: Read> Position for EventReader<B> {
69 #[inline]
71 fn position(&self) -> TextPosition {
72 self.parser.position()
73 }
74}
75
76impl<R: Read> IntoIterator for EventReader<R> {
77 type Item = Result<XmlEvent>;
78 type IntoIter = Events<R>;
79
80 fn into_iter(self) -> Events<R> {
81 Events { reader: self, finished: false }
82 }
83}
84
85pub struct Events<R: Read> {
90 reader: EventReader<R>,
91 finished: bool
92}
93
94impl<R: Read> Events<R> {
95 #[inline]
97 pub fn into_inner(self) -> EventReader<R> {
98 self.reader
99 }
100
101 pub fn source(&self) -> &R { &self.reader.source }
102 pub fn source_mut(&mut self) -> &mut R { &mut self.reader.source }
103
104}
105
106impl<R: Read> Iterator for Events<R> {
107 type Item = Result<XmlEvent>;
108
109 #[inline]
110 fn next(&mut self) -> Option<Result<XmlEvent>> {
111 if self.finished && !self.reader.parser.is_ignoring_end_of_stream() { None }
112 else {
113 let ev = self.reader.next();
114 match ev {
115 Ok(XmlEvent::EndDocument) | Err(_) => self.finished = true,
116 _ => {}
117 }
118 Some(ev)
119 }
120 }
121}
122
123impl<'r> EventReader<&'r [u8]> {
124 #[inline]
126 pub fn from_str(source: &'r str) -> EventReader<&'r [u8]> {
127 EventReader::new(source.as_bytes())
128 }
129}