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
use std::{
error::Error,
fmt::{Debug, Display, Formatter},
path::{Path, PathBuf},
};
mod for_std;
#[derive(Debug, Default)]
pub struct XError {
pub kind: Box<XErrorKind>,
pub path: Option<PathBuf>,
pub position: Option<(usize, usize)>,
pub source: Option<Box<dyn Error>>,
}
#[derive(Debug)]
pub enum XErrorKind {
IOError(String),
TableError(String),
SyntaxError { message: String },
RuntimeError { message: String },
TypeMismatch { except: String, current: String },
UnknownError,
}
impl Display for XError {
fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
match &*self.kind {
XErrorKind::IOError(v) => write!(f, "IO 异常: {v}")?,
XErrorKind::SyntaxError { message } => write!(f, "解析错误: {}", message)?,
XErrorKind::RuntimeError { message } => write!(f, "运行错误: {}", message)?,
XErrorKind::TableError(v) => write!(f, "表格错误: {}", v)?,
XErrorKind::TypeMismatch { except, current } => write!(f, "类型错误: 预期 `{}`, 实际 `{}`", except, current)?,
XErrorKind::UnknownError => write!(f, "内部错误")?,
}
if let Some(s) = &self.path {
write!(f, "\n{}", s.display())?;
if let Some((x, y)) = self.position {
write!(f, " ({} 行 {} 列)", y + 1, x + 1)?
}
}
Ok(())
}
}
impl Error for XError {
fn source(&self) -> Option<&(dyn Error + 'static)> {
match &self.source {
Some(s) => Some(s.as_ref()),
None => None,
}
}
}
impl XError {
pub fn new(kind: XErrorKind) -> Self {
Self { kind: Box::new(kind), path: None, position: None, source: None }
}
pub fn with_path(mut self, path: &Path) -> Self {
self.path = Some(path.to_path_buf());
self
}
pub fn with_xy(mut self, x: usize, y: usize) -> Self {
self.position = Some((x, y));
self
}
pub fn with_x(mut self, x: usize) -> Self {
self.position = match self.position {
None => Some((x, 0)),
Some((_, y)) => Some((x, y)),
};
self
}
pub fn with_y(mut self, y: usize) -> Self {
self.position = match self.position {
None => Some((0, y)),
Some((x, _)) => Some((x, y)),
};
self
}
pub fn runtime_error<S>(msg: S) -> Self
where
S: Into<String>,
{
let kind = XErrorKind::RuntimeError { message: msg.into() };
Self { kind: Box::new(kind), path: None, position: None, source: None }
}
pub fn table_error<S>(msg: S) -> Self
where
S: Into<String>,
{
let kind = XErrorKind::TableError(msg.into());
Self { kind: Box::new(kind), path: None, position: None, source: None }
}
}