rune/compile/
attrs.rs
1use core::marker::PhantomData;
2
3use crate as rune;
4use crate::alloc::prelude::*;
5use crate::alloc::{Vec, VecDeque};
6use crate::ast;
7use crate::ast::{LitStr, Spanned};
8use crate::compile::{self, ErrorKind};
9use crate::parse::{self, Parse, Resolve, ResolveContext};
10
11pub(crate) struct Parser {
13 unused: VecDeque<usize>,
15 missed: Vec<usize>,
17}
18
19impl Parser {
20 pub(crate) fn new(attributes: &[ast::Attribute]) -> compile::Result<Self> {
22 Ok(Self {
23 unused: attributes
24 .iter()
25 .enumerate()
26 .map(|(i, _)| i)
27 .try_collect()?,
28 missed: Vec::new(),
29 })
30 }
31
32 pub(crate) fn parse_all<'this, 'a, T>(
36 &'this mut self,
37 cx: ResolveContext<'this>,
38 attributes: &'a [ast::Attribute],
39 ) -> compile::Result<ParseAll<'this, 'a, T>>
40 where
41 T: Attribute + Parse,
42 {
43 for index in self.missed.drain(..) {
44 self.unused.try_push_back(index)?;
45 }
46
47 Ok(ParseAll {
48 outer: self,
49 attributes,
50 cx,
51 _marker: PhantomData,
52 })
53 }
54
55 pub(crate) fn try_parse<'a, T>(
60 &mut self,
61 cx: ResolveContext<'_>,
62 attributes: &'a [ast::Attribute],
63 ) -> compile::Result<Option<(&'a ast::Attribute, T)>>
64 where
65 T: Attribute + Parse,
66 {
67 let mut vec = self.parse_all::<T>(cx, attributes)?;
68 let first = vec.next();
69 let second = vec.next();
70
71 match (first, second) {
72 (None, _) => Ok(None),
73 (Some(first), None) => Ok(Some(first?)),
74 (Some(first), _) => Err(compile::Error::new(
75 first?.0,
76 ErrorKind::MultipleMatchingAttributes { name: T::PATH },
77 )),
78 }
79 }
80
81 pub(crate) fn remaining<'a>(
83 &'a self,
84 attributes: &'a [ast::Attribute],
85 ) -> impl Iterator<Item = &'a ast::Attribute> + 'a {
86 self.unused
87 .iter()
88 .chain(self.missed.iter())
89 .flat_map(|&n| attributes.get(n))
90 }
91}
92
93pub(crate) struct ParseAll<'this, 'a, T> {
94 outer: &'this mut Parser,
95 attributes: &'a [ast::Attribute],
96 cx: ResolveContext<'this>,
97 _marker: PhantomData<T>,
98}
99
100impl<'a, T> Iterator for ParseAll<'_, 'a, T>
101where
102 T: Attribute + Parse,
103{
104 type Item = compile::Result<(&'a ast::Attribute, T)>;
105
106 fn next(&mut self) -> Option<Self::Item> {
107 loop {
108 let index = self.outer.unused.pop_front()?;
109
110 let Some(a) = self.attributes.get(index) else {
111 if let Err(error) = self.outer.missed.try_push(index) {
112 return Some(Err(error.into()));
113 }
114
115 continue;
116 };
117
118 let Some(ident) = a.path.try_as_ident() else {
119 if let Err(error) = self.outer.missed.try_push(index) {
120 return Some(Err(error.into()));
121 }
122
123 continue;
124 };
125
126 let ident = match ident.resolve(self.cx) {
127 Ok(ident) => ident,
128 Err(e) => {
129 return Some(Err(e));
130 }
131 };
132
133 if ident != T::PATH {
134 if let Err(error) = self.outer.missed.try_push(index) {
135 return Some(Err(error.into()));
136 }
137
138 continue;
139 }
140
141 let mut parser = parse::Parser::from_token_stream(&a.input, a.span());
142
143 let item = match parser.parse::<T>() {
144 Ok(item) => item,
145 Err(e) => {
146 return Some(Err(e));
147 }
148 };
149
150 if let Err(e) = parser.eof() {
151 return Some(Err(e));
152 }
153
154 return Some(Ok((a, item)));
155 }
156 }
157}
158
159pub(crate) trait Attribute {
160 const PATH: &'static str;
161}
162
163#[derive(Default)]
164pub(crate) struct BuiltInArgs {
165 pub(crate) literal: bool,
166}
167
168#[derive(Parse)]
169pub(crate) struct BuiltIn {
170 pub args: Option<ast::Parenthesized<ast::Ident, T![,]>>,
172}
173
174impl BuiltIn {
175 pub(crate) fn args(&self, cx: ResolveContext<'_>) -> compile::Result<BuiltInArgs> {
177 let mut out = BuiltInArgs::default();
178
179 if let Some(args) = &self.args {
180 for (ident, _) in args {
181 match ident.resolve(cx)? {
182 "literal" => {
183 out.literal = true;
184 }
185 _ => {
186 return Err(compile::Error::msg(ident, "unsupported attribute"));
187 }
188 }
189 }
190 }
191
192 Ok(out)
193 }
194}
195
196impl Attribute for BuiltIn {
197 const PATH: &'static str = "builtin";
199}
200
201#[derive(Parse)]
203pub(crate) struct Test {}
204
205impl Attribute for Test {
206 const PATH: &'static str = "test";
208}
209
210#[derive(Parse)]
212pub(crate) struct Bench {}
213
214impl Attribute for Bench {
215 const PATH: &'static str = "bench";
217}
218
219#[derive(Parse)]
220pub(crate) struct Doc {
221 #[allow(dead_code)]
223 pub eq_token: T![=],
224 pub doc_string: LitStr,
226}
227
228impl Attribute for Doc {
229 const PATH: &'static str = "doc";
231}