rune/macros/
macro_context.rs

1//! Context for a macro.
2
3use core::fmt;
4
5use crate::alloc;
6use crate::ast;
7use crate::ast::Span;
8use crate::compile::{self, ErrorKind, ItemMeta};
9use crate::indexing::Indexer;
10use crate::macros::{IntoLit, ToTokens, TokenStream};
11use crate::parse::{Parse, Resolve};
12use crate::runtime::Value;
13use crate::{Source, SourceId};
14
15/// Construct an empty macro context which can be used for testing.
16///
17/// # Examples
18///
19/// ```
20/// use rune::ast;
21/// use rune::macros;
22///
23/// macros::test(|cx| {
24///     let lit = cx.lit("hello world")?;
25///     assert!(matches!(lit, ast::Lit::Str(..)));
26///     Ok(())
27/// })?;
28/// # Ok::<_, rune::support::Error>(())
29/// ```
30#[cfg(feature = "std")]
31#[cfg_attr(rune_docsrs, doc(cfg(feature = "std")))]
32pub fn test<F, O>(f: F) -> crate::support::Result<O>
33where
34    F: FnOnce(&mut MacroContext<'_, '_, '_>) -> crate::support::Result<O>,
35{
36    use rust_alloc::rc::Rc;
37
38    use crate::compile::{NoopCompileVisitor, NoopSourceLoader, Pool, Prelude, UnitBuilder};
39    use crate::hir;
40    use crate::indexing::{IndexItem, Items, Scopes};
41    use crate::macros::Storage;
42    use crate::query::Query;
43    use crate::shared::{Consts, Gen};
44    use crate::support::Context as _;
45    use crate::{Context, Diagnostics, Item, Options, Sources};
46
47    let mut unit = UnitBuilder::default();
48    let prelude = Prelude::default();
49    let gen = Gen::default();
50    let const_arena = hir::Arena::new();
51    let mut consts = Consts::default();
52    let mut storage = Storage::default();
53    let mut sources = Sources::default();
54    let mut pool = Pool::new().context("Failed to allocate pool")?;
55    let mut visitor = NoopCompileVisitor::new();
56    let mut diagnostics = Diagnostics::default();
57    let mut source_loader = NoopSourceLoader::default();
58    let options = Options::from_default_env()?;
59    let context = Context::default();
60    let mut inner = Default::default();
61
62    let mut query = Query::new(
63        &mut unit,
64        &prelude,
65        &const_arena,
66        &mut consts,
67        &mut storage,
68        &mut sources,
69        &mut pool,
70        &mut visitor,
71        &mut diagnostics,
72        &mut source_loader,
73        &options,
74        &gen,
75        &context,
76        &mut inner,
77    );
78
79    let source_id = SourceId::empty();
80
81    let (root_id, root_mod_id) = query
82        .insert_root_mod(source_id, Span::empty())
83        .context("Failed to inserted root module")?;
84
85    let item_meta = query
86        .item_for("root item", root_id)
87        .context("Just inserted item meta does not exist")?;
88
89    let tree = Rc::default();
90
91    let mut idx = Indexer {
92        q: query.borrow(),
93        source_id,
94        items: Items::new(Item::new()).context("Failed to construct items")?,
95        scopes: Scopes::new().context("Failed to build indexer scopes")?,
96        item: IndexItem::new(root_mod_id, root_id),
97        nested_item: None,
98        macro_depth: 0,
99        root: None,
100        queue: None,
101        loaded: None,
102        tree: &tree,
103    };
104
105    let mut cx = MacroContext {
106        macro_span: Span::empty(),
107        input_span: Span::empty(),
108        item_meta,
109        idx: &mut idx,
110    };
111
112    f(&mut cx)
113}
114
115/// Context for a running macro.
116pub struct MacroContext<'a, 'b, 'arena> {
117    /// Macro span of the full macro call.
118    pub(crate) macro_span: Span,
119    /// Macro span of the input.
120    pub(crate) input_span: Span,
121    /// The item where the macro is being evaluated.
122    pub(crate) item_meta: ItemMeta,
123    /// Indexer.
124    pub(crate) idx: &'a mut Indexer<'b, 'arena>,
125}
126
127impl<'a, 'b, 'arena> MacroContext<'a, 'b, 'arena> {
128    /// Evaluate the given target as a constant expression.
129    ///
130    /// # Panics
131    ///
132    /// This will panic if it's called outside of a macro context.
133    ///
134    /// # Examples
135    ///
136    /// ```
137    /// # use rune::support::*;
138    /// use rune::ast;
139    /// use rune::macros::{self, quote};
140    /// use rune::parse::{Parser};
141    ///
142    /// macros::test(|cx| {
143    ///     let stream = quote!(1 + 2).into_token_stream(cx)?;
144    ///
145    ///     let mut p = Parser::from_token_stream(&stream, cx.input_span());
146    ///     let expr = p.parse_all::<ast::Expr>()?;
147    ///     let value = cx.eval(&expr)?;
148    ///
149    ///     let integer = value.as_integer::<u32>().context("Expected integer")?;
150    ///     assert_eq!(3, integer);
151    ///     Ok(())
152    /// })?;
153    /// # Ok::<_, rune::support::Error>(())
154    /// ```
155    pub fn eval(&mut self, target: &ast::Expr) -> compile::Result<Value> {
156        target.eval(self)
157    }
158
159    /// Construct a new literal from within a macro context.
160    ///
161    /// # Examples
162    ///
163    /// ```
164    /// use rune::ast;
165    /// use rune::macros;
166    ///
167    /// macros::test(|cx| {
168    ///     let lit = cx.lit("hello world")?;
169    ///     assert!(matches!(lit, ast::Lit::Str(..)));
170    ///     Ok(())
171    /// })?;
172    /// # Ok::<_, rune::support::Error>(())
173    /// ```
174    pub fn lit<T>(&mut self, lit: T) -> alloc::Result<ast::Lit>
175    where
176        T: IntoLit,
177    {
178        T::into_lit(lit, self)
179    }
180
181    /// Construct a new identifier from the given string from inside of a macro
182    /// context.
183    ///
184    /// # Examples
185    ///
186    /// ```
187    /// use rune::ast;
188    /// use rune::macros;
189    ///
190    /// macros::test(|cx| {
191    ///     let lit = cx.ident("foo")?;
192    ///     assert!(matches!(lit, ast::Ident { .. }));
193    ///     Ok(())
194    /// })?;
195    /// # Ok::<_, rune::support::Error>(())
196    /// ```
197    pub fn ident(&mut self, ident: &str) -> alloc::Result<ast::Ident> {
198        let span = self.macro_span();
199        let id = self.idx.q.storage.insert_str(ident)?;
200        let source = ast::LitSource::Synthetic(id);
201        Ok(ast::Ident { span, source })
202    }
203
204    /// Construct a new label from the given string. The string should be
205    /// specified *without* the leading `'`, so `"foo"` instead of `"'foo"`.
206    ///
207    /// This constructor does not panic when called outside of a macro context
208    /// but requires access to a `span` and `storage`.
209    ///
210    /// # Examples
211    ///
212    /// ```
213    /// use rune::ast;
214    /// use rune::macros;
215    ///
216    /// macros::test(|cx| {
217    ///     let lit = cx.label("foo")?;
218    ///     assert!(matches!(lit, ast::Label { .. }));
219    ///     Ok(())
220    /// })?;
221    /// # Ok::<_, rune::support::Error>(())
222    /// ```
223    pub fn label(&mut self, label: &str) -> alloc::Result<ast::Label> {
224        let span = self.macro_span();
225        let id = self.idx.q.storage.insert_str(label)?;
226        let source = ast::LitSource::Synthetic(id);
227        Ok(ast::Label { span, source })
228    }
229
230    /// Stringify the token stream.
231    pub fn stringify<T>(&mut self, tokens: &T) -> alloc::Result<Stringify<'_, 'a, 'b, 'arena>>
232    where
233        T: ToTokens,
234    {
235        let mut stream = TokenStream::new();
236        tokens.to_tokens(self, &mut stream)?;
237        Ok(Stringify { cx: self, stream })
238    }
239
240    /// Resolve the value of a token.
241    pub fn resolve<'r, T>(&'r self, item: T) -> compile::Result<T::Output>
242    where
243        T: Resolve<'r>,
244    {
245        item.resolve(resolve_context!(self.idx.q))
246    }
247
248    /// Access a literal source as a string.
249    pub(crate) fn literal_source(&self, source: ast::LitSource, span: Span) -> Option<&str> {
250        match source {
251            ast::LitSource::Text(source_id) => self.idx.q.sources.source(source_id, span),
252            ast::LitSource::Synthetic(id) => self.idx.q.storage.get_string(id),
253            ast::LitSource::BuiltIn(builtin) => Some(builtin.as_str()),
254        }
255    }
256
257    /// Insert the given source so that it has a [SourceId] that can be used in
258    /// combination with parsing functions such as
259    /// [parse_source][MacroContext::parse_source].
260    pub fn insert_source(&mut self, name: &str, source: &str) -> alloc::Result<SourceId> {
261        self.idx.q.sources.insert(Source::new(name, source)?)
262    }
263
264    /// Parse the given input as the given type that implements
265    /// [Parse][crate::parse::Parse].
266    pub fn parse_source<T>(&self, id: SourceId) -> compile::Result<T>
267    where
268        T: Parse,
269    {
270        let source = self.idx.q.sources.get(id).ok_or_else(|| {
271            compile::Error::new(Span::empty(), ErrorKind::MissingSourceId { source_id: id })
272        })?;
273
274        crate::parse::parse_all(source.as_str(), id, false)
275    }
276
277    /// The span of the macro call including the name of the macro.
278    ///
279    /// If the macro call was `stringify!(a + b)` this would refer to the whole
280    /// macro call.
281    pub fn macro_span(&self) -> Span {
282        self.macro_span
283    }
284
285    /// The span of the macro stream (the argument).
286    ///
287    /// If the macro call was `stringify!(a + b)` this would refer to `a + b`.
288    pub fn input_span(&self) -> Span {
289        self.input_span
290    }
291}
292
293pub struct Stringify<'cx, 'a, 'b, 'arena> {
294    cx: &'cx MacroContext<'a, 'b, 'arena>,
295    stream: TokenStream,
296}
297
298impl fmt::Display for Stringify<'_, '_, '_, '_> {
299    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
300        let mut it = self.stream.iter();
301        let last = it.next_back();
302
303        for token in it {
304            token.token_fmt(self.cx, f)?;
305            write!(f, " ")?;
306        }
307
308        if let Some(last) = last {
309            last.token_fmt(self.cx, f)?;
310        }
311
312        Ok(())
313    }
314}