rustc_expand/mbe/macro_check.rs
1//! Checks that meta-variables in macro definition are correctly declared and used.
2//!
3//! # What is checked
4//!
5//! ## Meta-variables must not be bound twice
6//!
7//! ```compile_fail
8//! macro_rules! foo { ($x:tt $x:tt) => { $x }; }
9//! ```
10//!
11//! This check is sound (no false-negative) and complete (no false-positive).
12//!
13//! ## Meta-variables must not be free
14//!
15//! ```
16//! macro_rules! foo { () => { $x }; }
17//! ```
18//!
19//! This check is also done at macro instantiation but only if the branch is taken.
20//!
21//! ## Meta-variables must repeat at least as many times as their binder
22//!
23//! ```
24//! macro_rules! foo { ($($x:tt)*) => { $x }; }
25//! ```
26//!
27//! This check is also done at macro instantiation but only if the branch is taken.
28//!
29//! ## Meta-variables must repeat with the same Kleene operators as their binder
30//!
31//! ```
32//! macro_rules! foo { ($($x:tt)+) => { $($x)* }; }
33//! ```
34//!
35//! This check is not done at macro instantiation.
36//!
37//! # Disclaimer
38//!
39//! In the presence of nested macros (a macro defined in a macro), those checks may have false
40//! positives and false negatives. We try to detect those cases by recognizing potential macro
41//! definitions in RHSes, but nested macros may be hidden through the use of particular values of
42//! meta-variables.
43//!
44//! ## Examples of false positive
45//!
46//! False positives can come from cases where we don't recognize a nested macro, because it depends
47//! on particular values of meta-variables. In the following example, we think both instances of
48//! `$x` are free, which is a correct statement if `$name` is anything but `macro_rules`. But when
49//! `$name` is `macro_rules`, like in the instantiation below, then `$x:tt` is actually a binder of
50//! the nested macro and `$x` is bound to it.
51//!
52//! ```
53//! macro_rules! foo { ($name:ident) => { $name! bar { ($x:tt) => { $x }; } }; }
54//! foo!(macro_rules);
55//! ```
56//!
57//! False positives can also come from cases where we think there is a nested macro while there
58//! isn't. In the following example, we think `$x` is free, which is incorrect because `bar` is not
59//! a nested macro since it is not evaluated as code by `stringify!`.
60//!
61//! ```
62//! macro_rules! foo { () => { stringify!(macro_rules! bar { () => { $x }; }) }; }
63//! ```
64//!
65//! ## Examples of false negative
66//!
67//! False negatives can come from cases where we don't recognize a meta-variable, because it depends
68//! on particular values of meta-variables. In the following examples, we don't see that if `$d` is
69//! instantiated with `$` then `$d z` becomes `$z` in the nested macro definition and is thus a free
70//! meta-variable. Note however, that if `foo` is instantiated, then we would check the definition
71//! of `bar` and would see the issue.
72//!
73//! ```
74//! macro_rules! foo { ($d:tt) => { macro_rules! bar { ($y:tt) => { $d z }; } }; }
75//! ```
76//!
77//! # How it is checked
78//!
79//! There are 3 main functions: `check_binders`, `check_occurrences`, and `check_nested_macro`. They
80//! all need some kind of environment.
81//!
82//! ## Environments
83//!
84//! Environments are used to pass information.
85//!
86//! ### From LHS to RHS
87//!
88//! When checking a LHS with `check_binders`, we produce (and use) an environment for binders,
89//! namely `Binders`. This is a mapping from binder name to information about that binder: the span
90//! of the binder for error messages and the stack of Kleene operators under which it was bound in
91//! the LHS.
92//!
93//! This environment is used by both the LHS and RHS. The LHS uses it to detect duplicate binders.
94//! The RHS uses it to detect the other errors.
95//!
96//! ### From outer macro to inner macro
97//!
98//! When checking the RHS of an outer macro and we detect a nested macro definition, we push the
99//! current state, namely `MacroState`, to an environment of nested macro definitions. Each state
100//! stores the LHS binders when entering the macro definition as well as the stack of Kleene
101//! operators under which the inner macro is defined in the RHS.
102//!
103//! This environment is a stack representing the nesting of macro definitions. As such, the stack of
104//! Kleene operators under which a meta-variable is repeating is the concatenation of the stacks
105//! stored when entering a macro definition starting from the state in which the meta-variable is
106//! bound.
107
108use rustc_ast::token::{Delimiter, IdentIsRaw, Token, TokenKind};
109use rustc_ast::{DUMMY_NODE_ID, NodeId};
110use rustc_data_structures::fx::FxHashMap;
111use rustc_errors::MultiSpan;
112use rustc_lint_defs::BuiltinLintDiag;
113use rustc_session::lint::builtin::META_VARIABLE_MISUSE;
114use rustc_session::parse::ParseSess;
115use rustc_span::{ErrorGuaranteed, MacroRulesNormalizedIdent, Span, kw};
116use smallvec::SmallVec;
117
118use crate::errors;
119use crate::mbe::{KleeneToken, TokenTree};
120
121/// Stack represented as linked list.
122///
123/// Those are used for environments because they grow incrementally and are not mutable.
124enum Stack<'a, T> {
125 /// Empty stack.
126 Empty,
127 /// A non-empty stack.
128 Push {
129 /// The top element.
130 top: T,
131 /// The previous elements.
132 prev: &'a Stack<'a, T>,
133 },
134}
135
136impl<'a, T> Stack<'a, T> {
137 /// Returns whether a stack is empty.
138 fn is_empty(&self) -> bool {
139 matches!(*self, Stack::Empty)
140 }
141
142 /// Returns a new stack with an element of top.
143 fn push(&'a self, top: T) -> Stack<'a, T> {
144 Stack::Push { top, prev: self }
145 }
146}
147
148impl<'a, T> Iterator for &'a Stack<'a, T> {
149 type Item = &'a T;
150
151 // Iterates from top to bottom of the stack.
152 fn next(&mut self) -> Option<&'a T> {
153 match self {
154 Stack::Empty => None,
155 Stack::Push { top, prev } => {
156 *self = prev;
157 Some(top)
158 }
159 }
160 }
161}
162
163impl From<&Stack<'_, KleeneToken>> for SmallVec<[KleeneToken; 1]> {
164 fn from(ops: &Stack<'_, KleeneToken>) -> SmallVec<[KleeneToken; 1]> {
165 let mut ops: SmallVec<[KleeneToken; 1]> = ops.cloned().collect();
166 // The stack is innermost on top. We want outermost first.
167 ops.reverse();
168 ops
169 }
170}
171
172/// Information attached to a meta-variable binder in LHS.
173struct BinderInfo {
174 /// The span of the meta-variable in LHS.
175 span: Span,
176 /// The stack of Kleene operators (outermost first).
177 ops: SmallVec<[KleeneToken; 1]>,
178}
179
180/// An environment of meta-variables to their binder information.
181type Binders = FxHashMap<MacroRulesNormalizedIdent, BinderInfo>;
182
183/// The state at which we entered a macro definition in the RHS of another macro definition.
184struct MacroState<'a> {
185 /// The binders of the branch where we entered the macro definition.
186 binders: &'a Binders,
187 /// The stack of Kleene operators (outermost first) where we entered the macro definition.
188 ops: SmallVec<[KleeneToken; 1]>,
189}
190
191/// Checks that meta-variables are used correctly in one rule of a macro definition.
192///
193/// Arguments:
194/// - `psess` is used to emit diagnostics and lints
195/// - `node_id` is used to emit lints
196/// - `args`, `lhs`, and `rhs` represent the rule
197pub(super) fn check_meta_variables(
198 psess: &ParseSess,
199 node_id: NodeId,
200 args: Option<&TokenTree>,
201 lhs: &TokenTree,
202 rhs: &TokenTree,
203) -> Result<(), ErrorGuaranteed> {
204 let mut guar = None;
205 let mut binders = Binders::default();
206 if let Some(args) = args {
207 check_binders(psess, node_id, args, &Stack::Empty, &mut binders, &Stack::Empty, &mut guar);
208 }
209 check_binders(psess, node_id, lhs, &Stack::Empty, &mut binders, &Stack::Empty, &mut guar);
210 check_occurrences(psess, node_id, rhs, &Stack::Empty, &binders, &Stack::Empty, &mut guar);
211 guar.map_or(Ok(()), Err)
212}
213
214/// Checks `lhs` as part of the LHS of a macro definition, extends `binders` with new binders, and
215/// sets `valid` to false in case of errors.
216///
217/// Arguments:
218/// - `psess` is used to emit diagnostics and lints
219/// - `node_id` is used to emit lints
220/// - `lhs` is checked as part of a LHS
221/// - `macros` is the stack of possible outer macros
222/// - `binders` contains the binders of the LHS
223/// - `ops` is the stack of Kleene operators from the LHS
224/// - `guar` is set in case of errors
225fn check_binders(
226 psess: &ParseSess,
227 node_id: NodeId,
228 lhs: &TokenTree,
229 macros: &Stack<'_, MacroState<'_>>,
230 binders: &mut Binders,
231 ops: &Stack<'_, KleeneToken>,
232 guar: &mut Option<ErrorGuaranteed>,
233) {
234 match *lhs {
235 TokenTree::Token(..) => {}
236 // This can only happen when checking a nested macro because this LHS is then in the RHS of
237 // the outer macro. See ui/macros/macro-of-higher-order.rs where $y:$fragment in the
238 // LHS of the nested macro (and RHS of the outer macro) is parsed as MetaVar(y) Colon
239 // MetaVar(fragment) and not as MetaVarDecl(y, fragment).
240 TokenTree::MetaVar(span, name) => {
241 if macros.is_empty() {
242 psess.dcx().span_bug(span, "unexpected MetaVar in lhs");
243 }
244 let name = MacroRulesNormalizedIdent::new(name);
245 // There are 3 possibilities:
246 if let Some(prev_info) = binders.get(&name) {
247 // 1. The meta-variable is already bound in the current LHS: This is an error.
248 let mut span = MultiSpan::from_span(span);
249 span.push_span_label(prev_info.span, "previous declaration");
250 buffer_lint(psess, span, node_id, BuiltinLintDiag::DuplicateMatcherBinding);
251 } else if get_binder_info(macros, binders, name).is_none() {
252 // 2. The meta-variable is free: This is a binder.
253 binders.insert(name, BinderInfo { span, ops: ops.into() });
254 } else {
255 // 3. The meta-variable is bound: This is an occurrence.
256 check_occurrences(psess, node_id, lhs, macros, binders, ops, guar);
257 }
258 }
259 // Similarly, this can only happen when checking a toplevel macro.
260 TokenTree::MetaVarDecl { span, name, .. } => {
261 if !macros.is_empty() {
262 psess.dcx().span_bug(span, "unexpected MetaVarDecl in nested lhs");
263 }
264 let name = MacroRulesNormalizedIdent::new(name);
265 if let Some(prev_info) = get_binder_info(macros, binders, name) {
266 // Duplicate binders at the top-level macro definition are errors. The lint is only
267 // for nested macro definitions.
268 *guar = Some(
269 psess
270 .dcx()
271 .emit_err(errors::DuplicateMatcherBinding { span, prev: prev_info.span }),
272 );
273 } else {
274 binders.insert(name, BinderInfo { span, ops: ops.into() });
275 }
276 }
277 // `MetaVarExpr` can not appear in the LHS of a macro arm
278 TokenTree::MetaVarExpr(..) => {}
279 TokenTree::Delimited(.., ref del) => {
280 for tt in &del.tts {
281 check_binders(psess, node_id, tt, macros, binders, ops, guar);
282 }
283 }
284 TokenTree::Sequence(_, ref seq) => {
285 let ops = ops.push(seq.kleene);
286 for tt in &seq.tts {
287 check_binders(psess, node_id, tt, macros, binders, &ops, guar);
288 }
289 }
290 }
291}
292
293/// Returns the binder information of a meta-variable.
294///
295/// Arguments:
296/// - `macros` is the stack of possible outer macros
297/// - `binders` contains the current binders
298/// - `name` is the name of the meta-variable we are looking for
299fn get_binder_info<'a>(
300 mut macros: &'a Stack<'a, MacroState<'a>>,
301 binders: &'a Binders,
302 name: MacroRulesNormalizedIdent,
303) -> Option<&'a BinderInfo> {
304 binders.get(&name).or_else(|| macros.find_map(|state| state.binders.get(&name)))
305}
306
307/// Checks `rhs` as part of the RHS of a macro definition and sets `valid` to false in case of
308/// errors.
309///
310/// Arguments:
311/// - `psess` is used to emit diagnostics and lints
312/// - `node_id` is used to emit lints
313/// - `rhs` is checked as part of a RHS
314/// - `macros` is the stack of possible outer macros
315/// - `binders` contains the binders of the associated LHS
316/// - `ops` is the stack of Kleene operators from the RHS
317/// - `guar` is set in case of errors
318fn check_occurrences(
319 psess: &ParseSess,
320 node_id: NodeId,
321 rhs: &TokenTree,
322 macros: &Stack<'_, MacroState<'_>>,
323 binders: &Binders,
324 ops: &Stack<'_, KleeneToken>,
325 guar: &mut Option<ErrorGuaranteed>,
326) {
327 match *rhs {
328 TokenTree::Token(..) => {}
329 TokenTree::MetaVarDecl { span, .. } => {
330 psess.dcx().span_bug(span, "unexpected MetaVarDecl in rhs")
331 }
332 TokenTree::MetaVar(span, name) => {
333 let name = MacroRulesNormalizedIdent::new(name);
334 check_ops_is_prefix(psess, node_id, macros, binders, ops, span, name);
335 }
336 TokenTree::MetaVarExpr(dl, ref mve) => {
337 mve.for_each_metavar((), |_, ident| {
338 let name = MacroRulesNormalizedIdent::new(*ident);
339 check_ops_is_prefix(psess, node_id, macros, binders, ops, dl.entire(), name);
340 });
341 }
342 TokenTree::Delimited(.., ref del) => {
343 check_nested_occurrences(psess, node_id, &del.tts, macros, binders, ops, guar);
344 }
345 TokenTree::Sequence(_, ref seq) => {
346 let ops = ops.push(seq.kleene);
347 check_nested_occurrences(psess, node_id, &seq.tts, macros, binders, &ops, guar);
348 }
349 }
350}
351
352/// Represents the processed prefix of a nested macro.
353#[derive(Clone, Copy, PartialEq, Eq)]
354enum NestedMacroState {
355 /// Nothing that matches a nested macro definition was processed yet.
356 Empty,
357 /// The token `macro_rules` was processed.
358 MacroRules,
359 /// The tokens `macro_rules!` were processed.
360 MacroRulesBang,
361 /// The tokens `macro_rules!` followed by a name were processed. The name may be either directly
362 /// an identifier or a meta-variable (that hopefully would be instantiated by an identifier).
363 MacroRulesBangName,
364 /// The keyword `macro` was processed.
365 Macro,
366 /// The keyword `macro` followed by a name was processed.
367 MacroName,
368 /// The keyword `macro` followed by a name and a token delimited by parentheses was processed.
369 MacroNameParen,
370}
371
372/// Checks `tts` as part of the RHS of a macro definition, tries to recognize nested macro
373/// definitions, and sets `valid` to false in case of errors.
374///
375/// Arguments:
376/// - `psess` is used to emit diagnostics and lints
377/// - `node_id` is used to emit lints
378/// - `tts` is checked as part of a RHS and may contain macro definitions
379/// - `macros` is the stack of possible outer macros
380/// - `binders` contains the binders of the associated LHS
381/// - `ops` is the stack of Kleene operators from the RHS
382/// - `guar` is set in case of errors
383fn check_nested_occurrences(
384 psess: &ParseSess,
385 node_id: NodeId,
386 tts: &[TokenTree],
387 macros: &Stack<'_, MacroState<'_>>,
388 binders: &Binders,
389 ops: &Stack<'_, KleeneToken>,
390 guar: &mut Option<ErrorGuaranteed>,
391) {
392 let mut state = NestedMacroState::Empty;
393 let nested_macros = macros.push(MacroState { binders, ops: ops.into() });
394 let mut nested_binders = Binders::default();
395 for tt in tts {
396 match (state, tt) {
397 (
398 NestedMacroState::Empty,
399 &TokenTree::Token(Token { kind: TokenKind::Ident(name, IdentIsRaw::No), .. }),
400 ) => {
401 if name == kw::MacroRules {
402 state = NestedMacroState::MacroRules;
403 } else if name == kw::Macro {
404 state = NestedMacroState::Macro;
405 }
406 }
407 (
408 NestedMacroState::MacroRules,
409 &TokenTree::Token(Token { kind: TokenKind::Bang, .. }),
410 ) => {
411 state = NestedMacroState::MacroRulesBang;
412 }
413 (
414 NestedMacroState::MacroRulesBang,
415 &TokenTree::Token(Token { kind: TokenKind::Ident(..), .. }),
416 ) => {
417 state = NestedMacroState::MacroRulesBangName;
418 }
419 (NestedMacroState::MacroRulesBang, &TokenTree::MetaVar(..)) => {
420 state = NestedMacroState::MacroRulesBangName;
421 // We check that the meta-variable is correctly used.
422 check_occurrences(psess, node_id, tt, macros, binders, ops, guar);
423 }
424 (NestedMacroState::MacroRulesBangName, TokenTree::Delimited(.., del))
425 | (NestedMacroState::MacroName, TokenTree::Delimited(.., del))
426 if del.delim == Delimiter::Brace =>
427 {
428 let macro_rules = state == NestedMacroState::MacroRulesBangName;
429 state = NestedMacroState::Empty;
430 let rest =
431 check_nested_macro(psess, node_id, macro_rules, &del.tts, &nested_macros, guar);
432 // If we did not check the whole macro definition, then check the rest as if outside
433 // the macro definition.
434 check_nested_occurrences(
435 psess,
436 node_id,
437 &del.tts[rest..],
438 macros,
439 binders,
440 ops,
441 guar,
442 );
443 }
444 (
445 NestedMacroState::Macro,
446 &TokenTree::Token(Token { kind: TokenKind::Ident(..), .. }),
447 ) => {
448 state = NestedMacroState::MacroName;
449 }
450 (NestedMacroState::Macro, &TokenTree::MetaVar(..)) => {
451 state = NestedMacroState::MacroName;
452 // We check that the meta-variable is correctly used.
453 check_occurrences(psess, node_id, tt, macros, binders, ops, guar);
454 }
455 (NestedMacroState::MacroName, TokenTree::Delimited(.., del))
456 if del.delim == Delimiter::Parenthesis =>
457 {
458 state = NestedMacroState::MacroNameParen;
459 nested_binders = Binders::default();
460 check_binders(
461 psess,
462 node_id,
463 tt,
464 &nested_macros,
465 &mut nested_binders,
466 &Stack::Empty,
467 guar,
468 );
469 }
470 (NestedMacroState::MacroNameParen, TokenTree::Delimited(.., del))
471 if del.delim == Delimiter::Brace =>
472 {
473 state = NestedMacroState::Empty;
474 check_occurrences(
475 psess,
476 node_id,
477 tt,
478 &nested_macros,
479 &nested_binders,
480 &Stack::Empty,
481 guar,
482 );
483 }
484 (_, tt) => {
485 state = NestedMacroState::Empty;
486 check_occurrences(psess, node_id, tt, macros, binders, ops, guar);
487 }
488 }
489 }
490}
491
492/// Checks the body of nested macro, returns where the check stopped, and sets `valid` to false in
493/// case of errors.
494///
495/// The token trees are checked as long as they look like a list of (LHS) => {RHS} token trees. This
496/// check is a best-effort to detect a macro definition. It returns the position in `tts` where we
497/// stopped checking because we detected we were not in a macro definition anymore.
498///
499/// Arguments:
500/// - `psess` is used to emit diagnostics and lints
501/// - `node_id` is used to emit lints
502/// - `macro_rules` specifies whether the macro is `macro_rules`
503/// - `tts` is checked as a list of (LHS) => {RHS}
504/// - `macros` is the stack of outer macros
505/// - `guar` is set in case of errors
506fn check_nested_macro(
507 psess: &ParseSess,
508 node_id: NodeId,
509 macro_rules: bool,
510 tts: &[TokenTree],
511 macros: &Stack<'_, MacroState<'_>>,
512 guar: &mut Option<ErrorGuaranteed>,
513) -> usize {
514 let n = tts.len();
515 let mut i = 0;
516 let separator = if macro_rules { TokenKind::Semi } else { TokenKind::Comma };
517 loop {
518 // We expect 3 token trees: `(LHS) => {RHS}`. The separator is checked after.
519 if i + 2 >= n
520 || !tts[i].is_delimited()
521 || !tts[i + 1].is_token(&TokenKind::FatArrow)
522 || !tts[i + 2].is_delimited()
523 {
524 break;
525 }
526 let lhs = &tts[i];
527 let rhs = &tts[i + 2];
528 let mut binders = Binders::default();
529 check_binders(psess, node_id, lhs, macros, &mut binders, &Stack::Empty, guar);
530 check_occurrences(psess, node_id, rhs, macros, &binders, &Stack::Empty, guar);
531 // Since the last semicolon is optional for `macro_rules` macros and decl_macro are not terminated,
532 // we increment our checked position by how many token trees we already checked (the 3
533 // above) before checking for the separator.
534 i += 3;
535 if i == n || !tts[i].is_token(&separator) {
536 break;
537 }
538 // We increment our checked position for the semicolon.
539 i += 1;
540 }
541 i
542}
543
544/// Checks that a meta-variable occurrence is valid.
545///
546/// Arguments:
547/// - `psess` is used to emit diagnostics and lints
548/// - `node_id` is used to emit lints
549/// - `macros` is the stack of possible outer macros
550/// - `binders` contains the binders of the associated LHS
551/// - `ops` is the stack of Kleene operators from the RHS
552/// - `span` is the span of the meta-variable to check
553/// - `name` is the name of the meta-variable to check
554fn check_ops_is_prefix(
555 psess: &ParseSess,
556 node_id: NodeId,
557 macros: &Stack<'_, MacroState<'_>>,
558 binders: &Binders,
559 ops: &Stack<'_, KleeneToken>,
560 span: Span,
561 name: MacroRulesNormalizedIdent,
562) {
563 let macros = macros.push(MacroState { binders, ops: ops.into() });
564 // Accumulates the stacks the operators of each state until (and including when) the
565 // meta-variable is found. The innermost stack is first.
566 let mut acc: SmallVec<[&SmallVec<[KleeneToken; 1]>; 1]> = SmallVec::new();
567 for state in ¯os {
568 acc.push(&state.ops);
569 if let Some(binder) = state.binders.get(&name) {
570 // This variable concatenates the stack of operators from the RHS of the LHS where the
571 // meta-variable was defined to where it is used (in possibly nested macros). The
572 // outermost operator is first.
573 let mut occurrence_ops: SmallVec<[KleeneToken; 2]> = SmallVec::new();
574 // We need to iterate from the end to start with outermost stack.
575 for ops in acc.iter().rev() {
576 occurrence_ops.extend_from_slice(ops);
577 }
578 ops_is_prefix(psess, node_id, span, name, &binder.ops, &occurrence_ops);
579 return;
580 }
581 }
582 buffer_lint(psess, span.into(), node_id, BuiltinLintDiag::UnknownMacroVariable(name));
583}
584
585/// Returns whether `binder_ops` is a prefix of `occurrence_ops`.
586///
587/// The stack of Kleene operators of a meta-variable occurrence just needs to have the stack of
588/// Kleene operators of its binder as a prefix.
589///
590/// Consider $i in the following example:
591/// ```ignore (illustrative)
592/// ( $( $i:ident = $($j:ident),+ );* ) => { $($( $i += $j; )+)* }
593/// ```
594/// It occurs under the Kleene stack ["*", "+"] and is bound under ["*"] only.
595///
596/// Arguments:
597/// - `psess` is used to emit diagnostics and lints
598/// - `node_id` is used to emit lints
599/// - `span` is the span of the meta-variable being check
600/// - `name` is the name of the meta-variable being check
601/// - `binder_ops` is the stack of Kleene operators for the binder
602/// - `occurrence_ops` is the stack of Kleene operators for the occurrence
603fn ops_is_prefix(
604 psess: &ParseSess,
605 node_id: NodeId,
606 span: Span,
607 name: MacroRulesNormalizedIdent,
608 binder_ops: &[KleeneToken],
609 occurrence_ops: &[KleeneToken],
610) {
611 for (i, binder) in binder_ops.iter().enumerate() {
612 if i >= occurrence_ops.len() {
613 let mut span = MultiSpan::from_span(span);
614 span.push_span_label(binder.span, "expected repetition");
615 buffer_lint(psess, span, node_id, BuiltinLintDiag::MetaVariableStillRepeating(name));
616 return;
617 }
618 let occurrence = &occurrence_ops[i];
619 if occurrence.op != binder.op {
620 let mut span = MultiSpan::from_span(span);
621 span.push_span_label(binder.span, "expected repetition");
622 span.push_span_label(occurrence.span, "conflicting repetition");
623 buffer_lint(psess, span, node_id, BuiltinLintDiag::MetaVariableWrongOperator);
624 return;
625 }
626 }
627}
628
629fn buffer_lint(psess: &ParseSess, span: MultiSpan, node_id: NodeId, diag: BuiltinLintDiag) {
630 // Macros loaded from other crates have dummy node ids.
631 if node_id != DUMMY_NODE_ID {
632 psess.buffer_lint(META_VARIABLE_MISUSE, span, node_id, diag);
633 }
634}