]> git.lizzy.rs Git - rust.git/blob - src/librustc_parse/parser/item.rs
ast: make `= <expr>;` optional in free statics/consts.
[rust.git] / src / librustc_parse / parser / item.rs
1 use super::diagnostics::{dummy_arg, ConsumeClosingDelim, Error};
2 use super::ty::{AllowPlus, RecoverQPath};
3 use super::{FollowedByType, Parser, PathStyle};
4
5 use crate::maybe_whole;
6
7 use rustc_ast_pretty::pprust;
8 use rustc_errors::{struct_span_err, Applicability, DiagnosticBuilder, PResult, StashKey};
9 use rustc_span::source_map::{self, Span};
10 use rustc_span::symbol::{kw, sym, Symbol};
11 use syntax::ast::{self, AttrStyle, AttrVec, Attribute, Ident, DUMMY_NODE_ID};
12 use syntax::ast::{AssocItem, AssocItemKind, Item, ItemKind, UseTree, UseTreeKind};
13 use syntax::ast::{Async, Const, Defaultness, IsAuto, PathSegment, Unsafe};
14 use syntax::ast::{BindingMode, Block, FnDecl, FnSig, Mac, MacArgs, MacDelimiter, Param, SelfKind};
15 use syntax::ast::{EnumDef, Generics, StructField, TraitRef, Ty, TyKind, Variant, VariantData};
16 use syntax::ast::{FnHeader, ForeignItem, ForeignItemKind, Mutability, Visibility, VisibilityKind};
17 use syntax::ptr::P;
18 use syntax::token;
19 use syntax::tokenstream::{DelimSpan, TokenStream, TokenTree};
20
21 use log::debug;
22 use std::mem;
23
24 pub(super) type ItemInfo = (Ident, ItemKind);
25
26 impl<'a> Parser<'a> {
27     pub fn parse_item(&mut self) -> PResult<'a, Option<P<Item>>> {
28         let attrs = self.parse_outer_attributes()?;
29         self.parse_item_(attrs, true, false)
30     }
31
32     pub(super) fn parse_item_(
33         &mut self,
34         attrs: Vec<Attribute>,
35         macros_allowed: bool,
36         attributes_allowed: bool,
37     ) -> PResult<'a, Option<P<Item>>> {
38         let mut unclosed_delims = vec![];
39         let (ret, tokens) = self.collect_tokens(|this| {
40             let item = this.parse_item_implementation(attrs, macros_allowed, attributes_allowed);
41             unclosed_delims.append(&mut this.unclosed_delims);
42             item
43         })?;
44         self.unclosed_delims.append(&mut unclosed_delims);
45
46         // Once we've parsed an item and recorded the tokens we got while
47         // parsing we may want to store `tokens` into the item we're about to
48         // return. Note, though, that we specifically didn't capture tokens
49         // related to outer attributes. The `tokens` field here may later be
50         // used with procedural macros to convert this item back into a token
51         // stream, but during expansion we may be removing attributes as we go
52         // along.
53         //
54         // If we've got inner attributes then the `tokens` we've got above holds
55         // these inner attributes. If an inner attribute is expanded we won't
56         // actually remove it from the token stream, so we'll just keep yielding
57         // it (bad!). To work around this case for now we just avoid recording
58         // `tokens` if we detect any inner attributes. This should help keep
59         // expansion correct, but we should fix this bug one day!
60         Ok(ret.map(|item| {
61             item.map(|mut i| {
62                 if !i.attrs.iter().any(|attr| attr.style == AttrStyle::Inner) {
63                     i.tokens = Some(tokens);
64                 }
65                 i
66             })
67         }))
68     }
69
70     /// Parses one of the items allowed by the flags.
71     fn parse_item_implementation(
72         &mut self,
73         mut attrs: Vec<Attribute>,
74         macros_allowed: bool,
75         attributes_allowed: bool,
76     ) -> PResult<'a, Option<P<Item>>> {
77         maybe_whole!(self, NtItem, |item| {
78             let mut item = item;
79             mem::swap(&mut item.attrs, &mut attrs);
80             item.attrs.extend(attrs);
81             Some(item)
82         });
83
84         let lo = self.token.span;
85         let vis = self.parse_visibility(FollowedByType::No)?;
86
87         if let Some((ident, kind)) = self.parse_item_kind(&mut attrs, macros_allowed, lo, &vis)? {
88             return Ok(Some(P(self.mk_item(lo, ident, kind, vis, attrs))));
89         }
90
91         // FAILURE TO PARSE ITEM
92         if let VisibilityKind::Inherited = vis.node {
93         } else {
94             let vs = pprust::vis_to_string(&vis);
95             let vs = vs.trim_end();
96             self.struct_span_err(vis.span, &format!("unmatched visibility `{}`", vs))
97                 .span_label(vis.span, "the unmatched visibility")
98                 .help(&format!("you likely meant to define an item, e.g., `{} fn foo() {{}}`", vs))
99                 .emit();
100         }
101
102         if !attributes_allowed {
103             self.recover_attrs_no_item(&attrs)?;
104         }
105         Ok(None)
106     }
107
108     /// Parses one of the items allowed by the flags.
109     fn parse_item_kind(
110         &mut self,
111         attrs: &mut Vec<Attribute>,
112         macros_allowed: bool,
113         lo: Span,
114         vis: &Visibility,
115     ) -> PResult<'a, Option<ItemInfo>> {
116         let info = if self.eat_keyword(kw::Use) {
117             // USE ITEM
118             let tree = self.parse_use_tree()?;
119             self.expect_semi()?;
120             (Ident::invalid(), ItemKind::Use(P(tree)))
121         } else if self.check_fn_front_matter() {
122             // FUNCTION ITEM
123             let (ident, sig, generics, body) = self.parse_fn(&mut false, attrs, |_| true)?;
124             (ident, ItemKind::Fn(sig, generics, body))
125         } else if self.eat_keyword(kw::Extern) {
126             if self.eat_keyword(kw::Crate) {
127                 // EXTERN CRATE
128                 self.parse_item_extern_crate()?
129             } else {
130                 // EXTERN BLOCK
131                 self.parse_item_foreign_mod(attrs)?
132             }
133         } else if self.is_static_global() {
134             // STATIC ITEM
135             self.bump(); // `static`
136             let m = self.parse_mutability();
137             self.parse_item_const(Some(m))?
138         } else if let Const::Yes(const_span) = self.parse_constness() {
139             // CONST ITEM
140             self.recover_const_mut(const_span);
141             self.parse_item_const(None)?
142         } else if self.check_keyword(kw::Trait) || self.check_auto_or_unsafe_trait_item() {
143             // TRAIT ITEM
144             self.parse_item_trait(attrs, lo)?
145         } else if self.check_keyword(kw::Impl)
146             || self.check_keyword(kw::Unsafe) && self.is_keyword_ahead(1, &[kw::Impl])
147             || self.check_keyword(kw::Default) && self.is_keyword_ahead(1, &[kw::Impl, kw::Unsafe])
148         {
149             // IMPL ITEM
150             let defaultness = self.parse_defaultness();
151             let unsafety = self.parse_unsafety();
152             self.expect_keyword(kw::Impl)?;
153             self.parse_item_impl(attrs, unsafety, defaultness)?
154         } else if self.eat_keyword(kw::Mod) {
155             // MODULE ITEM
156             self.parse_item_mod(attrs)?
157         } else if self.eat_keyword(kw::Type) {
158             // TYPE ITEM
159             let (ident, ty, generics) = self.parse_type_alias()?;
160             (ident, ItemKind::TyAlias(ty, generics))
161         } else if self.eat_keyword(kw::Enum) {
162             // ENUM ITEM
163             self.parse_item_enum()?
164         } else if self.eat_keyword(kw::Struct) {
165             // STRUCT ITEM
166             self.parse_item_struct()?
167         } else if self.is_kw_followed_by_ident(kw::Union) {
168             // UNION ITEM
169             self.bump(); // `union`
170             self.parse_item_union()?
171         } else if self.eat_keyword(kw::Macro) {
172             // MACROS 2.0 ITEM
173             self.parse_item_decl_macro(lo)?
174         } else if self.is_macro_rules_item() {
175             // MACRO_RULES ITEM
176             self.parse_item_macro_rules(vis)?
177         } else if vis.node.is_pub() && self.isnt_macro_invocation() {
178             self.recover_missing_kw_before_item()?;
179             return Ok(None);
180         } else if macros_allowed && self.token.is_path_start() {
181             // MACRO INVOCATION ITEM
182             (Ident::invalid(), ItemKind::Mac(self.parse_item_macro(vis)?))
183         } else {
184             return Ok(None);
185         };
186         Ok(Some(info))
187     }
188
189     /// When parsing a statement, would the start of a path be an item?
190     pub(super) fn is_path_start_item(&mut self) -> bool {
191         self.is_crate_vis() // no: `crate::b`, yes: `crate $item`
192         || self.is_kw_followed_by_ident(kw::Union) // no: `union::b`, yes: `union U { .. }`
193         || self.check_auto_or_unsafe_trait_item() // no: `auto::b`, yes: `auto trait X { .. }`
194         || self.is_async_fn() // no(2015): `async::b`, yes: `async fn`
195         || self.is_macro_rules_item() // no: `macro_rules::b`, yes: `macro_rules! mac`
196     }
197
198     /// Are we sure this could not possibly be a macro invocation?
199     fn isnt_macro_invocation(&mut self) -> bool {
200         self.check_ident() && self.look_ahead(1, |t| *t != token::Not && *t != token::ModSep)
201     }
202
203     /// Recover on encountering a struct or method definition where the user
204     /// forgot to add the `struct` or `fn` keyword after writing `pub`: `pub S {}`.
205     fn recover_missing_kw_before_item(&mut self) -> PResult<'a, ()> {
206         // Space between `pub` keyword and the identifier
207         //
208         //     pub   S {}
209         //        ^^^ `sp` points here
210         let sp = self.prev_span.between(self.token.span);
211         let full_sp = self.prev_span.to(self.token.span);
212         let ident_sp = self.token.span;
213         if self.look_ahead(1, |t| *t == token::OpenDelim(token::Brace)) {
214             // possible public struct definition where `struct` was forgotten
215             let ident = self.parse_ident().unwrap();
216             let msg = format!("add `struct` here to parse `{}` as a public struct", ident);
217             let mut err = self.struct_span_err(sp, "missing `struct` for struct definition");
218             err.span_suggestion_short(
219                 sp,
220                 &msg,
221                 " struct ".into(),
222                 Applicability::MaybeIncorrect, // speculative
223             );
224             return Err(err);
225         } else if self.look_ahead(1, |t| *t == token::OpenDelim(token::Paren)) {
226             let ident = self.parse_ident().unwrap();
227             self.bump(); // `(`
228             let kw_name = self.recover_first_param();
229             self.consume_block(token::Paren, ConsumeClosingDelim::Yes);
230             let (kw, kw_name, ambiguous) = if self.check(&token::RArrow) {
231                 self.eat_to_tokens(&[&token::OpenDelim(token::Brace)]);
232                 self.bump(); // `{`
233                 ("fn", kw_name, false)
234             } else if self.check(&token::OpenDelim(token::Brace)) {
235                 self.bump(); // `{`
236                 ("fn", kw_name, false)
237             } else if self.check(&token::Colon) {
238                 let kw = "struct";
239                 (kw, kw, false)
240             } else {
241                 ("fn` or `struct", "function or struct", true)
242             };
243
244             let msg = format!("missing `{}` for {} definition", kw, kw_name);
245             let mut err = self.struct_span_err(sp, &msg);
246             if !ambiguous {
247                 self.consume_block(token::Brace, ConsumeClosingDelim::Yes);
248                 let suggestion =
249                     format!("add `{}` here to parse `{}` as a public {}", kw, ident, kw_name);
250                 err.span_suggestion_short(
251                     sp,
252                     &suggestion,
253                     format!(" {} ", kw),
254                     Applicability::MachineApplicable,
255                 );
256             } else {
257                 if let Ok(snippet) = self.span_to_snippet(ident_sp) {
258                     err.span_suggestion(
259                         full_sp,
260                         "if you meant to call a macro, try",
261                         format!("{}!", snippet),
262                         // this is the `ambiguous` conditional branch
263                         Applicability::MaybeIncorrect,
264                     );
265                 } else {
266                     err.help(
267                         "if you meant to call a macro, remove the `pub` \
268                                   and add a trailing `!` after the identifier",
269                     );
270                 }
271             }
272             return Err(err);
273         } else if self.look_ahead(1, |t| *t == token::Lt) {
274             let ident = self.parse_ident().unwrap();
275             self.eat_to_tokens(&[&token::Gt]);
276             self.bump(); // `>`
277             let (kw, kw_name, ambiguous) = if self.eat(&token::OpenDelim(token::Paren)) {
278                 ("fn", self.recover_first_param(), false)
279             } else if self.check(&token::OpenDelim(token::Brace)) {
280                 ("struct", "struct", false)
281             } else {
282                 ("fn` or `struct", "function or struct", true)
283             };
284             let msg = format!("missing `{}` for {} definition", kw, kw_name);
285             let mut err = self.struct_span_err(sp, &msg);
286             if !ambiguous {
287                 err.span_suggestion_short(
288                     sp,
289                     &format!("add `{}` here to parse `{}` as a public {}", kw, ident, kw_name),
290                     format!(" {} ", kw),
291                     Applicability::MachineApplicable,
292                 );
293             }
294             return Err(err);
295         } else {
296             Ok(())
297         }
298     }
299
300     /// Parses an item macro, e.g., `item!();`.
301     fn parse_item_macro(&mut self, vis: &Visibility) -> PResult<'a, Mac> {
302         let path = self.parse_path(PathStyle::Mod)?; // `foo::bar`
303         self.expect(&token::Not)?; // `!`
304         let args = self.parse_mac_args()?; // `( .. )` or `[ .. ]` (followed by `;`), or `{ .. }`.
305         self.eat_semi_for_macro_if_needed(&args);
306         self.complain_if_pub_macro(vis, false);
307         Ok(Mac { path, args, prior_type_ascription: self.last_type_ascription })
308     }
309
310     /// Recover if we parsed attributes and expected an item but there was none.
311     fn recover_attrs_no_item(&mut self, attrs: &[Attribute]) -> PResult<'a, ()> {
312         let (start, end) = match attrs {
313             [] => return Ok(()),
314             [x0] => (x0, x0),
315             [x0, .., xn] => (x0, xn),
316         };
317         let msg = if end.is_doc_comment() {
318             "expected item after doc comment"
319         } else {
320             "expected item after attributes"
321         };
322         let mut err = self.struct_span_err(end.span, msg);
323         if end.is_doc_comment() {
324             err.span_label(end.span, "this doc comment doesn't document anything");
325         }
326         if let [.., penultimate, _] = attrs {
327             err.span_label(start.span.to(penultimate.span), "other attributes here");
328         }
329         Err(err)
330     }
331
332     fn is_async_fn(&self) -> bool {
333         self.token.is_keyword(kw::Async) && self.is_keyword_ahead(1, &[kw::Fn])
334     }
335
336     fn missing_assoc_item_kind_err(
337         &self,
338         item_type: &str,
339         prev_span: Span,
340     ) -> DiagnosticBuilder<'a> {
341         let expected_kinds = if item_type == "extern" {
342             "missing `fn`, `type`, or `static`"
343         } else {
344             "missing `fn`, `type`, or `const`"
345         };
346
347         // Given this code `path(`, it seems like this is not
348         // setting the visibility of a macro invocation, but rather
349         // a mistyped method declaration.
350         // Create a diagnostic pointing out that `fn` is missing.
351         //
352         // x |     pub path(&self) {
353         //   |        ^ missing `fn`, `type`, or `const`
354         //     pub  path(
355         //        ^^ `sp` below will point to this
356         let sp = prev_span.between(self.token.span);
357         let mut err = self
358             .struct_span_err(sp, &format!("{} for {}-item declaration", expected_kinds, item_type));
359         err.span_label(sp, expected_kinds);
360         err
361     }
362
363     /// Parses an implementation item, `impl` keyword is already parsed.
364     ///
365     /// ```
366     /// impl<'a, T> TYPE { /* impl items */ }
367     /// impl<'a, T> TRAIT for TYPE { /* impl items */ }
368     /// impl<'a, T> !TRAIT for TYPE { /* impl items */ }
369     /// impl<'a, T> const TRAIT for TYPE { /* impl items */ }
370     /// ```
371     ///
372     /// We actually parse slightly more relaxed grammar for better error reporting and recovery.
373     /// ```
374     /// "impl" GENERICS "const"? "!"? TYPE "for"? (TYPE | "..") ("where" PREDICATES)? "{" BODY "}"
375     /// "impl" GENERICS "const"? "!"? TYPE ("where" PREDICATES)? "{" BODY "}"
376     /// ```
377     fn parse_item_impl(
378         &mut self,
379         attrs: &mut Vec<Attribute>,
380         unsafety: Unsafe,
381         defaultness: Defaultness,
382     ) -> PResult<'a, ItemInfo> {
383         // First, parse generic parameters if necessary.
384         let mut generics = if self.choose_generics_over_qpath() {
385             self.parse_generics()?
386         } else {
387             let mut generics = Generics::default();
388             // impl A for B {}
389             //    /\ this is where `generics.span` should point when there are no type params.
390             generics.span = self.prev_span.shrink_to_hi();
391             generics
392         };
393
394         let constness = self.parse_constness();
395         if let Const::Yes(span) = constness {
396             self.sess.gated_spans.gate(sym::const_trait_impl, span);
397         }
398
399         // Disambiguate `impl !Trait for Type { ... }` and `impl ! { ... }` for the never type.
400         let polarity = if self.check(&token::Not) && self.look_ahead(1, |t| t.can_begin_type()) {
401             self.bump(); // `!`
402             ast::ImplPolarity::Negative
403         } else {
404             ast::ImplPolarity::Positive
405         };
406
407         // Parse both types and traits as a type, then reinterpret if necessary.
408         let err_path = |span| ast::Path::from_ident(Ident::new(kw::Invalid, span));
409         let ty_first = if self.token.is_keyword(kw::For) && self.look_ahead(1, |t| t != &token::Lt)
410         {
411             let span = self.prev_span.between(self.token.span);
412             self.struct_span_err(span, "missing trait in a trait impl").emit();
413             P(Ty { kind: TyKind::Path(None, err_path(span)), span, id: DUMMY_NODE_ID })
414         } else {
415             self.parse_ty()?
416         };
417
418         // If `for` is missing we try to recover.
419         let has_for = self.eat_keyword(kw::For);
420         let missing_for_span = self.prev_span.between(self.token.span);
421
422         let ty_second = if self.token == token::DotDot {
423             // We need to report this error after `cfg` expansion for compatibility reasons
424             self.bump(); // `..`, do not add it to expected tokens
425             Some(self.mk_ty(self.prev_span, TyKind::Err))
426         } else if has_for || self.token.can_begin_type() {
427             Some(self.parse_ty()?)
428         } else {
429             None
430         };
431
432         generics.where_clause = self.parse_where_clause()?;
433
434         let impl_items = self.parse_item_list(attrs, |p, at_end| p.parse_impl_item(at_end))?;
435
436         let item_kind = match ty_second {
437             Some(ty_second) => {
438                 // impl Trait for Type
439                 if !has_for {
440                     self.struct_span_err(missing_for_span, "missing `for` in a trait impl")
441                         .span_suggestion_short(
442                             missing_for_span,
443                             "add `for` here",
444                             " for ".to_string(),
445                             Applicability::MachineApplicable,
446                         )
447                         .emit();
448                 }
449
450                 let ty_first = ty_first.into_inner();
451                 let path = match ty_first.kind {
452                     // This notably includes paths passed through `ty` macro fragments (#46438).
453                     TyKind::Path(None, path) => path,
454                     _ => {
455                         self.struct_span_err(ty_first.span, "expected a trait, found type").emit();
456                         err_path(ty_first.span)
457                     }
458                 };
459                 let trait_ref = TraitRef { path, ref_id: ty_first.id };
460
461                 ItemKind::Impl {
462                     unsafety,
463                     polarity,
464                     defaultness,
465                     constness,
466                     generics,
467                     of_trait: Some(trait_ref),
468                     self_ty: ty_second,
469                     items: impl_items,
470                 }
471             }
472             None => {
473                 // impl Type
474                 ItemKind::Impl {
475                     unsafety,
476                     polarity,
477                     defaultness,
478                     constness,
479                     generics,
480                     of_trait: None,
481                     self_ty: ty_first,
482                     items: impl_items,
483                 }
484             }
485         };
486
487         Ok((Ident::invalid(), item_kind))
488     }
489
490     fn parse_item_list<T>(
491         &mut self,
492         attrs: &mut Vec<Attribute>,
493         mut parse_item: impl FnMut(&mut Parser<'a>, &mut bool) -> PResult<'a, T>,
494     ) -> PResult<'a, Vec<T>> {
495         self.expect(&token::OpenDelim(token::Brace))?;
496         attrs.append(&mut self.parse_inner_attributes()?);
497
498         let mut items = Vec::new();
499         while !self.eat(&token::CloseDelim(token::Brace)) {
500             if self.recover_doc_comment_before_brace() {
501                 continue;
502             }
503             let mut at_end = false;
504             match parse_item(self, &mut at_end) {
505                 Ok(item) => items.push(item),
506                 Err(mut err) => {
507                     err.emit();
508                     if !at_end {
509                         self.consume_block(token::Brace, ConsumeClosingDelim::Yes);
510                         break;
511                     }
512                 }
513             }
514         }
515         Ok(items)
516     }
517
518     /// Recover on a doc comment before `}`.
519     fn recover_doc_comment_before_brace(&mut self) -> bool {
520         if let token::DocComment(_) = self.token.kind {
521             if self.look_ahead(1, |tok| tok == &token::CloseDelim(token::Brace)) {
522                 struct_span_err!(
523                     self.diagnostic(),
524                     self.token.span,
525                     E0584,
526                     "found a documentation comment that doesn't document anything",
527                 )
528                 .span_label(self.token.span, "this doc comment doesn't document anything")
529                 .help(
530                     "doc comments must come before what they document, maybe a \
531                     comment was intended with `//`?",
532                 )
533                 .emit();
534                 self.bump();
535                 return true;
536             }
537         }
538         false
539     }
540
541     /// Parses defaultness (i.e., `default` or nothing).
542     fn parse_defaultness(&mut self) -> Defaultness {
543         // `pub` is included for better error messages
544         if self.check_keyword(kw::Default)
545             && self.is_keyword_ahead(
546                 1,
547                 &[
548                     kw::Impl,
549                     kw::Const,
550                     kw::Async,
551                     kw::Fn,
552                     kw::Unsafe,
553                     kw::Extern,
554                     kw::Type,
555                     kw::Pub,
556                 ],
557             )
558         {
559             self.bump(); // `default`
560             Defaultness::Default
561         } else {
562             Defaultness::Final
563         }
564     }
565
566     /// Is this an `(unsafe auto? | auto) trait` item?
567     fn check_auto_or_unsafe_trait_item(&mut self) -> bool {
568         // auto trait
569         self.check_keyword(kw::Auto) && self.is_keyword_ahead(1, &[kw::Trait])
570             // unsafe auto trait
571             || self.check_keyword(kw::Unsafe) && self.is_keyword_ahead(1, &[kw::Trait, kw::Auto])
572     }
573
574     /// Parses `unsafe? auto? trait Foo { ... }` or `trait Foo = Bar;`.
575     fn parse_item_trait(&mut self, attrs: &mut Vec<Attribute>, lo: Span) -> PResult<'a, ItemInfo> {
576         let unsafety = self.parse_unsafety();
577         // Parse optional `auto` prefix.
578         let is_auto = if self.eat_keyword(kw::Auto) { IsAuto::Yes } else { IsAuto::No };
579
580         self.expect_keyword(kw::Trait)?;
581         let ident = self.parse_ident()?;
582         let mut tps = self.parse_generics()?;
583
584         // Parse optional colon and supertrait bounds.
585         let had_colon = self.eat(&token::Colon);
586         let span_at_colon = self.prev_span;
587         let bounds =
588             if had_colon { self.parse_generic_bounds(Some(self.prev_span))? } else { Vec::new() };
589
590         let span_before_eq = self.prev_span;
591         if self.eat(&token::Eq) {
592             // It's a trait alias.
593             if had_colon {
594                 let span = span_at_colon.to(span_before_eq);
595                 self.struct_span_err(span, "bounds are not allowed on trait aliases").emit();
596             }
597
598             let bounds = self.parse_generic_bounds(None)?;
599             tps.where_clause = self.parse_where_clause()?;
600             self.expect_semi()?;
601
602             let whole_span = lo.to(self.prev_span);
603             if is_auto == IsAuto::Yes {
604                 let msg = "trait aliases cannot be `auto`";
605                 self.struct_span_err(whole_span, msg).span_label(whole_span, msg).emit();
606             }
607             if let Unsafe::Yes(_) = unsafety {
608                 let msg = "trait aliases cannot be `unsafe`";
609                 self.struct_span_err(whole_span, msg).span_label(whole_span, msg).emit();
610             }
611
612             self.sess.gated_spans.gate(sym::trait_alias, whole_span);
613
614             Ok((ident, ItemKind::TraitAlias(tps, bounds)))
615         } else {
616             // It's a normal trait.
617             tps.where_clause = self.parse_where_clause()?;
618             let items = self.parse_item_list(attrs, |p, at_end| p.parse_trait_item(at_end))?;
619             Ok((ident, ItemKind::Trait(is_auto, unsafety, tps, bounds, items)))
620         }
621     }
622
623     pub fn parse_impl_item(&mut self, at_end: &mut bool) -> PResult<'a, P<AssocItem>> {
624         maybe_whole!(self, NtImplItem, |x| x);
625         self.parse_assoc_item(at_end, |_| true)
626     }
627
628     pub fn parse_trait_item(&mut self, at_end: &mut bool) -> PResult<'a, P<AssocItem>> {
629         maybe_whole!(self, NtTraitItem, |x| x);
630         // This is somewhat dubious; We don't want to allow
631         // param names to be left off if there is a definition...
632         //
633         // We don't allow param names to be left off in edition 2018.
634         self.parse_assoc_item(at_end, |t| t.span.rust_2018())
635     }
636
637     /// Parses associated items.
638     fn parse_assoc_item(
639         &mut self,
640         at_end: &mut bool,
641         req_name: fn(&token::Token) -> bool,
642     ) -> PResult<'a, P<AssocItem>> {
643         let attrs = self.parse_outer_attributes()?;
644         let mut unclosed_delims = vec![];
645         let (mut item, tokens) = self.collect_tokens(|this| {
646             let item = this.parse_assoc_item_(at_end, attrs, req_name);
647             unclosed_delims.append(&mut this.unclosed_delims);
648             item
649         })?;
650         self.unclosed_delims.append(&mut unclosed_delims);
651         // See `parse_item` for why this clause is here.
652         if !item.attrs.iter().any(|attr| attr.style == AttrStyle::Inner) {
653             item.tokens = Some(tokens);
654         }
655         Ok(P(item))
656     }
657
658     fn parse_assoc_item_(
659         &mut self,
660         at_end: &mut bool,
661         mut attrs: Vec<Attribute>,
662         req_name: fn(&token::Token) -> bool,
663     ) -> PResult<'a, AssocItem> {
664         let lo = self.token.span;
665         let vis = self.parse_visibility(FollowedByType::No)?;
666         let defaultness = self.parse_defaultness();
667
668         let (ident, kind) = if self.eat_keyword(kw::Type) {
669             self.parse_assoc_ty()?
670         } else if self.check_fn_front_matter() {
671             let (ident, sig, generics, body) = self.parse_fn(at_end, &mut attrs, req_name)?;
672             (ident, AssocItemKind::Fn(sig, generics, body))
673         } else if self.check_keyword(kw::Const) {
674             self.parse_assoc_const()?
675         } else if self.isnt_macro_invocation() {
676             return Err(self.missing_assoc_item_kind_err("associated", self.prev_span));
677         } else if self.token.is_path_start() {
678             let mac = self.parse_item_macro(&vis)?;
679             *at_end = true;
680             (Ident::invalid(), AssocItemKind::Macro(mac))
681         } else {
682             self.recover_attrs_no_item(&attrs)?;
683             self.unexpected()?
684         };
685
686         let span = lo.to(self.prev_span);
687         let id = DUMMY_NODE_ID;
688         Ok(AssocItem { id, span, ident, attrs, vis, defaultness, kind, tokens: None })
689     }
690
691     /// This parses the grammar:
692     ///
693     ///     AssocConst = "const" Ident ":" Ty "=" Expr ";"
694     fn parse_assoc_const(&mut self) -> PResult<'a, (Ident, AssocItemKind)> {
695         self.expect_keyword(kw::Const)?;
696         let ident = self.parse_ident()?;
697         self.expect(&token::Colon)?;
698         let ty = self.parse_ty()?;
699         let expr = if self.eat(&token::Eq) { Some(self.parse_expr()?) } else { None };
700         self.expect_semi()?;
701         Ok((ident, AssocItemKind::Const(ty, expr)))
702     }
703
704     /// Parses the following grammar:
705     ///
706     ///     AssocTy = Ident ["<"...">"] [":" [GenericBounds]] ["where" ...] ["=" Ty]
707     fn parse_assoc_ty(&mut self) -> PResult<'a, (Ident, AssocItemKind)> {
708         let ident = self.parse_ident()?;
709         let mut generics = self.parse_generics()?;
710
711         // Parse optional colon and param bounds.
712         let bounds =
713             if self.eat(&token::Colon) { self.parse_generic_bounds(None)? } else { Vec::new() };
714         generics.where_clause = self.parse_where_clause()?;
715
716         let default = if self.eat(&token::Eq) { Some(self.parse_ty()?) } else { None };
717         self.expect_semi()?;
718
719         Ok((ident, AssocItemKind::TyAlias(generics, bounds, default)))
720     }
721
722     /// Parses a `UseTree`.
723     ///
724     /// ```
725     /// USE_TREE = [`::`] `*` |
726     ///            [`::`] `{` USE_TREE_LIST `}` |
727     ///            PATH `::` `*` |
728     ///            PATH `::` `{` USE_TREE_LIST `}` |
729     ///            PATH [`as` IDENT]
730     /// ```
731     fn parse_use_tree(&mut self) -> PResult<'a, UseTree> {
732         let lo = self.token.span;
733
734         let mut prefix = ast::Path { segments: Vec::new(), span: lo.shrink_to_lo() };
735         let kind = if self.check(&token::OpenDelim(token::Brace))
736             || self.check(&token::BinOp(token::Star))
737             || self.is_import_coupler()
738         {
739             // `use *;` or `use ::*;` or `use {...};` or `use ::{...};`
740             let mod_sep_ctxt = self.token.span.ctxt();
741             if self.eat(&token::ModSep) {
742                 prefix
743                     .segments
744                     .push(PathSegment::path_root(lo.shrink_to_lo().with_ctxt(mod_sep_ctxt)));
745             }
746
747             self.parse_use_tree_glob_or_nested()?
748         } else {
749             // `use path::*;` or `use path::{...};` or `use path;` or `use path as bar;`
750             prefix = self.parse_path(PathStyle::Mod)?;
751
752             if self.eat(&token::ModSep) {
753                 self.parse_use_tree_glob_or_nested()?
754             } else {
755                 UseTreeKind::Simple(self.parse_rename()?, DUMMY_NODE_ID, DUMMY_NODE_ID)
756             }
757         };
758
759         Ok(UseTree { prefix, kind, span: lo.to(self.prev_span) })
760     }
761
762     /// Parses `*` or `{...}`.
763     fn parse_use_tree_glob_or_nested(&mut self) -> PResult<'a, UseTreeKind> {
764         Ok(if self.eat(&token::BinOp(token::Star)) {
765             UseTreeKind::Glob
766         } else {
767             UseTreeKind::Nested(self.parse_use_tree_list()?)
768         })
769     }
770
771     /// Parses a `UseTreeKind::Nested(list)`.
772     ///
773     /// ```
774     /// USE_TREE_LIST = Ã˜ | (USE_TREE `,`)* USE_TREE [`,`]
775     /// ```
776     fn parse_use_tree_list(&mut self) -> PResult<'a, Vec<(UseTree, ast::NodeId)>> {
777         self.parse_delim_comma_seq(token::Brace, |p| Ok((p.parse_use_tree()?, DUMMY_NODE_ID)))
778             .map(|(r, _)| r)
779     }
780
781     fn parse_rename(&mut self) -> PResult<'a, Option<Ident>> {
782         if self.eat_keyword(kw::As) { self.parse_ident_or_underscore().map(Some) } else { Ok(None) }
783     }
784
785     fn parse_ident_or_underscore(&mut self) -> PResult<'a, ast::Ident> {
786         match self.token.kind {
787             token::Ident(name @ kw::Underscore, false) => {
788                 let span = self.token.span;
789                 self.bump();
790                 Ok(Ident::new(name, span))
791             }
792             _ => self.parse_ident(),
793         }
794     }
795
796     /// Parses `extern crate` links.
797     ///
798     /// # Examples
799     ///
800     /// ```
801     /// extern crate foo;
802     /// extern crate bar as foo;
803     /// ```
804     fn parse_item_extern_crate(&mut self) -> PResult<'a, ItemInfo> {
805         // Accept `extern crate name-like-this` for better diagnostics
806         let orig_name = self.parse_crate_name_with_dashes()?;
807         let (item_name, orig_name) = if let Some(rename) = self.parse_rename()? {
808             (rename, Some(orig_name.name))
809         } else {
810             (orig_name, None)
811         };
812         self.expect_semi()?;
813         Ok((item_name, ItemKind::ExternCrate(orig_name)))
814     }
815
816     fn parse_crate_name_with_dashes(&mut self) -> PResult<'a, ast::Ident> {
817         let error_msg = "crate name using dashes are not valid in `extern crate` statements";
818         let suggestion_msg = "if the original crate name uses dashes you need to use underscores \
819                               in the code";
820         let mut ident = if self.token.is_keyword(kw::SelfLower) {
821             self.parse_path_segment_ident()
822         } else {
823             self.parse_ident()
824         }?;
825         let mut idents = vec![];
826         let mut replacement = vec![];
827         let mut fixed_crate_name = false;
828         // Accept `extern crate name-like-this` for better diagnostics.
829         let dash = token::BinOp(token::BinOpToken::Minus);
830         if self.token == dash {
831             // Do not include `-` as part of the expected tokens list.
832             while self.eat(&dash) {
833                 fixed_crate_name = true;
834                 replacement.push((self.prev_span, "_".to_string()));
835                 idents.push(self.parse_ident()?);
836             }
837         }
838         if fixed_crate_name {
839             let fixed_name_sp = ident.span.to(idents.last().unwrap().span);
840             let mut fixed_name = format!("{}", ident.name);
841             for part in idents {
842                 fixed_name.push_str(&format!("_{}", part.name));
843             }
844             ident = Ident::from_str_and_span(&fixed_name, fixed_name_sp);
845
846             self.struct_span_err(fixed_name_sp, error_msg)
847                 .span_label(fixed_name_sp, "dash-separated idents are not valid")
848                 .multipart_suggestion(suggestion_msg, replacement, Applicability::MachineApplicable)
849                 .emit();
850         }
851         Ok(ident)
852     }
853
854     /// Parses `extern` for foreign ABIs modules.
855     ///
856     /// `extern` is expected to have been consumed before calling this method.
857     ///
858     /// # Examples
859     ///
860     /// ```ignore (only-for-syntax-highlight)
861     /// extern "C" {}
862     /// extern {}
863     /// ```
864     fn parse_item_foreign_mod(&mut self, attrs: &mut Vec<Attribute>) -> PResult<'a, ItemInfo> {
865         let abi = self.parse_abi(); // ABI?
866         let items = self.parse_item_list(attrs, |p, at_end| p.parse_foreign_item(at_end))?;
867         let module = ast::ForeignMod { abi, items };
868         Ok((Ident::invalid(), ItemKind::ForeignMod(module)))
869     }
870
871     /// Parses a foreign item (one in an `extern { ... }` block).
872     pub fn parse_foreign_item(&mut self, at_end: &mut bool) -> PResult<'a, P<ForeignItem>> {
873         maybe_whole!(self, NtForeignItem, |ni| ni);
874
875         let mut attrs = self.parse_outer_attributes()?;
876         let lo = self.token.span;
877         let vis = self.parse_visibility(FollowedByType::No)?;
878
879         let (ident, kind) = if self.eat_keyword(kw::Type) {
880             // FOREIGN TYPE ITEM
881             self.parse_item_foreign_type()?
882         } else if self.check_fn_front_matter() {
883             // FOREIGN FUNCTION ITEM
884             let (ident, sig, generics, body) = self.parse_fn(at_end, &mut attrs, |_| true)?;
885             (ident, ForeignItemKind::Fn(sig, generics, body))
886         } else if self.is_static_global() {
887             // FOREIGN STATIC ITEM
888             self.bump(); // `static`
889             self.parse_item_foreign_static()?
890         } else if self.token.is_keyword(kw::Const) {
891             // Treat `const` as `static` for error recovery, but don't add it to expected tokens.
892             self.bump(); // `const`
893             self.struct_span_err(self.prev_span, "extern items cannot be `const`")
894                 .span_suggestion(
895                     self.prev_span,
896                     "try using a static value",
897                     "static".to_owned(),
898                     Applicability::MachineApplicable,
899                 )
900                 .emit();
901             self.parse_item_foreign_static()?
902         } else if self.isnt_macro_invocation() {
903             return Err(self.missing_assoc_item_kind_err("extern", self.prev_span));
904         } else if self.token.is_path_start() {
905             let mac = self.parse_item_macro(&vis)?;
906             *at_end = true;
907             (Ident::invalid(), ForeignItemKind::Macro(mac))
908         } else {
909             self.recover_attrs_no_item(&attrs)?;
910             self.unexpected()?
911         };
912         Ok(P(self.mk_item(lo, ident, kind, vis, attrs)))
913     }
914
915     /// Parses a static item from a foreign module.
916     /// Assumes that the `static` keyword is already parsed.
917     fn parse_item_foreign_static(&mut self) -> PResult<'a, (Ident, ForeignItemKind)> {
918         let mutbl = self.parse_mutability();
919         let ident = self.parse_ident()?;
920         self.expect(&token::Colon)?;
921         let ty = self.parse_ty()?;
922         self.expect_semi()?;
923         Ok((ident, ForeignItemKind::Static(ty, mutbl)))
924     }
925
926     /// Parses a type from a foreign module.
927     fn parse_item_foreign_type(&mut self) -> PResult<'a, (Ident, ForeignItemKind)> {
928         let (ident, kind) = self.parse_assoc_ty()?;
929         let kind = match kind {
930             AssocItemKind::TyAlias(g, b, d) => ForeignItemKind::TyAlias(g, b, d),
931             _ => unreachable!(),
932         };
933         Ok((ident, kind))
934     }
935
936     fn is_static_global(&mut self) -> bool {
937         if self.check_keyword(kw::Static) {
938             // Check if this could be a closure.
939             !self.look_ahead(1, |token| {
940                 if token.is_keyword(kw::Move) {
941                     return true;
942                 }
943                 match token.kind {
944                     token::BinOp(token::Or) | token::OrOr => true,
945                     _ => false,
946                 }
947             })
948         } else {
949             false
950         }
951     }
952
953     /// Recover on `const mut` with `const` already eaten.
954     fn recover_const_mut(&mut self, const_span: Span) {
955         if self.eat_keyword(kw::Mut) {
956             let span = self.prev_span;
957             self.struct_span_err(span, "const globals cannot be mutable")
958                 .span_label(span, "cannot be mutable")
959                 .span_suggestion(
960                     const_span,
961                     "you might want to declare a static instead",
962                     "static".to_owned(),
963                     Applicability::MaybeIncorrect,
964                 )
965                 .emit();
966         }
967     }
968
969     /// Parse `["const" | ("static" "mut"?)] $ident ":" $ty (= $expr)?` with
970     /// `["const" | ("static" "mut"?)]` already parsed and stored in `m`.
971     ///
972     /// When `m` is `"const"`, `$ident` may also be `"_"`.
973     fn parse_item_const(&mut self, m: Option<Mutability>) -> PResult<'a, ItemInfo> {
974         let id = if m.is_none() { self.parse_ident_or_underscore() } else { self.parse_ident() }?;
975
976         // Parse the type of a `const` or `static mut?` item.
977         // That is, the `":" $ty` fragment.
978         let ty = if self.eat(&token::Colon) {
979             self.parse_ty()?
980         } else {
981             self.recover_missing_const_type(id, m)
982         };
983
984         let expr = if self.eat(&token::Eq) { Some(self.parse_expr()?) } else { None };
985         self.expect_semi()?;
986         let item = match m {
987             Some(m) => ItemKind::Static(ty, m, expr),
988             None => ItemKind::Const(ty, expr),
989         };
990         Ok((id, item))
991     }
992
993     /// We were supposed to parse `:` but the `:` was missing.
994     /// This means that the type is missing.
995     fn recover_missing_const_type(&mut self, id: Ident, m: Option<Mutability>) -> P<Ty> {
996         // Construct the error and stash it away with the hope
997         // that typeck will later enrich the error with a type.
998         let kind = match m {
999             Some(Mutability::Mut) => "static mut",
1000             Some(Mutability::Not) => "static",
1001             None => "const",
1002         };
1003         let mut err = self.struct_span_err(id.span, &format!("missing type for `{}` item", kind));
1004         err.span_suggestion(
1005             id.span,
1006             "provide a type for the item",
1007             format!("{}: <type>", id),
1008             Applicability::HasPlaceholders,
1009         );
1010         err.stash(id.span, StashKey::ItemNoType);
1011
1012         // The user intended that the type be inferred,
1013         // so treat this as if the user wrote e.g. `const A: _ = expr;`.
1014         P(Ty { kind: TyKind::Infer, span: id.span, id: ast::DUMMY_NODE_ID })
1015     }
1016
1017     /// Parses the grammar:
1018     ///     Ident ["<"...">"] ["where" ...] ("=" | ":") Ty ";"
1019     fn parse_type_alias(&mut self) -> PResult<'a, (Ident, P<Ty>, Generics)> {
1020         let ident = self.parse_ident()?;
1021         let mut tps = self.parse_generics()?;
1022         tps.where_clause = self.parse_where_clause()?;
1023         self.expect(&token::Eq)?;
1024         let ty = self.parse_ty()?;
1025         self.expect_semi()?;
1026         Ok((ident, ty, tps))
1027     }
1028
1029     /// Parses an enum declaration.
1030     fn parse_item_enum(&mut self) -> PResult<'a, ItemInfo> {
1031         let id = self.parse_ident()?;
1032         let mut generics = self.parse_generics()?;
1033         generics.where_clause = self.parse_where_clause()?;
1034
1035         let (variants, _) =
1036             self.parse_delim_comma_seq(token::Brace, |p| p.parse_enum_variant()).map_err(|e| {
1037                 self.recover_stmt();
1038                 e
1039             })?;
1040
1041         let enum_definition =
1042             EnumDef { variants: variants.into_iter().filter_map(|v| v).collect() };
1043         Ok((id, ItemKind::Enum(enum_definition, generics)))
1044     }
1045
1046     fn parse_enum_variant(&mut self) -> PResult<'a, Option<Variant>> {
1047         let variant_attrs = self.parse_outer_attributes()?;
1048         let vlo = self.token.span;
1049
1050         let vis = self.parse_visibility(FollowedByType::No)?;
1051         if !self.recover_nested_adt_item(kw::Enum)? {
1052             return Ok(None);
1053         }
1054         let ident = self.parse_ident()?;
1055
1056         let struct_def = if self.check(&token::OpenDelim(token::Brace)) {
1057             // Parse a struct variant.
1058             let (fields, recovered) = self.parse_record_struct_body()?;
1059             VariantData::Struct(fields, recovered)
1060         } else if self.check(&token::OpenDelim(token::Paren)) {
1061             VariantData::Tuple(self.parse_tuple_struct_body()?, DUMMY_NODE_ID)
1062         } else {
1063             VariantData::Unit(DUMMY_NODE_ID)
1064         };
1065
1066         let disr_expr =
1067             if self.eat(&token::Eq) { Some(self.parse_anon_const_expr()?) } else { None };
1068
1069         let vr = ast::Variant {
1070             ident,
1071             vis,
1072             id: DUMMY_NODE_ID,
1073             attrs: variant_attrs,
1074             data: struct_def,
1075             disr_expr,
1076             span: vlo.to(self.prev_span),
1077             is_placeholder: false,
1078         };
1079
1080         Ok(Some(vr))
1081     }
1082
1083     /// Parses `struct Foo { ... }`.
1084     fn parse_item_struct(&mut self) -> PResult<'a, ItemInfo> {
1085         let class_name = self.parse_ident()?;
1086
1087         let mut generics = self.parse_generics()?;
1088
1089         // There is a special case worth noting here, as reported in issue #17904.
1090         // If we are parsing a tuple struct it is the case that the where clause
1091         // should follow the field list. Like so:
1092         //
1093         // struct Foo<T>(T) where T: Copy;
1094         //
1095         // If we are parsing a normal record-style struct it is the case
1096         // that the where clause comes before the body, and after the generics.
1097         // So if we look ahead and see a brace or a where-clause we begin
1098         // parsing a record style struct.
1099         //
1100         // Otherwise if we look ahead and see a paren we parse a tuple-style
1101         // struct.
1102
1103         let vdata = if self.token.is_keyword(kw::Where) {
1104             generics.where_clause = self.parse_where_clause()?;
1105             if self.eat(&token::Semi) {
1106                 // If we see a: `struct Foo<T> where T: Copy;` style decl.
1107                 VariantData::Unit(DUMMY_NODE_ID)
1108             } else {
1109                 // If we see: `struct Foo<T> where T: Copy { ... }`
1110                 let (fields, recovered) = self.parse_record_struct_body()?;
1111                 VariantData::Struct(fields, recovered)
1112             }
1113         // No `where` so: `struct Foo<T>;`
1114         } else if self.eat(&token::Semi) {
1115             VariantData::Unit(DUMMY_NODE_ID)
1116         // Record-style struct definition
1117         } else if self.token == token::OpenDelim(token::Brace) {
1118             let (fields, recovered) = self.parse_record_struct_body()?;
1119             VariantData::Struct(fields, recovered)
1120         // Tuple-style struct definition with optional where-clause.
1121         } else if self.token == token::OpenDelim(token::Paren) {
1122             let body = VariantData::Tuple(self.parse_tuple_struct_body()?, DUMMY_NODE_ID);
1123             generics.where_clause = self.parse_where_clause()?;
1124             self.expect_semi()?;
1125             body
1126         } else {
1127             let token_str = super::token_descr(&self.token);
1128             let msg = &format!(
1129                 "expected `where`, `{{`, `(`, or `;` after struct name, found {}",
1130                 token_str
1131             );
1132             let mut err = self.struct_span_err(self.token.span, msg);
1133             err.span_label(self.token.span, "expected `where`, `{`, `(`, or `;` after struct name");
1134             return Err(err);
1135         };
1136
1137         Ok((class_name, ItemKind::Struct(vdata, generics)))
1138     }
1139
1140     /// Parses `union Foo { ... }`.
1141     fn parse_item_union(&mut self) -> PResult<'a, ItemInfo> {
1142         let class_name = self.parse_ident()?;
1143
1144         let mut generics = self.parse_generics()?;
1145
1146         let vdata = if self.token.is_keyword(kw::Where) {
1147             generics.where_clause = self.parse_where_clause()?;
1148             let (fields, recovered) = self.parse_record_struct_body()?;
1149             VariantData::Struct(fields, recovered)
1150         } else if self.token == token::OpenDelim(token::Brace) {
1151             let (fields, recovered) = self.parse_record_struct_body()?;
1152             VariantData::Struct(fields, recovered)
1153         } else {
1154             let token_str = super::token_descr(&self.token);
1155             let msg = &format!("expected `where` or `{{` after union name, found {}", token_str);
1156             let mut err = self.struct_span_err(self.token.span, msg);
1157             err.span_label(self.token.span, "expected `where` or `{` after union name");
1158             return Err(err);
1159         };
1160
1161         Ok((class_name, ItemKind::Union(vdata, generics)))
1162     }
1163
1164     fn parse_record_struct_body(
1165         &mut self,
1166     ) -> PResult<'a, (Vec<StructField>, /* recovered */ bool)> {
1167         let mut fields = Vec::new();
1168         let mut recovered = false;
1169         if self.eat(&token::OpenDelim(token::Brace)) {
1170             while self.token != token::CloseDelim(token::Brace) {
1171                 let field = self.parse_struct_decl_field().map_err(|e| {
1172                     self.consume_block(token::Brace, ConsumeClosingDelim::No);
1173                     recovered = true;
1174                     e
1175                 });
1176                 match field {
1177                     Ok(field) => fields.push(field),
1178                     Err(mut err) => {
1179                         err.emit();
1180                         break;
1181                     }
1182                 }
1183             }
1184             self.eat(&token::CloseDelim(token::Brace));
1185         } else {
1186             let token_str = super::token_descr(&self.token);
1187             let msg = &format!("expected `where`, or `{{` after struct name, found {}", token_str);
1188             let mut err = self.struct_span_err(self.token.span, msg);
1189             err.span_label(self.token.span, "expected `where`, or `{` after struct name");
1190             return Err(err);
1191         }
1192
1193         Ok((fields, recovered))
1194     }
1195
1196     fn parse_tuple_struct_body(&mut self) -> PResult<'a, Vec<StructField>> {
1197         // This is the case where we find `struct Foo<T>(T) where T: Copy;`
1198         // Unit like structs are handled in parse_item_struct function
1199         self.parse_paren_comma_seq(|p| {
1200             let attrs = p.parse_outer_attributes()?;
1201             let lo = p.token.span;
1202             let vis = p.parse_visibility(FollowedByType::Yes)?;
1203             let ty = p.parse_ty()?;
1204             Ok(StructField {
1205                 span: lo.to(ty.span),
1206                 vis,
1207                 ident: None,
1208                 id: DUMMY_NODE_ID,
1209                 ty,
1210                 attrs,
1211                 is_placeholder: false,
1212             })
1213         })
1214         .map(|(r, _)| r)
1215     }
1216
1217     /// Parses an element of a struct declaration.
1218     fn parse_struct_decl_field(&mut self) -> PResult<'a, StructField> {
1219         let attrs = self.parse_outer_attributes()?;
1220         let lo = self.token.span;
1221         let vis = self.parse_visibility(FollowedByType::No)?;
1222         self.parse_single_struct_field(lo, vis, attrs)
1223     }
1224
1225     /// Parses a structure field declaration.
1226     fn parse_single_struct_field(
1227         &mut self,
1228         lo: Span,
1229         vis: Visibility,
1230         attrs: Vec<Attribute>,
1231     ) -> PResult<'a, StructField> {
1232         let mut seen_comma: bool = false;
1233         let a_var = self.parse_name_and_ty(lo, vis, attrs)?;
1234         if self.token == token::Comma {
1235             seen_comma = true;
1236         }
1237         match self.token.kind {
1238             token::Comma => {
1239                 self.bump();
1240             }
1241             token::CloseDelim(token::Brace) => {}
1242             token::DocComment(_) => {
1243                 let previous_span = self.prev_span;
1244                 let mut err = self.span_fatal_err(self.token.span, Error::UselessDocComment);
1245                 self.bump(); // consume the doc comment
1246                 let comma_after_doc_seen = self.eat(&token::Comma);
1247                 // `seen_comma` is always false, because we are inside doc block
1248                 // condition is here to make code more readable
1249                 if seen_comma == false && comma_after_doc_seen == true {
1250                     seen_comma = true;
1251                 }
1252                 if comma_after_doc_seen || self.token == token::CloseDelim(token::Brace) {
1253                     err.emit();
1254                 } else {
1255                     if seen_comma == false {
1256                         let sp = self.sess.source_map().next_point(previous_span);
1257                         err.span_suggestion(
1258                             sp,
1259                             "missing comma here",
1260                             ",".into(),
1261                             Applicability::MachineApplicable,
1262                         );
1263                     }
1264                     return Err(err);
1265                 }
1266             }
1267             _ => {
1268                 let sp = self.prev_span.shrink_to_hi();
1269                 let mut err = self.struct_span_err(
1270                     sp,
1271                     &format!("expected `,`, or `}}`, found {}", super::token_descr(&self.token)),
1272                 );
1273                 if self.token.is_ident() {
1274                     // This is likely another field; emit the diagnostic and keep going
1275                     err.span_suggestion(
1276                         sp,
1277                         "try adding a comma",
1278                         ",".into(),
1279                         Applicability::MachineApplicable,
1280                     );
1281                     err.emit();
1282                 } else {
1283                     return Err(err);
1284                 }
1285             }
1286         }
1287         Ok(a_var)
1288     }
1289
1290     /// Parses a structure field.
1291     fn parse_name_and_ty(
1292         &mut self,
1293         lo: Span,
1294         vis: Visibility,
1295         attrs: Vec<Attribute>,
1296     ) -> PResult<'a, StructField> {
1297         let name = self.parse_ident()?;
1298         self.expect(&token::Colon)?;
1299         let ty = self.parse_ty()?;
1300         Ok(StructField {
1301             span: lo.to(self.prev_span),
1302             ident: Some(name),
1303             vis,
1304             id: DUMMY_NODE_ID,
1305             ty,
1306             attrs,
1307             is_placeholder: false,
1308         })
1309     }
1310
1311     /// Parses a declarative macro 2.0 definition.
1312     /// The `macro` keyword has already been parsed.
1313     /// ```
1314     /// MacBody = "{" TOKEN_STREAM "}" ;
1315     /// MacParams = "(" TOKEN_STREAM ")" ;
1316     /// DeclMac = "macro" Ident MacParams? MacBody ;
1317     /// ```
1318     fn parse_item_decl_macro(&mut self, lo: Span) -> PResult<'a, ItemInfo> {
1319         let ident = self.parse_ident()?;
1320         let body = if self.check(&token::OpenDelim(token::Brace)) {
1321             self.parse_mac_args()? // `MacBody`
1322         } else if self.check(&token::OpenDelim(token::Paren)) {
1323             let params = self.parse_token_tree(); // `MacParams`
1324             let pspan = params.span();
1325             if !self.check(&token::OpenDelim(token::Brace)) {
1326                 return self.unexpected();
1327             }
1328             let body = self.parse_token_tree(); // `MacBody`
1329             // Convert `MacParams MacBody` into `{ MacParams => MacBody }`.
1330             let bspan = body.span();
1331             let arrow = TokenTree::token(token::FatArrow, pspan.between(bspan)); // `=>`
1332             let tokens = TokenStream::new(vec![params.into(), arrow.into(), body.into()]);
1333             let dspan = DelimSpan::from_pair(pspan.shrink_to_lo(), bspan.shrink_to_hi());
1334             P(MacArgs::Delimited(dspan, MacDelimiter::Brace, tokens))
1335         } else {
1336             return self.unexpected();
1337         };
1338
1339         self.sess.gated_spans.gate(sym::decl_macro, lo.to(self.prev_span));
1340         Ok((ident, ItemKind::MacroDef(ast::MacroDef { body, legacy: false })))
1341     }
1342
1343     /// Is this unambiguously the start of a `macro_rules! foo` item defnition?
1344     fn is_macro_rules_item(&mut self) -> bool {
1345         self.check_keyword(sym::macro_rules)
1346             && self.look_ahead(1, |t| *t == token::Not)
1347             && self.look_ahead(2, |t| t.is_ident())
1348     }
1349
1350     /// Parses a legacy `macro_rules! foo { ... }` declarative macro.
1351     fn parse_item_macro_rules(&mut self, vis: &Visibility) -> PResult<'a, ItemInfo> {
1352         self.expect_keyword(sym::macro_rules)?; // `macro_rules`
1353         self.expect(&token::Not)?; // `!`
1354
1355         let ident = self.parse_ident()?;
1356         let body = self.parse_mac_args()?;
1357         self.eat_semi_for_macro_if_needed(&body);
1358         self.complain_if_pub_macro(vis, true);
1359
1360         Ok((ident, ItemKind::MacroDef(ast::MacroDef { body, legacy: true })))
1361     }
1362
1363     /// Item macro invocations or `macro_rules!` definitions need inherited visibility.
1364     /// If that's not the case, emit an error.
1365     fn complain_if_pub_macro(&self, vis: &Visibility, macro_rules: bool) {
1366         if let VisibilityKind::Inherited = vis.node {
1367             return;
1368         }
1369
1370         let vstr = pprust::vis_to_string(vis);
1371         let vstr = vstr.trim_end();
1372         if macro_rules {
1373             let msg = format!("can't qualify macro_rules invocation with `{}`", vstr);
1374             self.struct_span_err(vis.span, &msg)
1375                 .span_suggestion(
1376                     vis.span,
1377                     "try exporting the macro",
1378                     "#[macro_export]".to_owned(),
1379                     Applicability::MaybeIncorrect, // speculative
1380                 )
1381                 .emit();
1382         } else {
1383             self.struct_span_err(vis.span, "can't qualify macro invocation with `pub`")
1384                 .span_suggestion(
1385                     vis.span,
1386                     "remove the visibility",
1387                     String::new(),
1388                     Applicability::MachineApplicable,
1389                 )
1390                 .help(&format!("try adjusting the macro to put `{}` inside the invocation", vstr))
1391                 .emit();
1392         }
1393     }
1394
1395     fn eat_semi_for_macro_if_needed(&mut self, args: &MacArgs) {
1396         if args.need_semicolon() && !self.eat(&token::Semi) {
1397             self.report_invalid_macro_expansion_item(args);
1398         }
1399     }
1400
1401     fn report_invalid_macro_expansion_item(&self, args: &MacArgs) {
1402         let mut err = self.struct_span_err(
1403             self.prev_span,
1404             "macros that expand to items must be delimited with braces or followed by a semicolon",
1405         );
1406         if self.unclosed_delims.is_empty() {
1407             let DelimSpan { open, close } = match args {
1408                 MacArgs::Empty | MacArgs::Eq(..) => unreachable!(),
1409                 MacArgs::Delimited(dspan, ..) => *dspan,
1410             };
1411             err.multipart_suggestion(
1412                 "change the delimiters to curly braces",
1413                 vec![(open, "{".to_string()), (close, '}'.to_string())],
1414                 Applicability::MaybeIncorrect,
1415             );
1416         } else {
1417             err.span_suggestion(
1418                 self.prev_span,
1419                 "change the delimiters to curly braces",
1420                 " { /* items */ }".to_string(),
1421                 Applicability::HasPlaceholders,
1422             );
1423         }
1424         err.span_suggestion(
1425             self.prev_span.shrink_to_hi(),
1426             "add a semicolon",
1427             ';'.to_string(),
1428             Applicability::MaybeIncorrect,
1429         );
1430         err.emit();
1431     }
1432
1433     /// Checks if current token is one of tokens which cannot be nested like `kw::Enum`. In case
1434     /// it is, we try to parse the item and report error about nested types.
1435     fn recover_nested_adt_item(&mut self, keyword: Symbol) -> PResult<'a, bool> {
1436         if (self.token.is_keyword(kw::Enum)
1437             || self.token.is_keyword(kw::Struct)
1438             || self.token.is_keyword(kw::Union))
1439             && self.look_ahead(1, |t| t.is_ident())
1440         {
1441             let kw_token = self.token.clone();
1442             let kw_str = pprust::token_to_string(&kw_token);
1443             let item = self.parse_item()?;
1444
1445             self.struct_span_err(
1446                 kw_token.span,
1447                 &format!("`{}` definition cannot be nested inside `{}`", kw_str, keyword),
1448             )
1449             .span_suggestion(
1450                 item.unwrap().span,
1451                 &format!("consider creating a new `{}` definition instead of nesting", kw_str),
1452                 String::new(),
1453                 Applicability::MaybeIncorrect,
1454             )
1455             .emit();
1456             // We successfully parsed the item but we must inform the caller about nested problem.
1457             return Ok(false);
1458         }
1459         Ok(true)
1460     }
1461
1462     fn mk_item<K>(
1463         &self,
1464         lo: Span,
1465         ident: Ident,
1466         kind: K,
1467         vis: Visibility,
1468         attrs: Vec<Attribute>,
1469     ) -> Item<K> {
1470         let span = lo.to(self.prev_span);
1471         Item { ident, attrs, id: DUMMY_NODE_ID, kind, vis, span, tokens: None }
1472     }
1473 }
1474
1475 /// The parsing configuration used to parse a parameter list (see `parse_fn_params`).
1476 ///
1477 /// The function decides if, per-parameter `p`, `p` must have a pattern or just a type.
1478 type ReqName = fn(&token::Token) -> bool;
1479
1480 /// Parsing of functions and methods.
1481 impl<'a> Parser<'a> {
1482     /// Parse a function starting from the front matter (`const ...`) to the body `{ ... }` or `;`.
1483     fn parse_fn(
1484         &mut self,
1485         at_end: &mut bool,
1486         attrs: &mut Vec<Attribute>,
1487         req_name: ReqName,
1488     ) -> PResult<'a, (Ident, FnSig, Generics, Option<P<Block>>)> {
1489         let header = self.parse_fn_front_matter()?; // `const ... fn`
1490         let ident = self.parse_ident()?; // `foo`
1491         let mut generics = self.parse_generics()?; // `<'a, T, ...>`
1492         let decl = self.parse_fn_decl(req_name, AllowPlus::Yes)?; // `(p: u8, ...)`
1493         generics.where_clause = self.parse_where_clause()?; // `where T: Ord`
1494         let body = self.parse_fn_body(at_end, attrs)?; // `;` or `{ ... }`.
1495         Ok((ident, FnSig { header, decl }, generics, body))
1496     }
1497
1498     /// Parse the "body" of a function.
1499     /// This can either be `;` when there's no body,
1500     /// or e.g. a block when the function is a provided one.
1501     fn parse_fn_body(
1502         &mut self,
1503         at_end: &mut bool,
1504         attrs: &mut Vec<Attribute>,
1505     ) -> PResult<'a, Option<P<Block>>> {
1506         let (inner_attrs, body) = match self.token.kind {
1507             token::Semi => {
1508                 self.bump();
1509                 (Vec::new(), None)
1510             }
1511             token::OpenDelim(token::Brace) => {
1512                 let (attrs, body) = self.parse_inner_attrs_and_block()?;
1513                 (attrs, Some(body))
1514             }
1515             token::Interpolated(ref nt) => match **nt {
1516                 token::NtBlock(..) => {
1517                     let (attrs, body) = self.parse_inner_attrs_and_block()?;
1518                     (attrs, Some(body))
1519                 }
1520                 _ => return self.expected_semi_or_open_brace(),
1521             },
1522             _ => return self.expected_semi_or_open_brace(),
1523         };
1524         attrs.extend(inner_attrs);
1525         *at_end = true;
1526         Ok(body)
1527     }
1528
1529     /// Is the current token the start of an `FnHeader` / not a valid parse?
1530     fn check_fn_front_matter(&mut self) -> bool {
1531         // We use an over-approximation here.
1532         // `const const`, `fn const` won't parse, but we're not stepping over other syntax either.
1533         const QUALS: [Symbol; 4] = [kw::Const, kw::Async, kw::Unsafe, kw::Extern];
1534         self.check_keyword(kw::Fn) // Definitely an `fn`.
1535             // `$qual fn` or `$qual $qual`:
1536             || QUALS.iter().any(|&kw| self.check_keyword(kw))
1537                 && self.look_ahead(1, |t| {
1538                     // ...qualified and then `fn`, e.g. `const fn`.
1539                     t.is_keyword(kw::Fn)
1540                     // Two qualifiers. This is enough. Due `async` we need to check that it's reserved.
1541                     || t.is_non_raw_ident_where(|i| QUALS.contains(&i.name) && i.is_reserved())
1542                 })
1543             // `extern ABI fn`
1544             || self.check_keyword(kw::Extern)
1545                 && self.look_ahead(1, |t| t.can_begin_literal_or_bool())
1546                 && self.look_ahead(2, |t| t.is_keyword(kw::Fn))
1547     }
1548
1549     /// Parses all the "front matter" (or "qualifiers") for a `fn` declaration,
1550     /// up to and including the `fn` keyword. The formal grammar is:
1551     ///
1552     /// ```
1553     /// Extern = "extern" StringLit ;
1554     /// FnQual = "const"? "async"? "unsafe"? Extern? ;
1555     /// FnFrontMatter = FnQual? "fn" ;
1556     /// ```
1557     fn parse_fn_front_matter(&mut self) -> PResult<'a, FnHeader> {
1558         let constness = self.parse_constness();
1559         let asyncness = self.parse_asyncness();
1560         let unsafety = self.parse_unsafety();
1561         let ext = self.parse_extern()?;
1562
1563         if let Async::Yes { span, .. } = asyncness {
1564             self.ban_async_in_2015(span);
1565         }
1566
1567         if !self.eat_keyword(kw::Fn) {
1568             // It is possible for `expect_one_of` to recover given the contents of
1569             // `self.expected_tokens`, therefore, do not use `self.unexpected()` which doesn't
1570             // account for this.
1571             if !self.expect_one_of(&[], &[])? {
1572                 unreachable!()
1573             }
1574         }
1575
1576         Ok(FnHeader { constness, unsafety, asyncness, ext })
1577     }
1578
1579     /// We are parsing `async fn`. If we are on Rust 2015, emit an error.
1580     fn ban_async_in_2015(&self, span: Span) {
1581         if span.rust_2015() {
1582             let diag = self.diagnostic();
1583             struct_span_err!(diag, span, E0670, "`async fn` is not permitted in the 2015 edition")
1584                 .note("to use `async fn`, switch to Rust 2018")
1585                 .help("set `edition = \"2018\"` in `Cargo.toml`")
1586                 .note("for more on editions, read https://doc.rust-lang.org/edition-guide")
1587                 .emit();
1588         }
1589     }
1590
1591     /// Parses the parameter list and result type of a function declaration.
1592     pub(super) fn parse_fn_decl(
1593         &mut self,
1594         req_name: ReqName,
1595         ret_allow_plus: AllowPlus,
1596     ) -> PResult<'a, P<FnDecl>> {
1597         Ok(P(FnDecl {
1598             inputs: self.parse_fn_params(req_name)?,
1599             output: self.parse_ret_ty(ret_allow_plus, RecoverQPath::Yes)?,
1600         }))
1601     }
1602
1603     /// Parses the parameter list of a function, including the `(` and `)` delimiters.
1604     fn parse_fn_params(&mut self, req_name: ReqName) -> PResult<'a, Vec<Param>> {
1605         let mut first_param = true;
1606         // Parse the arguments, starting out with `self` being allowed...
1607         let (mut params, _) = self.parse_paren_comma_seq(|p| {
1608             let param = p.parse_param_general(req_name, first_param).or_else(|mut e| {
1609                 e.emit();
1610                 let lo = p.prev_span;
1611                 // Skip every token until next possible arg or end.
1612                 p.eat_to_tokens(&[&token::Comma, &token::CloseDelim(token::Paren)]);
1613                 // Create a placeholder argument for proper arg count (issue #34264).
1614                 Ok(dummy_arg(Ident::new(kw::Invalid, lo.to(p.prev_span))))
1615             });
1616             // ...now that we've parsed the first argument, `self` is no longer allowed.
1617             first_param = false;
1618             param
1619         })?;
1620         // Replace duplicated recovered params with `_` pattern to avoid unnecessary errors.
1621         self.deduplicate_recovered_params_names(&mut params);
1622         Ok(params)
1623     }
1624
1625     /// Parses a single function parameter.
1626     ///
1627     /// - `self` is syntactically allowed when `first_param` holds.
1628     fn parse_param_general(&mut self, req_name: ReqName, first_param: bool) -> PResult<'a, Param> {
1629         let lo = self.token.span;
1630         let attrs = self.parse_outer_attributes()?;
1631
1632         // Possibly parse `self`. Recover if we parsed it and it wasn't allowed here.
1633         if let Some(mut param) = self.parse_self_param()? {
1634             param.attrs = attrs.into();
1635             return if first_param { Ok(param) } else { self.recover_bad_self_param(param) };
1636         }
1637
1638         let is_name_required = match self.token.kind {
1639             token::DotDotDot => false,
1640             _ => req_name(&self.token),
1641         };
1642         let (pat, ty) = if is_name_required || self.is_named_param() {
1643             debug!("parse_param_general parse_pat (is_name_required:{})", is_name_required);
1644
1645             let pat = self.parse_fn_param_pat()?;
1646             if let Err(mut err) = self.expect(&token::Colon) {
1647                 return if let Some(ident) =
1648                     self.parameter_without_type(&mut err, pat, is_name_required, first_param)
1649                 {
1650                     err.emit();
1651                     Ok(dummy_arg(ident))
1652                 } else {
1653                     Err(err)
1654                 };
1655             }
1656
1657             self.eat_incorrect_doc_comment_for_param_type();
1658             (pat, self.parse_ty_for_param()?)
1659         } else {
1660             debug!("parse_param_general ident_to_pat");
1661             let parser_snapshot_before_ty = self.clone();
1662             self.eat_incorrect_doc_comment_for_param_type();
1663             let mut ty = self.parse_ty_for_param();
1664             if ty.is_ok()
1665                 && self.token != token::Comma
1666                 && self.token != token::CloseDelim(token::Paren)
1667             {
1668                 // This wasn't actually a type, but a pattern looking like a type,
1669                 // so we are going to rollback and re-parse for recovery.
1670                 ty = self.unexpected();
1671             }
1672             match ty {
1673                 Ok(ty) => {
1674                     let ident = Ident::new(kw::Invalid, self.prev_span);
1675                     let bm = BindingMode::ByValue(Mutability::Not);
1676                     let pat = self.mk_pat_ident(ty.span, bm, ident);
1677                     (pat, ty)
1678                 }
1679                 // If this is a C-variadic argument and we hit an error, return the error.
1680                 Err(err) if self.token == token::DotDotDot => return Err(err),
1681                 // Recover from attempting to parse the argument as a type without pattern.
1682                 Err(mut err) => {
1683                     err.cancel();
1684                     mem::replace(self, parser_snapshot_before_ty);
1685                     self.recover_arg_parse()?
1686                 }
1687             }
1688         };
1689
1690         let span = lo.to(self.token.span);
1691
1692         Ok(Param {
1693             attrs: attrs.into(),
1694             id: ast::DUMMY_NODE_ID,
1695             is_placeholder: false,
1696             pat,
1697             span,
1698             ty,
1699         })
1700     }
1701
1702     /// Returns the parsed optional self parameter and whether a self shortcut was used.
1703     fn parse_self_param(&mut self) -> PResult<'a, Option<Param>> {
1704         // Extract an identifier *after* having confirmed that the token is one.
1705         let expect_self_ident = |this: &mut Self| {
1706             match this.token.kind {
1707                 // Preserve hygienic context.
1708                 token::Ident(name, _) => {
1709                     let span = this.token.span;
1710                     this.bump();
1711                     Ident::new(name, span)
1712                 }
1713                 _ => unreachable!(),
1714             }
1715         };
1716         // Is `self` `n` tokens ahead?
1717         let is_isolated_self = |this: &Self, n| {
1718             this.is_keyword_ahead(n, &[kw::SelfLower])
1719                 && this.look_ahead(n + 1, |t| t != &token::ModSep)
1720         };
1721         // Is `mut self` `n` tokens ahead?
1722         let is_isolated_mut_self =
1723             |this: &Self, n| this.is_keyword_ahead(n, &[kw::Mut]) && is_isolated_self(this, n + 1);
1724         // Parse `self` or `self: TYPE`. We already know the current token is `self`.
1725         let parse_self_possibly_typed = |this: &mut Self, m| {
1726             let eself_ident = expect_self_ident(this);
1727             let eself_hi = this.prev_span;
1728             let eself = if this.eat(&token::Colon) {
1729                 SelfKind::Explicit(this.parse_ty()?, m)
1730             } else {
1731                 SelfKind::Value(m)
1732             };
1733             Ok((eself, eself_ident, eself_hi))
1734         };
1735         // Recover for the grammar `*self`, `*const self`, and `*mut self`.
1736         let recover_self_ptr = |this: &mut Self| {
1737             let msg = "cannot pass `self` by raw pointer";
1738             let span = this.token.span;
1739             this.struct_span_err(span, msg).span_label(span, msg).emit();
1740
1741             Ok((SelfKind::Value(Mutability::Not), expect_self_ident(this), this.prev_span))
1742         };
1743
1744         // Parse optional `self` parameter of a method.
1745         // Only a limited set of initial token sequences is considered `self` parameters; anything
1746         // else is parsed as a normal function parameter list, so some lookahead is required.
1747         let eself_lo = self.token.span;
1748         let (eself, eself_ident, eself_hi) = match self.token.kind {
1749             token::BinOp(token::And) => {
1750                 let eself = if is_isolated_self(self, 1) {
1751                     // `&self`
1752                     self.bump();
1753                     SelfKind::Region(None, Mutability::Not)
1754                 } else if is_isolated_mut_self(self, 1) {
1755                     // `&mut self`
1756                     self.bump();
1757                     self.bump();
1758                     SelfKind::Region(None, Mutability::Mut)
1759                 } else if self.look_ahead(1, |t| t.is_lifetime()) && is_isolated_self(self, 2) {
1760                     // `&'lt self`
1761                     self.bump();
1762                     let lt = self.expect_lifetime();
1763                     SelfKind::Region(Some(lt), Mutability::Not)
1764                 } else if self.look_ahead(1, |t| t.is_lifetime()) && is_isolated_mut_self(self, 2) {
1765                     // `&'lt mut self`
1766                     self.bump();
1767                     let lt = self.expect_lifetime();
1768                     self.bump();
1769                     SelfKind::Region(Some(lt), Mutability::Mut)
1770                 } else {
1771                     // `&not_self`
1772                     return Ok(None);
1773                 };
1774                 (eself, expect_self_ident(self), self.prev_span)
1775             }
1776             // `*self`
1777             token::BinOp(token::Star) if is_isolated_self(self, 1) => {
1778                 self.bump();
1779                 recover_self_ptr(self)?
1780             }
1781             // `*mut self` and `*const self`
1782             token::BinOp(token::Star)
1783                 if self.look_ahead(1, |t| t.is_mutability()) && is_isolated_self(self, 2) =>
1784             {
1785                 self.bump();
1786                 self.bump();
1787                 recover_self_ptr(self)?
1788             }
1789             // `self` and `self: TYPE`
1790             token::Ident(..) if is_isolated_self(self, 0) => {
1791                 parse_self_possibly_typed(self, Mutability::Not)?
1792             }
1793             // `mut self` and `mut self: TYPE`
1794             token::Ident(..) if is_isolated_mut_self(self, 0) => {
1795                 self.bump();
1796                 parse_self_possibly_typed(self, Mutability::Mut)?
1797             }
1798             _ => return Ok(None),
1799         };
1800
1801         let eself = source_map::respan(eself_lo.to(eself_hi), eself);
1802         Ok(Some(Param::from_self(AttrVec::default(), eself, eself_ident)))
1803     }
1804
1805     fn is_named_param(&self) -> bool {
1806         let offset = match self.token.kind {
1807             token::Interpolated(ref nt) => match **nt {
1808                 token::NtPat(..) => return self.look_ahead(1, |t| t == &token::Colon),
1809                 _ => 0,
1810             },
1811             token::BinOp(token::And) | token::AndAnd => 1,
1812             _ if self.token.is_keyword(kw::Mut) => 1,
1813             _ => 0,
1814         };
1815
1816         self.look_ahead(offset, |t| t.is_ident())
1817             && self.look_ahead(offset + 1, |t| t == &token::Colon)
1818     }
1819
1820     fn recover_first_param(&mut self) -> &'static str {
1821         match self
1822             .parse_outer_attributes()
1823             .and_then(|_| self.parse_self_param())
1824             .map_err(|mut e| e.cancel())
1825         {
1826             Ok(Some(_)) => "method",
1827             _ => "function",
1828         }
1829     }
1830 }