]> git.lizzy.rs Git - rust.git/blob - src/librustc_typeck/check/_match.rs
mk: The beta channel produces things called 'beta'
[rust.git] / src / librustc_typeck / check / _match.rs
1 // Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 use middle::def;
12 use middle::infer;
13 use middle::pat_util::{PatIdMap, pat_id_map, pat_is_binding, pat_is_const};
14 use middle::subst::{Substs};
15 use middle::ty::{self, Ty};
16 use check::{check_expr, check_expr_has_type, check_expr_with_expectation};
17 use check::{check_expr_coercable_to_type, demand, FnCtxt, Expectation};
18 use check::{instantiate_path, structurally_resolved_type, valid_range_bounds};
19 use require_same_types;
20 use util::nodemap::FnvHashMap;
21 use util::ppaux::Repr;
22
23 use std::cmp;
24 use std::collections::hash_map::Entry::{Occupied, Vacant};
25 use syntax::ast;
26 use syntax::ast_util;
27 use syntax::codemap::{Span, Spanned};
28 use syntax::parse::token;
29 use syntax::print::pprust;
30 use syntax::ptr::P;
31
32 pub fn check_pat<'a, 'tcx>(pcx: &pat_ctxt<'a, 'tcx>,
33                            pat: &ast::Pat,
34                            expected: Ty<'tcx>)
35 {
36     let fcx = pcx.fcx;
37     let tcx = pcx.fcx.ccx.tcx;
38
39     debug!("check_pat(pat={},expected={})",
40            pat.repr(tcx),
41            expected.repr(tcx));
42
43     match pat.node {
44         ast::PatWild(_) => {
45             fcx.write_ty(pat.id, expected);
46         }
47         ast::PatLit(ref lt) => {
48             check_expr(fcx, &**lt);
49             let expr_ty = fcx.expr_ty(&**lt);
50             fcx.write_ty(pat.id, expr_ty);
51
52             // somewhat surprising: in this case, the subtyping
53             // relation goes the opposite way as the other
54             // cases. Actually what we really want is not a subtyping
55             // relation at all but rather that there exists a LUB (so
56             // that they can be compared). However, in practice,
57             // constants are always scalars or strings.  For scalars
58             // subtyping is irrelevant, and for strings `expr_ty` is
59             // type is `&'static str`, so if we say that
60             //
61             //     &'static str <: expected
62             //
63             // that's equivalent to there existing a LUB.
64             demand::suptype(fcx, pat.span, expected, expr_ty);
65         }
66         ast::PatRange(ref begin, ref end) => {
67             check_expr(fcx, &**begin);
68             check_expr(fcx, &**end);
69
70             let lhs_ty = fcx.expr_ty(&**begin);
71             let rhs_ty = fcx.expr_ty(&**end);
72
73             let lhs_eq_rhs =
74                 require_same_types(
75                     tcx, Some(fcx.infcx()), false, pat.span, lhs_ty, rhs_ty,
76                     || "mismatched types in range".to_string());
77
78             let numeric_or_char =
79                 lhs_eq_rhs && (ty::type_is_numeric(lhs_ty) || ty::type_is_char(lhs_ty));
80
81             if numeric_or_char {
82                 match valid_range_bounds(fcx.ccx, &**begin, &**end) {
83                     Some(false) => {
84                         span_err!(tcx.sess, begin.span, E0030,
85                             "lower range bound must be less than upper");
86                     },
87                     None => {
88                         span_err!(tcx.sess, begin.span, E0031,
89                             "mismatched types in range");
90                     },
91                     Some(true) => {}
92                 }
93             } else {
94                 span_err!(tcx.sess, begin.span, E0029,
95                           "only char and numeric types are allowed in range");
96             }
97
98             fcx.write_ty(pat.id, lhs_ty);
99
100             // subtyping doesn't matter here, as the value is some kind of scalar
101             demand::eqtype(fcx, pat.span, expected, lhs_ty);
102         }
103         ast::PatEnum(..) | ast::PatIdent(..) if pat_is_const(&tcx.def_map, pat) => {
104             let const_did = tcx.def_map.borrow()[pat.id].clone().def_id();
105             let const_scheme = ty::lookup_item_type(tcx, const_did);
106             assert!(const_scheme.generics.is_empty());
107             let const_ty = pcx.fcx.instantiate_type_scheme(pat.span,
108                                                            &Substs::empty(),
109                                                            &const_scheme.ty);
110             fcx.write_ty(pat.id, const_ty);
111
112             // FIXME(#20489) -- we should limit the types here to scalars or something!
113
114             // As with PatLit, what we really want here is that there
115             // exist a LUB, but for the cases that can occur, subtype
116             // is good enough.
117             demand::suptype(fcx, pat.span, expected, const_ty);
118         }
119         ast::PatIdent(bm, ref path, ref sub) if pat_is_binding(&tcx.def_map, pat) => {
120             let typ = fcx.local_ty(pat.span, pat.id);
121             match bm {
122                 ast::BindByRef(mutbl) => {
123                     // if the binding is like
124                     //    ref x | ref const x | ref mut x
125                     // then `x` is assigned a value of type `&M T` where M is the mutability
126                     // and T is the expected type.
127                     let region_var = fcx.infcx().next_region_var(infer::PatternRegion(pat.span));
128                     let mt = ty::mt { ty: expected, mutbl: mutbl };
129                     let region_ty = ty::mk_rptr(tcx, tcx.mk_region(region_var), mt);
130
131                     // `x` is assigned a value of type `&M T`, hence `&M T <: typeof(x)` is
132                     // required. However, we use equality, which is stronger. See (*) for
133                     // an explanation.
134                     demand::eqtype(fcx, pat.span, region_ty, typ);
135                 }
136                 // otherwise the type of x is the expected type T
137                 ast::BindByValue(_) => {
138                     // As above, `T <: typeof(x)` is required but we
139                     // use equality, see (*) below.
140                     demand::eqtype(fcx, pat.span, expected, typ);
141                 }
142             }
143
144             fcx.write_ty(pat.id, typ);
145
146             // if there are multiple arms, make sure they all agree on
147             // what the type of the binding `x` ought to be
148             let canon_id = pcx.map[path.node];
149             if canon_id != pat.id {
150                 let ct = fcx.local_ty(pat.span, canon_id);
151                 demand::eqtype(fcx, pat.span, ct, typ);
152             }
153
154             if let Some(ref p) = *sub {
155                 check_pat(pcx, &**p, expected);
156             }
157         }
158         ast::PatIdent(_, ref path, _) => {
159             let path = ast_util::ident_to_path(path.span, path.node);
160             check_pat_enum(pcx, pat, &path, &Some(vec![]), expected);
161         }
162         ast::PatEnum(ref path, ref subpats) => {
163             check_pat_enum(pcx, pat, path, subpats, expected);
164         }
165         ast::PatStruct(ref path, ref fields, etc) => {
166             check_pat_struct(pcx, pat, path, fields.as_slice(), etc, expected);
167         }
168         ast::PatTup(ref elements) => {
169             let element_tys: Vec<_> =
170                 range(0, elements.len()).map(|_| fcx.infcx().next_ty_var())
171                                         .collect();
172             let pat_ty = ty::mk_tup(tcx, element_tys.clone());
173             fcx.write_ty(pat.id, pat_ty);
174             demand::eqtype(fcx, pat.span, expected, pat_ty);
175             for (element_pat, element_ty) in elements.iter().zip(element_tys.into_iter()) {
176                 check_pat(pcx, &**element_pat, element_ty);
177             }
178         }
179         ast::PatBox(ref inner) => {
180             let inner_ty = fcx.infcx().next_ty_var();
181             let uniq_ty = ty::mk_uniq(tcx, inner_ty);
182
183             if check_dereferencable(pcx, pat.span, expected, &**inner) {
184                 // Here, `demand::subtype` is good enough, but I don't
185                 // think any errors can be introduced by using
186                 // `demand::eqtype`.
187                 demand::eqtype(fcx, pat.span, expected, uniq_ty);
188                 fcx.write_ty(pat.id, uniq_ty);
189                 check_pat(pcx, &**inner, inner_ty);
190             } else {
191                 fcx.write_error(pat.id);
192                 check_pat(pcx, &**inner, tcx.types.err);
193             }
194         }
195         ast::PatRegion(ref inner, mutbl) => {
196             let inner_ty = fcx.infcx().next_ty_var();
197
198             let mt = ty::mt { ty: inner_ty, mutbl: mutbl };
199             let region = fcx.infcx().next_region_var(infer::PatternRegion(pat.span));
200             let rptr_ty = ty::mk_rptr(tcx, tcx.mk_region(region), mt);
201
202             if check_dereferencable(pcx, pat.span, expected, &**inner) {
203                 // `demand::subtype` would be good enough, but using
204                 // `eqtype` turns out to be equally general. See (*)
205                 // below for details.
206                 demand::eqtype(fcx, pat.span, expected, rptr_ty);
207                 fcx.write_ty(pat.id, rptr_ty);
208                 check_pat(pcx, &**inner, inner_ty);
209             } else {
210                 fcx.write_error(pat.id);
211                 check_pat(pcx, &**inner, tcx.types.err);
212             }
213         }
214         ast::PatVec(ref before, ref slice, ref after) => {
215             let expected_ty = structurally_resolved_type(fcx, pat.span, expected);
216             let inner_ty = fcx.infcx().next_ty_var();
217             let pat_ty = match expected_ty.sty {
218                 ty::ty_vec(_, Some(size)) => ty::mk_vec(tcx, inner_ty, Some({
219                     let min_len = before.len() + after.len();
220                     match *slice {
221                         Some(_) => cmp::max(min_len, size),
222                         None => min_len
223                     }
224                 })),
225                 _ => {
226                     let region = fcx.infcx().next_region_var(infer::PatternRegion(pat.span));
227                     ty::mk_slice(tcx, tcx.mk_region(region), ty::mt {
228                         ty: inner_ty,
229                         mutbl: ty::deref(expected_ty, true).map(|mt| mt.mutbl)
230                                                            .unwrap_or(ast::MutImmutable)
231                     })
232                 }
233             };
234
235             fcx.write_ty(pat.id, pat_ty);
236
237             // `demand::subtype` would be good enough, but using
238             // `eqtype` turns out to be equally general. See (*)
239             // below for details.
240             demand::eqtype(fcx, pat.span, expected, pat_ty);
241
242             for elt in before.iter() {
243                 check_pat(pcx, &**elt, inner_ty);
244             }
245             if let Some(ref slice) = *slice {
246                 let region = fcx.infcx().next_region_var(infer::PatternRegion(pat.span));
247                 let mutbl = ty::deref(expected_ty, true)
248                     .map_or(ast::MutImmutable, |mt| mt.mutbl);
249
250                 let slice_ty = ty::mk_slice(tcx, tcx.mk_region(region), ty::mt {
251                     ty: inner_ty,
252                     mutbl: mutbl
253                 });
254                 check_pat(pcx, &**slice, slice_ty);
255             }
256             for elt in after.iter() {
257                 check_pat(pcx, &**elt, inner_ty);
258             }
259         }
260         ast::PatMac(_) => tcx.sess.bug("unexpanded macro")
261     }
262
263
264     // (*) In most of the cases above (literals and constants being
265     // the exception), we relate types using strict equality, evewn
266     // though subtyping would be sufficient. There are a few reasons
267     // for this, some of which are fairly subtle and which cost me
268     // (nmatsakis) an hour or two debugging to remember, so I thought
269     // I'd write them down this time.
270     //
271     // 1. Most importantly, there is no loss of expressiveness
272     // here. What we are saying is that the type of `x`
273     // becomes *exactly* what is expected. This might seem
274     // like it will cause errors in a case like this:
275     //
276     // ```
277     // fn foo<'x>(x: &'x int) {
278     //    let a = 1;
279     //    let mut z = x;
280     //    z = &a;
281     // }
282     // ```
283     //
284     // The reason we might get an error is that `z` might be
285     // assigned a type like `&'x int`, and then we would have
286     // a problem when we try to assign `&a` to `z`, because
287     // the lifetime of `&a` (i.e., the enclosing block) is
288     // shorter than `'x`.
289     //
290     // HOWEVER, this code works fine. The reason is that the
291     // expected type here is whatever type the user wrote, not
292     // the initializer's type. In this case the user wrote
293     // nothing, so we are going to create a type variable `Z`.
294     // Then we will assign the type of the initializer (`&'x
295     // int`) as a subtype of `Z`: `&'x int <: Z`. And hence we
296     // will instantiate `Z` as a type `&'0 int` where `'0` is
297     // a fresh region variable, with the constraint that `'x :
298     // '0`.  So basically we're all set.
299     //
300     // Note that there are two tests to check that this remains true
301     // (`regions-reassign-{match,let}-bound-pointer.rs`).
302     //
303     // 2. Things go horribly wrong if we use subtype. The reason for
304     // THIS is a fairly subtle case involving bound regions. See the
305     // `givens` field in `region_inference`, as well as the test
306     // `regions-relate-bound-regions-on-closures-to-inference-variables.rs`,
307     // for details. Short version is that we must sometimes detect
308     // relationships between specific region variables and regions
309     // bound in a closure signature, and that detection gets thrown
310     // off when we substitute fresh region variables here to enable
311     // subtyping.
312 }
313
314 pub fn check_dereferencable<'a, 'tcx>(pcx: &pat_ctxt<'a, 'tcx>,
315                                       span: Span, expected: Ty<'tcx>,
316                                       inner: &ast::Pat) -> bool {
317     let fcx = pcx.fcx;
318     let tcx = pcx.fcx.ccx.tcx;
319     if pat_is_binding(&tcx.def_map, inner) {
320         let expected = fcx.infcx().shallow_resolve(expected);
321         ty::deref(expected, true).map_or(true, |mt| match mt.ty.sty {
322             ty::ty_trait(_) => {
323                 // This is "x = SomeTrait" being reduced from
324                 // "let &x = &SomeTrait" or "let box x = Box<SomeTrait>", an error.
325                 span_err!(tcx.sess, span, E0033,
326                           "type `{}` cannot be dereferenced",
327                           fcx.infcx().ty_to_string(expected));
328                 false
329             }
330             _ => true
331         })
332     } else {
333         true
334     }
335 }
336
337 pub fn check_match<'a, 'tcx>(fcx: &FnCtxt<'a, 'tcx>,
338                              expr: &ast::Expr,
339                              discrim: &ast::Expr,
340                              arms: &[ast::Arm],
341                              expected: Expectation<'tcx>,
342                              match_src: ast::MatchSource) {
343     let tcx = fcx.ccx.tcx;
344
345     let discrim_ty = fcx.infcx().next_ty_var();
346     check_expr_has_type(fcx, discrim, discrim_ty);
347
348     // Typecheck the patterns first, so that we get types for all the
349     // bindings.
350     for arm in arms.iter() {
351         let mut pcx = pat_ctxt {
352             fcx: fcx,
353             map: pat_id_map(&tcx.def_map, &*arm.pats[0]),
354         };
355         for p in arm.pats.iter() {
356             check_pat(&mut pcx, &**p, discrim_ty);
357         }
358     }
359
360     // Now typecheck the blocks.
361     //
362     // The result of the match is the common supertype of all the
363     // arms. Start out the value as bottom, since it's the, well,
364     // bottom the type lattice, and we'll be moving up the lattice as
365     // we process each arm. (Note that any match with 0 arms is matching
366     // on any empty type and is therefore unreachable; should the flow
367     // of execution reach it, we will panic, so bottom is an appropriate
368     // type in that case)
369     let expected = expected.adjust_for_branches(fcx);
370     let result_ty = arms.iter().fold(fcx.infcx().next_diverging_ty_var(), |result_ty, arm| {
371         let bty = match expected {
372             // We don't coerce to `()` so that if the match expression is a
373             // statement it's branches can have any consistent type. That allows
374             // us to give better error messages (pointing to a usually better
375             // arm for inconsistent arms or to the whole match when a `()` type
376             // is required).
377             Expectation::ExpectHasType(ety) if ety != ty::mk_nil(fcx.tcx()) => {
378                 check_expr_coercable_to_type(fcx, &*arm.body, ety);
379                 ety
380             }
381             _ => {
382                 check_expr_with_expectation(fcx, &*arm.body, expected);
383                 fcx.node_ty(arm.body.id)
384             }
385         };
386
387         if let Some(ref e) = arm.guard {
388             check_expr_has_type(fcx, &**e, tcx.types.bool);
389         }
390
391         if ty::type_is_error(result_ty) || ty::type_is_error(bty) {
392             tcx.types.err
393         } else {
394             let (origin, expected, found) = match match_src {
395                 /* if-let construct without an else block */
396                 ast::MatchSource::IfLetDesugar { contains_else_clause }
397                 if !contains_else_clause => (
398                     infer::IfExpressionWithNoElse(expr.span),
399                     bty,
400                     result_ty,
401                 ),
402                 _ => (
403                     infer::MatchExpressionArm(expr.span, arm.body.span),
404                     result_ty,
405                     bty,
406                 ),
407             };
408
409             infer::common_supertype(
410                 fcx.infcx(),
411                 origin,
412                 true,
413                 expected,
414                 found,
415             )
416         }
417     });
418
419     fcx.write_ty(expr.id, result_ty);
420 }
421
422 pub struct pat_ctxt<'a, 'tcx: 'a> {
423     pub fcx: &'a FnCtxt<'a, 'tcx>,
424     pub map: PatIdMap,
425 }
426
427 pub fn check_pat_struct<'a, 'tcx>(pcx: &pat_ctxt<'a, 'tcx>, pat: &ast::Pat,
428                                   path: &ast::Path, fields: &[Spanned<ast::FieldPat>],
429                                   etc: bool, expected: Ty<'tcx>) {
430     let fcx = pcx.fcx;
431     let tcx = pcx.fcx.ccx.tcx;
432
433     let def = tcx.def_map.borrow()[pat.id].clone();
434     let (enum_def_id, variant_def_id) = match def {
435         def::DefTrait(_) => {
436             let name = pprust::path_to_string(path);
437             span_err!(tcx.sess, pat.span, E0168,
438                 "use of trait `{}` in a struct pattern", name);
439             fcx.write_error(pat.id);
440
441             for field in fields.iter() {
442                 check_pat(pcx, &*field.node.pat, tcx.types.err);
443             }
444             return;
445         },
446         _ => {
447             let def_type = ty::lookup_item_type(tcx, def.def_id());
448             match def_type.ty.sty {
449                 ty::ty_struct(struct_def_id, _) =>
450                     (struct_def_id, struct_def_id),
451                 ty::ty_enum(enum_def_id, _)
452                     if def == def::DefVariant(enum_def_id, def.def_id(), true) =>
453                     (enum_def_id, def.def_id()),
454                 _ => {
455                     let name = pprust::path_to_string(path);
456                     span_err!(tcx.sess, pat.span, E0163,
457                         "`{}` does not name a struct or a struct variant", name);
458                     fcx.write_error(pat.id);
459
460                     for field in fields.iter() {
461                         check_pat(pcx, &*field.node.pat, tcx.types.err);
462                     }
463                     return;
464                 }
465             }
466         }
467     };
468
469     instantiate_path(pcx.fcx, path, ty::lookup_item_type(tcx, enum_def_id),
470                      def, pat.span, pat.id);
471
472     let pat_ty = fcx.node_ty(pat.id);
473     demand::eqtype(fcx, pat.span, expected, pat_ty);
474
475     let item_substs = fcx
476         .item_substs()
477         .get(&pat.id)
478         .map(|substs| substs.substs.clone())
479         .unwrap_or_else(|| Substs::empty());
480
481     let struct_fields = ty::struct_fields(tcx, variant_def_id, &item_substs);
482     check_struct_pat_fields(pcx, pat.span, fields, struct_fields.as_slice(),
483                             variant_def_id, etc);
484 }
485
486 pub fn check_pat_enum<'a, 'tcx>(pcx: &pat_ctxt<'a, 'tcx>, pat: &ast::Pat,
487                                 path: &ast::Path, subpats: &Option<Vec<P<ast::Pat>>>,
488                                 expected: Ty<'tcx>) {
489
490     // Typecheck the path.
491     let fcx = pcx.fcx;
492     let tcx = pcx.fcx.ccx.tcx;
493
494     let def = tcx.def_map.borrow()[pat.id].clone();
495     let enum_def = def.variant_def_ids()
496         .map_or_else(|| def.def_id(), |(enum_def, _)| enum_def);
497
498     let ctor_scheme = ty::lookup_item_type(tcx, enum_def);
499     let path_scheme = if ty::is_fn_ty(ctor_scheme.ty) {
500         let fn_ret = ty::assert_no_late_bound_regions(tcx, &ty::ty_fn_ret(ctor_scheme.ty));
501         ty::TypeScheme {
502             ty: fn_ret.unwrap(),
503             generics: ctor_scheme.generics,
504         }
505     } else {
506         ctor_scheme
507     };
508     instantiate_path(pcx.fcx, path, path_scheme, def, pat.span, pat.id);
509
510     let pat_ty = fcx.node_ty(pat.id);
511     demand::eqtype(fcx, pat.span, expected, pat_ty);
512
513     let real_path_ty = fcx.node_ty(pat.id);
514     let (arg_tys, kind_name): (Vec<_>, &'static str) = match real_path_ty.sty {
515         ty::ty_enum(enum_def_id, expected_substs)
516             if def == def::DefVariant(enum_def_id, def.def_id(), false) =>
517         {
518             let variant = ty::enum_variant_with_id(tcx, enum_def_id, def.def_id());
519             (variant.args.iter()
520                          .map(|t| fcx.instantiate_type_scheme(pat.span, expected_substs, t))
521                          .collect(),
522              "variant")
523         }
524         ty::ty_struct(struct_def_id, expected_substs) => {
525             let struct_fields = ty::struct_fields(tcx, struct_def_id, expected_substs);
526             (struct_fields.iter()
527                           .map(|field| fcx.instantiate_type_scheme(pat.span,
528                                                                    expected_substs,
529                                                                    &field.mt.ty))
530                           .collect(),
531              "struct")
532         }
533         _ => {
534             let name = pprust::path_to_string(path);
535             span_err!(tcx.sess, pat.span, E0164,
536                 "`{}` does not name a non-struct variant or a tuple struct", name);
537             fcx.write_error(pat.id);
538
539             if let Some(ref subpats) = *subpats {
540                 for pat in subpats.iter() {
541                     check_pat(pcx, &**pat, tcx.types.err);
542                 }
543             }
544             return;
545         }
546     };
547
548     if let Some(ref subpats) = *subpats {
549         if subpats.len() == arg_tys.len() {
550             for (subpat, arg_ty) in subpats.iter().zip(arg_tys.iter()) {
551                 check_pat(pcx, &**subpat, *arg_ty);
552             }
553         } else if arg_tys.len() == 0 {
554             span_err!(tcx.sess, pat.span, E0024,
555                       "this pattern has {} field{}, but the corresponding {} has no fields",
556                       subpats.len(), if subpats.len() == 1 {""} else {"s"}, kind_name);
557
558             for pat in subpats.iter() {
559                 check_pat(pcx, &**pat, tcx.types.err);
560             }
561         } else {
562             span_err!(tcx.sess, pat.span, E0023,
563                       "this pattern has {} field{}, but the corresponding {} has {} field{}",
564                       subpats.len(), if subpats.len() == 1 {""} else {"s"},
565                       kind_name,
566                       arg_tys.len(), if arg_tys.len() == 1 {""} else {"s"});
567
568             for pat in subpats.iter() {
569                 check_pat(pcx, &**pat, tcx.types.err);
570             }
571         }
572     }
573 }
574
575 /// `path` is the AST path item naming the type of this struct.
576 /// `fields` is the field patterns of the struct pattern.
577 /// `struct_fields` describes the type of each field of the struct.
578 /// `struct_id` is the ID of the struct.
579 /// `etc` is true if the pattern said '...' and false otherwise.
580 pub fn check_struct_pat_fields<'a, 'tcx>(pcx: &pat_ctxt<'a, 'tcx>,
581                                          span: Span,
582                                          fields: &[Spanned<ast::FieldPat>],
583                                          struct_fields: &[ty::field<'tcx>],
584                                          struct_id: ast::DefId,
585                                          etc: bool) {
586     let tcx = pcx.fcx.ccx.tcx;
587
588     // Index the struct fields' types.
589     let field_type_map = struct_fields
590         .iter()
591         .map(|field| (field.name, field.mt.ty))
592         .collect::<FnvHashMap<_, _>>();
593
594     // Keep track of which fields have already appeared in the pattern.
595     let mut used_fields = FnvHashMap::new();
596
597     // Typecheck each field.
598     for &Spanned { node: ref field, span } in fields.iter() {
599         let field_type = match used_fields.entry(field.ident.name) {
600             Occupied(occupied) => {
601                 span_err!(tcx.sess, span, E0025,
602                     "field `{}` bound multiple times in the pattern",
603                     token::get_ident(field.ident));
604                 span_note!(tcx.sess, *occupied.get(),
605                     "field `{}` previously bound here",
606                     token::get_ident(field.ident));
607                 tcx.types.err
608             }
609             Vacant(vacant) => {
610                 vacant.insert(span);
611                 field_type_map.get(&field.ident.name).cloned()
612                     .unwrap_or_else(|| {
613                         span_err!(tcx.sess, span, E0026,
614                             "struct `{}` does not have a field named `{}`",
615                             ty::item_path_str(tcx, struct_id),
616                             token::get_ident(field.ident));
617                         tcx.types.err
618                     })
619             }
620         };
621
622         let field_type = pcx.fcx.normalize_associated_types_in(span, &field_type);
623
624         check_pat(pcx, &*field.pat, field_type);
625     }
626
627     // Report an error if not all the fields were specified.
628     if !etc {
629         for field in struct_fields
630             .iter()
631             .filter(|field| !used_fields.contains_key(&field.name)) {
632             span_err!(tcx.sess, span, E0027,
633                 "pattern does not mention field `{}`",
634                 token::get_name(field.name));
635         }
636     }
637 }