]> git.lizzy.rs Git - rust.git/blob - src/librustc_parse/parser/item.rs
parse extern 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::Static,
550                     kw::Const,
551                     kw::Async,
552                     kw::Fn,
553                     kw::Unsafe,
554                     kw::Extern,
555                     kw::Type,
556                     kw::Pub,
557                 ],
558             )
559         {
560             self.bump(); // `default`
561             Defaultness::Default
562         } else {
563             Defaultness::Final
564         }
565     }
566
567     /// Is this an `(unsafe auto? | auto) trait` item?
568     fn check_auto_or_unsafe_trait_item(&mut self) -> bool {
569         // auto trait
570         self.check_keyword(kw::Auto) && self.is_keyword_ahead(1, &[kw::Trait])
571             // unsafe auto trait
572             || self.check_keyword(kw::Unsafe) && self.is_keyword_ahead(1, &[kw::Trait, kw::Auto])
573     }
574
575     /// Parses `unsafe? auto? trait Foo { ... }` or `trait Foo = Bar;`.
576     fn parse_item_trait(&mut self, attrs: &mut Vec<Attribute>, lo: Span) -> PResult<'a, ItemInfo> {
577         let unsafety = self.parse_unsafety();
578         // Parse optional `auto` prefix.
579         let is_auto = if self.eat_keyword(kw::Auto) { IsAuto::Yes } else { IsAuto::No };
580
581         self.expect_keyword(kw::Trait)?;
582         let ident = self.parse_ident()?;
583         let mut tps = self.parse_generics()?;
584
585         // Parse optional colon and supertrait bounds.
586         let had_colon = self.eat(&token::Colon);
587         let span_at_colon = self.prev_span;
588         let bounds =
589             if had_colon { self.parse_generic_bounds(Some(self.prev_span))? } else { Vec::new() };
590
591         let span_before_eq = self.prev_span;
592         if self.eat(&token::Eq) {
593             // It's a trait alias.
594             if had_colon {
595                 let span = span_at_colon.to(span_before_eq);
596                 self.struct_span_err(span, "bounds are not allowed on trait aliases").emit();
597             }
598
599             let bounds = self.parse_generic_bounds(None)?;
600             tps.where_clause = self.parse_where_clause()?;
601             self.expect_semi()?;
602
603             let whole_span = lo.to(self.prev_span);
604             if is_auto == IsAuto::Yes {
605                 let msg = "trait aliases cannot be `auto`";
606                 self.struct_span_err(whole_span, msg).span_label(whole_span, msg).emit();
607             }
608             if let Unsafe::Yes(_) = unsafety {
609                 let msg = "trait aliases cannot be `unsafe`";
610                 self.struct_span_err(whole_span, msg).span_label(whole_span, msg).emit();
611             }
612
613             self.sess.gated_spans.gate(sym::trait_alias, whole_span);
614
615             Ok((ident, ItemKind::TraitAlias(tps, bounds)))
616         } else {
617             // It's a normal trait.
618             tps.where_clause = self.parse_where_clause()?;
619             let items = self.parse_item_list(attrs, |p, at_end| p.parse_trait_item(at_end))?;
620             Ok((ident, ItemKind::Trait(is_auto, unsafety, tps, bounds, items)))
621         }
622     }
623
624     pub fn parse_impl_item(&mut self, at_end: &mut bool) -> PResult<'a, P<AssocItem>> {
625         maybe_whole!(self, NtImplItem, |x| x);
626         self.parse_assoc_item(at_end, |_| true)
627     }
628
629     pub fn parse_trait_item(&mut self, at_end: &mut bool) -> PResult<'a, P<AssocItem>> {
630         maybe_whole!(self, NtTraitItem, |x| x);
631         // This is somewhat dubious; We don't want to allow
632         // param names to be left off if there is a definition...
633         //
634         // We don't allow param names to be left off in edition 2018.
635         self.parse_assoc_item(at_end, |t| t.span.rust_2018())
636     }
637
638     /// Parses associated items.
639     fn parse_assoc_item(
640         &mut self,
641         at_end: &mut bool,
642         req_name: fn(&token::Token) -> bool,
643     ) -> PResult<'a, P<AssocItem>> {
644         let attrs = self.parse_outer_attributes()?;
645         let mut unclosed_delims = vec![];
646         let (mut item, tokens) = self.collect_tokens(|this| {
647             let item = this.parse_assoc_item_(at_end, attrs, req_name);
648             unclosed_delims.append(&mut this.unclosed_delims);
649             item
650         })?;
651         self.unclosed_delims.append(&mut unclosed_delims);
652         // See `parse_item` for why this clause is here.
653         if !item.attrs.iter().any(|attr| attr.style == AttrStyle::Inner) {
654             item.tokens = Some(tokens);
655         }
656         Ok(P(item))
657     }
658
659     fn parse_assoc_item_(
660         &mut self,
661         at_end: &mut bool,
662         mut attrs: Vec<Attribute>,
663         req_name: fn(&token::Token) -> bool,
664     ) -> PResult<'a, AssocItem> {
665         let lo = self.token.span;
666         let vis = self.parse_visibility(FollowedByType::No)?;
667         let defaultness = self.parse_defaultness();
668
669         let (ident, kind) = if self.eat_keyword(kw::Type) {
670             self.parse_assoc_ty()?
671         } else if self.check_fn_front_matter() {
672             let (ident, sig, generics, body) = self.parse_fn(at_end, &mut attrs, req_name)?;
673             (ident, AssocItemKind::Fn(sig, generics, body))
674         } else if self.is_static_global() {
675             self.bump(); // `static`
676             let mutbl = self.parse_mutability();
677             let (ident, ty, expr) = self.parse_item_const_common(Some(mutbl))?;
678             (ident, AssocItemKind::Static(ty, mutbl, expr))
679         } else if self.eat_keyword(kw::Const) {
680             let (ident, ty, expr) = self.parse_item_const_common(None)?;
681             (ident, AssocItemKind::Const(ty, expr))
682         } else if self.isnt_macro_invocation() {
683             return Err(self.missing_assoc_item_kind_err("associated", self.prev_span));
684         } else if self.token.is_path_start() {
685             let mac = self.parse_item_macro(&vis)?;
686             *at_end = true;
687             (Ident::invalid(), AssocItemKind::Macro(mac))
688         } else {
689             self.recover_attrs_no_item(&attrs)?;
690             self.unexpected()?
691         };
692
693         let span = lo.to(self.prev_span);
694         let id = DUMMY_NODE_ID;
695         Ok(AssocItem { id, span, ident, attrs, vis, defaultness, kind, tokens: None })
696     }
697
698     /// Parses the following grammar:
699     ///
700     ///     AssocTy = Ident ["<"...">"] [":" [GenericBounds]] ["where" ...] ["=" Ty]
701     fn parse_assoc_ty(&mut self) -> PResult<'a, (Ident, AssocItemKind)> {
702         let ident = self.parse_ident()?;
703         let mut generics = self.parse_generics()?;
704
705         // Parse optional colon and param bounds.
706         let bounds =
707             if self.eat(&token::Colon) { self.parse_generic_bounds(None)? } else { Vec::new() };
708         generics.where_clause = self.parse_where_clause()?;
709
710         let default = if self.eat(&token::Eq) { Some(self.parse_ty()?) } else { None };
711         self.expect_semi()?;
712
713         Ok((ident, AssocItemKind::TyAlias(generics, bounds, default)))
714     }
715
716     /// Parses a `UseTree`.
717     ///
718     /// ```
719     /// USE_TREE = [`::`] `*` |
720     ///            [`::`] `{` USE_TREE_LIST `}` |
721     ///            PATH `::` `*` |
722     ///            PATH `::` `{` USE_TREE_LIST `}` |
723     ///            PATH [`as` IDENT]
724     /// ```
725     fn parse_use_tree(&mut self) -> PResult<'a, UseTree> {
726         let lo = self.token.span;
727
728         let mut prefix = ast::Path { segments: Vec::new(), span: lo.shrink_to_lo() };
729         let kind = if self.check(&token::OpenDelim(token::Brace))
730             || self.check(&token::BinOp(token::Star))
731             || self.is_import_coupler()
732         {
733             // `use *;` or `use ::*;` or `use {...};` or `use ::{...};`
734             let mod_sep_ctxt = self.token.span.ctxt();
735             if self.eat(&token::ModSep) {
736                 prefix
737                     .segments
738                     .push(PathSegment::path_root(lo.shrink_to_lo().with_ctxt(mod_sep_ctxt)));
739             }
740
741             self.parse_use_tree_glob_or_nested()?
742         } else {
743             // `use path::*;` or `use path::{...};` or `use path;` or `use path as bar;`
744             prefix = self.parse_path(PathStyle::Mod)?;
745
746             if self.eat(&token::ModSep) {
747                 self.parse_use_tree_glob_or_nested()?
748             } else {
749                 UseTreeKind::Simple(self.parse_rename()?, DUMMY_NODE_ID, DUMMY_NODE_ID)
750             }
751         };
752
753         Ok(UseTree { prefix, kind, span: lo.to(self.prev_span) })
754     }
755
756     /// Parses `*` or `{...}`.
757     fn parse_use_tree_glob_or_nested(&mut self) -> PResult<'a, UseTreeKind> {
758         Ok(if self.eat(&token::BinOp(token::Star)) {
759             UseTreeKind::Glob
760         } else {
761             UseTreeKind::Nested(self.parse_use_tree_list()?)
762         })
763     }
764
765     /// Parses a `UseTreeKind::Nested(list)`.
766     ///
767     /// ```
768     /// USE_TREE_LIST = Ã˜ | (USE_TREE `,`)* USE_TREE [`,`]
769     /// ```
770     fn parse_use_tree_list(&mut self) -> PResult<'a, Vec<(UseTree, ast::NodeId)>> {
771         self.parse_delim_comma_seq(token::Brace, |p| Ok((p.parse_use_tree()?, DUMMY_NODE_ID)))
772             .map(|(r, _)| r)
773     }
774
775     fn parse_rename(&mut self) -> PResult<'a, Option<Ident>> {
776         if self.eat_keyword(kw::As) { self.parse_ident_or_underscore().map(Some) } else { Ok(None) }
777     }
778
779     fn parse_ident_or_underscore(&mut self) -> PResult<'a, ast::Ident> {
780         match self.token.kind {
781             token::Ident(name @ kw::Underscore, false) => {
782                 let span = self.token.span;
783                 self.bump();
784                 Ok(Ident::new(name, span))
785             }
786             _ => self.parse_ident(),
787         }
788     }
789
790     /// Parses `extern crate` links.
791     ///
792     /// # Examples
793     ///
794     /// ```
795     /// extern crate foo;
796     /// extern crate bar as foo;
797     /// ```
798     fn parse_item_extern_crate(&mut self) -> PResult<'a, ItemInfo> {
799         // Accept `extern crate name-like-this` for better diagnostics
800         let orig_name = self.parse_crate_name_with_dashes()?;
801         let (item_name, orig_name) = if let Some(rename) = self.parse_rename()? {
802             (rename, Some(orig_name.name))
803         } else {
804             (orig_name, None)
805         };
806         self.expect_semi()?;
807         Ok((item_name, ItemKind::ExternCrate(orig_name)))
808     }
809
810     fn parse_crate_name_with_dashes(&mut self) -> PResult<'a, ast::Ident> {
811         let error_msg = "crate name using dashes are not valid in `extern crate` statements";
812         let suggestion_msg = "if the original crate name uses dashes you need to use underscores \
813                               in the code";
814         let mut ident = if self.token.is_keyword(kw::SelfLower) {
815             self.parse_path_segment_ident()
816         } else {
817             self.parse_ident()
818         }?;
819         let mut idents = vec![];
820         let mut replacement = vec![];
821         let mut fixed_crate_name = false;
822         // Accept `extern crate name-like-this` for better diagnostics.
823         let dash = token::BinOp(token::BinOpToken::Minus);
824         if self.token == dash {
825             // Do not include `-` as part of the expected tokens list.
826             while self.eat(&dash) {
827                 fixed_crate_name = true;
828                 replacement.push((self.prev_span, "_".to_string()));
829                 idents.push(self.parse_ident()?);
830             }
831         }
832         if fixed_crate_name {
833             let fixed_name_sp = ident.span.to(idents.last().unwrap().span);
834             let mut fixed_name = format!("{}", ident.name);
835             for part in idents {
836                 fixed_name.push_str(&format!("_{}", part.name));
837             }
838             ident = Ident::from_str_and_span(&fixed_name, fixed_name_sp);
839
840             self.struct_span_err(fixed_name_sp, error_msg)
841                 .span_label(fixed_name_sp, "dash-separated idents are not valid")
842                 .multipart_suggestion(suggestion_msg, replacement, Applicability::MachineApplicable)
843                 .emit();
844         }
845         Ok(ident)
846     }
847
848     /// Parses `extern` for foreign ABIs modules.
849     ///
850     /// `extern` is expected to have been consumed before calling this method.
851     ///
852     /// # Examples
853     ///
854     /// ```ignore (only-for-syntax-highlight)
855     /// extern "C" {}
856     /// extern {}
857     /// ```
858     fn parse_item_foreign_mod(&mut self, attrs: &mut Vec<Attribute>) -> PResult<'a, ItemInfo> {
859         let abi = self.parse_abi(); // ABI?
860         let items = self.parse_item_list(attrs, |p, at_end| p.parse_foreign_item(at_end))?;
861         let module = ast::ForeignMod { abi, items };
862         Ok((Ident::invalid(), ItemKind::ForeignMod(module)))
863     }
864
865     /// Parses a foreign item (one in an `extern { ... }` block).
866     pub fn parse_foreign_item(&mut self, at_end: &mut bool) -> PResult<'a, P<ForeignItem>> {
867         maybe_whole!(self, NtForeignItem, |ni| ni);
868
869         let mut attrs = self.parse_outer_attributes()?;
870         let lo = self.token.span;
871         let vis = self.parse_visibility(FollowedByType::No)?;
872
873         let (ident, kind) = if self.eat_keyword(kw::Type) {
874             // FOREIGN TYPE ITEM
875             self.parse_item_foreign_type()?
876         } else if self.check_fn_front_matter() {
877             // FOREIGN FUNCTION ITEM
878             let (ident, sig, generics, body) = self.parse_fn(at_end, &mut attrs, |_| true)?;
879             (ident, ForeignItemKind::Fn(sig, generics, body))
880         } else if self.is_static_global() {
881             // FOREIGN STATIC ITEM
882             self.bump(); // `static`
883             let mutbl = self.parse_mutability();
884             let (ident, ty, expr) = self.parse_item_const_common(Some(mutbl))?;
885             (ident, ForeignItemKind::Static(ty, mutbl, expr))
886         } else if self.eat_keyword(kw::Const) {
887             let (ident, ty, expr) = self.parse_item_const_common(None)?;
888             (ident, ForeignItemKind::Const(ty, expr))
889         } else if self.isnt_macro_invocation() {
890             return Err(self.missing_assoc_item_kind_err("extern", self.prev_span));
891         } else if self.token.is_path_start() {
892             let mac = self.parse_item_macro(&vis)?;
893             *at_end = true;
894             (Ident::invalid(), ForeignItemKind::Macro(mac))
895         } else {
896             self.recover_attrs_no_item(&attrs)?;
897             self.unexpected()?
898         };
899         Ok(P(self.mk_item(lo, ident, kind, vis, attrs)))
900     }
901
902     /// Parses a type from a foreign module.
903     fn parse_item_foreign_type(&mut self) -> PResult<'a, (Ident, ForeignItemKind)> {
904         let (ident, kind) = self.parse_assoc_ty()?;
905         let kind = match kind {
906             AssocItemKind::TyAlias(g, b, d) => ForeignItemKind::TyAlias(g, b, d),
907             _ => unreachable!(),
908         };
909         Ok((ident, kind))
910     }
911
912     fn is_static_global(&mut self) -> bool {
913         if self.check_keyword(kw::Static) {
914             // Check if this could be a closure.
915             !self.look_ahead(1, |token| {
916                 if token.is_keyword(kw::Move) {
917                     return true;
918                 }
919                 match token.kind {
920                     token::BinOp(token::Or) | token::OrOr => true,
921                     _ => false,
922                 }
923             })
924         } else {
925             false
926         }
927     }
928
929     /// Recover on `const mut` with `const` already eaten.
930     fn recover_const_mut(&mut self, const_span: Span) {
931         if self.eat_keyword(kw::Mut) {
932             let span = self.prev_span;
933             self.struct_span_err(span, "const globals cannot be mutable")
934                 .span_label(span, "cannot be mutable")
935                 .span_suggestion(
936                     const_span,
937                     "you might want to declare a static instead",
938                     "static".to_owned(),
939                     Applicability::MaybeIncorrect,
940                 )
941                 .emit();
942         }
943     }
944
945     /// Parse `["const" | ("static" "mut"?)] $ident ":" $ty (= $expr)?` with
946     /// `["const" | ("static" "mut"?)]` already parsed and stored in `m`.
947     ///
948     /// When `m` is `"const"`, `$ident` may also be `"_"`.
949     fn parse_item_const(&mut self, m: Option<Mutability>) -> PResult<'a, ItemInfo> {
950         let (id, ty, expr) = self.parse_item_const_common(m)?;
951         let item = match m {
952             Some(m) => ItemKind::Static(ty, m, expr),
953             None => ItemKind::Const(ty, expr),
954         };
955         Ok((id, item))
956     }
957
958     /// Parse `["const" | ("static" "mut"?)] $ident ":" $ty (= $expr)?` with
959     /// `["const" | ("static" "mut"?)]` already parsed and stored in `m`.
960     ///
961     /// When `m` is `"const"`, `$ident` may also be `"_"`.
962     fn parse_item_const_common(
963         &mut self,
964         m: Option<Mutability>,
965     ) -> PResult<'a, (Ident, P<Ty>, Option<P<ast::Expr>>)> {
966         let id = if m.is_none() { self.parse_ident_or_underscore() } else { self.parse_ident() }?;
967
968         // Parse the type of a `const` or `static mut?` item.
969         // That is, the `":" $ty` fragment.
970         let ty = if self.eat(&token::Colon) {
971             self.parse_ty()?
972         } else {
973             self.recover_missing_const_type(id, m)
974         };
975
976         let expr = if self.eat(&token::Eq) { Some(self.parse_expr()?) } else { None };
977         self.expect_semi()?;
978         Ok((id, ty, expr))
979     }
980
981     /// We were supposed to parse `:` but the `:` was missing.
982     /// This means that the type is missing.
983     fn recover_missing_const_type(&mut self, id: Ident, m: Option<Mutability>) -> P<Ty> {
984         // Construct the error and stash it away with the hope
985         // that typeck will later enrich the error with a type.
986         let kind = match m {
987             Some(Mutability::Mut) => "static mut",
988             Some(Mutability::Not) => "static",
989             None => "const",
990         };
991         let mut err = self.struct_span_err(id.span, &format!("missing type for `{}` item", kind));
992         err.span_suggestion(
993             id.span,
994             "provide a type for the item",
995             format!("{}: <type>", id),
996             Applicability::HasPlaceholders,
997         );
998         err.stash(id.span, StashKey::ItemNoType);
999
1000         // The user intended that the type be inferred,
1001         // so treat this as if the user wrote e.g. `const A: _ = expr;`.
1002         P(Ty { kind: TyKind::Infer, span: id.span, id: ast::DUMMY_NODE_ID })
1003     }
1004
1005     /// Parses the grammar:
1006     ///     Ident ["<"...">"] ["where" ...] ("=" | ":") Ty ";"
1007     fn parse_type_alias(&mut self) -> PResult<'a, (Ident, P<Ty>, Generics)> {
1008         let ident = self.parse_ident()?;
1009         let mut tps = self.parse_generics()?;
1010         tps.where_clause = self.parse_where_clause()?;
1011         self.expect(&token::Eq)?;
1012         let ty = self.parse_ty()?;
1013         self.expect_semi()?;
1014         Ok((ident, ty, tps))
1015     }
1016
1017     /// Parses an enum declaration.
1018     fn parse_item_enum(&mut self) -> PResult<'a, ItemInfo> {
1019         let id = self.parse_ident()?;
1020         let mut generics = self.parse_generics()?;
1021         generics.where_clause = self.parse_where_clause()?;
1022
1023         let (variants, _) =
1024             self.parse_delim_comma_seq(token::Brace, |p| p.parse_enum_variant()).map_err(|e| {
1025                 self.recover_stmt();
1026                 e
1027             })?;
1028
1029         let enum_definition =
1030             EnumDef { variants: variants.into_iter().filter_map(|v| v).collect() };
1031         Ok((id, ItemKind::Enum(enum_definition, generics)))
1032     }
1033
1034     fn parse_enum_variant(&mut self) -> PResult<'a, Option<Variant>> {
1035         let variant_attrs = self.parse_outer_attributes()?;
1036         let vlo = self.token.span;
1037
1038         let vis = self.parse_visibility(FollowedByType::No)?;
1039         if !self.recover_nested_adt_item(kw::Enum)? {
1040             return Ok(None);
1041         }
1042         let ident = self.parse_ident()?;
1043
1044         let struct_def = if self.check(&token::OpenDelim(token::Brace)) {
1045             // Parse a struct variant.
1046             let (fields, recovered) = self.parse_record_struct_body()?;
1047             VariantData::Struct(fields, recovered)
1048         } else if self.check(&token::OpenDelim(token::Paren)) {
1049             VariantData::Tuple(self.parse_tuple_struct_body()?, DUMMY_NODE_ID)
1050         } else {
1051             VariantData::Unit(DUMMY_NODE_ID)
1052         };
1053
1054         let disr_expr =
1055             if self.eat(&token::Eq) { Some(self.parse_anon_const_expr()?) } else { None };
1056
1057         let vr = ast::Variant {
1058             ident,
1059             vis,
1060             id: DUMMY_NODE_ID,
1061             attrs: variant_attrs,
1062             data: struct_def,
1063             disr_expr,
1064             span: vlo.to(self.prev_span),
1065             is_placeholder: false,
1066         };
1067
1068         Ok(Some(vr))
1069     }
1070
1071     /// Parses `struct Foo { ... }`.
1072     fn parse_item_struct(&mut self) -> PResult<'a, ItemInfo> {
1073         let class_name = self.parse_ident()?;
1074
1075         let mut generics = self.parse_generics()?;
1076
1077         // There is a special case worth noting here, as reported in issue #17904.
1078         // If we are parsing a tuple struct it is the case that the where clause
1079         // should follow the field list. Like so:
1080         //
1081         // struct Foo<T>(T) where T: Copy;
1082         //
1083         // If we are parsing a normal record-style struct it is the case
1084         // that the where clause comes before the body, and after the generics.
1085         // So if we look ahead and see a brace or a where-clause we begin
1086         // parsing a record style struct.
1087         //
1088         // Otherwise if we look ahead and see a paren we parse a tuple-style
1089         // struct.
1090
1091         let vdata = if self.token.is_keyword(kw::Where) {
1092             generics.where_clause = self.parse_where_clause()?;
1093             if self.eat(&token::Semi) {
1094                 // If we see a: `struct Foo<T> where T: Copy;` style decl.
1095                 VariantData::Unit(DUMMY_NODE_ID)
1096             } else {
1097                 // If we see: `struct Foo<T> where T: Copy { ... }`
1098                 let (fields, recovered) = self.parse_record_struct_body()?;
1099                 VariantData::Struct(fields, recovered)
1100             }
1101         // No `where` so: `struct Foo<T>;`
1102         } else if self.eat(&token::Semi) {
1103             VariantData::Unit(DUMMY_NODE_ID)
1104         // Record-style struct definition
1105         } else if self.token == token::OpenDelim(token::Brace) {
1106             let (fields, recovered) = self.parse_record_struct_body()?;
1107             VariantData::Struct(fields, recovered)
1108         // Tuple-style struct definition with optional where-clause.
1109         } else if self.token == token::OpenDelim(token::Paren) {
1110             let body = VariantData::Tuple(self.parse_tuple_struct_body()?, DUMMY_NODE_ID);
1111             generics.where_clause = self.parse_where_clause()?;
1112             self.expect_semi()?;
1113             body
1114         } else {
1115             let token_str = super::token_descr(&self.token);
1116             let msg = &format!(
1117                 "expected `where`, `{{`, `(`, or `;` after struct name, found {}",
1118                 token_str
1119             );
1120             let mut err = self.struct_span_err(self.token.span, msg);
1121             err.span_label(self.token.span, "expected `where`, `{`, `(`, or `;` after struct name");
1122             return Err(err);
1123         };
1124
1125         Ok((class_name, ItemKind::Struct(vdata, generics)))
1126     }
1127
1128     /// Parses `union Foo { ... }`.
1129     fn parse_item_union(&mut self) -> PResult<'a, ItemInfo> {
1130         let class_name = self.parse_ident()?;
1131
1132         let mut generics = self.parse_generics()?;
1133
1134         let vdata = if self.token.is_keyword(kw::Where) {
1135             generics.where_clause = self.parse_where_clause()?;
1136             let (fields, recovered) = self.parse_record_struct_body()?;
1137             VariantData::Struct(fields, recovered)
1138         } else if self.token == token::OpenDelim(token::Brace) {
1139             let (fields, recovered) = self.parse_record_struct_body()?;
1140             VariantData::Struct(fields, recovered)
1141         } else {
1142             let token_str = super::token_descr(&self.token);
1143             let msg = &format!("expected `where` or `{{` after union name, found {}", token_str);
1144             let mut err = self.struct_span_err(self.token.span, msg);
1145             err.span_label(self.token.span, "expected `where` or `{` after union name");
1146             return Err(err);
1147         };
1148
1149         Ok((class_name, ItemKind::Union(vdata, generics)))
1150     }
1151
1152     fn parse_record_struct_body(
1153         &mut self,
1154     ) -> PResult<'a, (Vec<StructField>, /* recovered */ bool)> {
1155         let mut fields = Vec::new();
1156         let mut recovered = false;
1157         if self.eat(&token::OpenDelim(token::Brace)) {
1158             while self.token != token::CloseDelim(token::Brace) {
1159                 let field = self.parse_struct_decl_field().map_err(|e| {
1160                     self.consume_block(token::Brace, ConsumeClosingDelim::No);
1161                     recovered = true;
1162                     e
1163                 });
1164                 match field {
1165                     Ok(field) => fields.push(field),
1166                     Err(mut err) => {
1167                         err.emit();
1168                         break;
1169                     }
1170                 }
1171             }
1172             self.eat(&token::CloseDelim(token::Brace));
1173         } else {
1174             let token_str = super::token_descr(&self.token);
1175             let msg = &format!("expected `where`, or `{{` after struct name, found {}", token_str);
1176             let mut err = self.struct_span_err(self.token.span, msg);
1177             err.span_label(self.token.span, "expected `where`, or `{` after struct name");
1178             return Err(err);
1179         }
1180
1181         Ok((fields, recovered))
1182     }
1183
1184     fn parse_tuple_struct_body(&mut self) -> PResult<'a, Vec<StructField>> {
1185         // This is the case where we find `struct Foo<T>(T) where T: Copy;`
1186         // Unit like structs are handled in parse_item_struct function
1187         self.parse_paren_comma_seq(|p| {
1188             let attrs = p.parse_outer_attributes()?;
1189             let lo = p.token.span;
1190             let vis = p.parse_visibility(FollowedByType::Yes)?;
1191             let ty = p.parse_ty()?;
1192             Ok(StructField {
1193                 span: lo.to(ty.span),
1194                 vis,
1195                 ident: None,
1196                 id: DUMMY_NODE_ID,
1197                 ty,
1198                 attrs,
1199                 is_placeholder: false,
1200             })
1201         })
1202         .map(|(r, _)| r)
1203     }
1204
1205     /// Parses an element of a struct declaration.
1206     fn parse_struct_decl_field(&mut self) -> PResult<'a, StructField> {
1207         let attrs = self.parse_outer_attributes()?;
1208         let lo = self.token.span;
1209         let vis = self.parse_visibility(FollowedByType::No)?;
1210         self.parse_single_struct_field(lo, vis, attrs)
1211     }
1212
1213     /// Parses a structure field declaration.
1214     fn parse_single_struct_field(
1215         &mut self,
1216         lo: Span,
1217         vis: Visibility,
1218         attrs: Vec<Attribute>,
1219     ) -> PResult<'a, StructField> {
1220         let mut seen_comma: bool = false;
1221         let a_var = self.parse_name_and_ty(lo, vis, attrs)?;
1222         if self.token == token::Comma {
1223             seen_comma = true;
1224         }
1225         match self.token.kind {
1226             token::Comma => {
1227                 self.bump();
1228             }
1229             token::CloseDelim(token::Brace) => {}
1230             token::DocComment(_) => {
1231                 let previous_span = self.prev_span;
1232                 let mut err = self.span_fatal_err(self.token.span, Error::UselessDocComment);
1233                 self.bump(); // consume the doc comment
1234                 let comma_after_doc_seen = self.eat(&token::Comma);
1235                 // `seen_comma` is always false, because we are inside doc block
1236                 // condition is here to make code more readable
1237                 if seen_comma == false && comma_after_doc_seen == true {
1238                     seen_comma = true;
1239                 }
1240                 if comma_after_doc_seen || self.token == token::CloseDelim(token::Brace) {
1241                     err.emit();
1242                 } else {
1243                     if seen_comma == false {
1244                         let sp = self.sess.source_map().next_point(previous_span);
1245                         err.span_suggestion(
1246                             sp,
1247                             "missing comma here",
1248                             ",".into(),
1249                             Applicability::MachineApplicable,
1250                         );
1251                     }
1252                     return Err(err);
1253                 }
1254             }
1255             _ => {
1256                 let sp = self.prev_span.shrink_to_hi();
1257                 let mut err = self.struct_span_err(
1258                     sp,
1259                     &format!("expected `,`, or `}}`, found {}", super::token_descr(&self.token)),
1260                 );
1261                 if self.token.is_ident() {
1262                     // This is likely another field; emit the diagnostic and keep going
1263                     err.span_suggestion(
1264                         sp,
1265                         "try adding a comma",
1266                         ",".into(),
1267                         Applicability::MachineApplicable,
1268                     );
1269                     err.emit();
1270                 } else {
1271                     return Err(err);
1272                 }
1273             }
1274         }
1275         Ok(a_var)
1276     }
1277
1278     /// Parses a structure field.
1279     fn parse_name_and_ty(
1280         &mut self,
1281         lo: Span,
1282         vis: Visibility,
1283         attrs: Vec<Attribute>,
1284     ) -> PResult<'a, StructField> {
1285         let name = self.parse_ident()?;
1286         self.expect(&token::Colon)?;
1287         let ty = self.parse_ty()?;
1288         Ok(StructField {
1289             span: lo.to(self.prev_span),
1290             ident: Some(name),
1291             vis,
1292             id: DUMMY_NODE_ID,
1293             ty,
1294             attrs,
1295             is_placeholder: false,
1296         })
1297     }
1298
1299     /// Parses a declarative macro 2.0 definition.
1300     /// The `macro` keyword has already been parsed.
1301     /// ```
1302     /// MacBody = "{" TOKEN_STREAM "}" ;
1303     /// MacParams = "(" TOKEN_STREAM ")" ;
1304     /// DeclMac = "macro" Ident MacParams? MacBody ;
1305     /// ```
1306     fn parse_item_decl_macro(&mut self, lo: Span) -> PResult<'a, ItemInfo> {
1307         let ident = self.parse_ident()?;
1308         let body = if self.check(&token::OpenDelim(token::Brace)) {
1309             self.parse_mac_args()? // `MacBody`
1310         } else if self.check(&token::OpenDelim(token::Paren)) {
1311             let params = self.parse_token_tree(); // `MacParams`
1312             let pspan = params.span();
1313             if !self.check(&token::OpenDelim(token::Brace)) {
1314                 return self.unexpected();
1315             }
1316             let body = self.parse_token_tree(); // `MacBody`
1317             // Convert `MacParams MacBody` into `{ MacParams => MacBody }`.
1318             let bspan = body.span();
1319             let arrow = TokenTree::token(token::FatArrow, pspan.between(bspan)); // `=>`
1320             let tokens = TokenStream::new(vec![params.into(), arrow.into(), body.into()]);
1321             let dspan = DelimSpan::from_pair(pspan.shrink_to_lo(), bspan.shrink_to_hi());
1322             P(MacArgs::Delimited(dspan, MacDelimiter::Brace, tokens))
1323         } else {
1324             return self.unexpected();
1325         };
1326
1327         self.sess.gated_spans.gate(sym::decl_macro, lo.to(self.prev_span));
1328         Ok((ident, ItemKind::MacroDef(ast::MacroDef { body, legacy: false })))
1329     }
1330
1331     /// Is this unambiguously the start of a `macro_rules! foo` item defnition?
1332     fn is_macro_rules_item(&mut self) -> bool {
1333         self.check_keyword(sym::macro_rules)
1334             && self.look_ahead(1, |t| *t == token::Not)
1335             && self.look_ahead(2, |t| t.is_ident())
1336     }
1337
1338     /// Parses a legacy `macro_rules! foo { ... }` declarative macro.
1339     fn parse_item_macro_rules(&mut self, vis: &Visibility) -> PResult<'a, ItemInfo> {
1340         self.expect_keyword(sym::macro_rules)?; // `macro_rules`
1341         self.expect(&token::Not)?; // `!`
1342
1343         let ident = self.parse_ident()?;
1344         let body = self.parse_mac_args()?;
1345         self.eat_semi_for_macro_if_needed(&body);
1346         self.complain_if_pub_macro(vis, true);
1347
1348         Ok((ident, ItemKind::MacroDef(ast::MacroDef { body, legacy: true })))
1349     }
1350
1351     /// Item macro invocations or `macro_rules!` definitions need inherited visibility.
1352     /// If that's not the case, emit an error.
1353     fn complain_if_pub_macro(&self, vis: &Visibility, macro_rules: bool) {
1354         if let VisibilityKind::Inherited = vis.node {
1355             return;
1356         }
1357
1358         let vstr = pprust::vis_to_string(vis);
1359         let vstr = vstr.trim_end();
1360         if macro_rules {
1361             let msg = format!("can't qualify macro_rules invocation with `{}`", vstr);
1362             self.struct_span_err(vis.span, &msg)
1363                 .span_suggestion(
1364                     vis.span,
1365                     "try exporting the macro",
1366                     "#[macro_export]".to_owned(),
1367                     Applicability::MaybeIncorrect, // speculative
1368                 )
1369                 .emit();
1370         } else {
1371             self.struct_span_err(vis.span, "can't qualify macro invocation with `pub`")
1372                 .span_suggestion(
1373                     vis.span,
1374                     "remove the visibility",
1375                     String::new(),
1376                     Applicability::MachineApplicable,
1377                 )
1378                 .help(&format!("try adjusting the macro to put `{}` inside the invocation", vstr))
1379                 .emit();
1380         }
1381     }
1382
1383     fn eat_semi_for_macro_if_needed(&mut self, args: &MacArgs) {
1384         if args.need_semicolon() && !self.eat(&token::Semi) {
1385             self.report_invalid_macro_expansion_item(args);
1386         }
1387     }
1388
1389     fn report_invalid_macro_expansion_item(&self, args: &MacArgs) {
1390         let mut err = self.struct_span_err(
1391             self.prev_span,
1392             "macros that expand to items must be delimited with braces or followed by a semicolon",
1393         );
1394         if self.unclosed_delims.is_empty() {
1395             let DelimSpan { open, close } = match args {
1396                 MacArgs::Empty | MacArgs::Eq(..) => unreachable!(),
1397                 MacArgs::Delimited(dspan, ..) => *dspan,
1398             };
1399             err.multipart_suggestion(
1400                 "change the delimiters to curly braces",
1401                 vec![(open, "{".to_string()), (close, '}'.to_string())],
1402                 Applicability::MaybeIncorrect,
1403             );
1404         } else {
1405             err.span_suggestion(
1406                 self.prev_span,
1407                 "change the delimiters to curly braces",
1408                 " { /* items */ }".to_string(),
1409                 Applicability::HasPlaceholders,
1410             );
1411         }
1412         err.span_suggestion(
1413             self.prev_span.shrink_to_hi(),
1414             "add a semicolon",
1415             ';'.to_string(),
1416             Applicability::MaybeIncorrect,
1417         );
1418         err.emit();
1419     }
1420
1421     /// Checks if current token is one of tokens which cannot be nested like `kw::Enum`. In case
1422     /// it is, we try to parse the item and report error about nested types.
1423     fn recover_nested_adt_item(&mut self, keyword: Symbol) -> PResult<'a, bool> {
1424         if (self.token.is_keyword(kw::Enum)
1425             || self.token.is_keyword(kw::Struct)
1426             || self.token.is_keyword(kw::Union))
1427             && self.look_ahead(1, |t| t.is_ident())
1428         {
1429             let kw_token = self.token.clone();
1430             let kw_str = pprust::token_to_string(&kw_token);
1431             let item = self.parse_item()?;
1432
1433             self.struct_span_err(
1434                 kw_token.span,
1435                 &format!("`{}` definition cannot be nested inside `{}`", kw_str, keyword),
1436             )
1437             .span_suggestion(
1438                 item.unwrap().span,
1439                 &format!("consider creating a new `{}` definition instead of nesting", kw_str),
1440                 String::new(),
1441                 Applicability::MaybeIncorrect,
1442             )
1443             .emit();
1444             // We successfully parsed the item but we must inform the caller about nested problem.
1445             return Ok(false);
1446         }
1447         Ok(true)
1448     }
1449
1450     fn mk_item<K>(
1451         &self,
1452         lo: Span,
1453         ident: Ident,
1454         kind: K,
1455         vis: Visibility,
1456         attrs: Vec<Attribute>,
1457     ) -> Item<K> {
1458         let span = lo.to(self.prev_span);
1459         Item { ident, attrs, id: DUMMY_NODE_ID, kind, vis, span, tokens: None }
1460     }
1461 }
1462
1463 /// The parsing configuration used to parse a parameter list (see `parse_fn_params`).
1464 ///
1465 /// The function decides if, per-parameter `p`, `p` must have a pattern or just a type.
1466 type ReqName = fn(&token::Token) -> bool;
1467
1468 /// Parsing of functions and methods.
1469 impl<'a> Parser<'a> {
1470     /// Parse a function starting from the front matter (`const ...`) to the body `{ ... }` or `;`.
1471     fn parse_fn(
1472         &mut self,
1473         at_end: &mut bool,
1474         attrs: &mut Vec<Attribute>,
1475         req_name: ReqName,
1476     ) -> PResult<'a, (Ident, FnSig, Generics, Option<P<Block>>)> {
1477         let header = self.parse_fn_front_matter()?; // `const ... fn`
1478         let ident = self.parse_ident()?; // `foo`
1479         let mut generics = self.parse_generics()?; // `<'a, T, ...>`
1480         let decl = self.parse_fn_decl(req_name, AllowPlus::Yes)?; // `(p: u8, ...)`
1481         generics.where_clause = self.parse_where_clause()?; // `where T: Ord`
1482         let body = self.parse_fn_body(at_end, attrs)?; // `;` or `{ ... }`.
1483         Ok((ident, FnSig { header, decl }, generics, body))
1484     }
1485
1486     /// Parse the "body" of a function.
1487     /// This can either be `;` when there's no body,
1488     /// or e.g. a block when the function is a provided one.
1489     fn parse_fn_body(
1490         &mut self,
1491         at_end: &mut bool,
1492         attrs: &mut Vec<Attribute>,
1493     ) -> PResult<'a, Option<P<Block>>> {
1494         let (inner_attrs, body) = match self.token.kind {
1495             token::Semi => {
1496                 self.bump();
1497                 (Vec::new(), None)
1498             }
1499             token::OpenDelim(token::Brace) => {
1500                 let (attrs, body) = self.parse_inner_attrs_and_block()?;
1501                 (attrs, Some(body))
1502             }
1503             token::Interpolated(ref nt) => match **nt {
1504                 token::NtBlock(..) => {
1505                     let (attrs, body) = self.parse_inner_attrs_and_block()?;
1506                     (attrs, Some(body))
1507                 }
1508                 _ => return self.expected_semi_or_open_brace(),
1509             },
1510             _ => return self.expected_semi_or_open_brace(),
1511         };
1512         attrs.extend(inner_attrs);
1513         *at_end = true;
1514         Ok(body)
1515     }
1516
1517     /// Is the current token the start of an `FnHeader` / not a valid parse?
1518     fn check_fn_front_matter(&mut self) -> bool {
1519         // We use an over-approximation here.
1520         // `const const`, `fn const` won't parse, but we're not stepping over other syntax either.
1521         const QUALS: [Symbol; 4] = [kw::Const, kw::Async, kw::Unsafe, kw::Extern];
1522         self.check_keyword(kw::Fn) // Definitely an `fn`.
1523             // `$qual fn` or `$qual $qual`:
1524             || QUALS.iter().any(|&kw| self.check_keyword(kw))
1525                 && self.look_ahead(1, |t| {
1526                     // ...qualified and then `fn`, e.g. `const fn`.
1527                     t.is_keyword(kw::Fn)
1528                     // Two qualifiers. This is enough. Due `async` we need to check that it's reserved.
1529                     || t.is_non_raw_ident_where(|i| QUALS.contains(&i.name) && i.is_reserved())
1530                 })
1531             // `extern ABI fn`
1532             || self.check_keyword(kw::Extern)
1533                 && self.look_ahead(1, |t| t.can_begin_literal_or_bool())
1534                 && self.look_ahead(2, |t| t.is_keyword(kw::Fn))
1535     }
1536
1537     /// Parses all the "front matter" (or "qualifiers") for a `fn` declaration,
1538     /// up to and including the `fn` keyword. The formal grammar is:
1539     ///
1540     /// ```
1541     /// Extern = "extern" StringLit ;
1542     /// FnQual = "const"? "async"? "unsafe"? Extern? ;
1543     /// FnFrontMatter = FnQual? "fn" ;
1544     /// ```
1545     fn parse_fn_front_matter(&mut self) -> PResult<'a, FnHeader> {
1546         let constness = self.parse_constness();
1547         let asyncness = self.parse_asyncness();
1548         let unsafety = self.parse_unsafety();
1549         let ext = self.parse_extern()?;
1550
1551         if let Async::Yes { span, .. } = asyncness {
1552             self.ban_async_in_2015(span);
1553         }
1554
1555         if !self.eat_keyword(kw::Fn) {
1556             // It is possible for `expect_one_of` to recover given the contents of
1557             // `self.expected_tokens`, therefore, do not use `self.unexpected()` which doesn't
1558             // account for this.
1559             if !self.expect_one_of(&[], &[])? {
1560                 unreachable!()
1561             }
1562         }
1563
1564         Ok(FnHeader { constness, unsafety, asyncness, ext })
1565     }
1566
1567     /// We are parsing `async fn`. If we are on Rust 2015, emit an error.
1568     fn ban_async_in_2015(&self, span: Span) {
1569         if span.rust_2015() {
1570             let diag = self.diagnostic();
1571             struct_span_err!(diag, span, E0670, "`async fn` is not permitted in the 2015 edition")
1572                 .note("to use `async fn`, switch to Rust 2018")
1573                 .help("set `edition = \"2018\"` in `Cargo.toml`")
1574                 .note("for more on editions, read https://doc.rust-lang.org/edition-guide")
1575                 .emit();
1576         }
1577     }
1578
1579     /// Parses the parameter list and result type of a function declaration.
1580     pub(super) fn parse_fn_decl(
1581         &mut self,
1582         req_name: ReqName,
1583         ret_allow_plus: AllowPlus,
1584     ) -> PResult<'a, P<FnDecl>> {
1585         Ok(P(FnDecl {
1586             inputs: self.parse_fn_params(req_name)?,
1587             output: self.parse_ret_ty(ret_allow_plus, RecoverQPath::Yes)?,
1588         }))
1589     }
1590
1591     /// Parses the parameter list of a function, including the `(` and `)` delimiters.
1592     fn parse_fn_params(&mut self, req_name: ReqName) -> PResult<'a, Vec<Param>> {
1593         let mut first_param = true;
1594         // Parse the arguments, starting out with `self` being allowed...
1595         let (mut params, _) = self.parse_paren_comma_seq(|p| {
1596             let param = p.parse_param_general(req_name, first_param).or_else(|mut e| {
1597                 e.emit();
1598                 let lo = p.prev_span;
1599                 // Skip every token until next possible arg or end.
1600                 p.eat_to_tokens(&[&token::Comma, &token::CloseDelim(token::Paren)]);
1601                 // Create a placeholder argument for proper arg count (issue #34264).
1602                 Ok(dummy_arg(Ident::new(kw::Invalid, lo.to(p.prev_span))))
1603             });
1604             // ...now that we've parsed the first argument, `self` is no longer allowed.
1605             first_param = false;
1606             param
1607         })?;
1608         // Replace duplicated recovered params with `_` pattern to avoid unnecessary errors.
1609         self.deduplicate_recovered_params_names(&mut params);
1610         Ok(params)
1611     }
1612
1613     /// Parses a single function parameter.
1614     ///
1615     /// - `self` is syntactically allowed when `first_param` holds.
1616     fn parse_param_general(&mut self, req_name: ReqName, first_param: bool) -> PResult<'a, Param> {
1617         let lo = self.token.span;
1618         let attrs = self.parse_outer_attributes()?;
1619
1620         // Possibly parse `self`. Recover if we parsed it and it wasn't allowed here.
1621         if let Some(mut param) = self.parse_self_param()? {
1622             param.attrs = attrs.into();
1623             return if first_param { Ok(param) } else { self.recover_bad_self_param(param) };
1624         }
1625
1626         let is_name_required = match self.token.kind {
1627             token::DotDotDot => false,
1628             _ => req_name(&self.token),
1629         };
1630         let (pat, ty) = if is_name_required || self.is_named_param() {
1631             debug!("parse_param_general parse_pat (is_name_required:{})", is_name_required);
1632
1633             let pat = self.parse_fn_param_pat()?;
1634             if let Err(mut err) = self.expect(&token::Colon) {
1635                 return if let Some(ident) =
1636                     self.parameter_without_type(&mut err, pat, is_name_required, first_param)
1637                 {
1638                     err.emit();
1639                     Ok(dummy_arg(ident))
1640                 } else {
1641                     Err(err)
1642                 };
1643             }
1644
1645             self.eat_incorrect_doc_comment_for_param_type();
1646             (pat, self.parse_ty_for_param()?)
1647         } else {
1648             debug!("parse_param_general ident_to_pat");
1649             let parser_snapshot_before_ty = self.clone();
1650             self.eat_incorrect_doc_comment_for_param_type();
1651             let mut ty = self.parse_ty_for_param();
1652             if ty.is_ok()
1653                 && self.token != token::Comma
1654                 && self.token != token::CloseDelim(token::Paren)
1655             {
1656                 // This wasn't actually a type, but a pattern looking like a type,
1657                 // so we are going to rollback and re-parse for recovery.
1658                 ty = self.unexpected();
1659             }
1660             match ty {
1661                 Ok(ty) => {
1662                     let ident = Ident::new(kw::Invalid, self.prev_span);
1663                     let bm = BindingMode::ByValue(Mutability::Not);
1664                     let pat = self.mk_pat_ident(ty.span, bm, ident);
1665                     (pat, ty)
1666                 }
1667                 // If this is a C-variadic argument and we hit an error, return the error.
1668                 Err(err) if self.token == token::DotDotDot => return Err(err),
1669                 // Recover from attempting to parse the argument as a type without pattern.
1670                 Err(mut err) => {
1671                     err.cancel();
1672                     mem::replace(self, parser_snapshot_before_ty);
1673                     self.recover_arg_parse()?
1674                 }
1675             }
1676         };
1677
1678         let span = lo.to(self.token.span);
1679
1680         Ok(Param {
1681             attrs: attrs.into(),
1682             id: ast::DUMMY_NODE_ID,
1683             is_placeholder: false,
1684             pat,
1685             span,
1686             ty,
1687         })
1688     }
1689
1690     /// Returns the parsed optional self parameter and whether a self shortcut was used.
1691     fn parse_self_param(&mut self) -> PResult<'a, Option<Param>> {
1692         // Extract an identifier *after* having confirmed that the token is one.
1693         let expect_self_ident = |this: &mut Self| {
1694             match this.token.kind {
1695                 // Preserve hygienic context.
1696                 token::Ident(name, _) => {
1697                     let span = this.token.span;
1698                     this.bump();
1699                     Ident::new(name, span)
1700                 }
1701                 _ => unreachable!(),
1702             }
1703         };
1704         // Is `self` `n` tokens ahead?
1705         let is_isolated_self = |this: &Self, n| {
1706             this.is_keyword_ahead(n, &[kw::SelfLower])
1707                 && this.look_ahead(n + 1, |t| t != &token::ModSep)
1708         };
1709         // Is `mut self` `n` tokens ahead?
1710         let is_isolated_mut_self =
1711             |this: &Self, n| this.is_keyword_ahead(n, &[kw::Mut]) && is_isolated_self(this, n + 1);
1712         // Parse `self` or `self: TYPE`. We already know the current token is `self`.
1713         let parse_self_possibly_typed = |this: &mut Self, m| {
1714             let eself_ident = expect_self_ident(this);
1715             let eself_hi = this.prev_span;
1716             let eself = if this.eat(&token::Colon) {
1717                 SelfKind::Explicit(this.parse_ty()?, m)
1718             } else {
1719                 SelfKind::Value(m)
1720             };
1721             Ok((eself, eself_ident, eself_hi))
1722         };
1723         // Recover for the grammar `*self`, `*const self`, and `*mut self`.
1724         let recover_self_ptr = |this: &mut Self| {
1725             let msg = "cannot pass `self` by raw pointer";
1726             let span = this.token.span;
1727             this.struct_span_err(span, msg).span_label(span, msg).emit();
1728
1729             Ok((SelfKind::Value(Mutability::Not), expect_self_ident(this), this.prev_span))
1730         };
1731
1732         // Parse optional `self` parameter of a method.
1733         // Only a limited set of initial token sequences is considered `self` parameters; anything
1734         // else is parsed as a normal function parameter list, so some lookahead is required.
1735         let eself_lo = self.token.span;
1736         let (eself, eself_ident, eself_hi) = match self.token.kind {
1737             token::BinOp(token::And) => {
1738                 let eself = if is_isolated_self(self, 1) {
1739                     // `&self`
1740                     self.bump();
1741                     SelfKind::Region(None, Mutability::Not)
1742                 } else if is_isolated_mut_self(self, 1) {
1743                     // `&mut self`
1744                     self.bump();
1745                     self.bump();
1746                     SelfKind::Region(None, Mutability::Mut)
1747                 } else if self.look_ahead(1, |t| t.is_lifetime()) && is_isolated_self(self, 2) {
1748                     // `&'lt self`
1749                     self.bump();
1750                     let lt = self.expect_lifetime();
1751                     SelfKind::Region(Some(lt), Mutability::Not)
1752                 } else if self.look_ahead(1, |t| t.is_lifetime()) && is_isolated_mut_self(self, 2) {
1753                     // `&'lt mut self`
1754                     self.bump();
1755                     let lt = self.expect_lifetime();
1756                     self.bump();
1757                     SelfKind::Region(Some(lt), Mutability::Mut)
1758                 } else {
1759                     // `&not_self`
1760                     return Ok(None);
1761                 };
1762                 (eself, expect_self_ident(self), self.prev_span)
1763             }
1764             // `*self`
1765             token::BinOp(token::Star) if is_isolated_self(self, 1) => {
1766                 self.bump();
1767                 recover_self_ptr(self)?
1768             }
1769             // `*mut self` and `*const self`
1770             token::BinOp(token::Star)
1771                 if self.look_ahead(1, |t| t.is_mutability()) && is_isolated_self(self, 2) =>
1772             {
1773                 self.bump();
1774                 self.bump();
1775                 recover_self_ptr(self)?
1776             }
1777             // `self` and `self: TYPE`
1778             token::Ident(..) if is_isolated_self(self, 0) => {
1779                 parse_self_possibly_typed(self, Mutability::Not)?
1780             }
1781             // `mut self` and `mut self: TYPE`
1782             token::Ident(..) if is_isolated_mut_self(self, 0) => {
1783                 self.bump();
1784                 parse_self_possibly_typed(self, Mutability::Mut)?
1785             }
1786             _ => return Ok(None),
1787         };
1788
1789         let eself = source_map::respan(eself_lo.to(eself_hi), eself);
1790         Ok(Some(Param::from_self(AttrVec::default(), eself, eself_ident)))
1791     }
1792
1793     fn is_named_param(&self) -> bool {
1794         let offset = match self.token.kind {
1795             token::Interpolated(ref nt) => match **nt {
1796                 token::NtPat(..) => return self.look_ahead(1, |t| t == &token::Colon),
1797                 _ => 0,
1798             },
1799             token::BinOp(token::And) | token::AndAnd => 1,
1800             _ if self.token.is_keyword(kw::Mut) => 1,
1801             _ => 0,
1802         };
1803
1804         self.look_ahead(offset, |t| t.is_ident())
1805             && self.look_ahead(offset + 1, |t| t == &token::Colon)
1806     }
1807
1808     fn recover_first_param(&mut self) -> &'static str {
1809         match self
1810             .parse_outer_attributes()
1811             .and_then(|_| self.parse_self_param())
1812             .map_err(|mut e| e.cancel())
1813         {
1814             Ok(Some(_)) => "method",
1815             _ => "function",
1816         }
1817     }
1818 }