]> git.lizzy.rs Git - rust.git/blob - src/librustc_typeck/check/pat.rs
compiletest: Do not run debuginfo tests with gdb on msvc targets
[rust.git] / src / librustc_typeck / check / pat.rs
1 use crate::check::FnCtxt;
2 use rustc::infer;
3 use rustc::infer::type_variable::{TypeVariableOrigin, TypeVariableOriginKind};
4 use rustc::traits::Pattern;
5 use rustc::ty::subst::GenericArg;
6 use rustc::ty::{self, BindingMode, Ty, TypeFoldable};
7 use rustc_data_structures::fx::FxHashMap;
8 use rustc_errors::{pluralize, struct_span_err, Applicability, DiagnosticBuilder};
9 use rustc_hir as hir;
10 use rustc_hir::def::{CtorKind, DefKind, Res};
11 use rustc_hir::pat_util::EnumerateAndAdjustIterator;
12 use rustc_hir::{HirId, Pat, PatKind};
13 use rustc_span::hygiene::DesugaringKind;
14 use rustc_span::Span;
15 use syntax::ast;
16 use syntax::util::lev_distance::find_best_match_for_name;
17
18 use std::cmp;
19 use std::collections::hash_map::Entry::{Occupied, Vacant};
20
21 use super::report_unexpected_variant_res;
22
23 const CANNOT_IMPLICITLY_DEREF_POINTER_TRAIT_OBJ: &str = "\
24 This error indicates that a pointer to a trait type cannot be implicitly dereferenced by a \
25 pattern. Every trait defines a type, but because the size of trait implementors isn't fixed, \
26 this type has no compile-time size. Therefore, all accesses to trait types must be through \
27 pointers. If you encounter this error you should try to avoid dereferencing the pointer.
28
29 You can read more about trait objects in the Trait Objects section of the Reference: \
30 https://doc.rust-lang.org/reference/types.html#trait-objects";
31
32 /// Information about the expected type at the top level of type checking a pattern.
33 ///
34 /// **NOTE:** This is only for use by diagnostics. Do NOT use for type checking logic!
35 #[derive(Copy, Clone)]
36 struct TopInfo<'tcx> {
37     /// The `expected` type at the top level of type checking a pattern.
38     expected: Ty<'tcx>,
39     /// Was the origin of the `span` from a scrutinee expression?
40     ///
41     /// Otherwise there is no scrutinee and it could be e.g. from the type of a formal parameter.
42     origin_expr: bool,
43     /// The span giving rise to the `expected` type, if one could be provided.
44     ///
45     /// If `origin_expr` is `true`, then this is the span of the scrutinee as in:
46     ///
47     /// - `match scrutinee { ... }`
48     /// - `let _ = scrutinee;`
49     ///
50     /// This is used to point to add context in type errors.
51     /// In the following example, `span` corresponds to the `a + b` expression:
52     ///
53     /// ```text
54     /// error[E0308]: mismatched types
55     ///  --> src/main.rs:L:C
56     ///   |
57     /// L |    let temp: usize = match a + b {
58     ///   |                            ----- this expression has type `usize`
59     /// L |         Ok(num) => num,
60     ///   |         ^^^^^^^ expected `usize`, found enum `std::result::Result`
61     ///   |
62     ///   = note: expected type `usize`
63     ///              found type `std::result::Result<_, _>`
64     /// ```
65     span: Option<Span>,
66 }
67
68 impl<'tcx> FnCtxt<'_, 'tcx> {
69     fn demand_eqtype_pat_diag(
70         &self,
71         cause_span: Span,
72         expected: Ty<'tcx>,
73         actual: Ty<'tcx>,
74         ti: TopInfo<'tcx>,
75     ) -> Option<DiagnosticBuilder<'tcx>> {
76         let code = Pattern { span: ti.span, root_ty: ti.expected, origin_expr: ti.origin_expr };
77         let cause = self.cause(cause_span, code);
78         self.demand_eqtype_with_origin(&cause, expected, actual)
79     }
80
81     fn demand_eqtype_pat(
82         &self,
83         cause_span: Span,
84         expected: Ty<'tcx>,
85         actual: Ty<'tcx>,
86         ti: TopInfo<'tcx>,
87     ) {
88         self.demand_eqtype_pat_diag(cause_span, expected, actual, ti).map(|mut err| err.emit());
89     }
90 }
91
92 impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
93     /// Type check the given top level pattern against the `expected` type.
94     ///
95     /// If a `Some(span)` is provided and `origin_expr` holds,
96     /// then the `span` represents the scrutinee's span.
97     /// The scrutinee is found in e.g. `match scrutinee { ... }` and `let pat = scrutinee;`.
98     ///
99     /// Otherwise, `Some(span)` represents the span of a type expression
100     /// which originated the `expected` type.
101     pub fn check_pat_top(
102         &self,
103         pat: &'tcx Pat<'tcx>,
104         expected: Ty<'tcx>,
105         span: Option<Span>,
106         origin_expr: bool,
107     ) {
108         let def_bm = BindingMode::BindByValue(hir::Mutability::Not);
109         self.check_pat(pat, expected, def_bm, TopInfo { expected, origin_expr, span });
110     }
111
112     /// Type check the given `pat` against the `expected` type
113     /// with the provided `def_bm` (default binding mode).
114     ///
115     /// Outside of this module, `check_pat_top` should always be used.
116     /// Conversely, inside this module, `check_pat_top` should never be used.
117     fn check_pat(
118         &self,
119         pat: &'tcx Pat<'tcx>,
120         expected: Ty<'tcx>,
121         def_bm: BindingMode,
122         ti: TopInfo<'tcx>,
123     ) {
124         debug!("check_pat(pat={:?},expected={:?},def_bm={:?})", pat, expected, def_bm);
125
126         let path_resolution = match &pat.kind {
127             PatKind::Path(qpath) => Some(self.resolve_ty_and_res_ufcs(qpath, pat.hir_id, pat.span)),
128             _ => None,
129         };
130         let is_nrp = self.is_non_ref_pat(pat, path_resolution.map(|(res, ..)| res));
131         let (expected, def_bm) = self.calc_default_binding_mode(pat, expected, def_bm, is_nrp);
132
133         let ty = match pat.kind {
134             PatKind::Wild => expected,
135             PatKind::Lit(lt) => self.check_pat_lit(pat.span, lt, expected, ti),
136             PatKind::Range(lhs, rhs, _) => self.check_pat_range(pat.span, lhs, rhs, expected, ti),
137             PatKind::Binding(ba, var_id, _, sub) => {
138                 self.check_pat_ident(pat, ba, var_id, sub, expected, def_bm, ti)
139             }
140             PatKind::TupleStruct(ref qpath, subpats, ddpos) => {
141                 self.check_pat_tuple_struct(pat, qpath, subpats, ddpos, expected, def_bm, ti)
142             }
143             PatKind::Path(ref qpath) => {
144                 self.check_pat_path(pat, path_resolution.unwrap(), qpath, expected)
145             }
146             PatKind::Struct(ref qpath, fields, etc) => {
147                 self.check_pat_struct(pat, qpath, fields, etc, expected, def_bm, ti)
148             }
149             PatKind::Or(pats) => {
150                 for pat in pats {
151                     self.check_pat(pat, expected, def_bm, ti);
152                 }
153                 expected
154             }
155             PatKind::Tuple(elements, ddpos) => {
156                 self.check_pat_tuple(pat.span, elements, ddpos, expected, def_bm, ti)
157             }
158             PatKind::Box(inner) => self.check_pat_box(pat.span, inner, expected, def_bm, ti),
159             PatKind::Ref(inner, mutbl) => {
160                 self.check_pat_ref(pat, inner, mutbl, expected, def_bm, ti)
161             }
162             PatKind::Slice(before, slice, after) => {
163                 self.check_pat_slice(pat.span, before, slice, after, expected, def_bm, ti)
164             }
165         };
166
167         self.write_ty(pat.hir_id, ty);
168
169         // (note_1): In most of the cases where (note_1) is referenced
170         // (literals and constants being the exception), we relate types
171         // using strict equality, even though subtyping would be sufficient.
172         // There are a few reasons for this, some of which are fairly subtle
173         // and which cost me (nmatsakis) an hour or two debugging to remember,
174         // so I thought I'd write them down this time.
175         //
176         // 1. There is no loss of expressiveness here, though it does
177         // cause some inconvenience. What we are saying is that the type
178         // of `x` becomes *exactly* what is expected. This can cause unnecessary
179         // errors in some cases, such as this one:
180         //
181         // ```
182         // fn foo<'x>(x: &'x int) {
183         //    let a = 1;
184         //    let mut z = x;
185         //    z = &a;
186         // }
187         // ```
188         //
189         // The reason we might get an error is that `z` might be
190         // assigned a type like `&'x int`, and then we would have
191         // a problem when we try to assign `&a` to `z`, because
192         // the lifetime of `&a` (i.e., the enclosing block) is
193         // shorter than `'x`.
194         //
195         // HOWEVER, this code works fine. The reason is that the
196         // expected type here is whatever type the user wrote, not
197         // the initializer's type. In this case the user wrote
198         // nothing, so we are going to create a type variable `Z`.
199         // Then we will assign the type of the initializer (`&'x
200         // int`) as a subtype of `Z`: `&'x int <: Z`. And hence we
201         // will instantiate `Z` as a type `&'0 int` where `'0` is
202         // a fresh region variable, with the constraint that `'x :
203         // '0`.  So basically we're all set.
204         //
205         // Note that there are two tests to check that this remains true
206         // (`regions-reassign-{match,let}-bound-pointer.rs`).
207         //
208         // 2. Things go horribly wrong if we use subtype. The reason for
209         // THIS is a fairly subtle case involving bound regions. See the
210         // `givens` field in `region_constraints`, as well as the test
211         // `regions-relate-bound-regions-on-closures-to-inference-variables.rs`,
212         // for details. Short version is that we must sometimes detect
213         // relationships between specific region variables and regions
214         // bound in a closure signature, and that detection gets thrown
215         // off when we substitute fresh region variables here to enable
216         // subtyping.
217     }
218
219     /// Compute the new expected type and default binding mode from the old ones
220     /// as well as the pattern form we are currently checking.
221     fn calc_default_binding_mode(
222         &self,
223         pat: &'tcx Pat<'tcx>,
224         expected: Ty<'tcx>,
225         def_bm: BindingMode,
226         is_non_ref_pat: bool,
227     ) -> (Ty<'tcx>, BindingMode) {
228         if is_non_ref_pat {
229             debug!("pattern is non reference pattern");
230             self.peel_off_references(pat, expected, def_bm)
231         } else {
232             // When you encounter a `&pat` pattern, reset to "by
233             // value". This is so that `x` and `y` here are by value,
234             // as they appear to be:
235             //
236             // ```
237             // match &(&22, &44) {
238             //   (&x, &y) => ...
239             // }
240             // ```
241             //
242             // See issue #46688.
243             let def_bm = match pat.kind {
244                 PatKind::Ref(..) => ty::BindByValue(hir::Mutability::Not),
245                 _ => def_bm,
246             };
247             (expected, def_bm)
248         }
249     }
250
251     /// Is the pattern a "non reference pattern"?
252     /// When the pattern is a path pattern, `opt_path_res` must be `Some(res)`.
253     fn is_non_ref_pat(&self, pat: &'tcx Pat<'tcx>, opt_path_res: Option<Res>) -> bool {
254         match pat.kind {
255             PatKind::Struct(..)
256             | PatKind::TupleStruct(..)
257             | PatKind::Tuple(..)
258             | PatKind::Box(_)
259             | PatKind::Range(..)
260             | PatKind::Slice(..) => true,
261             PatKind::Lit(ref lt) => {
262                 let ty = self.check_expr(lt);
263                 match ty.kind {
264                     ty::Ref(..) => false,
265                     _ => true,
266                 }
267             }
268             PatKind::Path(_) => match opt_path_res.unwrap() {
269                 Res::Def(DefKind::Const, _) | Res::Def(DefKind::AssocConst, _) => false,
270                 _ => true,
271             },
272             // FIXME(or_patterns; Centril | dlrobertson): To keep things compiling
273             // for or-patterns at the top level, we need to make `p_0 | ... | p_n`
274             // a "non reference pattern". For example the following currently compiles:
275             // ```
276             // match &1 {
277             //     e @ &(1...2) | e @ &(3...4) => {}
278             //     _ => {}
279             // }
280             // ```
281             //
282             // We should consider whether we should do something special in nested or-patterns.
283             PatKind::Or(_) | PatKind::Wild | PatKind::Binding(..) | PatKind::Ref(..) => false,
284         }
285     }
286
287     /// Peel off as many immediately nested `& mut?` from the expected type as possible
288     /// and return the new expected type and binding default binding mode.
289     /// The adjustments vector, if non-empty is stored in a table.
290     fn peel_off_references(
291         &self,
292         pat: &'tcx Pat<'tcx>,
293         expected: Ty<'tcx>,
294         mut def_bm: BindingMode,
295     ) -> (Ty<'tcx>, BindingMode) {
296         let mut expected = self.resolve_vars_with_obligations(&expected);
297
298         // Peel off as many `&` or `&mut` from the scrutinee type as possible. For example,
299         // for `match &&&mut Some(5)` the loop runs three times, aborting when it reaches
300         // the `Some(5)` which is not of type Ref.
301         //
302         // For each ampersand peeled off, update the binding mode and push the original
303         // type into the adjustments vector.
304         //
305         // See the examples in `ui/match-defbm*.rs`.
306         let mut pat_adjustments = vec![];
307         while let ty::Ref(_, inner_ty, inner_mutability) = expected.kind {
308             debug!("inspecting {:?}", expected);
309
310             debug!("current discriminant is Ref, inserting implicit deref");
311             // Preserve the reference type. We'll need it later during HAIR lowering.
312             pat_adjustments.push(expected);
313
314             expected = inner_ty;
315             def_bm = ty::BindByReference(match def_bm {
316                 // If default binding mode is by value, make it `ref` or `ref mut`
317                 // (depending on whether we observe `&` or `&mut`).
318                 ty::BindByValue(_) |
319                 // When `ref mut`, stay a `ref mut` (on `&mut`) or downgrade to `ref` (on `&`).
320                 ty::BindByReference(hir::Mutability::Mut) => inner_mutability,
321                 // Once a `ref`, always a `ref`.
322                 // This is because a `& &mut` cannot mutate the underlying value.
323                 ty::BindByReference(m @ hir::Mutability::Not) => m,
324             });
325         }
326
327         if pat_adjustments.len() > 0 {
328             debug!("default binding mode is now {:?}", def_bm);
329             self.inh.tables.borrow_mut().pat_adjustments_mut().insert(pat.hir_id, pat_adjustments);
330         }
331
332         (expected, def_bm)
333     }
334
335     fn check_pat_lit(
336         &self,
337         span: Span,
338         lt: &hir::Expr<'tcx>,
339         expected: Ty<'tcx>,
340         ti: TopInfo<'tcx>,
341     ) -> Ty<'tcx> {
342         // We've already computed the type above (when checking for a non-ref pat),
343         // so avoid computing it again.
344         let ty = self.node_ty(lt.hir_id);
345
346         // Byte string patterns behave the same way as array patterns
347         // They can denote both statically and dynamically-sized byte arrays.
348         let mut pat_ty = ty;
349         if let hir::ExprKind::Lit(ref lt) = lt.kind {
350             if let ast::LitKind::ByteStr(_) = lt.node {
351                 let expected_ty = self.structurally_resolved_type(span, expected);
352                 if let ty::Ref(_, r_ty, _) = expected_ty.kind {
353                     if let ty::Slice(_) = r_ty.kind {
354                         let tcx = self.tcx;
355                         pat_ty =
356                             tcx.mk_imm_ref(tcx.lifetimes.re_static, tcx.mk_slice(tcx.types.u8));
357                     }
358                 }
359             }
360         }
361
362         // Somewhat surprising: in this case, the subtyping relation goes the
363         // opposite way as the other cases. Actually what we really want is not
364         // a subtyping relation at all but rather that there exists a LUB
365         // (so that they can be compared). However, in practice, constants are
366         // always scalars or strings. For scalars subtyping is irrelevant,
367         // and for strings `ty` is type is `&'static str`, so if we say that
368         //
369         //     &'static str <: expected
370         //
371         // then that's equivalent to there existing a LUB.
372         if let Some(mut err) = self.demand_suptype_diag(span, expected, pat_ty) {
373             err.emit_unless(
374                 ti.span
375                     .filter(|&s| {
376                         // In the case of `if`- and `while`-expressions we've already checked
377                         // that `scrutinee: bool`. We know that the pattern is `true`,
378                         // so an error here would be a duplicate and from the wrong POV.
379                         s.is_desugaring(DesugaringKind::CondTemporary)
380                     })
381                     .is_some(),
382             );
383         }
384
385         pat_ty
386     }
387
388     fn check_pat_range(
389         &self,
390         span: Span,
391         lhs: Option<&'tcx hir::Expr<'tcx>>,
392         rhs: Option<&'tcx hir::Expr<'tcx>>,
393         expected: Ty<'tcx>,
394         ti: TopInfo<'tcx>,
395     ) -> Ty<'tcx> {
396         let calc_side = |opt_expr: Option<&'tcx hir::Expr<'tcx>>| match opt_expr {
397             None => (None, None),
398             Some(expr) => {
399                 let ty = self.check_expr(expr);
400                 // Check that the end-point is of numeric or char type.
401                 let fail = !(ty.is_numeric() || ty.is_char() || ty.references_error());
402                 (Some(ty), Some((fail, ty, expr.span)))
403             }
404         };
405         let (lhs_ty, lhs) = calc_side(lhs);
406         let (rhs_ty, rhs) = calc_side(rhs);
407
408         if let (Some((true, ..)), _) | (_, Some((true, ..))) = (lhs, rhs) {
409             // There exists a side that didn't meet our criteria that the end-point
410             // be of a numeric or char type, as checked in `calc_side` above.
411             self.emit_err_pat_range(span, lhs, rhs);
412             return self.tcx.types.err;
413         }
414
415         // Now that we know the types can be unified we find the unified type
416         // and use it to type the entire expression.
417         let common_type = self.resolve_vars_if_possible(&lhs_ty.or(rhs_ty).unwrap_or(expected));
418
419         // Subtyping doesn't matter here, as the value is some kind of scalar.
420         let demand_eqtype = |x, y| {
421             if let Some((_, x_ty, x_span)) = x {
422                 self.demand_eqtype_pat_diag(x_span, expected, x_ty, ti).map(|mut err| {
423                     if let Some((_, y_ty, y_span)) = y {
424                         self.endpoint_has_type(&mut err, y_span, y_ty);
425                     }
426                     err.emit();
427                 });
428             }
429         };
430         demand_eqtype(lhs, rhs);
431         demand_eqtype(rhs, lhs);
432
433         common_type
434     }
435
436     fn endpoint_has_type(&self, err: &mut DiagnosticBuilder<'_>, span: Span, ty: Ty<'_>) {
437         if !ty.references_error() {
438             err.span_label(span, &format!("this is of type `{}`", ty));
439         }
440     }
441
442     fn emit_err_pat_range(
443         &self,
444         span: Span,
445         lhs: Option<(bool, Ty<'tcx>, Span)>,
446         rhs: Option<(bool, Ty<'tcx>, Span)>,
447     ) {
448         let span = match (lhs, rhs) {
449             (Some((true, ..)), Some((true, ..))) => span,
450             (Some((true, _, sp)), _) => sp,
451             (_, Some((true, _, sp))) => sp,
452             _ => span_bug!(span, "emit_err_pat_range: no side failed or exists but still error?"),
453         };
454         let mut err = struct_span_err!(
455             self.tcx.sess,
456             span,
457             E0029,
458             "only char and numeric types are allowed in range patterns"
459         );
460         let msg = |ty| format!("this is of type `{}` but it should be `char` or numeric", ty);
461         let mut one_side_err = |first_span, first_ty, second: Option<(bool, Ty<'tcx>, Span)>| {
462             err.span_label(first_span, &msg(first_ty));
463             if let Some((_, ty, sp)) = second {
464                 self.endpoint_has_type(&mut err, sp, ty);
465             }
466         };
467         match (lhs, rhs) {
468             (Some((true, lhs_ty, lhs_sp)), Some((true, rhs_ty, rhs_sp))) => {
469                 err.span_label(lhs_sp, &msg(lhs_ty));
470                 err.span_label(rhs_sp, &msg(rhs_ty));
471             }
472             (Some((true, lhs_ty, lhs_sp)), rhs) => one_side_err(lhs_sp, lhs_ty, rhs),
473             (lhs, Some((true, rhs_ty, rhs_sp))) => one_side_err(rhs_sp, rhs_ty, lhs),
474             _ => span_bug!(span, "Impossible, verified above."),
475         }
476         if self.tcx.sess.teach(&err.get_code().unwrap()) {
477             err.note(
478                 "In a match expression, only numbers and characters can be matched \
479                     against a range. This is because the compiler checks that the range \
480                     is non-empty at compile-time, and is unable to evaluate arbitrary \
481                     comparison functions. If you want to capture values of an orderable \
482                     type between two end-points, you can use a guard.",
483             );
484         }
485         err.emit();
486     }
487
488     fn check_pat_ident(
489         &self,
490         pat: &Pat<'_>,
491         ba: hir::BindingAnnotation,
492         var_id: HirId,
493         sub: Option<&'tcx Pat<'tcx>>,
494         expected: Ty<'tcx>,
495         def_bm: BindingMode,
496         ti: TopInfo<'tcx>,
497     ) -> Ty<'tcx> {
498         // Determine the binding mode...
499         let bm = match ba {
500             hir::BindingAnnotation::Unannotated => def_bm,
501             _ => BindingMode::convert(ba),
502         };
503         // ...and store it in a side table:
504         self.inh.tables.borrow_mut().pat_binding_modes_mut().insert(pat.hir_id, bm);
505
506         debug!("check_pat_ident: pat.hir_id={:?} bm={:?}", pat.hir_id, bm);
507
508         let local_ty = self.local_ty(pat.span, pat.hir_id).decl_ty;
509         let eq_ty = match bm {
510             ty::BindByReference(mutbl) => {
511                 // If the binding is like `ref x | ref const x | ref mut x`
512                 // then `x` is assigned a value of type `&M T` where M is the
513                 // mutability and T is the expected type.
514                 //
515                 // `x` is assigned a value of type `&M T`, hence `&M T <: typeof(x)`
516                 // is required. However, we use equality, which is stronger.
517                 // See (note_1) for an explanation.
518                 self.new_ref_ty(pat.span, mutbl, expected)
519             }
520             // Otherwise, the type of x is the expected type `T`.
521             ty::BindByValue(_) => {
522                 // As above, `T <: typeof(x)` is required, but we use equality, see (note_1).
523                 expected
524             }
525         };
526         self.demand_eqtype_pat(pat.span, eq_ty, local_ty, ti);
527
528         // If there are multiple arms, make sure they all agree on
529         // what the type of the binding `x` ought to be.
530         if var_id != pat.hir_id {
531             let vt = self.local_ty(pat.span, var_id).decl_ty;
532             self.demand_eqtype_pat(pat.span, vt, local_ty, ti);
533         }
534
535         if let Some(p) = sub {
536             self.check_pat(&p, expected, def_bm, ti);
537         }
538
539         local_ty
540     }
541
542     fn borrow_pat_suggestion(
543         &self,
544         err: &mut DiagnosticBuilder<'_>,
545         pat: &Pat<'_>,
546         inner: &Pat<'_>,
547         expected: Ty<'tcx>,
548     ) {
549         let tcx = self.tcx;
550         if let PatKind::Binding(..) = inner.kind {
551             let binding_parent_id = tcx.hir().get_parent_node(pat.hir_id);
552             let binding_parent = tcx.hir().get(binding_parent_id);
553             debug!("inner {:?} pat {:?} parent {:?}", inner, pat, binding_parent);
554             match binding_parent {
555                 hir::Node::Param(hir::Param { span, .. }) => {
556                     if let Ok(snippet) = tcx.sess.source_map().span_to_snippet(inner.span) {
557                         err.span_suggestion(
558                             *span,
559                             &format!("did you mean `{}`", snippet),
560                             format!(" &{}", expected),
561                             Applicability::MachineApplicable,
562                         );
563                     }
564                 }
565                 hir::Node::Arm(_) | hir::Node::Pat(_) => {
566                     // rely on match ergonomics or it might be nested `&&pat`
567                     if let Ok(snippet) = tcx.sess.source_map().span_to_snippet(inner.span) {
568                         err.span_suggestion(
569                             pat.span,
570                             "you can probably remove the explicit borrow",
571                             snippet,
572                             Applicability::MaybeIncorrect,
573                         );
574                     }
575                 }
576                 _ => {} // don't provide suggestions in other cases #55175
577             }
578         }
579     }
580
581     pub fn check_dereferenceable(&self, span: Span, expected: Ty<'tcx>, inner: &Pat<'_>) -> bool {
582         if let PatKind::Binding(..) = inner.kind {
583             if let Some(mt) = self.shallow_resolve(expected).builtin_deref(true) {
584                 if let ty::Dynamic(..) = mt.ty.kind {
585                     // This is "x = SomeTrait" being reduced from
586                     // "let &x = &SomeTrait" or "let box x = Box<SomeTrait>", an error.
587                     let type_str = self.ty_to_string(expected);
588                     let mut err = struct_span_err!(
589                         self.tcx.sess,
590                         span,
591                         E0033,
592                         "type `{}` cannot be dereferenced",
593                         type_str
594                     );
595                     err.span_label(span, format!("type `{}` cannot be dereferenced", type_str));
596                     if self.tcx.sess.teach(&err.get_code().unwrap()) {
597                         err.note(CANNOT_IMPLICITLY_DEREF_POINTER_TRAIT_OBJ);
598                     }
599                     err.emit();
600                     return false;
601                 }
602             }
603         }
604         true
605     }
606
607     fn check_pat_struct(
608         &self,
609         pat: &'tcx Pat<'tcx>,
610         qpath: &hir::QPath<'_>,
611         fields: &'tcx [hir::FieldPat<'tcx>],
612         etc: bool,
613         expected: Ty<'tcx>,
614         def_bm: BindingMode,
615         ti: TopInfo<'tcx>,
616     ) -> Ty<'tcx> {
617         // Resolve the path and check the definition for errors.
618         let (variant, pat_ty) = if let Some(variant_ty) = self.check_struct_path(qpath, pat.hir_id)
619         {
620             variant_ty
621         } else {
622             for field in fields {
623                 self.check_pat(&field.pat, self.tcx.types.err, def_bm, ti);
624             }
625             return self.tcx.types.err;
626         };
627
628         // Type-check the path.
629         self.demand_eqtype_pat(pat.span, expected, pat_ty, ti);
630
631         // Type-check subpatterns.
632         if self
633             .check_struct_pat_fields(pat_ty, pat.hir_id, pat.span, variant, fields, etc, def_bm, ti)
634         {
635             pat_ty
636         } else {
637             self.tcx.types.err
638         }
639     }
640
641     fn check_pat_path(
642         &self,
643         pat: &Pat<'_>,
644         path_resolution: (Res, Option<Ty<'tcx>>, &'b [hir::PathSegment<'b>]),
645         qpath: &hir::QPath<'_>,
646         expected: Ty<'tcx>,
647     ) -> Ty<'tcx> {
648         let tcx = self.tcx;
649
650         // We have already resolved the path.
651         let (res, opt_ty, segments) = path_resolution;
652         match res {
653             Res::Err => {
654                 self.set_tainted_by_errors();
655                 return tcx.types.err;
656             }
657             Res::Def(DefKind::Method, _)
658             | Res::Def(DefKind::Ctor(_, CtorKind::Fictive), _)
659             | Res::Def(DefKind::Ctor(_, CtorKind::Fn), _) => {
660                 report_unexpected_variant_res(tcx, res, pat.span, qpath);
661                 return tcx.types.err;
662             }
663             Res::Def(DefKind::Ctor(_, CtorKind::Const), _)
664             | Res::SelfCtor(..)
665             | Res::Def(DefKind::Const, _)
666             | Res::Def(DefKind::AssocConst, _) => {} // OK
667             _ => bug!("unexpected pattern resolution: {:?}", res),
668         }
669
670         // Type-check the path.
671         let pat_ty = self.instantiate_value_path(segments, opt_ty, res, pat.span, pat.hir_id).0;
672         self.demand_suptype(pat.span, expected, pat_ty);
673         pat_ty
674     }
675
676     fn check_pat_tuple_struct(
677         &self,
678         pat: &Pat<'_>,
679         qpath: &hir::QPath<'_>,
680         subpats: &'tcx [&'tcx Pat<'tcx>],
681         ddpos: Option<usize>,
682         expected: Ty<'tcx>,
683         def_bm: BindingMode,
684         ti: TopInfo<'tcx>,
685     ) -> Ty<'tcx> {
686         let tcx = self.tcx;
687         let on_error = || {
688             for pat in subpats {
689                 self.check_pat(&pat, tcx.types.err, def_bm, ti);
690             }
691         };
692         let report_unexpected_res = |res: Res| {
693             let msg = format!(
694                 "expected tuple struct or tuple variant, found {} `{}`",
695                 res.descr(),
696                 hir::print::to_string(tcx.hir(), |s| s.print_qpath(qpath, false)),
697             );
698             let mut err = struct_span_err!(tcx.sess, pat.span, E0164, "{}", msg);
699             match (res, &pat.kind) {
700                 (Res::Def(DefKind::Fn, _), _) | (Res::Def(DefKind::Method, _), _) => {
701                     err.span_label(pat.span, "`fn` calls are not allowed in patterns");
702                     err.help(
703                         "for more information, visit \
704                               https://doc.rust-lang.org/book/ch18-00-patterns.html",
705                     );
706                 }
707                 _ => {
708                     err.span_label(pat.span, "not a tuple variant or struct");
709                 }
710             }
711             err.emit();
712             on_error();
713         };
714
715         // Resolve the path and check the definition for errors.
716         let (res, opt_ty, segments) = self.resolve_ty_and_res_ufcs(qpath, pat.hir_id, pat.span);
717         if res == Res::Err {
718             self.set_tainted_by_errors();
719             on_error();
720             return self.tcx.types.err;
721         }
722
723         // Type-check the path.
724         let (pat_ty, res) =
725             self.instantiate_value_path(segments, opt_ty, res, pat.span, pat.hir_id);
726         if !pat_ty.is_fn() {
727             report_unexpected_res(res);
728             return tcx.types.err;
729         }
730
731         let variant = match res {
732             Res::Err => {
733                 self.set_tainted_by_errors();
734                 on_error();
735                 return tcx.types.err;
736             }
737             Res::Def(DefKind::AssocConst, _) | Res::Def(DefKind::Method, _) => {
738                 report_unexpected_res(res);
739                 return tcx.types.err;
740             }
741             Res::Def(DefKind::Ctor(_, CtorKind::Fn), _) => tcx.expect_variant_res(res),
742             _ => bug!("unexpected pattern resolution: {:?}", res),
743         };
744
745         // Replace constructor type with constructed type for tuple struct patterns.
746         let pat_ty = pat_ty.fn_sig(tcx).output();
747         let pat_ty = pat_ty.no_bound_vars().expect("expected fn type");
748
749         // Type-check the tuple struct pattern against the expected type.
750         let diag = self.demand_eqtype_pat_diag(pat.span, expected, pat_ty, ti);
751         let had_err = diag.is_some();
752         diag.map(|mut err| err.emit());
753
754         // Type-check subpatterns.
755         if subpats.len() == variant.fields.len()
756             || subpats.len() < variant.fields.len() && ddpos.is_some()
757         {
758             let substs = match pat_ty.kind {
759                 ty::Adt(_, substs) => substs,
760                 _ => bug!("unexpected pattern type {:?}", pat_ty),
761             };
762             for (i, subpat) in subpats.iter().enumerate_and_adjust(variant.fields.len(), ddpos) {
763                 let field_ty = self.field_ty(subpat.span, &variant.fields[i], substs);
764                 self.check_pat(&subpat, field_ty, def_bm, ti);
765
766                 self.tcx.check_stability(variant.fields[i].did, Some(pat.hir_id), subpat.span);
767             }
768         } else {
769             // Pattern has wrong number of fields.
770             self.e0023(pat.span, res, qpath, subpats, &variant.fields, expected, had_err);
771             on_error();
772             return tcx.types.err;
773         }
774         pat_ty
775     }
776
777     fn e0023(
778         &self,
779         pat_span: Span,
780         res: Res,
781         qpath: &hir::QPath<'_>,
782         subpats: &'tcx [&'tcx Pat<'tcx>],
783         fields: &'tcx [ty::FieldDef],
784         expected: Ty<'tcx>,
785         had_err: bool,
786     ) {
787         let subpats_ending = pluralize!(subpats.len());
788         let fields_ending = pluralize!(fields.len());
789         let res_span = self.tcx.def_span(res.def_id());
790         let mut err = struct_span_err!(
791             self.tcx.sess,
792             pat_span,
793             E0023,
794             "this pattern has {} field{}, but the corresponding {} has {} field{}",
795             subpats.len(),
796             subpats_ending,
797             res.descr(),
798             fields.len(),
799             fields_ending,
800         );
801         err.span_label(
802             pat_span,
803             format!("expected {} field{}, found {}", fields.len(), fields_ending, subpats.len(),),
804         )
805         .span_label(res_span, format!("{} defined here", res.descr()));
806
807         // Identify the case `Some(x, y)` where the expected type is e.g. `Option<(T, U)>`.
808         // More generally, the expected type wants a tuple variant with one field of an
809         // N-arity-tuple, e.g., `V_i((p_0, .., p_N))`. Meanwhile, the user supplied a pattern
810         // with the subpatterns directly in the tuple variant pattern, e.g., `V_i(p_0, .., p_N)`.
811         let missing_parenthesis = match (&expected.kind, fields, had_err) {
812             // #67037: only do this if we could sucessfully type-check the expected type against
813             // the tuple struct pattern. Otherwise the substs could get out of range on e.g.,
814             // `let P() = U;` where `P != U` with `struct P<T>(T);`.
815             (ty::Adt(_, substs), [field], false) => {
816                 let field_ty = self.field_ty(pat_span, field, substs);
817                 match field_ty.kind {
818                     ty::Tuple(_) => field_ty.tuple_fields().count() == subpats.len(),
819                     _ => false,
820                 }
821             }
822             _ => false,
823         };
824         if missing_parenthesis {
825             let (left, right) = match subpats {
826                 // This is the zero case; we aim to get the "hi" part of the `QPath`'s
827                 // span as the "lo" and then the "hi" part of the pattern's span as the "hi".
828                 // This looks like:
829                 //
830                 // help: missing parenthesis
831                 //   |
832                 // L |     let A(()) = A(());
833                 //   |          ^  ^
834                 [] => {
835                     let qpath_span = match qpath {
836                         hir::QPath::Resolved(_, path) => path.span,
837                         hir::QPath::TypeRelative(_, ps) => ps.ident.span,
838                     };
839                     (qpath_span.shrink_to_hi(), pat_span)
840                 }
841                 // Easy case. Just take the "lo" of the first sub-pattern and the "hi" of the
842                 // last sub-pattern. In the case of `A(x)` the first and last may coincide.
843                 // This looks like:
844                 //
845                 // help: missing parenthesis
846                 //   |
847                 // L |     let A((x, y)) = A((1, 2));
848                 //   |           ^    ^
849                 [first, ..] => (first.span.shrink_to_lo(), subpats.last().unwrap().span),
850             };
851             err.multipart_suggestion(
852                 "missing parenthesis",
853                 vec![(left, "(".to_string()), (right.shrink_to_hi(), ")".to_string())],
854                 Applicability::MachineApplicable,
855             );
856         }
857
858         err.emit();
859     }
860
861     fn check_pat_tuple(
862         &self,
863         span: Span,
864         elements: &'tcx [&'tcx Pat<'tcx>],
865         ddpos: Option<usize>,
866         expected: Ty<'tcx>,
867         def_bm: BindingMode,
868         ti: TopInfo<'tcx>,
869     ) -> Ty<'tcx> {
870         let tcx = self.tcx;
871         let mut expected_len = elements.len();
872         if ddpos.is_some() {
873             // Require known type only when `..` is present.
874             if let ty::Tuple(ref tys) = self.structurally_resolved_type(span, expected).kind {
875                 expected_len = tys.len();
876             }
877         }
878         let max_len = cmp::max(expected_len, elements.len());
879
880         let element_tys_iter = (0..max_len).map(|_| {
881             GenericArg::from(self.next_ty_var(
882                 // FIXME: `MiscVariable` for now -- obtaining the span and name information
883                 // from all tuple elements isn't trivial.
884                 TypeVariableOrigin { kind: TypeVariableOriginKind::TypeInference, span },
885             ))
886         });
887         let element_tys = tcx.mk_substs(element_tys_iter);
888         let pat_ty = tcx.mk_ty(ty::Tuple(element_tys));
889         if let Some(mut err) = self.demand_eqtype_diag(span, expected, pat_ty) {
890             err.emit();
891             // Walk subpatterns with an expected type of `err` in this case to silence
892             // further errors being emitted when using the bindings. #50333
893             let element_tys_iter = (0..max_len).map(|_| tcx.types.err);
894             for (_, elem) in elements.iter().enumerate_and_adjust(max_len, ddpos) {
895                 self.check_pat(elem, &tcx.types.err, def_bm, ti);
896             }
897             tcx.mk_tup(element_tys_iter)
898         } else {
899             for (i, elem) in elements.iter().enumerate_and_adjust(max_len, ddpos) {
900                 self.check_pat(elem, &element_tys[i].expect_ty(), def_bm, ti);
901             }
902             pat_ty
903         }
904     }
905
906     fn check_struct_pat_fields(
907         &self,
908         adt_ty: Ty<'tcx>,
909         pat_id: HirId,
910         span: Span,
911         variant: &'tcx ty::VariantDef,
912         fields: &'tcx [hir::FieldPat<'tcx>],
913         etc: bool,
914         def_bm: BindingMode,
915         ti: TopInfo<'tcx>,
916     ) -> bool {
917         let tcx = self.tcx;
918
919         let (substs, adt) = match adt_ty.kind {
920             ty::Adt(adt, substs) => (substs, adt),
921             _ => span_bug!(span, "struct pattern is not an ADT"),
922         };
923         let kind_name = adt.variant_descr();
924
925         // Index the struct fields' types.
926         let field_map = variant
927             .fields
928             .iter()
929             .enumerate()
930             .map(|(i, field)| (field.ident.modern(), (i, field)))
931             .collect::<FxHashMap<_, _>>();
932
933         // Keep track of which fields have already appeared in the pattern.
934         let mut used_fields = FxHashMap::default();
935         let mut no_field_errors = true;
936
937         let mut inexistent_fields = vec![];
938         // Typecheck each field.
939         for field in fields {
940             let span = field.span;
941             let ident = tcx.adjust_ident(field.ident, variant.def_id);
942             let field_ty = match used_fields.entry(ident) {
943                 Occupied(occupied) => {
944                     self.error_field_already_bound(span, field.ident, *occupied.get());
945                     no_field_errors = false;
946                     tcx.types.err
947                 }
948                 Vacant(vacant) => {
949                     vacant.insert(span);
950                     field_map
951                         .get(&ident)
952                         .map(|(i, f)| {
953                             self.write_field_index(field.hir_id, *i);
954                             self.tcx.check_stability(f.did, Some(pat_id), span);
955                             self.field_ty(span, f, substs)
956                         })
957                         .unwrap_or_else(|| {
958                             inexistent_fields.push(field.ident);
959                             no_field_errors = false;
960                             tcx.types.err
961                         })
962                 }
963             };
964
965             self.check_pat(&field.pat, field_ty, def_bm, ti);
966         }
967
968         let mut unmentioned_fields = variant
969             .fields
970             .iter()
971             .map(|field| field.ident.modern())
972             .filter(|ident| !used_fields.contains_key(&ident))
973             .collect::<Vec<_>>();
974
975         if inexistent_fields.len() > 0 && !variant.recovered {
976             self.error_inexistent_fields(
977                 kind_name,
978                 &inexistent_fields,
979                 &mut unmentioned_fields,
980                 variant,
981             );
982         }
983
984         // Require `..` if struct has non_exhaustive attribute.
985         if variant.is_field_list_non_exhaustive() && !adt.did.is_local() && !etc {
986             struct_span_err!(
987                 tcx.sess,
988                 span,
989                 E0638,
990                 "`..` required with {} marked as non-exhaustive",
991                 kind_name
992             )
993             .emit();
994         }
995
996         // Report an error if incorrect number of the fields were specified.
997         if kind_name == "union" {
998             if fields.len() != 1 {
999                 tcx.sess
1000                     .struct_span_err(span, "union patterns should have exactly one field")
1001                     .emit();
1002             }
1003             if etc {
1004                 tcx.sess.struct_span_err(span, "`..` cannot be used in union patterns").emit();
1005             }
1006         } else if !etc && unmentioned_fields.len() > 0 {
1007             self.error_unmentioned_fields(span, &unmentioned_fields, variant);
1008         }
1009         no_field_errors
1010     }
1011
1012     fn error_field_already_bound(&self, span: Span, ident: ast::Ident, other_field: Span) {
1013         struct_span_err!(
1014             self.tcx.sess,
1015             span,
1016             E0025,
1017             "field `{}` bound multiple times in the pattern",
1018             ident
1019         )
1020         .span_label(span, format!("multiple uses of `{}` in pattern", ident))
1021         .span_label(other_field, format!("first use of `{}`", ident))
1022         .emit();
1023     }
1024
1025     fn error_inexistent_fields(
1026         &self,
1027         kind_name: &str,
1028         inexistent_fields: &[ast::Ident],
1029         unmentioned_fields: &mut Vec<ast::Ident>,
1030         variant: &ty::VariantDef,
1031     ) {
1032         let tcx = self.tcx;
1033         let (field_names, t, plural) = if inexistent_fields.len() == 1 {
1034             (format!("a field named `{}`", inexistent_fields[0]), "this", "")
1035         } else {
1036             (
1037                 format!(
1038                     "fields named {}",
1039                     inexistent_fields
1040                         .iter()
1041                         .map(|ident| format!("`{}`", ident))
1042                         .collect::<Vec<String>>()
1043                         .join(", ")
1044                 ),
1045                 "these",
1046                 "s",
1047             )
1048         };
1049         let spans = inexistent_fields.iter().map(|ident| ident.span).collect::<Vec<_>>();
1050         let mut err = struct_span_err!(
1051             tcx.sess,
1052             spans,
1053             E0026,
1054             "{} `{}` does not have {}",
1055             kind_name,
1056             tcx.def_path_str(variant.def_id),
1057             field_names
1058         );
1059         if let Some(ident) = inexistent_fields.last() {
1060             err.span_label(
1061                 ident.span,
1062                 format!(
1063                     "{} `{}` does not have {} field{}",
1064                     kind_name,
1065                     tcx.def_path_str(variant.def_id),
1066                     t,
1067                     plural
1068                 ),
1069             );
1070             if plural == "" {
1071                 let input = unmentioned_fields.iter().map(|field| &field.name);
1072                 let suggested_name = find_best_match_for_name(input, &ident.as_str(), None);
1073                 if let Some(suggested_name) = suggested_name {
1074                     err.span_suggestion(
1075                         ident.span,
1076                         "a field with a similar name exists",
1077                         suggested_name.to_string(),
1078                         Applicability::MaybeIncorrect,
1079                     );
1080
1081                     // we don't want to throw `E0027` in case we have thrown `E0026` for them
1082                     unmentioned_fields.retain(|&x| x.name != suggested_name);
1083                 }
1084             }
1085         }
1086         if tcx.sess.teach(&err.get_code().unwrap()) {
1087             err.note(
1088                 "This error indicates that a struct pattern attempted to \
1089                     extract a non-existent field from a struct. Struct fields \
1090                     are identified by the name used before the colon : so struct \
1091                     patterns should resemble the declaration of the struct type \
1092                     being matched.\n\n\
1093                     If you are using shorthand field patterns but want to refer \
1094                     to the struct field by a different name, you should rename \
1095                     it explicitly.",
1096             );
1097         }
1098         err.emit();
1099     }
1100
1101     fn error_unmentioned_fields(
1102         &self,
1103         span: Span,
1104         unmentioned_fields: &[ast::Ident],
1105         variant: &ty::VariantDef,
1106     ) {
1107         let field_names = if unmentioned_fields.len() == 1 {
1108             format!("field `{}`", unmentioned_fields[0])
1109         } else {
1110             let fields = unmentioned_fields
1111                 .iter()
1112                 .map(|name| format!("`{}`", name))
1113                 .collect::<Vec<String>>()
1114                 .join(", ");
1115             format!("fields {}", fields)
1116         };
1117         let mut diag = struct_span_err!(
1118             self.tcx.sess,
1119             span,
1120             E0027,
1121             "pattern does not mention {}",
1122             field_names
1123         );
1124         diag.span_label(span, format!("missing {}", field_names));
1125         if variant.ctor_kind == CtorKind::Fn {
1126             diag.note("trying to match a tuple variant with a struct variant pattern");
1127         }
1128         if self.tcx.sess.teach(&diag.get_code().unwrap()) {
1129             diag.note(
1130                 "This error indicates that a pattern for a struct fails to specify a \
1131                     sub-pattern for every one of the struct's fields. Ensure that each field \
1132                     from the struct's definition is mentioned in the pattern, or use `..` to \
1133                     ignore unwanted fields.",
1134             );
1135         }
1136         diag.emit();
1137     }
1138
1139     fn check_pat_box(
1140         &self,
1141         span: Span,
1142         inner: &'tcx Pat<'tcx>,
1143         expected: Ty<'tcx>,
1144         def_bm: BindingMode,
1145         ti: TopInfo<'tcx>,
1146     ) -> Ty<'tcx> {
1147         let tcx = self.tcx;
1148         let (box_ty, inner_ty) = if self.check_dereferenceable(span, expected, &inner) {
1149             // Here, `demand::subtype` is good enough, but I don't
1150             // think any errors can be introduced by using `demand::eqtype`.
1151             let inner_ty = self.next_ty_var(TypeVariableOrigin {
1152                 kind: TypeVariableOriginKind::TypeInference,
1153                 span: inner.span,
1154             });
1155             let box_ty = tcx.mk_box(inner_ty);
1156             self.demand_eqtype_pat(span, expected, box_ty, ti);
1157             (box_ty, inner_ty)
1158         } else {
1159             (tcx.types.err, tcx.types.err)
1160         };
1161         self.check_pat(&inner, inner_ty, def_bm, ti);
1162         box_ty
1163     }
1164
1165     fn check_pat_ref(
1166         &self,
1167         pat: &Pat<'_>,
1168         inner: &'tcx Pat<'tcx>,
1169         mutbl: hir::Mutability,
1170         expected: Ty<'tcx>,
1171         def_bm: BindingMode,
1172         ti: TopInfo<'tcx>,
1173     ) -> Ty<'tcx> {
1174         let tcx = self.tcx;
1175         let expected = self.shallow_resolve(expected);
1176         let (rptr_ty, inner_ty) = if self.check_dereferenceable(pat.span, expected, &inner) {
1177             // `demand::subtype` would be good enough, but using `eqtype` turns
1178             // out to be equally general. See (note_1) for details.
1179
1180             // Take region, inner-type from expected type if we can,
1181             // to avoid creating needless variables. This also helps with
1182             // the bad  interactions of the given hack detailed in (note_1).
1183             debug!("check_pat_ref: expected={:?}", expected);
1184             match expected.kind {
1185                 ty::Ref(_, r_ty, r_mutbl) if r_mutbl == mutbl => (expected, r_ty),
1186                 _ => {
1187                     let inner_ty = self.next_ty_var(TypeVariableOrigin {
1188                         kind: TypeVariableOriginKind::TypeInference,
1189                         span: inner.span,
1190                     });
1191                     let rptr_ty = self.new_ref_ty(pat.span, mutbl, inner_ty);
1192                     debug!("check_pat_ref: demanding {:?} = {:?}", expected, rptr_ty);
1193                     let err = self.demand_eqtype_diag(pat.span, expected, rptr_ty);
1194
1195                     // Look for a case like `fn foo(&foo: u32)` and suggest
1196                     // `fn foo(foo: &u32)`
1197                     if let Some(mut err) = err {
1198                         self.borrow_pat_suggestion(&mut err, &pat, &inner, &expected);
1199                         err.emit();
1200                     }
1201                     (rptr_ty, inner_ty)
1202                 }
1203             }
1204         } else {
1205             (tcx.types.err, tcx.types.err)
1206         };
1207         self.check_pat(&inner, inner_ty, def_bm, ti);
1208         rptr_ty
1209     }
1210
1211     /// Create a reference type with a fresh region variable.
1212     fn new_ref_ty(&self, span: Span, mutbl: hir::Mutability, ty: Ty<'tcx>) -> Ty<'tcx> {
1213         let region = self.next_region_var(infer::PatternRegion(span));
1214         let mt = ty::TypeAndMut { ty, mutbl };
1215         self.tcx.mk_ref(region, mt)
1216     }
1217
1218     /// Type check a slice pattern.
1219     ///
1220     /// Syntactically, these look like `[pat_0, ..., pat_n]`.
1221     /// Semantically, we are type checking a pattern with structure:
1222     /// ```
1223     /// [before_0, ..., before_n, (slice, after_0, ... after_n)?]
1224     /// ```
1225     /// The type of `slice`, if it is present, depends on the `expected` type.
1226     /// If `slice` is missing, then so is `after_i`.
1227     /// If `slice` is present, it can still represent 0 elements.
1228     fn check_pat_slice(
1229         &self,
1230         span: Span,
1231         before: &'tcx [&'tcx Pat<'tcx>],
1232         slice: Option<&'tcx Pat<'tcx>>,
1233         after: &'tcx [&'tcx Pat<'tcx>],
1234         expected: Ty<'tcx>,
1235         def_bm: BindingMode,
1236         ti: TopInfo<'tcx>,
1237     ) -> Ty<'tcx> {
1238         let err = self.tcx.types.err;
1239         let expected = self.structurally_resolved_type(span, expected);
1240         let (inner_ty, slice_ty, expected) = match expected.kind {
1241             // An array, so we might have something like `let [a, b, c] = [0, 1, 2];`.
1242             ty::Array(inner_ty, len) => {
1243                 let min = before.len() as u64 + after.len() as u64;
1244                 let slice_ty = self
1245                     .check_array_pat_len(span, slice, len, min)
1246                     .map_or(err, |len| self.tcx.mk_array(inner_ty, len));
1247                 (inner_ty, slice_ty, expected)
1248             }
1249             ty::Slice(inner_ty) => (inner_ty, expected, expected),
1250             // The expected type must be an array or slice, but was neither, so error.
1251             _ => {
1252                 if !expected.references_error() {
1253                     self.error_expected_array_or_slice(span, expected);
1254                 }
1255                 (err, err, err)
1256             }
1257         };
1258
1259         // Type check all the patterns before `slice`.
1260         for elt in before {
1261             self.check_pat(&elt, inner_ty, def_bm, ti);
1262         }
1263         // Type check the `slice`, if present, against its expected type.
1264         if let Some(slice) = slice {
1265             self.check_pat(&slice, slice_ty, def_bm, ti);
1266         }
1267         // Type check the elements after `slice`, if present.
1268         for elt in after {
1269             self.check_pat(&elt, inner_ty, def_bm, ti);
1270         }
1271         expected
1272     }
1273
1274     /// Type check the length of an array pattern.
1275     ///
1276     /// Return the length of the variable length pattern,
1277     /// if it exists and there are no errors.
1278     fn check_array_pat_len(
1279         &self,
1280         span: Span,
1281         slice: Option<&'tcx Pat<'tcx>>,
1282         len: &ty::Const<'tcx>,
1283         min_len: u64,
1284     ) -> Option<u64> {
1285         if let Some(len) = len.try_eval_usize(self.tcx, self.param_env) {
1286             // Now we know the length...
1287             if slice.is_none() {
1288                 // ...and since there is no variable-length pattern,
1289                 // we require an exact match between the number of elements
1290                 // in the array pattern and as provided by the matched type.
1291                 if min_len != len {
1292                     self.error_scrutinee_inconsistent_length(span, min_len, len);
1293                 }
1294             } else if let r @ Some(_) = len.checked_sub(min_len) {
1295                 // The variable-length pattern was there,
1296                 // so it has an array type with the remaining elements left as its size...
1297                 return r;
1298             } else {
1299                 // ...however, in this case, there were no remaining elements.
1300                 // That is, the slice pattern requires more than the array type offers.
1301                 self.error_scrutinee_with_rest_inconsistent_length(span, min_len, len);
1302             }
1303         } else {
1304             // No idea what the length is, which happens if we have e.g.,
1305             // `let [a, b] = arr` where `arr: [T; N]` where `const N: usize`.
1306             self.error_scrutinee_unfixed_length(span);
1307         }
1308         None
1309     }
1310
1311     fn error_scrutinee_inconsistent_length(&self, span: Span, min_len: u64, size: u64) {
1312         struct_span_err!(
1313             self.tcx.sess,
1314             span,
1315             E0527,
1316             "pattern requires {} element{} but array has {}",
1317             min_len,
1318             pluralize!(min_len),
1319             size,
1320         )
1321         .span_label(span, format!("expected {} element{}", size, pluralize!(size)))
1322         .emit();
1323     }
1324
1325     fn error_scrutinee_with_rest_inconsistent_length(&self, span: Span, min_len: u64, size: u64) {
1326         struct_span_err!(
1327             self.tcx.sess,
1328             span,
1329             E0528,
1330             "pattern requires at least {} element{} but array has {}",
1331             min_len,
1332             pluralize!(min_len),
1333             size,
1334         )
1335         .span_label(
1336             span,
1337             format!("pattern cannot match array of {} element{}", size, pluralize!(size),),
1338         )
1339         .emit();
1340     }
1341
1342     fn error_scrutinee_unfixed_length(&self, span: Span) {
1343         struct_span_err!(
1344             self.tcx.sess,
1345             span,
1346             E0730,
1347             "cannot pattern-match on an array without a fixed length",
1348         )
1349         .emit();
1350     }
1351
1352     fn error_expected_array_or_slice(&self, span: Span, expected_ty: Ty<'tcx>) {
1353         let mut err = struct_span_err!(
1354             self.tcx.sess,
1355             span,
1356             E0529,
1357             "expected an array or slice, found `{}`",
1358             expected_ty
1359         );
1360         if let ty::Ref(_, ty, _) = expected_ty.kind {
1361             if let ty::Array(..) | ty::Slice(..) = ty.kind {
1362                 err.help("the semantics of slice patterns changed recently; see issue #62254");
1363             }
1364         }
1365         err.span_label(span, format!("pattern cannot match with input type `{}`", expected_ty));
1366         err.emit();
1367     }
1368 }