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
use std::{
fmt::{self, Debug, Display},
ops::{Deref, DerefMut},
};
#[derive(Clone, Debug, Copy, Default)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
pub struct Span {
pub line_start: u64,
pub line_stop: u64,
pub col_start: u64,
pub col_stop: u64,
}
impl PartialEq for Span {
fn eq(&self, _other: &Span) -> bool {
true
}
}
impl std::hash::Hash for Span {
fn hash<H: std::hash::Hasher>(&self, _state: &mut H) {}
}
impl fmt::Display for Span {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
if self.line_start == self.line_stop {
write!(f, "{}:{}-{}", self.line_start, self.col_start, self.col_stop)
} else {
write!(f, "{}:{}-{}:{}", self.line_start, self.col_start, self.line_stop, self.col_stop)
}
}
}
impl std::ops::Add for Span {
type Output = Self;
fn add(self, other: Self) -> Self {
if self.line_start == other.line_stop {
Span {
line_start: self.line_start,
line_stop: self.line_stop,
col_start: self.col_start.min(other.col_start),
col_stop: self.col_stop.max(other.col_stop),
}
} else if self.line_start < other.line_start {
Span {
line_start: self.line_start,
line_stop: other.line_stop,
col_start: self.col_start,
col_stop: other.col_stop,
}
} else {
Span {
line_start: other.line_start,
line_stop: self.line_stop,
col_start: other.col_start,
col_stop: self.col_stop,
}
}
}
}
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
#[derive(Clone, Copy)]
pub struct Spanned<T: Clone + Copy> {
pub token: T,
pub span: Span,
}
impl<T: Clone + Copy> Deref for Spanned<T> {
type Target = T;
fn deref(&self) -> &Self::Target {
&self.token
}
}
impl<T: Clone + Copy> DerefMut for Spanned<T> {
fn deref_mut(&mut self) -> &mut Self::Target {
&mut self.token
}
}
impl<T: Clone + Copy + Display> Display for Spanned<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "'{}' @ {}", self.token, self.span)
}
}
impl<T: Clone + Copy + Debug> Debug for Spanned<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "'{:?}' @ {}", self.token, self.span)
}
}