use regex::Regex; use std::error::Error; use std::fmt::{Debug, Display, Formatter}; use std::fmt; use super::file::{FileHeaderSpec, FileHeaderData}; pub struct ParserError { summary: String, parsertext: String, index: i32, explanation: Option, } impl ParserError { pub fn new(sum: &'static str, text: String, idx: i32, expl: &'static str) -> ParserError { ParserError { summary: String::from(sum), parsertext: text, index: idx, explanation: Some(String::from(expl)), } } pub fn short(sum: &'static str, text: String, idx: i32) -> ParserError { ParserError { summary: String::from(sum), parsertext: text, index: idx, explanation: None } } } impl Error for ParserError { fn description(&self) -> &str { &self.summary[..] } fn cause(&self) -> Option<&Error> { None } } impl Debug for ParserError { fn fmt(&self, fmt: &mut Formatter) -> fmt::Result { write!(fmt, "ParserError: {}\n\n", self.summary); if let Some(ref e) = self.explanation { write!(fmt, "{}\n\n", e); } write!(fmt, "On position {}\nin\n{}", self.index, self.parsertext); Ok(()) } } impl Display for ParserError { fn fmt(&self, fmt: &mut Formatter) -> fmt::Result { write!(fmt, "ParserError: {}", self.summary); if let Some(ref e) = self.explanation { write!(fmt, "\n\n{}", e); } Ok(()) } } pub trait FileHeaderParser<'a> : Sized { fn new(spec: &'a FileHeaderSpec) -> Self; fn read(&self, string: Option) -> Result; fn write(&self, data: &FileHeaderData) -> Result; } type TextTpl = (Option, Option); pub struct Parser { headerp : HP, } impl<'a, HP> Parser where HP: FileHeaderParser<'a>, { fn new(headerp: HP) -> Parser { Parser { headerp: headerp, } } pub fn read(&self, s: String) -> Result<(FileHeaderData, String), ParserError> { let divided = self.divide_text(&s); if divided.is_err() { return Err(divided.err().unwrap()); } let (header, data) = divided.ok().unwrap(); let h_parseres = try!(self.headerp.read(header)); Ok((h_parseres, data.unwrap_or(String::new()))) } fn write(&self, tpl : (FileHeaderData, String)) -> Result { let (header, data) = tpl; let h_text = try!(self.headerp.write(&header)); Ok(h_text + &data[..]) } fn divide_text(&self, text: &String) -> Result { let re = Regex::new(r"(?m)^\-\-\-$\n(.*)^\-\-\-$\n(.*)").unwrap(); let captures = re.captures(&text[..]).unwrap_or( return Err(ParserError::new("Cannot run regex on text", text.clone(), 0, "Cannot run regex on text to divide it into header and content.")) ); if captures.len() != 2 { return Err(ParserError::new("Unexpected Regex output", text.clone(), 0, "The regex to divide text into header and content had an unexpected output.")) } let header = captures.at(0).map(|s| String::from(s)); let content = captures.at(1).map(|s| String::from(s)); Ok((header, content)) } }