]> git.lizzy.rs Git - rust.git/blob - src/libsyntax/parse/parser/pat.rs
extract parse_pat_range_starting_with_lit
[rust.git] / src / libsyntax / parse / parser / pat.rs
1 use super::{Parser, PResult, PathStyle};
2
3 use crate::{maybe_recover_from_interpolated_ty_qpath, maybe_whole};
4 use crate::ptr::P;
5 use crate::ast::{self, Attribute, Pat, PatKind, FieldPat, RangeEnd, RangeSyntax, Mac_};
6 use crate::ast::{BindingMode, Ident, Mutability, Path, QSelf, Expr, ExprKind};
7 use crate::parse::token::{self};
8 use crate::print::pprust;
9 use crate::source_map::{respan, Span, Spanned};
10 use crate::symbol::kw;
11 use crate::ThinVec;
12
13 use errors::{Applicability, DiagnosticBuilder};
14
15 impl<'a> Parser<'a> {
16     /// Parses a pattern.
17     pub fn parse_pat(&mut self, expected: Option<&'static str>) -> PResult<'a, P<Pat>> {
18         self.parse_pat_with_range_pat(true, expected)
19     }
20
21     /// Parses patterns, separated by '|' s.
22     pub(super) fn parse_pats(&mut self) -> PResult<'a, Vec<P<Pat>>> {
23         // Allow a '|' before the pats (RFC 1925 + RFC 2530)
24         self.eat(&token::BinOp(token::Or));
25
26         let mut pats = Vec::new();
27         loop {
28             pats.push(self.parse_top_level_pat()?);
29
30             if self.token == token::OrOr {
31                 self.struct_span_err(self.token.span, "unexpected token `||` after pattern")
32                     .span_suggestion(
33                         self.token.span,
34                         "use a single `|` to specify multiple patterns",
35                         "|".to_owned(),
36                         Applicability::MachineApplicable
37                     )
38                     .emit();
39                 self.bump();
40             } else if self.eat(&token::BinOp(token::Or)) {
41                 // This is a No-op. Continue the loop to parse the next
42                 // pattern.
43             } else {
44                 return Ok(pats);
45             }
46         };
47     }
48
49     /// A wrapper around `parse_pat` with some special error handling for the
50     /// "top-level" patterns in a match arm, `for` loop, `let`, &c. (in contrast
51     /// to subpatterns within such).
52     pub(super) fn parse_top_level_pat(&mut self) -> PResult<'a, P<Pat>> {
53         let pat = self.parse_pat(None)?;
54         if self.token == token::Comma {
55             // An unexpected comma after a top-level pattern is a clue that the
56             // user (perhaps more accustomed to some other language) forgot the
57             // parentheses in what should have been a tuple pattern; return a
58             // suggestion-enhanced error here rather than choking on the comma
59             // later.
60             let comma_span = self.token.span;
61             self.bump();
62             if let Err(mut err) = self.skip_pat_list() {
63                 // We didn't expect this to work anyway; we just wanted
64                 // to advance to the end of the comma-sequence so we know
65                 // the span to suggest parenthesizing
66                 err.cancel();
67             }
68             let seq_span = pat.span.to(self.prev_span);
69             let mut err = self.struct_span_err(comma_span, "unexpected `,` in pattern");
70             if let Ok(seq_snippet) = self.span_to_snippet(seq_span) {
71                 err.span_suggestion(
72                     seq_span,
73                     "try adding parentheses to match on a tuple..",
74                     format!("({})", seq_snippet),
75                     Applicability::MachineApplicable
76                 ).span_suggestion(
77                     seq_span,
78                     "..or a vertical bar to match on multiple alternatives",
79                     format!("{}", seq_snippet.replace(",", " |")),
80                     Applicability::MachineApplicable
81                 );
82             }
83             return Err(err);
84         }
85         Ok(pat)
86     }
87
88     /// Parse and throw away a parentesized comma separated
89     /// sequence of patterns until `)` is reached.
90     fn skip_pat_list(&mut self) -> PResult<'a, ()> {
91         while !self.check(&token::CloseDelim(token::Paren)) {
92             self.parse_pat(None)?;
93             if !self.eat(&token::Comma) {
94                 return Ok(())
95             }
96         }
97         Ok(())
98     }
99
100     /// Parses a pattern, with a setting whether modern range patterns (e.g., `a..=b`, `a..b` are
101     /// allowed).
102     fn parse_pat_with_range_pat(
103         &mut self,
104         allow_range_pat: bool,
105         expected: Option<&'static str>,
106     ) -> PResult<'a, P<Pat>> {
107         maybe_recover_from_interpolated_ty_qpath!(self, true);
108         maybe_whole!(self, NtPat, |x| x);
109
110         let lo = self.token.span;
111         let pat = match self.token.kind {
112             token::BinOp(token::And) | token::AndAnd => self.parse_pat_deref(expected)?,
113             token::OpenDelim(token::Paren) => self.parse_pat_tuple_or_parens()?,
114             token::OpenDelim(token::Bracket) => {
115                 // Parse `[pat, pat,...]` as a slice pattern.
116                 PatKind::Slice(self.parse_delim_comma_seq(token::Bracket, |p| p.parse_pat(None))?.0)
117             }
118             token::DotDot => {
119                 self.bump();
120                 if self.is_pat_range_end_start() {
121                     // Parse `..42` for recovery.
122                     self.parse_pat_range_to(RangeEnd::Excluded, "..")?
123                 } else {
124                     // A rest pattern `..`.
125                     PatKind::Rest
126                 }
127             }
128             token::DotDotEq => {
129                 // Parse `..=42` for recovery.
130                 self.bump();
131                 self.parse_pat_range_to(RangeEnd::Included(RangeSyntax::DotDotEq), "..=")?
132             }
133             token::DotDotDot => {
134                 // Parse `...42` for recovery.
135                 self.bump();
136                 self.parse_pat_range_to(RangeEnd::Included(RangeSyntax::DotDotDot), "...")?
137             }
138             // At this point, token != &, &&, (, [
139             _ => if self.eat_keyword(kw::Underscore) {
140                 // Parse _
141                 PatKind::Wild
142             } else if self.eat_keyword(kw::Mut) {
143                 self.recover_pat_ident_mut_first()?
144             } else if self.eat_keyword(kw::Ref) {
145                 // Parse ref ident @ pat / ref mut ident @ pat
146                 let mutbl = self.parse_mutability();
147                 self.parse_pat_ident(BindingMode::ByRef(mutbl))?
148             } else if self.eat_keyword(kw::Box) {
149                 // Parse `box pat`
150                 PatKind::Box(self.parse_pat_with_range_pat(false, None)?)
151             } else if self.token.is_ident() && !self.token.is_reserved_ident() &&
152                       self.parse_as_ident() {
153                 // Parse `ident @ pat`
154                 // This can give false positives and parse nullary enums,
155                 // they are dealt with later in resolve.
156                 self.parse_pat_ident(BindingMode::ByValue(Mutability::Immutable))?
157             } else if self.token.is_path_start() {
158                 // Parse pattern starting with a path
159                 let (qself, path) = if self.eat_lt() {
160                     // Parse a qualified path
161                     let (qself, path) = self.parse_qpath(PathStyle::Expr)?;
162                     (Some(qself), path)
163                 } else {
164                     // Parse an unqualified path
165                     (None, self.parse_path(PathStyle::Expr)?)
166                 };
167                 match self.token.kind {
168                     token::Not if qself.is_none() => self.parse_pat_mac_invoc(lo, path)?,
169                     token::DotDotDot | token::DotDotEq | token::DotDot => {
170                         self.parse_pat_range_starting_with_path(lo, qself, path)?
171                     }
172                     token::OpenDelim(token::Brace) => {
173                         if qself.is_some() {
174                             let msg = "unexpected `{` after qualified path";
175                             let mut err = self.fatal(msg);
176                             err.span_label(self.token.span, msg);
177                             return Err(err);
178                         }
179                         // Parse struct pattern
180                         self.bump();
181                         let (fields, etc) = self.parse_pat_fields().unwrap_or_else(|mut e| {
182                             e.emit();
183                             self.recover_stmt();
184                             (vec![], true)
185                         });
186                         self.bump();
187                         PatKind::Struct(path, fields, etc)
188                     }
189                     token::OpenDelim(token::Paren) => {
190                         if qself.is_some() {
191                             let msg = "unexpected `(` after qualified path";
192                             let mut err = self.fatal(msg);
193                             err.span_label(self.token.span, msg);
194                             return Err(err);
195                         }
196                         // Parse tuple struct or enum pattern
197                         let (fields, _) = self.parse_paren_comma_seq(|p| p.parse_pat(None))?;
198                         PatKind::TupleStruct(path, fields)
199                     }
200                     _ => PatKind::Path(qself, path),
201                 }
202             } else {
203                 // Try to parse everything else as literal with optional minus
204                 match self.parse_literal_maybe_minus() {
205                     Ok(begin) if self.check(&token::DotDot) || self.check(&token::DotDotEq)
206                         || self.check(&token::DotDotDot)
207                         => self.parse_pat_range_starting_with_lit(begin)?,
208                     Ok(begin) => PatKind::Lit(begin),
209                     Err(mut err) => {
210                         self.cancel(&mut err);
211                         let expected = expected.unwrap_or("pattern");
212                         let msg = format!(
213                             "expected {}, found {}",
214                             expected,
215                             self.this_token_descr(),
216                         );
217                         let mut err = self.fatal(&msg);
218                         err.span_label(self.token.span, format!("expected {}", expected));
219                         let sp = self.sess.source_map().start_point(self.token.span);
220                         if let Some(sp) = self.sess.ambiguous_block_expr_parse.borrow().get(&sp) {
221                             self.sess.expr_parentheses_needed(&mut err, *sp, None);
222                         }
223                         return Err(err);
224                     }
225                 }
226             }
227         };
228
229         let pat = self.mk_pat(lo.to(self.prev_span), pat);
230         let pat = self.maybe_recover_from_bad_qpath(pat, true)?;
231
232         if !allow_range_pat {
233             self.ban_pat_range_if_ambiguous(&pat)?
234         }
235
236         Ok(pat)
237     }
238
239     /// Ban a range pattern if it has an ambiguous interpretation.
240     fn ban_pat_range_if_ambiguous(&self, pat: &Pat) -> PResult<'a, ()> {
241         match pat.node {
242             PatKind::Range(
243                 .., Spanned { node: RangeEnd::Included(RangeSyntax::DotDotDot), .. }
244             ) => return Ok(()),
245             PatKind::Range(..) => {}
246             _ => return Ok(()),
247         }
248
249         let mut err = self.struct_span_err(
250             pat.span,
251             "the range pattern here has ambiguous interpretation",
252         );
253         err.span_suggestion(
254             pat.span,
255             "add parentheses to clarify the precedence",
256             format!("({})", pprust::pat_to_string(&pat)),
257             // "ambiguous interpretation" implies that we have to be guessing
258             Applicability::MaybeIncorrect
259         );
260         Err(err)
261     }
262
263     /// Parse `&pat` / `&mut pat`.
264     fn parse_pat_deref(&mut self, expected: Option<&'static str>) -> PResult<'a, PatKind> {
265         self.expect_and()?;
266         let mutbl = self.parse_mutability();
267
268         if let token::Lifetime(name) = self.token.kind {
269             let mut err = self.fatal(&format!("unexpected lifetime `{}` in pattern", name));
270             err.span_label(self.token.span, "unexpected lifetime");
271             return Err(err);
272         }
273
274         let subpat = self.parse_pat_with_range_pat(false, expected)?;
275         Ok(PatKind::Ref(subpat, mutbl))
276     }
277
278     /// Parse a tuple or parenthesis pattern.
279     fn parse_pat_tuple_or_parens(&mut self) -> PResult<'a, PatKind> {
280         let (fields, trailing_comma) = self.parse_paren_comma_seq(|p| p.parse_pat(None))?;
281
282         // Here, `(pat,)` is a tuple pattern.
283         // For backward compatibility, `(..)` is a tuple pattern as well.
284         Ok(if fields.len() == 1 && !(trailing_comma || fields[0].is_rest()) {
285             PatKind::Paren(fields.into_iter().nth(0).unwrap())
286         } else {
287             PatKind::Tuple(fields)
288         })
289     }
290
291     /// Recover on `mut ref? ident @ pat` and suggest
292     /// that the order of `mut` and `ref` is incorrect.
293     fn recover_pat_ident_mut_first(&mut self) -> PResult<'a, PatKind> {
294         let mutref_span = self.prev_span.to(self.token.span);
295         let binding_mode = if self.eat_keyword(kw::Ref) {
296             self.struct_span_err(mutref_span, "the order of `mut` and `ref` is incorrect")
297                 .span_suggestion(
298                     mutref_span,
299                     "try switching the order",
300                     "ref mut".into(),
301                     Applicability::MachineApplicable
302                 )
303                 .emit();
304             BindingMode::ByRef(Mutability::Mutable)
305         } else {
306             BindingMode::ByValue(Mutability::Mutable)
307         };
308         self.parse_pat_ident(binding_mode)
309     }
310
311     /// Parse macro invocation
312     fn parse_pat_mac_invoc(&mut self, lo: Span, path: Path) -> PResult<'a, PatKind> {
313         self.bump();
314         let (delim, tts) = self.expect_delimited_token_tree()?;
315         let mac = respan(lo.to(self.prev_span), Mac_ {
316             path,
317             tts,
318             delim,
319             prior_type_ascription: self.last_type_ascription,
320         });
321         Ok(PatKind::Mac(mac))
322     }
323
324     /// Parse a range pattern `$path $form $end?` where `$form = ".." | "..." | "..=" ;`.
325     /// The `$path` has already been parsed and the next token is the `$form`.
326     fn parse_pat_range_starting_with_path(
327         &mut self,
328         lo: Span,
329         qself: Option<QSelf>,
330         path: Path
331     ) -> PResult<'a, PatKind> {
332         let (end_kind, form) = match self.token.kind {
333             token::DotDot => (RangeEnd::Excluded, ".."),
334             token::DotDotDot => (RangeEnd::Included(RangeSyntax::DotDotDot), "..."),
335             token::DotDotEq => (RangeEnd::Included(RangeSyntax::DotDotEq), "..="),
336             _ => panic!("can only parse `..`/`...`/`..=` for ranges (checked above)"),
337         };
338         let op_span = self.token.span;
339         // Parse range
340         let span = lo.to(self.prev_span);
341         let begin = self.mk_expr(span, ExprKind::Path(qself, path), ThinVec::new());
342         self.bump();
343         let end = self.parse_pat_range_end_opt(&begin, form)?;
344         Ok(PatKind::Range(begin, end, respan(op_span, end_kind)))
345     }
346
347     /// Parse a range pattern `$literal $form $end?` where `$form = ".." | "..." | "..=" ;`.
348     /// The `$path` has already been parsed and the next token is the `$form`.
349     fn parse_pat_range_starting_with_lit(&mut self, begin: P<Expr>) -> PResult<'a, PatKind> {
350         let op_span = self.token.span;
351         let (end_kind, form) = if self.eat(&token::DotDotDot) {
352             (RangeEnd::Included(RangeSyntax::DotDotDot), "...")
353         } else if self.eat(&token::DotDotEq) {
354             (RangeEnd::Included(RangeSyntax::DotDotEq), "..=")
355         } else if self.eat(&token::DotDot) {
356             (RangeEnd::Excluded, "..")
357         } else {
358             panic!("impossible case: we already matched on a range-operator token")
359         };
360         let end = self.parse_pat_range_end_opt(&begin, form)?;
361         Ok(PatKind::Range(begin, end, respan(op_span, end_kind)))
362     }
363
364     // Helper function to decide whether to parse as ident binding
365     // or to try to do something more complex like range patterns.
366     fn parse_as_ident(&mut self) -> bool {
367         self.look_ahead(1, |t| match t.kind {
368             token::OpenDelim(token::Paren) | token::OpenDelim(token::Brace) |
369             token::DotDotDot | token::DotDotEq | token::DotDot |
370             token::ModSep | token::Not => false,
371             _ => true,
372         })
373     }
374
375     /// Is the current token suitable as the start of a range patterns end?
376     fn is_pat_range_end_start(&self) -> bool {
377         self.token.is_path_start() // e.g. `MY_CONST`;
378             || self.token == token::Dot // e.g. `.5` for recovery;
379             || self.token.can_begin_literal_or_bool() // e.g. `42`.
380             || self.token.is_whole_expr()
381     }
382
383     /// Parse a range-to pattern, e.g. `..X` and `..=X` for recovery.
384     fn parse_pat_range_to(&mut self, re: RangeEnd, form: &str) -> PResult<'a, PatKind> {
385         let lo = self.prev_span;
386         let end = self.parse_pat_range_end()?;
387         let range_span = lo.to(end.span);
388         let begin = self.mk_expr(range_span, ExprKind::Err, ThinVec::new());
389
390         self.diagnostic()
391             .struct_span_err(range_span, &format!("`{}X` range patterns are not supported", form))
392             .span_suggestion(
393                 range_span,
394                 "try using the minimum value for the type",
395                 format!("MIN{}{}", form, pprust::expr_to_string(&end)),
396                 Applicability::HasPlaceholders,
397             )
398             .emit();
399
400         Ok(PatKind::Range(begin, end, respan(lo, re)))
401     }
402
403     /// Parse the end of a `X..Y`, `X..=Y`, or `X...Y` range pattern  or recover
404     /// if that end is missing treating it as `X..`, `X..=`, or `X...` respectively.
405     fn parse_pat_range_end_opt(&mut self, begin: &Expr, form: &str) -> PResult<'a, P<Expr>> {
406         if self.is_pat_range_end_start() {
407             // Parsing e.g. `X..=Y`.
408             self.parse_pat_range_end()
409         } else {
410             // Parsing e.g. `X..`.
411             let range_span = begin.span.to(self.prev_span);
412
413             self.diagnostic()
414                 .struct_span_err(
415                     range_span,
416                     &format!("`X{}` range patterns are not supported", form),
417                 )
418                 .span_suggestion(
419                     range_span,
420                     "try using the maximum value for the type",
421                     format!("{}{}MAX", pprust::expr_to_string(&begin), form),
422                     Applicability::HasPlaceholders,
423                 )
424                 .emit();
425
426             Ok(self.mk_expr(range_span, ExprKind::Err, ThinVec::new()))
427         }
428     }
429
430     fn parse_pat_range_end(&mut self) -> PResult<'a, P<Expr>> {
431         if self.token.is_path_start() {
432             let lo = self.token.span;
433             let (qself, path) = if self.eat_lt() {
434                 // Parse a qualified path
435                 let (qself, path) = self.parse_qpath(PathStyle::Expr)?;
436                 (Some(qself), path)
437             } else {
438                 // Parse an unqualified path
439                 (None, self.parse_path(PathStyle::Expr)?)
440             };
441             let hi = self.prev_span;
442             Ok(self.mk_expr(lo.to(hi), ExprKind::Path(qself, path), ThinVec::new()))
443         } else {
444             self.parse_literal_maybe_minus()
445         }
446     }
447
448     /// Parses `ident` or `ident @ pat`.
449     /// used by the copy foo and ref foo patterns to give a good
450     /// error message when parsing mistakes like `ref foo(a, b)`.
451     fn parse_pat_ident(&mut self,
452                        binding_mode: ast::BindingMode)
453                        -> PResult<'a, PatKind> {
454         let ident = self.parse_ident()?;
455         let sub = if self.eat(&token::At) {
456             Some(self.parse_pat(Some("binding pattern"))?)
457         } else {
458             None
459         };
460
461         // just to be friendly, if they write something like
462         //   ref Some(i)
463         // we end up here with ( as the current token.  This shortly
464         // leads to a parse error.  Note that if there is no explicit
465         // binding mode then we do not end up here, because the lookahead
466         // will direct us over to parse_enum_variant()
467         if self.token == token::OpenDelim(token::Paren) {
468             return Err(self.span_fatal(
469                 self.prev_span,
470                 "expected identifier, found enum pattern"))
471         }
472
473         Ok(PatKind::Ident(binding_mode, ident, sub))
474     }
475
476     /// Parses the fields of a struct-like pattern.
477     fn parse_pat_fields(&mut self) -> PResult<'a, (Vec<Spanned<FieldPat>>, bool)> {
478         let mut fields = Vec::new();
479         let mut etc = false;
480         let mut ate_comma = true;
481         let mut delayed_err: Option<DiagnosticBuilder<'a>> = None;
482         let mut etc_span = None;
483
484         while self.token != token::CloseDelim(token::Brace) {
485             let attrs = match self.parse_outer_attributes() {
486                 Ok(attrs) => attrs,
487                 Err(err) => {
488                     if let Some(mut delayed) = delayed_err {
489                         delayed.emit();
490                     }
491                     return Err(err);
492                 },
493             };
494             let lo = self.token.span;
495
496             // check that a comma comes after every field
497             if !ate_comma {
498                 let err = self.struct_span_err(self.prev_span, "expected `,`");
499                 if let Some(mut delayed) = delayed_err {
500                     delayed.emit();
501                 }
502                 return Err(err);
503             }
504             ate_comma = false;
505
506             if self.check(&token::DotDot) || self.token == token::DotDotDot {
507                 etc = true;
508                 let mut etc_sp = self.token.span;
509
510                 if self.token == token::DotDotDot { // Issue #46718
511                     // Accept `...` as if it were `..` to avoid further errors
512                     self.struct_span_err(self.token.span, "expected field pattern, found `...`")
513                         .span_suggestion(
514                             self.token.span,
515                             "to omit remaining fields, use one fewer `.`",
516                             "..".to_owned(),
517                             Applicability::MachineApplicable
518                         )
519                         .emit();
520                 }
521                 self.bump();  // `..` || `...`
522
523                 if self.token == token::CloseDelim(token::Brace) {
524                     etc_span = Some(etc_sp);
525                     break;
526                 }
527                 let token_str = self.this_token_descr();
528                 let mut err = self.fatal(&format!("expected `}}`, found {}", token_str));
529
530                 err.span_label(self.token.span, "expected `}`");
531                 let mut comma_sp = None;
532                 if self.token == token::Comma { // Issue #49257
533                     let nw_span = self.sess.source_map().span_until_non_whitespace(self.token.span);
534                     etc_sp = etc_sp.to(nw_span);
535                     err.span_label(etc_sp,
536                                    "`..` must be at the end and cannot have a trailing comma");
537                     comma_sp = Some(self.token.span);
538                     self.bump();
539                     ate_comma = true;
540                 }
541
542                 etc_span = Some(etc_sp.until(self.token.span));
543                 if self.token == token::CloseDelim(token::Brace) {
544                     // If the struct looks otherwise well formed, recover and continue.
545                     if let Some(sp) = comma_sp {
546                         err.span_suggestion_short(
547                             sp,
548                             "remove this comma",
549                             String::new(),
550                             Applicability::MachineApplicable,
551                         );
552                     }
553                     err.emit();
554                     break;
555                 } else if self.token.is_ident() && ate_comma {
556                     // Accept fields coming after `..,`.
557                     // This way we avoid "pattern missing fields" errors afterwards.
558                     // We delay this error until the end in order to have a span for a
559                     // suggested fix.
560                     if let Some(mut delayed_err) = delayed_err {
561                         delayed_err.emit();
562                         return Err(err);
563                     } else {
564                         delayed_err = Some(err);
565                     }
566                 } else {
567                     if let Some(mut err) = delayed_err {
568                         err.emit();
569                     }
570                     return Err(err);
571                 }
572             }
573
574             fields.push(match self.parse_pat_field(lo, attrs) {
575                 Ok(field) => field,
576                 Err(err) => {
577                     if let Some(mut delayed_err) = delayed_err {
578                         delayed_err.emit();
579                     }
580                     return Err(err);
581                 }
582             });
583             ate_comma = self.eat(&token::Comma);
584         }
585
586         if let Some(mut err) = delayed_err {
587             if let Some(etc_span) = etc_span {
588                 err.multipart_suggestion(
589                     "move the `..` to the end of the field list",
590                     vec![
591                         (etc_span, String::new()),
592                         (self.token.span, format!("{}.. }}", if ate_comma { "" } else { ", " })),
593                     ],
594                     Applicability::MachineApplicable,
595                 );
596             }
597             err.emit();
598         }
599         return Ok((fields, etc));
600     }
601
602     fn parse_pat_field(
603         &mut self,
604         lo: Span,
605         attrs: Vec<Attribute>
606     ) -> PResult<'a, Spanned<FieldPat>> {
607         // Check if a colon exists one ahead. This means we're parsing a fieldname.
608         let hi;
609         let (subpat, fieldname, is_shorthand) = if self.look_ahead(1, |t| t == &token::Colon) {
610             // Parsing a pattern of the form "fieldname: pat"
611             let fieldname = self.parse_field_name()?;
612             self.bump();
613             let pat = self.parse_pat(None)?;
614             hi = pat.span;
615             (pat, fieldname, false)
616         } else {
617             // Parsing a pattern of the form "(box) (ref) (mut) fieldname"
618             let is_box = self.eat_keyword(kw::Box);
619             let boxed_span = self.token.span;
620             let is_ref = self.eat_keyword(kw::Ref);
621             let is_mut = self.eat_keyword(kw::Mut);
622             let fieldname = self.parse_ident()?;
623             hi = self.prev_span;
624
625             let bind_type = match (is_ref, is_mut) {
626                 (true, true) => BindingMode::ByRef(Mutability::Mutable),
627                 (true, false) => BindingMode::ByRef(Mutability::Immutable),
628                 (false, true) => BindingMode::ByValue(Mutability::Mutable),
629                 (false, false) => BindingMode::ByValue(Mutability::Immutable),
630             };
631
632             let fieldpat = self.mk_pat_ident(boxed_span.to(hi), bind_type, fieldname);
633             let subpat = if is_box {
634                 self.mk_pat(lo.to(hi), PatKind::Box(fieldpat))
635             } else {
636                 fieldpat
637             };
638             (subpat, fieldname, true)
639         };
640
641         Ok(Spanned {
642             span: lo.to(hi),
643             node: FieldPat {
644                 ident: fieldname,
645                 pat: subpat,
646                 is_shorthand,
647                 attrs: attrs.into(),
648            }
649         })
650     }
651
652     pub(super) fn mk_pat_ident(&self, span: Span, bm: BindingMode, ident: Ident) -> P<Pat> {
653         self.mk_pat(span, PatKind::Ident(bm, ident, None))
654     }
655
656     fn mk_pat(&self, span: Span, node: PatKind) -> P<Pat> {
657         P(Pat { node, span, id: ast::DUMMY_NODE_ID })
658     }
659 }