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
98
99
100
101
102
103
104
use crate::ast;
use crate::error::{ParseError, Result};
use crate::parser::Parser;
use crate::source::Source;
use crate::token::{Kind, Token};
use crate::traits::{Parse, Peek, Resolve};
use runestick::Span;
#[derive(Debug, Clone)]
pub struct Path {
pub first: ast::Ident,
pub rest: Vec<(ast::Scope, ast::Ident)>,
}
impl Path {
pub fn try_into_ident(self) -> Option<ast::Ident> {
if !self.rest.is_empty() {
return None;
}
Some(self.first)
}
pub fn try_as_ident(&self) -> Option<&ast::Ident> {
if !self.rest.is_empty() {
return None;
}
Some(&self.first)
}
pub fn span(&self) -> Span {
match self.rest.last() {
Some((_, ident)) => self.first.span().join(ident.span()),
None => self.first.span(),
}
}
pub fn parse_with_first(parser: &mut Parser, first: ast::Ident) -> Result<Self, ParseError> {
Ok(Self {
first,
rest: parser.parse()?,
})
}
pub fn components(&self) -> impl Iterator<Item = &'_ ast::Ident> + '_ {
let mut first = Some(&self.first);
let mut it = self.rest.iter();
std::iter::from_fn(move || {
if let Some(first) = first.take() {
return Some(first);
}
Some(&it.next()?.1)
})
}
}
impl Peek for Path {
fn peek(t1: Option<Token>, _: Option<Token>) -> bool {
let t1 = match t1 {
Some(t1) => t1,
None => return false,
};
matches!(t1.kind, Kind::Ident)
}
}
impl Parse for Path {
fn parse(parser: &mut Parser<'_>) -> Result<Self, ParseError> {
let first = parser.parse()?;
Self::parse_with_first(parser, first)
}
}
impl<'a> Resolve<'a> for Path {
type Output = Vec<&'a str>;
fn resolve(&self, source: Source<'a>) -> Result<Vec<&'a str>, ParseError> {
let mut output = Vec::new();
output.push(self.first.resolve(source)?);
for (_, ident) in &self.rest {
output.push(ident.resolve(source)?);
}
Ok(output)
}
}