]> git.lizzy.rs Git - rust.git/blob - src/libsyntax/ext/tt/macro_rules.rs
cb8fbce66978bb6dd9d1ffaee31d55b4bb107090
[rust.git] / src / libsyntax / ext / tt / macro_rules.rs
1 use {ast, attr};
2 use syntax_pos::{Span, DUMMY_SP};
3 use edition::Edition;
4 use errors::FatalError;
5 use ext::base::{DummyResult, ExtCtxt, MacResult, SyntaxExtension};
6 use ext::base::{NormalTT, TTMacroExpander};
7 use ext::expand::{AstFragment, AstFragmentKind};
8 use ext::tt::macro_parser::{Success, Error, Failure};
9 use ext::tt::macro_parser::{MatchedSeq, MatchedNonterminal};
10 use ext::tt::macro_parser::{parse, parse_failure_msg};
11 use ext::tt::quoted;
12 use ext::tt::transcribe::transcribe;
13 use feature_gate::Features;
14 use parse::{Directory, ParseSess};
15 use parse::parser::Parser;
16 use parse::token::{self, NtTT};
17 use parse::token::Token::*;
18 use symbol::Symbol;
19 use tokenstream::{DelimSpan, TokenStream, TokenTree};
20
21 use rustc_data_structures::fx::FxHashMap;
22 use std::borrow::Cow;
23 use std::collections::hash_map::Entry;
24
25 use rustc_data_structures::sync::Lrc;
26 use errors::Applicability;
27
28 const VALID_FRAGMENT_NAMES_MSG: &str = "valid fragment specifiers are \
29     `ident`, `block`, `stmt`, `expr`, `pat`, `ty`, `lifetime`, `literal`, \
30     `path`, `meta`, `tt`, `item` and `vis`";
31
32 pub struct ParserAnyMacro<'a> {
33     parser: Parser<'a>,
34
35     /// Span of the expansion site of the macro this parser is for
36     site_span: Span,
37     /// The ident of the macro we're parsing
38     macro_ident: ast::Ident,
39     arm_span: Span,
40 }
41
42 impl<'a> ParserAnyMacro<'a> {
43     pub fn make(mut self: Box<ParserAnyMacro<'a>>, kind: AstFragmentKind) -> AstFragment {
44         let ParserAnyMacro { site_span, macro_ident, ref mut parser, arm_span } = *self;
45         let fragment = panictry!(parser.parse_ast_fragment(kind, true).map_err(|mut e| {
46             if parser.token == token::Eof && e.message().ends_with(", found `<eof>`") {
47                 if !e.span.is_dummy() {  // early end of macro arm (#52866)
48                     e.replace_span_with(parser.sess.source_map().next_point(parser.span));
49                 }
50                 let msg = &e.message[0];
51                 e.message[0] = (
52                     format!(
53                         "macro expansion ends with an incomplete expression: {}",
54                         msg.0.replace(", found `<eof>`", ""),
55                     ),
56                     msg.1,
57                 );
58             }
59             if e.span.is_dummy() {  // Get around lack of span in error (#30128)
60                 e.replace_span_with(site_span);
61                 if parser.sess.source_map().span_to_filename(arm_span).is_real() {
62                     e.span_label(arm_span, "in this macro arm");
63                 }
64             } else if !parser.sess.source_map().span_to_filename(parser.span).is_real() {
65                 e.span_label(site_span, "in this macro invocation");
66             }
67             e
68         }));
69
70         // We allow semicolons at the end of expressions -- e.g., the semicolon in
71         // `macro_rules! m { () => { panic!(); } }` isn't parsed by `.parse_expr()`,
72         // but `m!()` is allowed in expression positions (cf. issue #34706).
73         if kind == AstFragmentKind::Expr && parser.token == token::Semi {
74             parser.bump();
75         }
76
77         // Make sure we don't have any tokens left to parse so we don't silently drop anything.
78         let path = ast::Path::from_ident(macro_ident.with_span_pos(site_span));
79         parser.ensure_complete_parse(&path, kind.name(), site_span);
80         fragment
81     }
82 }
83
84 struct MacroRulesMacroExpander {
85     name: ast::Ident,
86     lhses: Vec<quoted::TokenTree>,
87     rhses: Vec<quoted::TokenTree>,
88     valid: bool,
89 }
90
91 impl TTMacroExpander for MacroRulesMacroExpander {
92     fn expand<'cx>(
93         &self,
94         cx: &'cx mut ExtCtxt,
95         sp: Span,
96         input: TokenStream,
97         def_span: Option<Span>,
98     ) -> Box<dyn MacResult+'cx> {
99         if !self.valid {
100             return DummyResult::any(sp);
101         }
102         generic_extension(cx,
103                           sp,
104                           def_span,
105                           self.name,
106                           input,
107                           &self.lhses,
108                           &self.rhses)
109     }
110 }
111
112 fn trace_macros_note(cx: &mut ExtCtxt, sp: Span, message: String) {
113     let sp = sp.macro_backtrace().last().map(|trace| trace.call_site).unwrap_or(sp);
114     cx.expansions.entry(sp).or_default().push(message);
115 }
116
117 /// Given `lhses` and `rhses`, this is the new macro we create
118 fn generic_extension<'cx>(cx: &'cx mut ExtCtxt,
119                           sp: Span,
120                           def_span: Option<Span>,
121                           name: ast::Ident,
122                           arg: TokenStream,
123                           lhses: &[quoted::TokenTree],
124                           rhses: &[quoted::TokenTree])
125                           -> Box<dyn MacResult+'cx> {
126     if cx.trace_macros() {
127         trace_macros_note(cx, sp, format!("expanding `{}! {{ {} }}`", name, arg));
128     }
129
130     // Which arm's failure should we report? (the one furthest along)
131     let mut best_fail_spot = DUMMY_SP;
132     let mut best_fail_tok = None;
133     let mut best_fail_text = None;
134
135     for (i, lhs) in lhses.iter().enumerate() { // try each arm's matchers
136         let lhs_tt = match *lhs {
137             quoted::TokenTree::Delimited(_, ref delim) => &delim.tts[..],
138             _ => cx.span_bug(sp, "malformed macro lhs")
139         };
140
141         match TokenTree::parse(cx, lhs_tt, arg.clone()) {
142             Success(named_matches) => {
143                 let rhs = match rhses[i] {
144                     // ignore delimiters
145                     quoted::TokenTree::Delimited(_, ref delimed) => delimed.tts.clone(),
146                     _ => cx.span_bug(sp, "malformed macro rhs"),
147                 };
148                 let arm_span = rhses[i].span();
149
150                 let rhs_spans = rhs.iter().map(|t| t.span()).collect::<Vec<_>>();
151                 // rhs has holes ( `$id` and `$(...)` that need filled)
152                 let mut tts = transcribe(cx, Some(named_matches), rhs);
153
154                 // Replace all the tokens for the corresponding positions in the macro, to maintain
155                 // proper positions in error reporting, while maintaining the macro_backtrace.
156                 if rhs_spans.len() == tts.len() {
157                     tts = tts.map_enumerated(|i, mut tt| {
158                         let mut sp = rhs_spans[i];
159                         sp = sp.with_ctxt(tt.span().ctxt());
160                         tt.set_span(sp);
161                         tt
162                     });
163                 }
164
165                 if cx.trace_macros() {
166                     trace_macros_note(cx, sp, format!("to `{}`", tts));
167                 }
168
169                 let directory = Directory {
170                     path: Cow::from(cx.current_expansion.module.directory.as_path()),
171                     ownership: cx.current_expansion.directory_ownership,
172                 };
173                 let mut p = Parser::new(cx.parse_sess(), tts, Some(directory), true, false);
174                 p.root_module_name = cx.current_expansion.module.mod_path.last()
175                     .map(|id| id.as_str().to_string());
176
177                 p.process_potential_macro_variable();
178                 // Let the context choose how to interpret the result.
179                 // Weird, but useful for X-macros.
180                 return Box::new(ParserAnyMacro {
181                     parser: p,
182
183                     // Pass along the original expansion site and the name of the macro
184                     // so we can print a useful error message if the parse of the expanded
185                     // macro leaves unparsed tokens.
186                     site_span: sp,
187                     macro_ident: name,
188                     arm_span,
189                 })
190             }
191             Failure(sp, tok, t) => if sp.lo() >= best_fail_spot.lo() {
192                 best_fail_spot = sp;
193                 best_fail_tok = Some(tok);
194                 best_fail_text = Some(t);
195             },
196             Error(err_sp, ref msg) => {
197                 cx.span_fatal(err_sp.substitute_dummy(sp), &msg[..])
198             }
199         }
200     }
201
202     let best_fail_msg = parse_failure_msg(best_fail_tok.expect("ran no matchers"));
203     let span = best_fail_spot.substitute_dummy(sp);
204     let mut err = cx.struct_span_err(span, &best_fail_msg);
205     err.span_label(span, best_fail_text.unwrap_or(best_fail_msg));
206     if let Some(sp) = def_span {
207         if cx.source_map().span_to_filename(sp).is_real() && !sp.is_dummy() {
208             err.span_label(cx.source_map().def_span(sp), "when calling this macro");
209         }
210     }
211
212     // Check whether there's a missing comma in this macro call, like `println!("{}" a);`
213     if let Some((arg, comma_span)) = arg.add_comma() {
214         for lhs in lhses { // try each arm's matchers
215             let lhs_tt = match *lhs {
216                 quoted::TokenTree::Delimited(_, ref delim) => &delim.tts[..],
217                 _ => continue,
218             };
219             match TokenTree::parse(cx, lhs_tt, arg.clone()) {
220                 Success(_) => {
221                     if comma_span.is_dummy() {
222                         err.note("you might be missing a comma");
223                     } else {
224                         err.span_suggestion_short_with_applicability(
225                             comma_span,
226                             "missing comma here",
227                             ", ".to_string(),
228                             Applicability::MachineApplicable,
229                         );
230                     }
231                 }
232                 _ => {}
233             }
234         }
235     }
236     err.emit();
237     cx.trace_macros_diag();
238     DummyResult::any(sp)
239 }
240
241 // Note that macro-by-example's input is also matched against a token tree:
242 //                   $( $lhs:tt => $rhs:tt );+
243 //
244 // Holy self-referential!
245
246 /// Converts a `macro_rules!` invocation into a syntax extension.
247 pub fn compile(sess: &ParseSess, features: &Features, def: &ast::Item, edition: Edition)
248                -> SyntaxExtension {
249     let lhs_nm = ast::Ident::with_empty_ctxt(Symbol::gensym("lhs"));
250     let rhs_nm = ast::Ident::with_empty_ctxt(Symbol::gensym("rhs"));
251
252     // Parse the macro_rules! invocation
253     let body = match def.node {
254         ast::ItemKind::MacroDef(ref body) => body,
255         _ => unreachable!(),
256     };
257
258     // The pattern that macro_rules matches.
259     // The grammar for macro_rules! is:
260     // $( $lhs:tt => $rhs:tt );+
261     // ...quasiquoting this would be nice.
262     // These spans won't matter, anyways
263     let argument_gram = vec![
264         quoted::TokenTree::Sequence(DelimSpan::dummy(), Lrc::new(quoted::SequenceRepetition {
265             tts: vec![
266                 quoted::TokenTree::MetaVarDecl(DUMMY_SP, lhs_nm, ast::Ident::from_str("tt")),
267                 quoted::TokenTree::Token(DUMMY_SP, token::FatArrow),
268                 quoted::TokenTree::MetaVarDecl(DUMMY_SP, rhs_nm, ast::Ident::from_str("tt")),
269             ],
270             separator: Some(if body.legacy { token::Semi } else { token::Comma }),
271             op: quoted::KleeneOp::OneOrMore,
272             num_captures: 2,
273         })),
274         // to phase into semicolon-termination instead of semicolon-separation
275         quoted::TokenTree::Sequence(DelimSpan::dummy(), Lrc::new(quoted::SequenceRepetition {
276             tts: vec![quoted::TokenTree::Token(DUMMY_SP, token::Semi)],
277             separator: None,
278             op: quoted::KleeneOp::ZeroOrMore,
279             num_captures: 0
280         })),
281     ];
282
283     let argument_map = match parse(sess, body.stream(), &argument_gram, None, true) {
284         Success(m) => m,
285         Failure(sp, tok, t) => {
286             let s = parse_failure_msg(tok);
287             let sp = sp.substitute_dummy(def.span);
288             let mut err = sess.span_diagnostic.struct_span_fatal(sp, &s);
289             err.span_label(sp, t);
290             err.emit();
291             FatalError.raise();
292         }
293         Error(sp, s) => {
294             sess.span_diagnostic.span_fatal(sp.substitute_dummy(def.span), &s).raise();
295         }
296     };
297
298     let mut valid = true;
299
300     // Extract the arguments:
301     let lhses = match *argument_map[&lhs_nm] {
302         MatchedSeq(ref s, _) => {
303             s.iter().map(|m| {
304                 if let MatchedNonterminal(ref nt) = *m {
305                     if let NtTT(ref tt) = **nt {
306                         let tt = quoted::parse(
307                             tt.clone().into(),
308                             true,
309                             sess,
310                             features,
311                             &def.attrs,
312                             edition,
313                             def.id,
314                         )
315                         .pop()
316                         .unwrap();
317                         valid &= check_lhs_nt_follows(sess, features, &def.attrs, &tt);
318                         return tt;
319                     }
320                 }
321                 sess.span_diagnostic.span_bug(def.span, "wrong-structured lhs")
322             }).collect::<Vec<quoted::TokenTree>>()
323         }
324         _ => sess.span_diagnostic.span_bug(def.span, "wrong-structured lhs")
325     };
326
327     let rhses = match *argument_map[&rhs_nm] {
328         MatchedSeq(ref s, _) => {
329             s.iter().map(|m| {
330                 if let MatchedNonterminal(ref nt) = *m {
331                     if let NtTT(ref tt) = **nt {
332                         return quoted::parse(
333                             tt.clone().into(),
334                             false,
335                             sess,
336                             features,
337                             &def.attrs,
338                             edition,
339                             def.id,
340                         ).pop()
341                          .unwrap();
342                     }
343                 }
344                 sess.span_diagnostic.span_bug(def.span, "wrong-structured lhs")
345             }).collect::<Vec<quoted::TokenTree>>()
346         }
347         _ => sess.span_diagnostic.span_bug(def.span, "wrong-structured rhs")
348     };
349
350     for rhs in &rhses {
351         valid &= check_rhs(sess, rhs);
352     }
353
354     // don't abort iteration early, so that errors for multiple lhses can be reported
355     for lhs in &lhses {
356         valid &= check_lhs_no_empty_seq(sess, &[lhs.clone()])
357     }
358
359     let expander: Box<_> = Box::new(MacroRulesMacroExpander {
360         name: def.ident,
361         lhses,
362         rhses,
363         valid,
364     });
365
366     if body.legacy {
367         let allow_internal_unstable = attr::contains_name(&def.attrs, "allow_internal_unstable");
368         let allow_internal_unsafe = attr::contains_name(&def.attrs, "allow_internal_unsafe");
369         let mut local_inner_macros = false;
370         if let Some(macro_export) = attr::find_by_name(&def.attrs, "macro_export") {
371             if let Some(l) = macro_export.meta_item_list() {
372                 local_inner_macros = attr::list_contains_name(&l, "local_inner_macros");
373             }
374         }
375
376         let unstable_feature = attr::find_stability(&sess,
377                                                     &def.attrs, def.span).and_then(|stability| {
378             if let attr::StabilityLevel::Unstable { issue, .. } = stability.level {
379                 Some((stability.feature, issue))
380             } else {
381                 None
382             }
383         });
384
385         NormalTT {
386             expander,
387             def_info: Some((def.id, def.span)),
388             allow_internal_unstable,
389             allow_internal_unsafe,
390             local_inner_macros,
391             unstable_feature,
392             edition,
393         }
394     } else {
395         let is_transparent = attr::contains_name(&def.attrs, "rustc_transparent_macro");
396
397         SyntaxExtension::DeclMacro {
398             expander,
399             def_info: Some((def.id, def.span)),
400             is_transparent,
401             edition,
402         }
403     }
404 }
405
406 fn check_lhs_nt_follows(sess: &ParseSess,
407                         features: &Features,
408                         attrs: &[ast::Attribute],
409                         lhs: &quoted::TokenTree) -> bool {
410     // lhs is going to be like TokenTree::Delimited(...), where the
411     // entire lhs is those tts. Or, it can be a "bare sequence", not wrapped in parens.
412     if let quoted::TokenTree::Delimited(_, ref tts) = *lhs {
413         check_matcher(sess, features, attrs, &tts.tts)
414     } else {
415         let msg = "invalid macro matcher; matchers must be contained in balanced delimiters";
416         sess.span_diagnostic.span_err(lhs.span(), msg);
417         false
418     }
419     // we don't abort on errors on rejection, the driver will do that for us
420     // after parsing/expansion. we can report every error in every macro this way.
421 }
422
423 /// Check that the lhs contains no repetition which could match an empty token
424 /// tree, because then the matcher would hang indefinitely.
425 fn check_lhs_no_empty_seq(sess: &ParseSess, tts: &[quoted::TokenTree]) -> bool {
426     use self::quoted::TokenTree;
427     for tt in tts {
428         match *tt {
429             TokenTree::Token(..) | TokenTree::MetaVar(..) | TokenTree::MetaVarDecl(..) => (),
430             TokenTree::Delimited(_, ref del) => if !check_lhs_no_empty_seq(sess, &del.tts) {
431                 return false;
432             },
433             TokenTree::Sequence(span, ref seq) => {
434                 if seq.separator.is_none() && seq.tts.iter().all(|seq_tt| {
435                     match *seq_tt {
436                         TokenTree::MetaVarDecl(_, _, id) => id.name == "vis",
437                         TokenTree::Sequence(_, ref sub_seq) =>
438                             sub_seq.op == quoted::KleeneOp::ZeroOrMore,
439                         _ => false,
440                     }
441                 }) {
442                     let sp = span.entire();
443                     sess.span_diagnostic.span_err(sp, "repetition matches empty token tree");
444                     return false;
445                 }
446                 if !check_lhs_no_empty_seq(sess, &seq.tts) {
447                     return false;
448                 }
449             }
450         }
451     }
452
453     true
454 }
455
456 fn check_rhs(sess: &ParseSess, rhs: &quoted::TokenTree) -> bool {
457     match *rhs {
458         quoted::TokenTree::Delimited(..) => return true,
459         _ => sess.span_diagnostic.span_err(rhs.span(), "macro rhs must be delimited")
460     }
461     false
462 }
463
464 fn check_matcher(sess: &ParseSess,
465                  features: &Features,
466                  attrs: &[ast::Attribute],
467                  matcher: &[quoted::TokenTree]) -> bool {
468     let first_sets = FirstSets::new(matcher);
469     let empty_suffix = TokenSet::empty();
470     let err = sess.span_diagnostic.err_count();
471     check_matcher_core(sess, features, attrs, &first_sets, matcher, &empty_suffix);
472     err == sess.span_diagnostic.err_count()
473 }
474
475 // `The FirstSets` for a matcher is a mapping from subsequences in the
476 // matcher to the FIRST set for that subsequence.
477 //
478 // This mapping is partially precomputed via a backwards scan over the
479 // token trees of the matcher, which provides a mapping from each
480 // repetition sequence to its *first* set.
481 //
482 // (Hypothetically, sequences should be uniquely identifiable via their
483 // spans, though perhaps that is false, e.g., for macro-generated macros
484 // that do not try to inject artificial span information. My plan is
485 // to try to catch such cases ahead of time and not include them in
486 // the precomputed mapping.)
487 struct FirstSets {
488     // this maps each TokenTree::Sequence `$(tt ...) SEP OP` that is uniquely identified by its
489     // span in the original matcher to the First set for the inner sequence `tt ...`.
490     //
491     // If two sequences have the same span in a matcher, then map that
492     // span to None (invalidating the mapping here and forcing the code to
493     // use a slow path).
494     first: FxHashMap<Span, Option<TokenSet>>,
495 }
496
497 impl FirstSets {
498     fn new(tts: &[quoted::TokenTree]) -> FirstSets {
499         use self::quoted::TokenTree;
500
501         let mut sets = FirstSets { first: FxHashMap::default() };
502         build_recur(&mut sets, tts);
503         return sets;
504
505         // walks backward over `tts`, returning the FIRST for `tts`
506         // and updating `sets` at the same time for all sequence
507         // substructure we find within `tts`.
508         fn build_recur(sets: &mut FirstSets, tts: &[TokenTree]) -> TokenSet {
509             let mut first = TokenSet::empty();
510             for tt in tts.iter().rev() {
511                 match *tt {
512                     TokenTree::Token(..) | TokenTree::MetaVar(..) | TokenTree::MetaVarDecl(..) => {
513                         first.replace_with(tt.clone());
514                     }
515                     TokenTree::Delimited(span, ref delimited) => {
516                         build_recur(sets, &delimited.tts[..]);
517                         first.replace_with(delimited.open_tt(span.open));
518                     }
519                     TokenTree::Sequence(sp, ref seq_rep) => {
520                         let subfirst = build_recur(sets, &seq_rep.tts[..]);
521
522                         match sets.first.entry(sp.entire()) {
523                             Entry::Vacant(vac) => {
524                                 vac.insert(Some(subfirst.clone()));
525                             }
526                             Entry::Occupied(mut occ) => {
527                                 // if there is already an entry, then a span must have collided.
528                                 // This should not happen with typical macro_rules macros,
529                                 // but syntax extensions need not maintain distinct spans,
530                                 // so distinct syntax trees can be assigned the same span.
531                                 // In such a case, the map cannot be trusted; so mark this
532                                 // entry as unusable.
533                                 occ.insert(None);
534                             }
535                         }
536
537                         // If the sequence contents can be empty, then the first
538                         // token could be the separator token itself.
539
540                         if let (Some(ref sep), true) = (seq_rep.separator.clone(),
541                                                         subfirst.maybe_empty) {
542                             first.add_one_maybe(TokenTree::Token(sp.entire(), sep.clone()));
543                         }
544
545                         // Reverse scan: Sequence comes before `first`.
546                         if subfirst.maybe_empty || seq_rep.op == quoted::KleeneOp::ZeroOrMore {
547                             // If sequence is potentially empty, then
548                             // union them (preserving first emptiness).
549                             first.add_all(&TokenSet { maybe_empty: true, ..subfirst });
550                         } else {
551                             // Otherwise, sequence guaranteed
552                             // non-empty; replace first.
553                             first = subfirst;
554                         }
555                     }
556                 }
557             }
558
559             first
560         }
561     }
562
563     // walks forward over `tts` until all potential FIRST tokens are
564     // identified.
565     fn first(&self, tts: &[quoted::TokenTree]) -> TokenSet {
566         use self::quoted::TokenTree;
567
568         let mut first = TokenSet::empty();
569         for tt in tts.iter() {
570             assert!(first.maybe_empty);
571             match *tt {
572                 TokenTree::Token(..) | TokenTree::MetaVar(..) | TokenTree::MetaVarDecl(..) => {
573                     first.add_one(tt.clone());
574                     return first;
575                 }
576                 TokenTree::Delimited(span, ref delimited) => {
577                     first.add_one(delimited.open_tt(span.open));
578                     return first;
579                 }
580                 TokenTree::Sequence(sp, ref seq_rep) => {
581                     match self.first.get(&sp.entire()) {
582                         Some(&Some(ref subfirst)) => {
583
584                             // If the sequence contents can be empty, then the first
585                             // token could be the separator token itself.
586
587                             if let (Some(ref sep), true) = (seq_rep.separator.clone(),
588                                                             subfirst.maybe_empty) {
589                                 first.add_one_maybe(TokenTree::Token(sp.entire(), sep.clone()));
590                             }
591
592                             assert!(first.maybe_empty);
593                             first.add_all(subfirst);
594                             if subfirst.maybe_empty ||
595                                seq_rep.op == quoted::KleeneOp::ZeroOrMore {
596                                 // continue scanning for more first
597                                 // tokens, but also make sure we
598                                 // restore empty-tracking state
599                                 first.maybe_empty = true;
600                                 continue;
601                             } else {
602                                 return first;
603                             }
604                         }
605
606                         Some(&None) => {
607                             panic!("assume all sequences have (unique) spans for now");
608                         }
609
610                         None => {
611                             panic!("We missed a sequence during FirstSets construction");
612                         }
613                     }
614                 }
615             }
616         }
617
618         // we only exit the loop if `tts` was empty or if every
619         // element of `tts` matches the empty sequence.
620         assert!(first.maybe_empty);
621         first
622     }
623 }
624
625 // A set of `quoted::TokenTree`s, which may include `TokenTree::Match`s
626 // (for macro-by-example syntactic variables). It also carries the
627 // `maybe_empty` flag; that is true if and only if the matcher can
628 // match an empty token sequence.
629 //
630 // The First set is computed on submatchers like `$($a:expr b),* $(c)* d`,
631 // which has corresponding FIRST = {$a:expr, c, d}.
632 // Likewise, `$($a:expr b),* $(c)+ d` has FIRST = {$a:expr, c}.
633 //
634 // (Notably, we must allow for *-op to occur zero times.)
635 #[derive(Clone, Debug)]
636 struct TokenSet {
637     tokens: Vec<quoted::TokenTree>,
638     maybe_empty: bool,
639 }
640
641 impl TokenSet {
642     // Returns a set for the empty sequence.
643     fn empty() -> Self { TokenSet { tokens: Vec::new(), maybe_empty: true } }
644
645     // Returns the set `{ tok }` for the single-token (and thus
646     // non-empty) sequence [tok].
647     fn singleton(tok: quoted::TokenTree) -> Self {
648         TokenSet { tokens: vec![tok], maybe_empty: false }
649     }
650
651     // Changes self to be the set `{ tok }`.
652     // Since `tok` is always present, marks self as non-empty.
653     fn replace_with(&mut self, tok: quoted::TokenTree) {
654         self.tokens.clear();
655         self.tokens.push(tok);
656         self.maybe_empty = false;
657     }
658
659     // Changes self to be the empty set `{}`; meant for use when
660     // the particular token does not matter, but we want to
661     // record that it occurs.
662     fn replace_with_irrelevant(&mut self) {
663         self.tokens.clear();
664         self.maybe_empty = false;
665     }
666
667     // Adds `tok` to the set for `self`, marking sequence as non-empy.
668     fn add_one(&mut self, tok: quoted::TokenTree) {
669         if !self.tokens.contains(&tok) {
670             self.tokens.push(tok);
671         }
672         self.maybe_empty = false;
673     }
674
675     // Adds `tok` to the set for `self`. (Leaves `maybe_empty` flag alone.)
676     fn add_one_maybe(&mut self, tok: quoted::TokenTree) {
677         if !self.tokens.contains(&tok) {
678             self.tokens.push(tok);
679         }
680     }
681
682     // Adds all elements of `other` to this.
683     //
684     // (Since this is a set, we filter out duplicates.)
685     //
686     // If `other` is potentially empty, then preserves the previous
687     // setting of the empty flag of `self`. If `other` is guaranteed
688     // non-empty, then `self` is marked non-empty.
689     fn add_all(&mut self, other: &Self) {
690         for tok in &other.tokens {
691             if !self.tokens.contains(tok) {
692                 self.tokens.push(tok.clone());
693             }
694         }
695         if !other.maybe_empty {
696             self.maybe_empty = false;
697         }
698     }
699 }
700
701 // Checks that `matcher` is internally consistent and that it
702 // can legally by followed by a token N, for all N in `follow`.
703 // (If `follow` is empty, then it imposes no constraint on
704 // the `matcher`.)
705 //
706 // Returns the set of NT tokens that could possibly come last in
707 // `matcher`. (If `matcher` matches the empty sequence, then
708 // `maybe_empty` will be set to true.)
709 //
710 // Requires that `first_sets` is pre-computed for `matcher`;
711 // see `FirstSets::new`.
712 fn check_matcher_core(sess: &ParseSess,
713                       features: &Features,
714                       attrs: &[ast::Attribute],
715                       first_sets: &FirstSets,
716                       matcher: &[quoted::TokenTree],
717                       follow: &TokenSet) -> TokenSet {
718     use self::quoted::TokenTree;
719
720     let mut last = TokenSet::empty();
721
722     // 2. For each token and suffix  [T, SUFFIX] in M:
723     // ensure that T can be followed by SUFFIX, and if SUFFIX may be empty,
724     // then ensure T can also be followed by any element of FOLLOW.
725     'each_token: for i in 0..matcher.len() {
726         let token = &matcher[i];
727         let suffix = &matcher[i+1..];
728
729         let build_suffix_first = || {
730             let mut s = first_sets.first(suffix);
731             if s.maybe_empty { s.add_all(follow); }
732             s
733         };
734
735         // (we build `suffix_first` on demand below; you can tell
736         // which cases are supposed to fall through by looking for the
737         // initialization of this variable.)
738         let suffix_first;
739
740         // First, update `last` so that it corresponds to the set
741         // of NT tokens that might end the sequence `... token`.
742         match *token {
743             TokenTree::Token(..) | TokenTree::MetaVar(..) | TokenTree::MetaVarDecl(..) => {
744                 let can_be_followed_by_any;
745                 if let Err(bad_frag) = has_legal_fragment_specifier(sess, features, attrs, token) {
746                     let msg = format!("invalid fragment specifier `{}`", bad_frag);
747                     sess.span_diagnostic.struct_span_err(token.span(), &msg)
748                         .help(VALID_FRAGMENT_NAMES_MSG)
749                         .emit();
750                     // (This eliminates false positives and duplicates
751                     // from error messages.)
752                     can_be_followed_by_any = true;
753                 } else {
754                     can_be_followed_by_any = token_can_be_followed_by_any(token);
755                 }
756
757                 if can_be_followed_by_any {
758                     // don't need to track tokens that work with any,
759                     last.replace_with_irrelevant();
760                     // ... and don't need to check tokens that can be
761                     // followed by anything against SUFFIX.
762                     continue 'each_token;
763                 } else {
764                     last.replace_with(token.clone());
765                     suffix_first = build_suffix_first();
766                 }
767             }
768             TokenTree::Delimited(span, ref d) => {
769                 let my_suffix = TokenSet::singleton(d.close_tt(span.close));
770                 check_matcher_core(sess, features, attrs, first_sets, &d.tts, &my_suffix);
771                 // don't track non NT tokens
772                 last.replace_with_irrelevant();
773
774                 // also, we don't need to check delimited sequences
775                 // against SUFFIX
776                 continue 'each_token;
777             }
778             TokenTree::Sequence(sp, ref seq_rep) => {
779                 suffix_first = build_suffix_first();
780                 // The trick here: when we check the interior, we want
781                 // to include the separator (if any) as a potential
782                 // (but not guaranteed) element of FOLLOW. So in that
783                 // case, we make a temp copy of suffix and stuff
784                 // delimiter in there.
785                 //
786                 // FIXME: Should I first scan suffix_first to see if
787                 // delimiter is already in it before I go through the
788                 // work of cloning it? But then again, this way I may
789                 // get a "tighter" span?
790                 let mut new;
791                 let my_suffix = if let Some(ref u) = seq_rep.separator {
792                     new = suffix_first.clone();
793                     new.add_one_maybe(TokenTree::Token(sp.entire(), u.clone()));
794                     &new
795                 } else {
796                     &suffix_first
797                 };
798
799                 // At this point, `suffix_first` is built, and
800                 // `my_suffix` is some TokenSet that we can use
801                 // for checking the interior of `seq_rep`.
802                 let next = check_matcher_core(sess,
803                                               features,
804                                               attrs,
805                                               first_sets,
806                                               &seq_rep.tts,
807                                               my_suffix);
808                 if next.maybe_empty {
809                     last.add_all(&next);
810                 } else {
811                     last = next;
812                 }
813
814                 // the recursive call to check_matcher_core already ran the 'each_last
815                 // check below, so we can just keep going forward here.
816                 continue 'each_token;
817             }
818         }
819
820         // (`suffix_first` guaranteed initialized once reaching here.)
821
822         // Now `last` holds the complete set of NT tokens that could
823         // end the sequence before SUFFIX. Check that every one works with `suffix`.
824         'each_last: for token in &last.tokens {
825             if let TokenTree::MetaVarDecl(_, ref name, ref frag_spec) = *token {
826                 for next_token in &suffix_first.tokens {
827                     match is_in_follow(next_token, &frag_spec.as_str()) {
828                         IsInFollow::Invalid(msg, help) => {
829                             sess.span_diagnostic.struct_span_err(next_token.span(), &msg)
830                                 .help(help).emit();
831                             // don't bother reporting every source of
832                             // conflict for a particular element of `last`.
833                             continue 'each_last;
834                         }
835                         IsInFollow::Yes => {}
836                         IsInFollow::No(ref possible) => {
837                             let may_be = if last.tokens.len() == 1 &&
838                                 suffix_first.tokens.len() == 1
839                             {
840                                 "is"
841                             } else {
842                                 "may be"
843                             };
844
845                             let sp = next_token.span();
846                             let mut err = sess.span_diagnostic.struct_span_err(
847                                 sp,
848                                 &format!("`${name}:{frag}` {may_be} followed by `{next}`, which \
849                                           is not allowed for `{frag}` fragments",
850                                          name=name,
851                                          frag=frag_spec,
852                                          next=quoted_tt_to_string(next_token),
853                                          may_be=may_be),
854                             );
855                             err.span_label(
856                                 sp,
857                                 format!("not allowed after `{}` fragments", frag_spec),
858                             );
859                             let msg = "allowed there are: ";
860                             match &possible[..] {
861                                 &[] => {}
862                                 &[t] => {
863                                     err.note(&format!(
864                                         "only {} is allowed after `{}` fragments",
865                                         t,
866                                         frag_spec,
867                                     ));
868                                 }
869                                 ts => {
870                                     err.note(&format!(
871                                         "{}{} or {}",
872                                         msg,
873                                         ts[..ts.len() - 1].iter().map(|s| *s)
874                                             .collect::<Vec<_>>().join(", "),
875                                         ts[ts.len() - 1],
876                                     ));
877                                 }
878                             }
879                             err.emit();
880                         }
881                     }
882                 }
883             }
884         }
885     }
886     last
887 }
888
889 fn token_can_be_followed_by_any(tok: &quoted::TokenTree) -> bool {
890     if let quoted::TokenTree::MetaVarDecl(_, _, frag_spec) = *tok {
891         frag_can_be_followed_by_any(&frag_spec.as_str())
892     } else {
893         // (Non NT's can always be followed by anthing in matchers.)
894         true
895     }
896 }
897
898 /// True if a fragment of type `frag` can be followed by any sort of
899 /// token.  We use this (among other things) as a useful approximation
900 /// for when `frag` can be followed by a repetition like `$(...)*` or
901 /// `$(...)+`. In general, these can be a bit tricky to reason about,
902 /// so we adopt a conservative position that says that any fragment
903 /// specifier which consumes at most one token tree can be followed by
904 /// a fragment specifier (indeed, these fragments can be followed by
905 /// ANYTHING without fear of future compatibility hazards).
906 fn frag_can_be_followed_by_any(frag: &str) -> bool {
907     match frag {
908         "item"     | // always terminated by `}` or `;`
909         "block"    | // exactly one token tree
910         "ident"    | // exactly one token tree
911         "literal"  | // exactly one token tree
912         "meta"     | // exactly one token tree
913         "lifetime" | // exactly one token tree
914         "tt" =>   // exactly one token tree
915             true,
916
917         _ =>
918             false,
919     }
920 }
921
922 enum IsInFollow {
923     Yes,
924     No(Vec<&'static str>),
925     Invalid(String, &'static str),
926 }
927
928 /// True if `frag` can legally be followed by the token `tok`. For
929 /// fragments that can consume an unbounded number of tokens, `tok`
930 /// must be within a well-defined follow set. This is intended to
931 /// guarantee future compatibility: for example, without this rule, if
932 /// we expanded `expr` to include a new binary operator, we might
933 /// break macros that were relying on that binary operator as a
934 /// separator.
935 // when changing this do not forget to update doc/book/macros.md!
936 fn is_in_follow(tok: &quoted::TokenTree, frag: &str) -> IsInFollow {
937     use self::quoted::TokenTree;
938
939     if let TokenTree::Token(_, token::CloseDelim(_)) = *tok {
940         // closing a token tree can never be matched by any fragment;
941         // iow, we always require that `(` and `)` match, etc.
942         IsInFollow::Yes
943     } else {
944         match frag {
945             "item" => {
946                 // since items *must* be followed by either a `;` or a `}`, we can
947                 // accept anything after them
948                 IsInFollow::Yes
949             },
950             "block" => {
951                 // anything can follow block, the braces provide an easy boundary to
952                 // maintain
953                 IsInFollow::Yes
954             },
955             "stmt" | "expr"  => {
956                 let tokens = vec!["`=>`", "`,`", "`;`"];
957                 match *tok {
958                     TokenTree::Token(_, ref tok) => match *tok {
959                         FatArrow | Comma | Semi => IsInFollow::Yes,
960                         _ => IsInFollow::No(tokens),
961                     },
962                     _ => IsInFollow::No(tokens),
963                 }
964             },
965             "pat" => {
966                 let tokens = vec!["`=>`", "`,`", "`=`", "`|`", "`if`", "`in`"];
967                 match *tok {
968                     TokenTree::Token(_, ref tok) => match *tok {
969                         FatArrow | Comma | Eq | BinOp(token::Or) => IsInFollow::Yes,
970                         Ident(i, false) if i.name == "if" || i.name == "in" => IsInFollow::Yes,
971                         _ => IsInFollow::No(tokens),
972                     },
973                     _ => IsInFollow::No(tokens),
974                 }
975             },
976             "path" | "ty" => {
977                 let tokens = vec![
978                     "`{`", "`[`", "`=>`", "`,`", "`>`","`=`", "`:`", "`;`", "`|`", "`as`",
979                     "`where`",
980                 ];
981                 match *tok {
982                     TokenTree::Token(_, ref tok) => match *tok {
983                         OpenDelim(token::DelimToken::Brace) |
984                         OpenDelim(token::DelimToken::Bracket) |
985                         Comma | FatArrow | Colon | Eq | Gt | BinOp(token::Shr) | Semi |
986                         BinOp(token::Or) => IsInFollow::Yes,
987                         Ident(i, false) if i.name == "as" || i.name == "where" => IsInFollow::Yes,
988                         _ => IsInFollow::No(tokens),
989                     },
990                     TokenTree::MetaVarDecl(_, _, frag) if frag.name == "block" => IsInFollow::Yes,
991                     _ => IsInFollow::No(tokens),
992                 }
993             },
994             "ident" | "lifetime" => {
995                 // being a single token, idents and lifetimes are harmless
996                 IsInFollow::Yes
997             },
998             "literal" => {
999                 // literals may be of a single token, or two tokens (negative numbers)
1000                 IsInFollow::Yes
1001             },
1002             "meta" | "tt" => {
1003                 // being either a single token or a delimited sequence, tt is
1004                 // harmless
1005                 IsInFollow::Yes
1006             },
1007             "vis" => {
1008                 // Explicitly disallow `priv`, on the off chance it comes back.
1009                 let tokens = vec!["`,`", "an ident", "a type"];
1010                 match *tok {
1011                     TokenTree::Token(_, ref tok) => match *tok {
1012                         Comma => IsInFollow::Yes,
1013                         Ident(i, is_raw) if is_raw || i.name != "priv" => IsInFollow::Yes,
1014                         ref tok => if tok.can_begin_type() {
1015                             IsInFollow::Yes
1016                         } else {
1017                             IsInFollow::No(tokens)
1018                         }
1019                     },
1020                     TokenTree::MetaVarDecl(_, _, frag) if frag.name == "ident"
1021                                                        || frag.name == "ty"
1022                                                        || frag.name == "path" => IsInFollow::Yes,
1023                     _ => IsInFollow::No(tokens),
1024                 }
1025             },
1026             "" => IsInFollow::Yes, // keywords::Invalid
1027             _ => IsInFollow::Invalid(format!("invalid fragment specifier `{}`", frag),
1028                                      VALID_FRAGMENT_NAMES_MSG),
1029         }
1030     }
1031 }
1032
1033 fn has_legal_fragment_specifier(sess: &ParseSess,
1034                                 features: &Features,
1035                                 attrs: &[ast::Attribute],
1036                                 tok: &quoted::TokenTree) -> Result<(), String> {
1037     debug!("has_legal_fragment_specifier({:?})", tok);
1038     if let quoted::TokenTree::MetaVarDecl(_, _, ref frag_spec) = *tok {
1039         let frag_name = frag_spec.as_str();
1040         let frag_span = tok.span();
1041         if !is_legal_fragment_specifier(sess, features, attrs, &frag_name, frag_span) {
1042             return Err(frag_name.to_string());
1043         }
1044     }
1045     Ok(())
1046 }
1047
1048 fn is_legal_fragment_specifier(_sess: &ParseSess,
1049                                _features: &Features,
1050                                _attrs: &[ast::Attribute],
1051                                frag_name: &str,
1052                                _frag_span: Span) -> bool {
1053     /*
1054      * If new fragment specifiers are invented in nightly, `_sess`,
1055      * `_features`, `_attrs`, and `_frag_span` will be useful here
1056      * for checking against feature gates. See past versions of
1057      * this function.
1058      */
1059     match frag_name {
1060         "item" | "block" | "stmt" | "expr" | "pat" | "lifetime" |
1061         "path" | "ty" | "ident" | "meta" | "tt" | "vis" | "literal" |
1062         "" => true,
1063         _ => false,
1064     }
1065 }
1066
1067 fn quoted_tt_to_string(tt: &quoted::TokenTree) -> String {
1068     match *tt {
1069         quoted::TokenTree::Token(_, ref tok) => ::print::pprust::token_to_string(tok),
1070         quoted::TokenTree::MetaVar(_, name) => format!("${}", name),
1071         quoted::TokenTree::MetaVarDecl(_, name, kind) => format!("${}:{}", name, kind),
1072         _ => panic!("unexpected quoted::TokenTree::{{Sequence or Delimited}} \
1073                      in follow set checker"),
1074     }
1075 }