]> git.lizzy.rs Git - rust.git/blob - src/librustc_parse/parser/expr.rs
use mk_expr_err more
[rust.git] / src / librustc_parse / parser / expr.rs
1 use super::{Parser, Restrictions, PrevTokenKind, TokenType, PathStyle, BlockMode};
2 use super::{SemiColonMode, SeqSep, TokenExpectType};
3 use super::pat::{GateOr, PARAM_EXPECTED};
4 use super::diagnostics::Error;
5 use crate::maybe_recover_from_interpolated_ty_qpath;
6
7 use rustc_data_structures::thin_vec::ThinVec;
8 use rustc_errors::{PResult, Applicability};
9 use syntax::ast::{self, DUMMY_NODE_ID, Attribute, AttrStyle, Ident, CaptureBy, BlockCheckMode};
10 use syntax::ast::{Expr, ExprKind, RangeLimits, Label, Movability, IsAsync, Arm, Ty, TyKind};
11 use syntax::ast::{FunctionRetTy, Param, FnDecl, BinOpKind, BinOp, UnOp, Mac, AnonConst, Field, Lit};
12 use syntax::token::{self, Token, TokenKind};
13 use syntax::print::pprust;
14 use syntax::ptr::P;
15 use syntax::util::classify;
16 use syntax::util::literal::LitError;
17 use syntax::util::parser::{AssocOp, Fixity, prec_let_scrutinee_needs_par};
18 use syntax_pos::source_map::{self, Span};
19 use syntax_pos::symbol::{kw, sym, Symbol};
20 use std::mem;
21
22 /// Possibly accepts an `token::Interpolated` expression (a pre-parsed expression
23 /// dropped into the token stream, which happens while parsing the result of
24 /// macro expansion). Placement of these is not as complex as I feared it would
25 /// be. The important thing is to make sure that lookahead doesn't balk at
26 /// `token::Interpolated` tokens.
27 macro_rules! maybe_whole_expr {
28     ($p:expr) => {
29         if let token::Interpolated(nt) = &$p.token.kind {
30             match &**nt {
31                 token::NtExpr(e) | token::NtLiteral(e) => {
32                     let e = e.clone();
33                     $p.bump();
34                     return Ok(e);
35                 }
36                 token::NtPath(path) => {
37                     let path = path.clone();
38                     $p.bump();
39                     return Ok($p.mk_expr(
40                         $p.token.span, ExprKind::Path(None, path), ThinVec::new()
41                     ));
42                 }
43                 token::NtBlock(block) => {
44                     let block = block.clone();
45                     $p.bump();
46                     return Ok($p.mk_expr(
47                         $p.token.span, ExprKind::Block(block, None), ThinVec::new()
48                     ));
49                 }
50                 // N.B., `NtIdent(ident)` is normalized to `Ident` in `fn bump`.
51                 _ => {},
52             };
53         }
54     }
55 }
56
57 #[derive(Debug)]
58 pub(super) enum LhsExpr {
59     NotYetParsed,
60     AttributesParsed(ThinVec<Attribute>),
61     AlreadyParsed(P<Expr>),
62 }
63
64 impl From<Option<ThinVec<Attribute>>> for LhsExpr {
65     /// Converts `Some(attrs)` into `LhsExpr::AttributesParsed(attrs)`
66     /// and `None` into `LhsExpr::NotYetParsed`.
67     ///
68     /// This conversion does not allocate.
69     fn from(o: Option<ThinVec<Attribute>>) -> Self {
70         if let Some(attrs) = o {
71             LhsExpr::AttributesParsed(attrs)
72         } else {
73             LhsExpr::NotYetParsed
74         }
75     }
76 }
77
78 impl From<P<Expr>> for LhsExpr {
79     /// Converts the `expr: P<Expr>` into `LhsExpr::AlreadyParsed(expr)`.
80     ///
81     /// This conversion does not allocate.
82     fn from(expr: P<Expr>) -> Self {
83         LhsExpr::AlreadyParsed(expr)
84     }
85 }
86
87 impl<'a> Parser<'a> {
88     /// Parses an expression.
89     #[inline]
90     pub fn parse_expr(&mut self) -> PResult<'a, P<Expr>> {
91         self.parse_expr_res(Restrictions::empty(), None)
92     }
93
94     fn parse_expr_catch_underscore(&mut self) -> PResult<'a, P<Expr>> {
95         match self.parse_expr() {
96             Ok(expr) => Ok(expr),
97             Err(mut err) => match self.token.kind {
98                 token::Ident(name, false)
99                 if name == kw::Underscore && self.look_ahead(1, |t| {
100                     t == &token::Comma
101                 }) => {
102                     // Special-case handling of `foo(_, _, _)`
103                     err.emit();
104                     let sp = self.token.span;
105                     self.bump();
106                     Ok(self.mk_expr(sp, ExprKind::Err, ThinVec::new()))
107                 }
108                 _ => Err(err),
109             },
110         }
111     }
112
113     /// Parses a sequence of expressions bounded by parentheses.
114     fn parse_paren_expr_seq(&mut self) -> PResult<'a, Vec<P<Expr>>> {
115         self.parse_paren_comma_seq(|p| {
116             p.parse_expr_catch_underscore()
117         }).map(|(r, _)| r)
118     }
119
120     /// Parses an expression, subject to the given restrictions.
121     #[inline]
122     pub(super) fn parse_expr_res(
123         &mut self,
124         r: Restrictions,
125         already_parsed_attrs: Option<ThinVec<Attribute>>
126     ) -> PResult<'a, P<Expr>> {
127         self.with_res(r, |this| this.parse_assoc_expr(already_parsed_attrs))
128     }
129
130     /// Parses an associative expression.
131     ///
132     /// This parses an expression accounting for associativity and precedence of the operators in
133     /// the expression.
134     #[inline]
135     fn parse_assoc_expr(
136         &mut self,
137         already_parsed_attrs: Option<ThinVec<Attribute>>,
138     ) -> PResult<'a, P<Expr>> {
139         self.parse_assoc_expr_with(0, already_parsed_attrs.into())
140     }
141
142     /// Parses an associative expression with operators of at least `min_prec` precedence.
143     pub(super) fn parse_assoc_expr_with(
144         &mut self,
145         min_prec: usize,
146         lhs: LhsExpr,
147     ) -> PResult<'a, P<Expr>> {
148         let mut lhs = if let LhsExpr::AlreadyParsed(expr) = lhs {
149             expr
150         } else {
151             let attrs = match lhs {
152                 LhsExpr::AttributesParsed(attrs) => Some(attrs),
153                 _ => None,
154             };
155             if [token::DotDot, token::DotDotDot, token::DotDotEq].contains(&self.token.kind) {
156                 return self.parse_prefix_range_expr(attrs);
157             } else {
158                 self.parse_prefix_expr(attrs)?
159             }
160         };
161         let last_type_ascription_set = self.last_type_ascription.is_some();
162
163         if !self.should_continue_as_assoc_expr(&lhs) {
164             self.last_type_ascription = None;
165             return Ok(lhs);
166         }
167
168         self.expected_tokens.push(TokenType::Operator);
169         while let Some(op) = self.check_assoc_op() {
170             // Adjust the span for interpolated LHS to point to the `$lhs` token and not to what
171             // it refers to. Interpolated identifiers are unwrapped early and never show up here
172             // as `PrevTokenKind::Interpolated` so if LHS is a single identifier we always process
173             // it as "interpolated", it doesn't change the answer for non-interpolated idents.
174             let lhs_span = match (self.prev_token_kind, &lhs.kind) {
175                 (PrevTokenKind::Interpolated, _) => self.prev_span,
176                 (PrevTokenKind::Ident, &ExprKind::Path(None, ref path))
177                     if path.segments.len() == 1 => self.prev_span,
178                 _ => lhs.span,
179             };
180
181             let cur_op_span = self.token.span;
182             let restrictions = if op.is_assign_like() {
183                 self.restrictions & Restrictions::NO_STRUCT_LITERAL
184             } else {
185                 self.restrictions
186             };
187             let prec = op.precedence();
188             if prec < min_prec {
189                 break;
190             }
191             // Check for deprecated `...` syntax
192             if self.token == token::DotDotDot && op == AssocOp::DotDotEq {
193                 self.err_dotdotdot_syntax(self.token.span);
194             }
195
196             if self.token == token::LArrow {
197                 self.err_larrow_operator(self.token.span);
198             }
199
200             self.bump();
201             if op.is_comparison() {
202                 if let Some(expr) = self.check_no_chained_comparison(&lhs, &op)? {
203                     return Ok(expr);
204                 }
205             }
206             // Special cases:
207             if op == AssocOp::As {
208                 lhs = self.parse_assoc_op_cast(lhs, lhs_span, ExprKind::Cast)?;
209                 continue
210             } else if op == AssocOp::Colon {
211                 let maybe_path = self.could_ascription_be_path(&lhs.kind);
212                 self.last_type_ascription = Some((self.prev_span, maybe_path));
213
214                 lhs = self.parse_assoc_op_cast(lhs, lhs_span, ExprKind::Type)?;
215                 self.sess.gated_spans.gate(sym::type_ascription, lhs.span);
216                 continue
217             } else if op == AssocOp::DotDot || op == AssocOp::DotDotEq {
218                 // If we didn’t have to handle `x..`/`x..=`, it would be pretty easy to
219                 // generalise it to the Fixity::None code.
220                 //
221                 // We have 2 alternatives here: `x..y`/`x..=y` and `x..`/`x..=` The other
222                 // two variants are handled with `parse_prefix_range_expr` call above.
223                 let rhs = if self.is_at_start_of_range_notation_rhs() {
224                     Some(self.parse_assoc_expr_with(prec + 1, LhsExpr::NotYetParsed)?)
225                 } else {
226                     None
227                 };
228                 let (lhs_span, rhs_span) = (lhs.span, if let Some(ref x) = rhs {
229                     x.span
230                 } else {
231                     cur_op_span
232                 });
233                 let limits = if op == AssocOp::DotDot {
234                     RangeLimits::HalfOpen
235                 } else {
236                     RangeLimits::Closed
237                 };
238
239                 let r = self.mk_range(Some(lhs), rhs, limits)?;
240                 lhs = self.mk_expr(lhs_span.to(rhs_span), r, ThinVec::new());
241                 break
242             }
243
244             let fixity = op.fixity();
245             let prec_adjustment = match fixity {
246                 Fixity::Right => 0,
247                 Fixity::Left => 1,
248                 // We currently have no non-associative operators that are not handled above by
249                 // the special cases. The code is here only for future convenience.
250                 Fixity::None => 1,
251             };
252             let rhs = self.with_res(
253                 restrictions - Restrictions::STMT_EXPR,
254                 |this| this.parse_assoc_expr_with(prec + prec_adjustment, LhsExpr::NotYetParsed)
255             )?;
256
257             // Make sure that the span of the parent node is larger than the span of lhs and rhs,
258             // including the attributes.
259             let lhs_span = lhs
260                 .attrs
261                 .iter()
262                 .filter(|a| a.style == AttrStyle::Outer)
263                 .next()
264                 .map_or(lhs_span, |a| a.span);
265             let span = lhs_span.to(rhs.span);
266             lhs = match op {
267                 AssocOp::Add | AssocOp::Subtract | AssocOp::Multiply | AssocOp::Divide |
268                 AssocOp::Modulus | AssocOp::LAnd | AssocOp::LOr | AssocOp::BitXor |
269                 AssocOp::BitAnd | AssocOp::BitOr | AssocOp::ShiftLeft | AssocOp::ShiftRight |
270                 AssocOp::Equal | AssocOp::Less | AssocOp::LessEqual | AssocOp::NotEqual |
271                 AssocOp::Greater | AssocOp::GreaterEqual => {
272                     let ast_op = op.to_ast_binop().unwrap();
273                     let binary = self.mk_binary(source_map::respan(cur_op_span, ast_op), lhs, rhs);
274                     self.mk_expr(span, binary, ThinVec::new())
275                 }
276                 AssocOp::Assign => self.mk_expr(span, ExprKind::Assign(lhs, rhs), ThinVec::new()),
277                 AssocOp::AssignOp(k) => {
278                     let aop = match k {
279                         token::Plus =>    BinOpKind::Add,
280                         token::Minus =>   BinOpKind::Sub,
281                         token::Star =>    BinOpKind::Mul,
282                         token::Slash =>   BinOpKind::Div,
283                         token::Percent => BinOpKind::Rem,
284                         token::Caret =>   BinOpKind::BitXor,
285                         token::And =>     BinOpKind::BitAnd,
286                         token::Or =>      BinOpKind::BitOr,
287                         token::Shl =>     BinOpKind::Shl,
288                         token::Shr =>     BinOpKind::Shr,
289                     };
290                     let aopexpr = self.mk_assign_op(source_map::respan(cur_op_span, aop), lhs, rhs);
291                     self.mk_expr(span, aopexpr, ThinVec::new())
292                 }
293                 AssocOp::As | AssocOp::Colon | AssocOp::DotDot | AssocOp::DotDotEq => {
294                     self.bug("AssocOp should have been handled by special case")
295                 }
296             };
297
298             if let Fixity::None = fixity { break }
299         }
300         if last_type_ascription_set {
301             self.last_type_ascription = None;
302         }
303         Ok(lhs)
304     }
305
306     fn should_continue_as_assoc_expr(&mut self, lhs: &Expr) -> bool {
307         match (self.expr_is_complete(lhs), self.check_assoc_op()) {
308             // Semi-statement forms are odd:
309             // See https://github.com/rust-lang/rust/issues/29071
310             (true, None) => false,
311             (false, _) => true, // Continue parsing the expression.
312             // An exhaustive check is done in the following block, but these are checked first
313             // because they *are* ambiguous but also reasonable looking incorrect syntax, so we
314             // want to keep their span info to improve diagnostics in these cases in a later stage.
315             (true, Some(AssocOp::Multiply)) | // `{ 42 } *foo = bar;` or `{ 42 } * 3`
316             (true, Some(AssocOp::Subtract)) | // `{ 42 } -5`
317             (true, Some(AssocOp::LAnd)) | // `{ 42 } &&x` (#61475)
318             (true, Some(AssocOp::Add)) // `{ 42 } + 42
319             // If the next token is a keyword, then the tokens above *are* unambiguously incorrect:
320             // `if x { a } else { b } && if y { c } else { d }`
321             if !self.look_ahead(1, |t| t.is_reserved_ident()) => {
322                 // These cases are ambiguous and can't be identified in the parser alone.
323                 let sp = self.sess.source_map().start_point(self.token.span);
324                 self.sess.ambiguous_block_expr_parse.borrow_mut().insert(sp, lhs.span);
325                 false
326             }
327             (true, Some(ref op)) if !op.can_continue_expr_unambiguously() => false,
328             (true, Some(_)) => {
329                 self.error_found_expr_would_be_stmt(lhs);
330                 true
331             }
332         }
333     }
334
335     /// We've found an expression that would be parsed as a statement,
336     /// but the next token implies this should be parsed as an expression.
337     /// For example: `if let Some(x) = x { x } else { 0 } / 2`.
338     fn error_found_expr_would_be_stmt(&self, lhs: &Expr) {
339         let mut err = self.struct_span_err(self.token.span, &format!(
340             "expected expression, found `{}`",
341             pprust::token_to_string(&self.token),
342         ));
343         err.span_label(self.token.span, "expected expression");
344         self.sess.expr_parentheses_needed(&mut err, lhs.span, Some(pprust::expr_to_string(&lhs)));
345         err.emit();
346     }
347
348     /// Possibly translate the current token to an associative operator.
349     /// The method does not advance the current token.
350     ///
351     /// Also performs recovery for `and` / `or` which are mistaken for `&&` and `||` respectively.
352     fn check_assoc_op(&self) -> Option<AssocOp> {
353         match (AssocOp::from_token(&self.token), &self.token.kind) {
354             (op @ Some(_), _) => op,
355             (None, token::Ident(sym::and, false)) => {
356                 self.error_bad_logical_op("and", "&&", "conjunction");
357                 Some(AssocOp::LAnd)
358             }
359             (None, token::Ident(sym::or, false)) => {
360                 self.error_bad_logical_op("or", "||", "disjunction");
361                 Some(AssocOp::LOr)
362             }
363             _ => None,
364         }
365     }
366
367     /// Error on `and` and `or` suggesting `&&` and `||` respectively.
368     fn error_bad_logical_op(&self, bad: &str, good: &str, english: &str) {
369         self.struct_span_err(self.token.span, &format!("`{}` is not a logical operator", bad))
370             .span_suggestion(
371                 self.token.span,
372                 &format!("instead of `{}`, use `{}` to perform logical {}", bad, good, english),
373                 good.to_string(),
374                 Applicability::MachineApplicable,
375             )
376             .note("unlike in e.g., python and PHP, `&&` and `||` are used for logical operators")
377             .emit();
378     }
379
380     /// Checks if this expression is a successfully parsed statement.
381     fn expr_is_complete(&self, e: &Expr) -> bool {
382         self.restrictions.contains(Restrictions::STMT_EXPR) &&
383             !classify::expr_requires_semi_to_be_stmt(e)
384     }
385
386     fn is_at_start_of_range_notation_rhs(&self) -> bool {
387         if self.token.can_begin_expr() {
388             // Parse `for i in 1.. { }` as infinite loop, not as `for i in (1..{})`.
389             if self.token == token::OpenDelim(token::Brace) {
390                 return !self.restrictions.contains(Restrictions::NO_STRUCT_LITERAL);
391             }
392             true
393         } else {
394             false
395         }
396     }
397
398     /// Parses prefix-forms of range notation: `..expr`, `..`, `..=expr`.
399     fn parse_prefix_range_expr(
400         &mut self,
401         already_parsed_attrs: Option<ThinVec<Attribute>>
402     ) -> PResult<'a, P<Expr>> {
403         // Check for deprecated `...` syntax.
404         if self.token == token::DotDotDot {
405             self.err_dotdotdot_syntax(self.token.span);
406         }
407
408         debug_assert!([token::DotDot, token::DotDotDot, token::DotDotEq].contains(&self.token.kind),
409                       "parse_prefix_range_expr: token {:?} is not DotDot/DotDotEq",
410                       self.token);
411         let tok = self.token.clone();
412         let attrs = self.parse_or_use_outer_attributes(already_parsed_attrs)?;
413         let lo = self.token.span;
414         let mut hi = self.token.span;
415         self.bump();
416         let opt_end = if self.is_at_start_of_range_notation_rhs() {
417             // RHS must be parsed with more associativity than the dots.
418             let next_prec = AssocOp::from_token(&tok).unwrap().precedence() + 1;
419             Some(self.parse_assoc_expr_with(next_prec, LhsExpr::NotYetParsed)
420                 .map(|x| {
421                     hi = x.span;
422                     x
423                 })?)
424         } else {
425             None
426         };
427         let limits = if tok == token::DotDot {
428             RangeLimits::HalfOpen
429         } else {
430             RangeLimits::Closed
431         };
432
433         let r = self.mk_range(None, opt_end, limits)?;
434         Ok(self.mk_expr(lo.to(hi), r, attrs))
435     }
436
437     /// Parses a prefix-unary-operator expr.
438     fn parse_prefix_expr(
439         &mut self,
440         already_parsed_attrs: Option<ThinVec<Attribute>>
441     ) -> PResult<'a, P<Expr>> {
442         let attrs = self.parse_or_use_outer_attributes(already_parsed_attrs)?;
443         let lo = self.token.span;
444         // Note: when adding new unary operators, don't forget to adjust TokenKind::can_begin_expr()
445         let (hi, ex) = match self.token.kind {
446             token::Not => {
447                 self.bump();
448                 let e = self.parse_prefix_expr(None);
449                 let (span, e) = self.interpolated_or_expr_span(e)?;
450                 (lo.to(span), self.mk_unary(UnOp::Not, e))
451             }
452             // Suggest `!` for bitwise negation when encountering a `~`
453             token::Tilde => {
454                 self.bump();
455                 let e = self.parse_prefix_expr(None);
456                 let (span, e) = self.interpolated_or_expr_span(e)?;
457                 let span_of_tilde = lo;
458                 self.struct_span_err(span_of_tilde, "`~` cannot be used as a unary operator")
459                     .span_suggestion_short(
460                         span_of_tilde,
461                         "use `!` to perform bitwise not",
462                         "!".to_owned(),
463                         Applicability::MachineApplicable
464                     )
465                     .emit();
466                 (lo.to(span), self.mk_unary(UnOp::Not, e))
467             }
468             token::BinOp(token::Minus) => {
469                 self.bump();
470                 let e = self.parse_prefix_expr(None);
471                 let (span, e) = self.interpolated_or_expr_span(e)?;
472                 (lo.to(span), self.mk_unary(UnOp::Neg, e))
473             }
474             token::BinOp(token::Star) => {
475                 self.bump();
476                 let e = self.parse_prefix_expr(None);
477                 let (span, e) = self.interpolated_or_expr_span(e)?;
478                 (lo.to(span), self.mk_unary(UnOp::Deref, e))
479             }
480             token::BinOp(token::And) | token::AndAnd => {
481                 self.parse_address_of(lo)?
482             }
483             token::Ident(..) if self.token.is_keyword(kw::Box) => {
484                 self.bump();
485                 let e = self.parse_prefix_expr(None);
486                 let (span, e) = self.interpolated_or_expr_span(e)?;
487                 let span = lo.to(span);
488                 self.sess.gated_spans.gate(sym::box_syntax, span);
489                 (span, ExprKind::Box(e))
490             }
491             token::Ident(..) if self.token.is_ident_named(sym::not) => {
492                 // `not` is just an ordinary identifier in Rust-the-language,
493                 // but as `rustc`-the-compiler, we can issue clever diagnostics
494                 // for confused users who really want to say `!`
495                 let token_cannot_continue_expr = |t: &Token| match t.kind {
496                     // These tokens can start an expression after `!`, but
497                     // can't continue an expression after an ident
498                     token::Ident(name, is_raw) => token::ident_can_begin_expr(name, t.span, is_raw),
499                     token::Literal(..) | token::Pound => true,
500                     _ => t.is_whole_expr(),
501                 };
502                 let cannot_continue_expr = self.look_ahead(1, token_cannot_continue_expr);
503                 if cannot_continue_expr {
504                     self.bump();
505                     // Emit the error ...
506                     self.struct_span_err(
507                         self.token.span,
508                         &format!("unexpected {} after identifier",self.this_token_descr())
509                     )
510                     .span_suggestion_short(
511                         // Span the `not` plus trailing whitespace to avoid
512                         // trailing whitespace after the `!` in our suggestion
513                         self.sess.source_map()
514                             .span_until_non_whitespace(lo.to(self.token.span)),
515                         "use `!` to perform logical negation",
516                         "!".to_owned(),
517                         Applicability::MachineApplicable
518                     )
519                     .emit();
520                     // â€”and recover! (just as if we were in the block
521                     // for the `token::Not` arm)
522                     let e = self.parse_prefix_expr(None);
523                     let (span, e) = self.interpolated_or_expr_span(e)?;
524                     (lo.to(span), self.mk_unary(UnOp::Not, e))
525                 } else {
526                     return self.parse_dot_or_call_expr(Some(attrs));
527                 }
528             }
529             _ => { return self.parse_dot_or_call_expr(Some(attrs)); }
530         };
531         return Ok(self.mk_expr(lo.to(hi), ex, attrs));
532     }
533
534     /// Returns the span of expr, if it was not interpolated or the span of the interpolated token.
535     fn interpolated_or_expr_span(
536         &self,
537         expr: PResult<'a, P<Expr>>,
538     ) -> PResult<'a, (Span, P<Expr>)> {
539         expr.map(|e| {
540             if self.prev_token_kind == PrevTokenKind::Interpolated {
541                 (self.prev_span, e)
542             } else {
543                 (e.span, e)
544             }
545         })
546     }
547
548     fn parse_assoc_op_cast(&mut self, lhs: P<Expr>, lhs_span: Span,
549                            expr_kind: fn(P<Expr>, P<Ty>) -> ExprKind)
550                            -> PResult<'a, P<Expr>> {
551         let mk_expr = |this: &mut Self, rhs: P<Ty>| {
552             this.mk_expr(lhs_span.to(rhs.span), expr_kind(lhs, rhs), ThinVec::new())
553         };
554
555         // Save the state of the parser before parsing type normally, in case there is a
556         // LessThan comparison after this cast.
557         let parser_snapshot_before_type = self.clone();
558         match self.parse_ty_no_plus() {
559             Ok(rhs) => {
560                 Ok(mk_expr(self, rhs))
561             }
562             Err(mut type_err) => {
563                 // Rewind to before attempting to parse the type with generics, to recover
564                 // from situations like `x as usize < y` in which we first tried to parse
565                 // `usize < y` as a type with generic arguments.
566                 let parser_snapshot_after_type = self.clone();
567                 mem::replace(self, parser_snapshot_before_type);
568
569                 match self.parse_path(PathStyle::Expr) {
570                     Ok(path) => {
571                         let (op_noun, op_verb) = match self.token.kind {
572                             token::Lt => ("comparison", "comparing"),
573                             token::BinOp(token::Shl) => ("shift", "shifting"),
574                             _ => {
575                                 // We can end up here even without `<` being the next token, for
576                                 // example because `parse_ty_no_plus` returns `Err` on keywords,
577                                 // but `parse_path` returns `Ok` on them due to error recovery.
578                                 // Return original error and parser state.
579                                 mem::replace(self, parser_snapshot_after_type);
580                                 return Err(type_err);
581                             }
582                         };
583
584                         // Successfully parsed the type path leaving a `<` yet to parse.
585                         type_err.cancel();
586
587                         // Report non-fatal diagnostics, keep `x as usize` as an expression
588                         // in AST and continue parsing.
589                         let msg = format!(
590                             "`<` is interpreted as a start of generic arguments for `{}`, not a {}",
591                             pprust::path_to_string(&path),
592                             op_noun,
593                         );
594                         let span_after_type = parser_snapshot_after_type.token.span;
595                         let expr = mk_expr(self, P(Ty {
596                             span: path.span,
597                             kind: TyKind::Path(None, path),
598                             id: DUMMY_NODE_ID,
599                         }));
600
601                         let expr_str = self.span_to_snippet(expr.span)
602                             .unwrap_or_else(|_| pprust::expr_to_string(&expr));
603
604                         self.struct_span_err(self.token.span, &msg)
605                             .span_label(
606                                 self.look_ahead(1, |t| t.span).to(span_after_type),
607                                 "interpreted as generic arguments"
608                             )
609                             .span_label(self.token.span, format!("not interpreted as {}", op_noun))
610                             .span_suggestion(
611                                 expr.span,
612                                 &format!("try {} the cast value", op_verb),
613                                 format!("({})", expr_str),
614                                 Applicability::MachineApplicable,
615                             )
616                             .emit();
617
618                         Ok(expr)
619                     }
620                     Err(mut path_err) => {
621                         // Couldn't parse as a path, return original error and parser state.
622                         path_err.cancel();
623                         mem::replace(self, parser_snapshot_after_type);
624                         Err(type_err)
625                     }
626                 }
627             }
628         }
629     }
630
631     /// Parse `& mut? <expr>` or `& raw [ const | mut ] <expr>`.
632     fn parse_address_of(&mut self, lo: Span) -> PResult<'a, (Span, ExprKind)> {
633         self.expect_and()?;
634         let (k, m) = if self.check_keyword(kw::Raw)
635             && self.look_ahead(1, Token::is_mutability)
636         {
637             let found_raw = self.eat_keyword(kw::Raw);
638             assert!(found_raw);
639             let mutability = self.parse_const_or_mut().unwrap();
640             self.sess.gated_spans.gate(sym::raw_ref_op, lo.to(self.prev_span));
641             (ast::BorrowKind::Raw, mutability)
642         } else {
643             (ast::BorrowKind::Ref, self.parse_mutability())
644         };
645         let e = self.parse_prefix_expr(None);
646         let (span, e) = self.interpolated_or_expr_span(e)?;
647         Ok((lo.to(span), ExprKind::AddrOf(k, m, e)))
648     }
649
650     /// Parses `a.b` or `a(13)` or `a[4]` or just `a`.
651     fn parse_dot_or_call_expr(
652         &mut self,
653         already_parsed_attrs: Option<ThinVec<Attribute>>,
654     ) -> PResult<'a, P<Expr>> {
655         let attrs = self.parse_or_use_outer_attributes(already_parsed_attrs)?;
656
657         let b = self.parse_bottom_expr();
658         let (span, b) = self.interpolated_or_expr_span(b)?;
659         self.parse_dot_or_call_expr_with(b, span, attrs)
660     }
661
662     pub(super) fn parse_dot_or_call_expr_with(
663         &mut self,
664         e0: P<Expr>,
665         lo: Span,
666         mut attrs: ThinVec<Attribute>,
667     ) -> PResult<'a, P<Expr>> {
668         // Stitch the list of outer attributes onto the return value.
669         // A little bit ugly, but the best way given the current code
670         // structure
671         self.parse_dot_or_call_expr_with_(e0, lo).map(|expr|
672             expr.map(|mut expr| {
673                 attrs.extend::<Vec<_>>(expr.attrs.into());
674                 expr.attrs = attrs;
675                 match expr.kind {
676                     ExprKind::If(..) if !expr.attrs.is_empty() => {
677                         // Just point to the first attribute in there...
678                         let span = expr.attrs[0].span;
679                         self.span_err(span, "attributes are not yet allowed on `if` expressions");
680                     }
681                     _ => {}
682                 }
683                 expr
684             })
685         )
686     }
687
688     fn parse_dot_or_call_expr_with_(&mut self, e0: P<Expr>, lo: Span) -> PResult<'a, P<Expr>> {
689         let mut e = e0;
690         let mut hi;
691         loop {
692             // expr?
693             while self.eat(&token::Question) {
694                 let hi = self.prev_span;
695                 e = self.mk_expr(lo.to(hi), ExprKind::Try(e), ThinVec::new());
696             }
697
698             // expr.f
699             if self.eat(&token::Dot) {
700                 match self.token.kind {
701                     token::Ident(..) => {
702                         e = self.parse_dot_suffix(e, lo)?;
703                     }
704                     token::Literal(token::Lit { kind: token::Integer, symbol, suffix }) => {
705                         let span = self.token.span;
706                         self.bump();
707                         let field = ExprKind::Field(e, Ident::new(symbol, span));
708                         e = self.mk_expr(lo.to(span), field, ThinVec::new());
709
710                         self.expect_no_suffix(span, "a tuple index", suffix);
711                     }
712                     token::Literal(token::Lit { kind: token::Float, symbol, .. }) => {
713                       self.bump();
714                       let fstr = symbol.as_str();
715                       let msg = format!("unexpected token: `{}`", symbol);
716                       let mut err = self.diagnostic().struct_span_err(self.prev_span, &msg);
717                       err.span_label(self.prev_span, "unexpected token");
718                       if fstr.chars().all(|x| "0123456789.".contains(x)) {
719                           let float = match fstr.parse::<f64>().ok() {
720                               Some(f) => f,
721                               None => continue,
722                           };
723                           let sugg = pprust::to_string(|s| {
724                               s.popen();
725                               s.print_expr(&e);
726                               s.s.word( ".");
727                               s.print_usize(float.trunc() as usize);
728                               s.pclose();
729                               s.s.word(".");
730                               s.s.word(fstr.splitn(2, ".").last().unwrap().to_string())
731                           });
732                           err.span_suggestion(
733                               lo.to(self.prev_span),
734                               "try parenthesizing the first index",
735                               sugg,
736                               Applicability::MachineApplicable
737                           );
738                       }
739                       return Err(err);
740
741                     }
742                     _ => {
743                         // FIXME Could factor this out into non_fatal_unexpected or something.
744                         let actual = self.this_token_to_string();
745                         self.span_err(self.token.span, &format!("unexpected token: `{}`", actual));
746                     }
747                 }
748                 continue;
749             }
750             if self.expr_is_complete(&e) { break; }
751             match self.token.kind {
752                 // expr(...)
753                 token::OpenDelim(token::Paren) => {
754                     let seq = self.parse_paren_expr_seq().map(|es| {
755                         let nd = self.mk_call(e, es);
756                         let hi = self.prev_span;
757                         self.mk_expr(lo.to(hi), nd, ThinVec::new())
758                     });
759                     e = self.recover_seq_parse_error(token::Paren, lo, seq);
760                 }
761
762                 // expr[...]
763                 // Could be either an index expression or a slicing expression.
764                 token::OpenDelim(token::Bracket) => {
765                     self.bump();
766                     let ix = self.parse_expr()?;
767                     hi = self.token.span;
768                     self.expect(&token::CloseDelim(token::Bracket))?;
769                     let index = self.mk_index(e, ix);
770                     e = self.mk_expr(lo.to(hi), index, ThinVec::new())
771                 }
772                 _ => return Ok(e)
773             }
774         }
775         return Ok(e);
776     }
777
778     /// Assuming we have just parsed `.`, continue parsing into an expression.
779     fn parse_dot_suffix(&mut self, self_arg: P<Expr>, lo: Span) -> PResult<'a, P<Expr>> {
780         if self.token.span.rust_2018() && self.eat_keyword(kw::Await) {
781             return self.mk_await_expr(self_arg, lo);
782         }
783
784         let segment = self.parse_path_segment(PathStyle::Expr)?;
785         self.check_trailing_angle_brackets(&segment, token::OpenDelim(token::Paren));
786
787         Ok(match self.token.kind {
788             token::OpenDelim(token::Paren) => {
789                 // Method call `expr.f()`
790                 let mut args = self.parse_paren_expr_seq()?;
791                 args.insert(0, self_arg);
792
793                 let span = lo.to(self.prev_span);
794                 self.mk_expr(span, ExprKind::MethodCall(segment, args), ThinVec::new())
795             }
796             _ => {
797                 // Field access `expr.f`
798                 if let Some(args) = segment.args {
799                     self.span_err(args.span(),
800                                   "field expressions may not have generic arguments");
801                 }
802
803                 let span = lo.to(self.prev_span);
804                 self.mk_expr(span, ExprKind::Field(self_arg, segment.ident), ThinVec::new())
805             }
806         })
807     }
808
809     /// At the bottom (top?) of the precedence hierarchy,
810     /// Parses things like parenthesized exprs, macros, `return`, etc.
811     ///
812     /// N.B., this does not parse outer attributes, and is private because it only works
813     /// correctly if called from `parse_dot_or_call_expr()`.
814     fn parse_bottom_expr(&mut self) -> PResult<'a, P<Expr>> {
815         maybe_recover_from_interpolated_ty_qpath!(self, true);
816         maybe_whole_expr!(self);
817
818         // Outer attributes are already parsed and will be
819         // added to the return value after the fact.
820         //
821         // Therefore, prevent sub-parser from parsing
822         // attributes by giving them a empty "already-parsed" list.
823         let attrs = ThinVec::new();
824
825         // Note: when adding new syntax here, don't forget to adjust `TokenKind::can_begin_expr()`.
826         let lo = self.token.span;
827         match self.token.kind {
828             // This match arm is a special-case of the `_` match arm below and
829             // could be removed without changing functionality, but it's faster
830             // to have it here, especially for programs with large constants.
831             token::Literal(_) => self.parse_lit_expr(attrs),
832             token::OpenDelim(token::Paren) => self.parse_tuple_parens_expr(attrs),
833             token::OpenDelim(token::Brace) => {
834                 self.parse_block_expr(None, lo, BlockCheckMode::Default, attrs)
835             }
836             token::BinOp(token::Or) | token::OrOr => self.parse_closure_expr(attrs),
837             token::OpenDelim(token::Bracket) => self.parse_array_or_repeat_expr(attrs),
838             _ => {
839                 if self.eat_lt() {
840                     let (qself, path) = self.parse_qpath(PathStyle::Expr)?;
841                     Ok(self.mk_expr(lo.to(path.span), ExprKind::Path(Some(qself), path), attrs))
842                 } else if self.token.is_path_start() {
843                     self.parse_path_start_expr(attrs)
844                 } else if self.check_keyword(kw::Move) || self.check_keyword(kw::Static) {
845                     self.parse_closure_expr(attrs)
846                 } else if self.eat_keyword(kw::If) {
847                     self.parse_if_expr(attrs)
848                 } else if self.eat_keyword(kw::For) {
849                     self.parse_for_expr(None, self.prev_span, attrs)
850                 } else if self.eat_keyword(kw::While) {
851                     self.parse_while_expr(None, self.prev_span, attrs)
852                 } else if let Some(label) = self.eat_label() {
853                     self.parse_labeled_expr(label, attrs)
854                 } else if self.eat_keyword(kw::Loop) {
855                     self.parse_loop_expr(None, self.prev_span, attrs)
856                 } else if self.eat_keyword(kw::Continue) {
857                     let kind = ExprKind::Continue(self.eat_label());
858                     Ok(self.mk_expr(lo.to(self.prev_span), kind, attrs))
859                 } else if self.eat_keyword(kw::Match) {
860                     let match_sp = self.prev_span;
861                     self.parse_match_expr(attrs).map_err(|mut err| {
862                         err.span_label(match_sp, "while parsing this match expression");
863                         err
864                     })
865                 } else if self.eat_keyword(kw::Unsafe) {
866                     let mode = BlockCheckMode::Unsafe(ast::UserProvided);
867                     self.parse_block_expr(None, lo, mode, attrs)
868                 } else if self.is_do_catch_block() {
869                     self.recover_do_catch(attrs)
870                 } else if self.is_try_block() {
871                     self.expect_keyword(kw::Try)?;
872                     self.parse_try_block(lo, attrs)
873                 } else if self.eat_keyword(kw::Return) {
874                     self.parse_return_expr(attrs)
875                 } else if self.eat_keyword(kw::Break) {
876                     self.parse_break_expr(attrs)
877                 } else if self.eat_keyword(kw::Yield) {
878                     self.parse_yield_expr(attrs)
879                 } else if self.eat_keyword(kw::Let) {
880                     self.parse_let_expr(attrs)
881                 } else if !self.unclosed_delims.is_empty() && self.check(&token::Semi) {
882                     // Don't complain about bare semicolons after unclosed braces
883                     // recovery in order to keep the error count down. Fixing the
884                     // delimiters will possibly also fix the bare semicolon found in
885                     // expression context. For example, silence the following error:
886                     //
887                     //     error: expected expression, found `;`
888                     //      --> file.rs:2:13
889                     //       |
890                     //     2 |     foo(bar(;
891                     //       |             ^ expected expression
892                     self.bump();
893                     Ok(self.mk_expr_err(self.token.span))
894                 } else if self.token.span.rust_2018() {
895                     // `Span::rust_2018()` is somewhat expensive; don't get it repeatedly.
896                     if self.check_keyword(kw::Async) {
897                         if self.is_async_block() { // Check for `async {` and `async move {`.
898                             self.parse_async_block(attrs)
899                         } else {
900                             self.parse_closure_expr(attrs)
901                         }
902                     } else if self.eat_keyword(kw::Await) {
903                         self.recover_incorrect_await_syntax(lo, self.prev_span, attrs)
904                     } else {
905                         self.parse_lit_expr(attrs)
906                     }
907                 } else {
908                     self.parse_lit_expr(attrs)
909                 }
910             }
911         }
912     }
913
914     fn parse_lit_expr(&mut self, attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
915         let lo = self.token.span;
916         match self.parse_opt_lit() {
917             Some(literal) => {
918                 let expr = self.mk_expr(lo.to(self.prev_span), ExprKind::Lit(literal), attrs);
919                 self.maybe_recover_from_bad_qpath(expr, true)
920             }
921             None => return Err(self.expected_expression_found()),
922         }
923     }
924
925     fn parse_tuple_parens_expr(&mut self, mut attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
926         let lo = self.token.span;
927         let mut first = true;
928         let parse_leading_attr_expr = |p: &mut Self| {
929             if first {
930                 // `(#![foo] a, b, ...)` is OK...
931                 attrs.extend(p.parse_inner_attributes()?);
932                 // ...but not `(a, #![foo] b, ...)`.
933                 first = false;
934             }
935             p.parse_expr_catch_underscore()
936         };
937         let (es, trailing_comma) = match self.parse_paren_comma_seq(parse_leading_attr_expr) {
938             Ok(x) => x,
939             Err(err) => return Ok(self.recover_seq_parse_error(token::Paren, lo, Err(err))),
940         };
941         let kind = if es.len() == 1 && !trailing_comma {
942             // `(e)` is parenthesized `e`.
943             ExprKind::Paren(es.into_iter().nth(0).unwrap())
944         } else {
945             // `(e,)` is a tuple with only one field, `e`.
946             ExprKind::Tup(es)
947         };
948         let expr = self.mk_expr(lo.to(self.prev_span), kind, attrs);
949         self.maybe_recover_from_bad_qpath(expr, true)
950     }
951
952     fn parse_array_or_repeat_expr(
953         &mut self,
954         mut attrs: ThinVec<Attribute>,
955     ) -> PResult<'a, P<Expr>> {
956         let lo = self.token.span;
957         self.bump(); // `[`
958
959         attrs.extend(self.parse_inner_attributes()?);
960
961         let kind = if self.eat(&token::CloseDelim(token::Bracket)) {
962             // Empty vector
963             ExprKind::Array(Vec::new())
964         } else {
965             // Non-empty vector
966             let first_expr = self.parse_expr()?;
967             if self.eat(&token::Semi) {
968                 // Repeating array syntax: `[ 0; 512 ]`
969                 let count = AnonConst {
970                     id: DUMMY_NODE_ID,
971                     value: self.parse_expr()?,
972                 };
973                 self.expect(&token::CloseDelim(token::Bracket))?;
974                 ExprKind::Repeat(first_expr, count)
975             } else if self.eat(&token::Comma) {
976                 // Vector with two or more elements.
977                 let remaining_exprs = self.parse_seq_to_end(
978                     &token::CloseDelim(token::Bracket),
979                     SeqSep::trailing_allowed(token::Comma),
980                     |p| Ok(p.parse_expr()?)
981                 )?;
982                 let mut exprs = vec![first_expr];
983                 exprs.extend(remaining_exprs);
984                 ExprKind::Array(exprs)
985             } else {
986                 // Vector with one element
987                 self.expect(&token::CloseDelim(token::Bracket))?;
988                 ExprKind::Array(vec![first_expr])
989             }
990         };
991         let expr = self.mk_expr(lo.to(self.prev_span), kind, attrs);
992         self.maybe_recover_from_bad_qpath(expr, true)
993     }
994
995     fn parse_path_start_expr(&mut self, attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
996         let lo = self.token.span;
997         let path = self.parse_path(PathStyle::Expr)?;
998
999         // `!`, as an operator, is prefix, so we know this isn't that.
1000         let (hi, kind) = if self.eat(&token::Not) {
1001             // MACRO INVOCATION expression
1002             let mac = Mac {
1003                 path,
1004                 args: self.parse_mac_args()?,
1005                 prior_type_ascription: self.last_type_ascription,
1006             };
1007             (self.prev_span, ExprKind::Mac(mac))
1008         } else if self.check(&token::OpenDelim(token::Brace)) {
1009             if let Some(expr) = self.maybe_parse_struct_expr(lo, &path, &attrs) {
1010                 return expr;
1011             } else {
1012                 (path.span, ExprKind::Path(None, path))
1013             }
1014         } else {
1015             (path.span, ExprKind::Path(None, path))
1016         };
1017
1018         let expr = self.mk_expr(lo.to(hi), kind, attrs);
1019         self.maybe_recover_from_bad_qpath(expr, true)
1020     }
1021
1022     fn parse_labeled_expr(
1023         &mut self,
1024         label: Label,
1025         attrs: ThinVec<Attribute>,
1026     ) -> PResult<'a, P<Expr>> {
1027         let lo = label.ident.span;
1028         self.expect(&token::Colon)?;
1029         if self.eat_keyword(kw::While) {
1030             return self.parse_while_expr(Some(label), lo, attrs)
1031         }
1032         if self.eat_keyword(kw::For) {
1033             return self.parse_for_expr(Some(label), lo, attrs)
1034         }
1035         if self.eat_keyword(kw::Loop) {
1036             return self.parse_loop_expr(Some(label), lo, attrs)
1037         }
1038         if self.token == token::OpenDelim(token::Brace) {
1039             return self.parse_block_expr(Some(label), lo, BlockCheckMode::Default, attrs);
1040         }
1041
1042         let msg = "expected `while`, `for`, `loop` or `{` after a label";
1043         self.struct_span_err(self.token.span, msg)
1044             .span_label(self.token.span, msg)
1045             .emit();
1046         // Continue as an expression in an effort to recover on `'label: non_block_expr`.
1047         self.parse_expr()
1048     }
1049
1050     /// Recover on the syntax `do catch { ... }` suggesting `try { ... }` instead.
1051     fn recover_do_catch(&mut self, attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
1052         let lo = self.token.span;
1053
1054         self.bump(); // `do`
1055         self.bump(); // `catch`
1056
1057         let span_dc = lo.to(self.prev_span);
1058         self.struct_span_err(span_dc, "found removed `do catch` syntax")
1059             .span_suggestion(
1060                 span_dc,
1061                 "replace with the new syntax",
1062                 "try".to_string(),
1063                 Applicability::MachineApplicable,
1064             )
1065             .note("following RFC #2388, the new non-placeholder syntax is `try`")
1066             .emit();
1067
1068         self.parse_try_block(lo, attrs)
1069     }
1070
1071     /// Parse an expression if the token can begin one.
1072     fn parse_expr_opt(&mut self) -> PResult<'a, Option<P<Expr>>> {
1073         Ok(if self.token.can_begin_expr() {
1074             Some(self.parse_expr()?)
1075         } else {
1076             None
1077         })
1078     }
1079
1080     /// Parse `"return" expr?`.
1081     fn parse_return_expr(&mut self, attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
1082         let lo = self.prev_span;
1083         let kind = ExprKind::Ret(self.parse_expr_opt()?);
1084         let expr = self.mk_expr(lo.to(self.prev_span), kind, attrs);
1085         self.maybe_recover_from_bad_qpath(expr, true)
1086     }
1087
1088     /// Parse `"('label ":")? break expr?`.
1089     fn parse_break_expr(&mut self, attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
1090         let lo = self.prev_span;
1091         let label = self.eat_label();
1092         let kind = if self.token != token::OpenDelim(token::Brace)
1093             || !self.restrictions.contains(Restrictions::NO_STRUCT_LITERAL)
1094         {
1095             self.parse_expr_opt()?
1096         } else {
1097             None
1098         };
1099         let expr = self.mk_expr(lo.to(self.prev_span), ExprKind::Break(label, kind), attrs);
1100         self.maybe_recover_from_bad_qpath(expr, true)
1101     }
1102
1103     /// Parse `"yield" expr?`.
1104     fn parse_yield_expr(&mut self, attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
1105         let lo = self.prev_span;
1106         let kind = ExprKind::Yield(self.parse_expr_opt()?);
1107         let span = lo.to(self.prev_span);
1108         self.sess.gated_spans.gate(sym::generators, span);
1109         let expr = self.mk_expr(span, kind, attrs);
1110         self.maybe_recover_from_bad_qpath(expr, true)
1111     }
1112
1113     /// Returns a string literal if the next token is a string literal.
1114     /// In case of error returns `Some(lit)` if the next token is a literal with a wrong kind,
1115     /// and returns `None` if the next token is not literal at all.
1116     pub fn parse_str_lit(&mut self) -> Result<ast::StrLit, Option<Lit>> {
1117         match self.parse_opt_lit() {
1118             Some(lit) => match lit.kind {
1119                 ast::LitKind::Str(symbol_unescaped, style) => Ok(ast::StrLit {
1120                     style,
1121                     symbol: lit.token.symbol,
1122                     suffix: lit.token.suffix,
1123                     span: lit.span,
1124                     symbol_unescaped,
1125                 }),
1126                 _ => Err(Some(lit)),
1127             }
1128             None => Err(None),
1129         }
1130     }
1131
1132     pub(super) fn parse_lit(&mut self) -> PResult<'a, Lit> {
1133         self.parse_opt_lit().ok_or_else(|| {
1134             let msg = format!("unexpected token: {}", self.this_token_descr());
1135             self.span_fatal(self.token.span, &msg)
1136         })
1137     }
1138
1139     /// Matches `lit = true | false | token_lit`.
1140     /// Returns `None` if the next token is not a literal.
1141     pub(super) fn parse_opt_lit(&mut self) -> Option<Lit> {
1142         let mut recovered = None;
1143         if self.token == token::Dot {
1144             // Attempt to recover `.4` as `0.4`. We don't currently have any syntax where
1145             // dot would follow an optional literal, so we do this unconditionally.
1146             recovered = self.look_ahead(1, |next_token| {
1147                 if let token::Literal(token::Lit { kind: token::Integer, symbol, suffix })
1148                         = next_token.kind {
1149                     if self.token.span.hi() == next_token.span.lo() {
1150                         let s = String::from("0.") + &symbol.as_str();
1151                         let kind = TokenKind::lit(token::Float, Symbol::intern(&s), suffix);
1152                         return Some(Token::new(kind, self.token.span.to(next_token.span)));
1153                     }
1154                 }
1155                 None
1156             });
1157             if let Some(token) = &recovered {
1158                 self.bump();
1159                 self.struct_span_err(token.span, "float literals must have an integer part")
1160                     .span_suggestion(
1161                         token.span,
1162                         "must have an integer part",
1163                         pprust::token_to_string(token),
1164                         Applicability::MachineApplicable,
1165                     )
1166                     .emit();
1167             }
1168         }
1169
1170         let token = recovered.as_ref().unwrap_or(&self.token);
1171         match Lit::from_token(token) {
1172             Ok(lit) => {
1173                 self.bump();
1174                 Some(lit)
1175             }
1176             Err(LitError::NotLiteral) => {
1177                 None
1178             }
1179             Err(err) => {
1180                 let span = token.span;
1181                 let lit = match token.kind {
1182                     token::Literal(lit) => lit,
1183                     _ => unreachable!(),
1184                 };
1185                 self.bump();
1186                 self.report_lit_error(err, lit, span);
1187                 // Pack possible quotes and prefixes from the original literal into
1188                 // the error literal's symbol so they can be pretty-printed faithfully.
1189                 let suffixless_lit = token::Lit::new(lit.kind, lit.symbol, None);
1190                 let symbol = Symbol::intern(&suffixless_lit.to_string());
1191                 let lit = token::Lit::new(token::Err, symbol, lit.suffix);
1192                 Some(Lit::from_lit_token(lit, span).unwrap_or_else(|_| unreachable!()))
1193             }
1194         }
1195     }
1196
1197     fn report_lit_error(&self, err: LitError, lit: token::Lit, span: Span) {
1198         // Checks if `s` looks like i32 or u1234 etc.
1199         fn looks_like_width_suffix(first_chars: &[char], s: &str) -> bool {
1200             s.len() > 1
1201             && s.starts_with(first_chars)
1202             && s[1..].chars().all(|c| c.is_ascii_digit())
1203         }
1204
1205         let token::Lit { kind, suffix, .. } = lit;
1206         match err {
1207             // `NotLiteral` is not an error by itself, so we don't report
1208             // it and give the parser opportunity to try something else.
1209             LitError::NotLiteral => {}
1210             // `LexerError` *is* an error, but it was already reported
1211             // by lexer, so here we don't report it the second time.
1212             LitError::LexerError => {}
1213             LitError::InvalidSuffix => {
1214                 self.expect_no_suffix(
1215                     span,
1216                     &format!("{} {} literal", kind.article(), kind.descr()),
1217                     suffix,
1218                 );
1219             }
1220             LitError::InvalidIntSuffix => {
1221                 let suf = suffix.expect("suffix error with no suffix").as_str();
1222                 if looks_like_width_suffix(&['i', 'u'], &suf) {
1223                     // If it looks like a width, try to be helpful.
1224                     let msg = format!("invalid width `{}` for integer literal", &suf[1..]);
1225                     self.struct_span_err(span, &msg)
1226                         .help("valid widths are 8, 16, 32, 64 and 128")
1227                         .emit();
1228                 } else {
1229                     let msg = format!("invalid suffix `{}` for integer literal", suf);
1230                     self.struct_span_err(span, &msg)
1231                         .span_label(span, format!("invalid suffix `{}`", suf))
1232                         .help("the suffix must be one of the integral types (`u32`, `isize`, etc)")
1233                         .emit();
1234                 }
1235             }
1236             LitError::InvalidFloatSuffix => {
1237                 let suf = suffix.expect("suffix error with no suffix").as_str();
1238                 if looks_like_width_suffix(&['f'], &suf) {
1239                     // If it looks like a width, try to be helpful.
1240                     let msg = format!("invalid width `{}` for float literal", &suf[1..]);
1241                     self.struct_span_err(span, &msg)
1242                         .help("valid widths are 32 and 64")
1243                         .emit();
1244                 } else {
1245                     let msg = format!("invalid suffix `{}` for float literal", suf);
1246                     self.struct_span_err(span, &msg)
1247                         .span_label(span, format!("invalid suffix `{}`", suf))
1248                         .help("valid suffixes are `f32` and `f64`")
1249                         .emit();
1250                 }
1251             }
1252             LitError::NonDecimalFloat(base) => {
1253                 let descr = match base {
1254                     16 => "hexadecimal",
1255                     8 => "octal",
1256                     2 => "binary",
1257                     _ => unreachable!(),
1258                 };
1259                 self.struct_span_err(span, &format!("{} float literal is not supported", descr))
1260                     .span_label(span, "not supported")
1261                     .emit();
1262             }
1263             LitError::IntTooLarge => {
1264                 self.struct_span_err(span, "integer literal is too large")
1265                     .emit();
1266             }
1267         }
1268     }
1269
1270     pub(super) fn expect_no_suffix(&self, sp: Span, kind: &str, suffix: Option<Symbol>) {
1271         if let Some(suf) = suffix {
1272             let mut err = if kind == "a tuple index"
1273                 && [sym::i32, sym::u32, sym::isize, sym::usize].contains(&suf)
1274             {
1275                 // #59553: warn instead of reject out of hand to allow the fix to percolate
1276                 // through the ecosystem when people fix their macros
1277                 let mut err = self.sess.span_diagnostic.struct_span_warn(
1278                     sp,
1279                     &format!("suffixes on {} are invalid", kind),
1280                 );
1281                 err.note(&format!(
1282                     "`{}` is *temporarily* accepted on tuple index fields as it was \
1283                         incorrectly accepted on stable for a few releases",
1284                     suf,
1285                 ));
1286                 err.help(
1287                     "on proc macros, you'll want to use `syn::Index::from` or \
1288                         `proc_macro::Literal::*_unsuffixed` for code that will desugar \
1289                         to tuple field access",
1290                 );
1291                 err.note(
1292                     "for more context, see https://github.com/rust-lang/rust/issues/60210",
1293                 );
1294                 err
1295             } else {
1296                 self.struct_span_err(sp, &format!("suffixes on {} are invalid", kind))
1297             };
1298             err.span_label(sp, format!("invalid suffix `{}`", suf));
1299             err.emit();
1300         }
1301     }
1302
1303     /// Matches `'-' lit | lit` (cf. `ast_validation::AstValidator::check_expr_within_pat`).
1304     pub fn parse_literal_maybe_minus(&mut self) -> PResult<'a, P<Expr>> {
1305         maybe_whole_expr!(self);
1306
1307         let minus_lo = self.token.span;
1308         let minus_present = self.eat(&token::BinOp(token::Minus));
1309         let lo = self.token.span;
1310         let literal = self.parse_lit()?;
1311         let hi = self.prev_span;
1312         let expr = self.mk_expr(lo.to(hi), ExprKind::Lit(literal), ThinVec::new());
1313
1314         if minus_present {
1315             let minus_hi = self.prev_span;
1316             let unary = self.mk_unary(UnOp::Neg, expr);
1317             Ok(self.mk_expr(minus_lo.to(minus_hi), unary, ThinVec::new()))
1318         } else {
1319             Ok(expr)
1320         }
1321     }
1322
1323     /// Parses a block or unsafe block.
1324     pub(super) fn parse_block_expr(
1325         &mut self,
1326         opt_label: Option<Label>,
1327         lo: Span,
1328         blk_mode: BlockCheckMode,
1329         outer_attrs: ThinVec<Attribute>,
1330     ) -> PResult<'a, P<Expr>> {
1331         if let Some(label) = opt_label {
1332             self.sess.gated_spans.gate(sym::label_break_value, label.ident.span);
1333         }
1334
1335         self.expect(&token::OpenDelim(token::Brace))?;
1336
1337         let mut attrs = outer_attrs;
1338         attrs.extend(self.parse_inner_attributes()?);
1339
1340         let blk = self.parse_block_tail(lo, blk_mode)?;
1341         Ok(self.mk_expr(blk.span, ExprKind::Block(blk, opt_label), attrs))
1342     }
1343
1344     /// Parses a closure expression (e.g., `move |args| expr`).
1345     fn parse_closure_expr(&mut self, attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
1346         let lo = self.token.span;
1347
1348         let movability = if self.eat_keyword(kw::Static) {
1349             Movability::Static
1350         } else {
1351             Movability::Movable
1352         };
1353
1354         let asyncness = if self.token.span.rust_2018() {
1355             self.parse_asyncness()
1356         } else {
1357             IsAsync::NotAsync
1358         };
1359         if asyncness.is_async() {
1360             // Feature-gate `async ||` closures.
1361             self.sess.gated_spans.gate(sym::async_closure, self.prev_span);
1362         }
1363
1364         let capture_clause = self.parse_capture_clause();
1365         let decl = self.parse_fn_block_decl()?;
1366         let decl_hi = self.prev_span;
1367         let body = match decl.output {
1368             FunctionRetTy::Default(_) => {
1369                 let restrictions = self.restrictions - Restrictions::STMT_EXPR;
1370                 self.parse_expr_res(restrictions, None)?
1371             },
1372             _ => {
1373                 // If an explicit return type is given, require a block to appear (RFC 968).
1374                 let body_lo = self.token.span;
1375                 self.parse_block_expr(None, body_lo, BlockCheckMode::Default, ThinVec::new())?
1376             }
1377         };
1378
1379         Ok(self.mk_expr(
1380             lo.to(body.span),
1381             ExprKind::Closure(capture_clause, asyncness, movability, decl, body, lo.to(decl_hi)),
1382             attrs))
1383     }
1384
1385     /// Parses an optional `move` prefix to a closure lke construct.
1386     fn parse_capture_clause(&mut self) -> CaptureBy {
1387         if self.eat_keyword(kw::Move) {
1388             CaptureBy::Value
1389         } else {
1390             CaptureBy::Ref
1391         }
1392     }
1393
1394     /// Parses the `|arg, arg|` header of a closure.
1395     fn parse_fn_block_decl(&mut self) -> PResult<'a, P<FnDecl>> {
1396         let inputs_captures = {
1397             if self.eat(&token::OrOr) {
1398                 Vec::new()
1399             } else {
1400                 self.expect(&token::BinOp(token::Or))?;
1401                 let args = self.parse_seq_to_before_tokens(
1402                     &[&token::BinOp(token::Or), &token::OrOr],
1403                     SeqSep::trailing_allowed(token::Comma),
1404                     TokenExpectType::NoExpect,
1405                     |p| p.parse_fn_block_param()
1406                 )?.0;
1407                 self.expect_or()?;
1408                 args
1409             }
1410         };
1411         let output = self.parse_ret_ty(true, true)?;
1412
1413         Ok(P(FnDecl {
1414             inputs: inputs_captures,
1415             output,
1416         }))
1417     }
1418
1419     /// Parses a parameter in a closure header (e.g., `|arg, arg|`).
1420     fn parse_fn_block_param(&mut self) -> PResult<'a, Param> {
1421         let lo = self.token.span;
1422         let attrs = self.parse_outer_attributes()?;
1423         let pat = self.parse_pat(PARAM_EXPECTED)?;
1424         let t = if self.eat(&token::Colon) {
1425             self.parse_ty()?
1426         } else {
1427             P(Ty {
1428                 id: DUMMY_NODE_ID,
1429                 kind: TyKind::Infer,
1430                 span: self.prev_span,
1431             })
1432         };
1433         let span = lo.to(self.token.span);
1434         Ok(Param {
1435             attrs: attrs.into(),
1436             ty: t,
1437             pat,
1438             span,
1439             id: DUMMY_NODE_ID,
1440             is_placeholder: false,
1441         })
1442     }
1443
1444     /// Parses an `if` expression (`if` token already eaten).
1445     fn parse_if_expr(&mut self, attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
1446         let lo = self.prev_span;
1447         let cond = self.parse_cond_expr()?;
1448
1449         // Verify that the parsed `if` condition makes sense as a condition. If it is a block, then
1450         // verify that the last statement is either an implicit return (no `;`) or an explicit
1451         // return. This won't catch blocks with an explicit `return`, but that would be caught by
1452         // the dead code lint.
1453         if self.eat_keyword(kw::Else) || !cond.returns() {
1454             let sp = self.sess.source_map().next_point(lo);
1455             let mut err = self.diagnostic()
1456                 .struct_span_err(sp, "missing condition for `if` expression");
1457             err.span_label(sp, "expected if condition here");
1458             return Err(err)
1459         }
1460         let not_block = self.token != token::OpenDelim(token::Brace);
1461         let thn = self.parse_block().map_err(|mut err| {
1462             if not_block {
1463                 err.span_label(lo, "this `if` statement has a condition, but no block");
1464             }
1465             err
1466         })?;
1467         let mut els: Option<P<Expr>> = None;
1468         let mut hi = thn.span;
1469         if self.eat_keyword(kw::Else) {
1470             let elexpr = self.parse_else_expr()?;
1471             hi = elexpr.span;
1472             els = Some(elexpr);
1473         }
1474         Ok(self.mk_expr(lo.to(hi), ExprKind::If(cond, thn, els), attrs))
1475     }
1476
1477     /// Parses the condition of a `if` or `while` expression.
1478     fn parse_cond_expr(&mut self) -> PResult<'a, P<Expr>> {
1479         let cond = self.parse_expr_res(Restrictions::NO_STRUCT_LITERAL, None)?;
1480
1481         if let ExprKind::Let(..) = cond.kind {
1482             // Remove the last feature gating of a `let` expression since it's stable.
1483             self.sess.gated_spans.ungate_last(sym::let_chains, cond.span);
1484         }
1485
1486         Ok(cond)
1487     }
1488
1489     /// Parses a `let $pat = $expr` pseudo-expression.
1490     /// The `let` token has already been eaten.
1491     fn parse_let_expr(&mut self, attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
1492         let lo = self.prev_span;
1493         let pat = self.parse_top_pat(GateOr::No)?;
1494         self.expect(&token::Eq)?;
1495         let expr = self.with_res(
1496             Restrictions::NO_STRUCT_LITERAL,
1497             |this| this.parse_assoc_expr_with(1 + prec_let_scrutinee_needs_par(), None.into())
1498         )?;
1499         let span = lo.to(expr.span);
1500         self.sess.gated_spans.gate(sym::let_chains, span);
1501         Ok(self.mk_expr(span, ExprKind::Let(pat, expr), attrs))
1502     }
1503
1504     /// Parses an `else { ... }` expression (`else` token already eaten).
1505     fn parse_else_expr(&mut self) -> PResult<'a, P<Expr>> {
1506         if self.eat_keyword(kw::If) {
1507             return self.parse_if_expr(ThinVec::new());
1508         } else {
1509             let blk = self.parse_block()?;
1510             return Ok(self.mk_expr(blk.span, ExprKind::Block(blk, None), ThinVec::new()));
1511         }
1512     }
1513
1514     /// Parses a `for ... in` expression (`for` token already eaten).
1515     fn parse_for_expr(
1516         &mut self,
1517         opt_label: Option<Label>,
1518         span_lo: Span,
1519         mut attrs: ThinVec<Attribute>
1520     ) -> PResult<'a, P<Expr>> {
1521         // Parse: `for <src_pat> in <src_expr> <src_loop_block>`
1522
1523         // Record whether we are about to parse `for (`.
1524         // This is used below for recovery in case of `for ( $stuff ) $block`
1525         // in which case we will suggest `for $stuff $block`.
1526         let begin_paren = match self.token.kind {
1527             token::OpenDelim(token::Paren) => Some(self.token.span),
1528             _ => None,
1529         };
1530
1531         let pat = self.parse_top_pat(GateOr::Yes)?;
1532         if !self.eat_keyword(kw::In) {
1533             let in_span = self.prev_span.between(self.token.span);
1534             self.struct_span_err(in_span, "missing `in` in `for` loop")
1535                 .span_suggestion_short(
1536                     in_span,
1537                     "try adding `in` here", " in ".into(),
1538                     // has been misleading, at least in the past (closed Issue #48492)
1539                     Applicability::MaybeIncorrect
1540                 )
1541                 .emit();
1542         }
1543         let in_span = self.prev_span;
1544         self.check_for_for_in_in_typo(in_span);
1545         let expr = self.parse_expr_res(Restrictions::NO_STRUCT_LITERAL, None)?;
1546
1547         let pat = self.recover_parens_around_for_head(pat, &expr, begin_paren);
1548
1549         let (iattrs, loop_block) = self.parse_inner_attrs_and_block()?;
1550         attrs.extend(iattrs);
1551
1552         let hi = self.prev_span;
1553         Ok(self.mk_expr(span_lo.to(hi), ExprKind::ForLoop(pat, expr, loop_block, opt_label), attrs))
1554     }
1555
1556     /// Parses a `while` or `while let` expression (`while` token already eaten).
1557     fn parse_while_expr(
1558         &mut self,
1559         opt_label: Option<Label>,
1560         span_lo: Span,
1561         mut attrs: ThinVec<Attribute>
1562     ) -> PResult<'a, P<Expr>> {
1563         let cond = self.parse_cond_expr()?;
1564         let (iattrs, body) = self.parse_inner_attrs_and_block()?;
1565         attrs.extend(iattrs);
1566         let span = span_lo.to(body.span);
1567         Ok(self.mk_expr(span, ExprKind::While(cond, body, opt_label), attrs))
1568     }
1569
1570     /// Parses `loop { ... }` (`loop` token already eaten).
1571     fn parse_loop_expr(
1572         &mut self,
1573         opt_label: Option<Label>,
1574         span_lo: Span,
1575         mut attrs: ThinVec<Attribute>
1576     ) -> PResult<'a, P<Expr>> {
1577         let (iattrs, body) = self.parse_inner_attrs_and_block()?;
1578         attrs.extend(iattrs);
1579         let span = span_lo.to(body.span);
1580         Ok(self.mk_expr(span, ExprKind::Loop(body, opt_label), attrs))
1581     }
1582
1583     fn eat_label(&mut self) -> Option<Label> {
1584         if let Some(ident) = self.token.lifetime() {
1585             let span = self.token.span;
1586             self.bump();
1587             Some(Label { ident: Ident::new(ident.name, span) })
1588         } else {
1589             None
1590         }
1591     }
1592
1593     /// Parses a `match ... { ... }` expression (`match` token already eaten).
1594     fn parse_match_expr(&mut self, mut attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
1595         let match_span = self.prev_span;
1596         let lo = self.prev_span;
1597         let discriminant = self.parse_expr_res(Restrictions::NO_STRUCT_LITERAL, None)?;
1598         if let Err(mut e) = self.expect(&token::OpenDelim(token::Brace)) {
1599             if self.token == token::Semi {
1600                 e.span_suggestion_short(
1601                     match_span,
1602                     "try removing this `match`",
1603                     String::new(),
1604                     Applicability::MaybeIncorrect // speculative
1605                 );
1606             }
1607             return Err(e)
1608         }
1609         attrs.extend(self.parse_inner_attributes()?);
1610
1611         let mut arms: Vec<Arm> = Vec::new();
1612         while self.token != token::CloseDelim(token::Brace) {
1613             match self.parse_arm() {
1614                 Ok(arm) => arms.push(arm),
1615                 Err(mut e) => {
1616                     // Recover by skipping to the end of the block.
1617                     e.emit();
1618                     self.recover_stmt();
1619                     let span = lo.to(self.token.span);
1620                     if self.token == token::CloseDelim(token::Brace) {
1621                         self.bump();
1622                     }
1623                     return Ok(self.mk_expr(span, ExprKind::Match(discriminant, arms), attrs));
1624                 }
1625             }
1626         }
1627         let hi = self.token.span;
1628         self.bump();
1629         return Ok(self.mk_expr(lo.to(hi), ExprKind::Match(discriminant, arms), attrs));
1630     }
1631
1632     pub(super) fn parse_arm(&mut self) -> PResult<'a, Arm> {
1633         let attrs = self.parse_outer_attributes()?;
1634         let lo = self.token.span;
1635         let pat = self.parse_top_pat(GateOr::No)?;
1636         let guard = if self.eat_keyword(kw::If) {
1637             Some(self.parse_expr()?)
1638         } else {
1639             None
1640         };
1641         let arrow_span = self.token.span;
1642         self.expect(&token::FatArrow)?;
1643         let arm_start_span = self.token.span;
1644
1645         let expr = self.parse_expr_res(Restrictions::STMT_EXPR, None)
1646             .map_err(|mut err| {
1647                 err.span_label(arrow_span, "while parsing the `match` arm starting here");
1648                 err
1649             })?;
1650
1651         let require_comma = classify::expr_requires_semi_to_be_stmt(&expr)
1652             && self.token != token::CloseDelim(token::Brace);
1653
1654         let hi = self.token.span;
1655
1656         if require_comma {
1657             let cm = self.sess.source_map();
1658             self.expect_one_of(&[token::Comma], &[token::CloseDelim(token::Brace)])
1659                 .map_err(|mut err| {
1660                     match (cm.span_to_lines(expr.span), cm.span_to_lines(arm_start_span)) {
1661                         (Ok(ref expr_lines), Ok(ref arm_start_lines))
1662                         if arm_start_lines.lines[0].end_col == expr_lines.lines[0].end_col
1663                             && expr_lines.lines.len() == 2
1664                             && self.token == token::FatArrow => {
1665                             // We check whether there's any trailing code in the parse span,
1666                             // if there isn't, we very likely have the following:
1667                             //
1668                             // X |     &Y => "y"
1669                             //   |        --    - missing comma
1670                             //   |        |
1671                             //   |        arrow_span
1672                             // X |     &X => "x"
1673                             //   |      - ^^ self.token.span
1674                             //   |      |
1675                             //   |      parsed until here as `"y" & X`
1676                             err.span_suggestion_short(
1677                                 cm.next_point(arm_start_span),
1678                                 "missing a comma here to end this `match` arm",
1679                                 ",".to_owned(),
1680                                 Applicability::MachineApplicable
1681                             );
1682                         }
1683                         _ => {
1684                             err.span_label(arrow_span,
1685                                            "while parsing the `match` arm starting here");
1686                         }
1687                     }
1688                     err
1689                 })?;
1690         } else {
1691             self.eat(&token::Comma);
1692         }
1693
1694         Ok(ast::Arm {
1695             attrs,
1696             pat,
1697             guard,
1698             body: expr,
1699             span: lo.to(hi),
1700             id: DUMMY_NODE_ID,
1701             is_placeholder: false,
1702         })
1703     }
1704
1705     /// Parses a `try {...}` expression (`try` token already eaten).
1706     fn parse_try_block(
1707         &mut self,
1708         span_lo: Span,
1709         mut attrs: ThinVec<Attribute>
1710     ) -> PResult<'a, P<Expr>> {
1711         let (iattrs, body) = self.parse_inner_attrs_and_block()?;
1712         attrs.extend(iattrs);
1713         if self.eat_keyword(kw::Catch) {
1714             let mut error = self.struct_span_err(self.prev_span,
1715                                                  "keyword `catch` cannot follow a `try` block");
1716             error.help("try using `match` on the result of the `try` block instead");
1717             error.emit();
1718             Err(error)
1719         } else {
1720             let span = span_lo.to(body.span);
1721             self.sess.gated_spans.gate(sym::try_blocks, span);
1722             Ok(self.mk_expr(span, ExprKind::TryBlock(body), attrs))
1723         }
1724     }
1725
1726     fn is_do_catch_block(&self) -> bool {
1727         self.token.is_keyword(kw::Do) &&
1728         self.is_keyword_ahead(1, &[kw::Catch]) &&
1729         self.look_ahead(2, |t| *t == token::OpenDelim(token::Brace)) &&
1730         !self.restrictions.contains(Restrictions::NO_STRUCT_LITERAL)
1731     }
1732
1733     fn is_try_block(&self) -> bool {
1734         self.token.is_keyword(kw::Try) &&
1735         self.look_ahead(1, |t| *t == token::OpenDelim(token::Brace)) &&
1736         self.token.span.rust_2018() &&
1737         // Prevent `while try {} {}`, `if try {} {} else {}`, etc.
1738         !self.restrictions.contains(Restrictions::NO_STRUCT_LITERAL)
1739     }
1740
1741     /// Parses an `async move? {...}` expression.
1742     fn parse_async_block(&mut self, mut attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
1743         let span_lo = self.token.span;
1744         self.expect_keyword(kw::Async)?;
1745         let capture_clause = self.parse_capture_clause();
1746         let (iattrs, body) = self.parse_inner_attrs_and_block()?;
1747         attrs.extend(iattrs);
1748         Ok(self.mk_expr(
1749             span_lo.to(body.span),
1750             ExprKind::Async(capture_clause, DUMMY_NODE_ID, body), attrs))
1751     }
1752
1753     fn is_async_block(&self) -> bool {
1754         self.token.is_keyword(kw::Async) &&
1755         (
1756             ( // `async move {`
1757                 self.is_keyword_ahead(1, &[kw::Move]) &&
1758                 self.look_ahead(2, |t| *t == token::OpenDelim(token::Brace))
1759             ) || ( // `async {`
1760                 self.look_ahead(1, |t| *t == token::OpenDelim(token::Brace))
1761             )
1762         )
1763     }
1764
1765     fn maybe_parse_struct_expr(
1766         &mut self,
1767         lo: Span,
1768         path: &ast::Path,
1769         attrs: &ThinVec<Attribute>,
1770     ) -> Option<PResult<'a, P<Expr>>> {
1771         let struct_allowed = !self.restrictions.contains(Restrictions::NO_STRUCT_LITERAL);
1772         let certainly_not_a_block = || self.look_ahead(1, |t| t.is_ident()) && (
1773             // `{ ident, ` cannot start a block.
1774             self.look_ahead(2, |t| t == &token::Comma) ||
1775             self.look_ahead(2, |t| t == &token::Colon) && (
1776                 // `{ ident: token, ` cannot start a block.
1777                 self.look_ahead(4, |t| t == &token::Comma) ||
1778                 // `{ ident: ` cannot start a block unless it's a type ascription `ident: Type`.
1779                 self.look_ahead(3, |t| !t.can_begin_type())
1780             )
1781         );
1782
1783         if struct_allowed || certainly_not_a_block() {
1784             // This is a struct literal, but we don't can't accept them here.
1785             let expr = self.parse_struct_expr(lo, path.clone(), attrs.clone());
1786             if let (Ok(expr), false) = (&expr, struct_allowed) {
1787                 self.struct_span_err(
1788                     expr.span,
1789                     "struct literals are not allowed here",
1790                 )
1791                 .multipart_suggestion(
1792                     "surround the struct literal with parentheses",
1793                     vec![
1794                         (lo.shrink_to_lo(), "(".to_string()),
1795                         (expr.span.shrink_to_hi(), ")".to_string()),
1796                     ],
1797                     Applicability::MachineApplicable,
1798                 )
1799                 .emit();
1800             }
1801             return Some(expr);
1802         }
1803         None
1804     }
1805
1806     pub(super) fn parse_struct_expr(
1807         &mut self,
1808         lo: Span,
1809         pth: ast::Path,
1810         mut attrs: ThinVec<Attribute>
1811     ) -> PResult<'a, P<Expr>> {
1812         let struct_sp = lo.to(self.prev_span);
1813         self.bump();
1814         let mut fields = Vec::new();
1815         let mut base = None;
1816
1817         attrs.extend(self.parse_inner_attributes()?);
1818
1819         while self.token != token::CloseDelim(token::Brace) {
1820             if self.eat(&token::DotDot) {
1821                 let exp_span = self.prev_span;
1822                 match self.parse_expr() {
1823                     Ok(e) => {
1824                         base = Some(e);
1825                     }
1826                     Err(mut e) => {
1827                         e.emit();
1828                         self.recover_stmt();
1829                     }
1830                 }
1831                 if self.token == token::Comma {
1832                     self.struct_span_err(
1833                         exp_span.to(self.prev_span),
1834                         "cannot use a comma after the base struct",
1835                     )
1836                     .span_suggestion_short(
1837                         self.token.span,
1838                         "remove this comma",
1839                         String::new(),
1840                         Applicability::MachineApplicable
1841                     )
1842                     .note("the base struct must always be the last field")
1843                     .emit();
1844                     self.recover_stmt();
1845                 }
1846                 break;
1847             }
1848
1849             let mut recovery_field = None;
1850             if let token::Ident(name, _) = self.token.kind {
1851                 if !self.token.is_reserved_ident() && self.look_ahead(1, |t| *t == token::Colon) {
1852                     // Use in case of error after field-looking code: `S { foo: () with a }`.
1853                     recovery_field = Some(ast::Field {
1854                         ident: Ident::new(name, self.token.span),
1855                         span: self.token.span,
1856                         expr: self.mk_expr(self.token.span, ExprKind::Err, ThinVec::new()),
1857                         is_shorthand: false,
1858                         attrs: ThinVec::new(),
1859                         id: DUMMY_NODE_ID,
1860                         is_placeholder: false,
1861                     });
1862                 }
1863             }
1864             let mut parsed_field = None;
1865             match self.parse_field() {
1866                 Ok(f) => parsed_field = Some(f),
1867                 Err(mut e) => {
1868                     e.span_label(struct_sp, "while parsing this struct");
1869                     e.emit();
1870
1871                     // If the next token is a comma, then try to parse
1872                     // what comes next as additional fields, rather than
1873                     // bailing out until next `}`.
1874                     if self.token != token::Comma {
1875                         self.recover_stmt_(SemiColonMode::Comma, BlockMode::Ignore);
1876                         if self.token != token::Comma {
1877                             break;
1878                         }
1879                     }
1880                 }
1881             }
1882
1883             match self.expect_one_of(&[token::Comma],
1884                                      &[token::CloseDelim(token::Brace)]) {
1885                 Ok(_) => if let Some(f) = parsed_field.or(recovery_field) {
1886                     // Only include the field if there's no parse error for the field name.
1887                     fields.push(f);
1888                 }
1889                 Err(mut e) => {
1890                     if let Some(f) = recovery_field {
1891                         fields.push(f);
1892                     }
1893                     e.span_label(struct_sp, "while parsing this struct");
1894                     e.emit();
1895                     self.recover_stmt_(SemiColonMode::Comma, BlockMode::Ignore);
1896                     self.eat(&token::Comma);
1897                 }
1898             }
1899         }
1900
1901         let span = lo.to(self.token.span);
1902         self.expect(&token::CloseDelim(token::Brace))?;
1903         return Ok(self.mk_expr(span, ExprKind::Struct(pth, fields, base), attrs));
1904     }
1905
1906     /// Parses `ident (COLON expr)?`.
1907     fn parse_field(&mut self) -> PResult<'a, Field> {
1908         let attrs = self.parse_outer_attributes()?;
1909         let lo = self.token.span;
1910
1911         // Check if a colon exists one ahead. This means we're parsing a fieldname.
1912         let (fieldname, expr, is_shorthand) = if self.look_ahead(1, |t| {
1913             t == &token::Colon || t == &token::Eq
1914         }) {
1915             let fieldname = self.parse_field_name()?;
1916
1917             // Check for an equals token. This means the source incorrectly attempts to
1918             // initialize a field with an eq rather than a colon.
1919             if self.token == token::Eq {
1920                 self.diagnostic()
1921                     .struct_span_err(self.token.span, "expected `:`, found `=`")
1922                     .span_suggestion(
1923                         fieldname.span.shrink_to_hi().to(self.token.span),
1924                         "replace equals symbol with a colon",
1925                         ":".to_string(),
1926                         Applicability::MachineApplicable,
1927                     )
1928                     .emit();
1929             }
1930             self.bump(); // `:`
1931             (fieldname, self.parse_expr()?, false)
1932         } else {
1933             let fieldname = self.parse_ident_common(false)?;
1934
1935             // Mimic `x: x` for the `x` field shorthand.
1936             let path = ast::Path::from_ident(fieldname);
1937             let expr = self.mk_expr(fieldname.span, ExprKind::Path(None, path), ThinVec::new());
1938             (fieldname, expr, true)
1939         };
1940         Ok(ast::Field {
1941             ident: fieldname,
1942             span: lo.to(expr.span),
1943             expr,
1944             is_shorthand,
1945             attrs: attrs.into(),
1946             id: DUMMY_NODE_ID,
1947             is_placeholder: false,
1948         })
1949     }
1950
1951     fn err_dotdotdot_syntax(&self, span: Span) {
1952         self.struct_span_err(span, "unexpected token: `...`")
1953             .span_suggestion(
1954                 span,
1955                 "use `..` for an exclusive range", "..".to_owned(),
1956                 Applicability::MaybeIncorrect
1957             )
1958             .span_suggestion(
1959                 span,
1960                 "or `..=` for an inclusive range", "..=".to_owned(),
1961                 Applicability::MaybeIncorrect
1962             )
1963             .emit();
1964     }
1965
1966     fn err_larrow_operator(&self, span: Span) {
1967         self.struct_span_err(
1968             span,
1969             "unexpected token: `<-`"
1970         ).span_suggestion(
1971             span,
1972             "if you meant to write a comparison against a negative value, add a \
1973              space in between `<` and `-`",
1974             "< -".to_string(),
1975             Applicability::MaybeIncorrect
1976         ).emit();
1977     }
1978
1979     fn mk_assign_op(&self, binop: BinOp, lhs: P<Expr>, rhs: P<Expr>) -> ExprKind {
1980         ExprKind::AssignOp(binop, lhs, rhs)
1981     }
1982
1983     fn mk_range(
1984         &self,
1985         start: Option<P<Expr>>,
1986         end: Option<P<Expr>>,
1987         limits: RangeLimits
1988     ) -> PResult<'a, ExprKind> {
1989         if end.is_none() && limits == RangeLimits::Closed {
1990             Err(self.span_fatal_err(self.token.span, Error::InclusiveRangeWithNoEnd))
1991         } else {
1992             Ok(ExprKind::Range(start, end, limits))
1993         }
1994     }
1995
1996     fn mk_unary(&self, unop: UnOp, expr: P<Expr>) -> ExprKind {
1997         ExprKind::Unary(unop, expr)
1998     }
1999
2000     fn mk_binary(&self, binop: BinOp, lhs: P<Expr>, rhs: P<Expr>) -> ExprKind {
2001         ExprKind::Binary(binop, lhs, rhs)
2002     }
2003
2004     fn mk_index(&self, expr: P<Expr>, idx: P<Expr>) -> ExprKind {
2005         ExprKind::Index(expr, idx)
2006     }
2007
2008     fn mk_call(&self, f: P<Expr>, args: Vec<P<Expr>>) -> ExprKind {
2009         ExprKind::Call(f, args)
2010     }
2011
2012     fn mk_await_expr(&mut self, self_arg: P<Expr>, lo: Span) -> PResult<'a, P<Expr>> {
2013         let span = lo.to(self.prev_span);
2014         let await_expr = self.mk_expr(span, ExprKind::Await(self_arg), ThinVec::new());
2015         self.recover_from_await_method_call();
2016         Ok(await_expr)
2017     }
2018
2019     crate fn mk_expr(&self, span: Span, kind: ExprKind, attrs: ThinVec<Attribute>) -> P<Expr> {
2020         P(Expr { kind, span, attrs, id: DUMMY_NODE_ID })
2021     }
2022
2023     pub(super) fn mk_expr_err(&self, span: Span) -> P<Expr> {
2024         self.mk_expr(span, ExprKind::Err, ThinVec::new())
2025     }
2026 }