use std::error;
use std::fmt;
use std::io;
use std::path::{Path, PathBuf};
pub fn error_parse(msg: String) -> Error {
Error { kind: ErrorKind::Parse(msg), line: None, path: None }
}
#[derive(Debug)]
pub struct Error {
pub(crate) kind: ErrorKind,
pub(crate) line: Option<u64>,
pub(crate) path: Option<PathBuf>,
}
#[derive(Debug)]
pub enum ErrorKind {
Io(io::Error),
Parse(String),
}
impl Error {
pub fn kind(&self) -> &ErrorKind {
&self.kind
}
pub fn line(&self) -> Option<u64> {
self.line
}
pub fn path(&self) -> Option<&Path> {
self.path.as_ref().map(|p| &**p)
}
pub fn into_kind(self) -> ErrorKind {
self.kind
}
pub fn is_io_error(&self) -> bool {
match self.kind {
ErrorKind::Io(_) => true,
_ => false,
}
}
}
impl error::Error for Error {
fn description(&self) -> &str {
match self.kind {
ErrorKind::Io(ref err) => err.description(),
ErrorKind::Parse(ref msg) => msg,
}
}
fn cause(&self) -> Option<&dyn error::Error> {
match self.kind {
ErrorKind::Io(ref err) => Some(err),
_ => None,
}
}
}
impl fmt::Display for Error {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
if let Some(ref path) = self.path {
if let Some(line) = self.line {
write!(f, "{}:{}: ", path.display(), line)?;
} else {
write!(f, "{}: ", path.display())?;
}
} else if let Some(line) = self.line {
write!(f, "error on line {}: ", line)?;
}
match self.kind {
ErrorKind::Io(ref err) => write!(f, "{}", err),
ErrorKind::Parse(ref msg) => write!(f, "{}", msg),
}
}
}