]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_typeck/src/check/pat.rs
Rollup merge of #81184 - jyn514:combine-after, r=CraftSpider
[rust.git] / compiler / rustc_typeck / src / check / pat.rs
1 use crate::check::FnCtxt;
2 use rustc_ast as ast;
3
4 use rustc_data_structures::fx::FxHashMap;
5 use rustc_errors::{pluralize, struct_span_err, Applicability, DiagnosticBuilder};
6 use rustc_hir as hir;
7 use rustc_hir::def::{CtorKind, DefKind, Res};
8 use rustc_hir::pat_util::EnumerateAndAdjustIterator;
9 use rustc_hir::{HirId, Pat, PatKind};
10 use rustc_infer::infer;
11 use rustc_infer::infer::type_variable::{TypeVariableOrigin, TypeVariableOriginKind};
12 use rustc_middle::ty::subst::GenericArg;
13 use rustc_middle::ty::{self, Adt, BindingMode, Ty, TypeFoldable};
14 use rustc_span::hygiene::DesugaringKind;
15 use rustc_span::lev_distance::find_best_match_for_name;
16 use rustc_span::source_map::{Span, Spanned};
17 use rustc_span::symbol::Ident;
18 use rustc_span::{BytePos, DUMMY_SP};
19 use rustc_trait_selection::traits::{ObligationCause, Pattern};
20
21 use std::cmp;
22 use std::collections::hash_map::Entry::{Occupied, Vacant};
23
24 use super::report_unexpected_variant_res;
25
26 const CANNOT_IMPLICITLY_DEREF_POINTER_TRAIT_OBJ: &str = "\
27 This error indicates that a pointer to a trait type cannot be implicitly dereferenced by a \
28 pattern. Every trait defines a type, but because the size of trait implementors isn't fixed, \
29 this type has no compile-time size. Therefore, all accesses to trait types must be through \
30 pointers. If you encounter this error you should try to avoid dereferencing the pointer.
31
32 You can read more about trait objects in the Trait Objects section of the Reference: \
33 https://doc.rust-lang.org/reference/types.html#trait-objects";
34
35 /// Information about the expected type at the top level of type checking a pattern.
36 ///
37 /// **NOTE:** This is only for use by diagnostics. Do NOT use for type checking logic!
38 #[derive(Copy, Clone)]
39 struct TopInfo<'tcx> {
40     /// The `expected` type at the top level of type checking a pattern.
41     expected: Ty<'tcx>,
42     /// Was the origin of the `span` from a scrutinee expression?
43     ///
44     /// Otherwise there is no scrutinee and it could be e.g. from the type of a formal parameter.
45     origin_expr: bool,
46     /// The span giving rise to the `expected` type, if one could be provided.
47     ///
48     /// If `origin_expr` is `true`, then this is the span of the scrutinee as in:
49     ///
50     /// - `match scrutinee { ... }`
51     /// - `let _ = scrutinee;`
52     ///
53     /// This is used to point to add context in type errors.
54     /// In the following example, `span` corresponds to the `a + b` expression:
55     ///
56     /// ```text
57     /// error[E0308]: mismatched types
58     ///  --> src/main.rs:L:C
59     ///   |
60     /// L |    let temp: usize = match a + b {
61     ///   |                            ----- this expression has type `usize`
62     /// L |         Ok(num) => num,
63     ///   |         ^^^^^^^ expected `usize`, found enum `std::result::Result`
64     ///   |
65     ///   = note: expected type `usize`
66     ///              found type `std::result::Result<_, _>`
67     /// ```
68     span: Option<Span>,
69     /// This refers to the parent pattern. Used to provide extra diagnostic information on errors.
70     /// ```text
71     /// error[E0308]: mismatched types
72     ///   --> $DIR/const-in-struct-pat.rs:8:17
73     ///   |
74     /// L | struct f;
75     ///   | --------- unit struct defined here
76     /// ...
77     /// L |     let Thing { f } = t;
78     ///   |                 ^
79     ///   |                 |
80     ///   |                 expected struct `std::string::String`, found struct `f`
81     ///   |                 `f` is interpreted as a unit struct, not a new binding
82     ///   |                 help: bind the struct field to a different name instead: `f: other_f`
83     /// ```
84     parent_pat: Option<&'tcx Pat<'tcx>>,
85 }
86
87 impl<'tcx> FnCtxt<'_, 'tcx> {
88     fn pattern_cause(&self, ti: TopInfo<'tcx>, cause_span: Span) -> ObligationCause<'tcx> {
89         let code = Pattern { span: ti.span, root_ty: ti.expected, origin_expr: ti.origin_expr };
90         self.cause(cause_span, code)
91     }
92
93     fn demand_eqtype_pat_diag(
94         &self,
95         cause_span: Span,
96         expected: Ty<'tcx>,
97         actual: Ty<'tcx>,
98         ti: TopInfo<'tcx>,
99     ) -> Option<DiagnosticBuilder<'tcx>> {
100         self.demand_eqtype_with_origin(&self.pattern_cause(ti, cause_span), expected, actual)
101     }
102
103     fn demand_eqtype_pat(
104         &self,
105         cause_span: Span,
106         expected: Ty<'tcx>,
107         actual: Ty<'tcx>,
108         ti: TopInfo<'tcx>,
109     ) {
110         if let Some(mut err) = self.demand_eqtype_pat_diag(cause_span, expected, actual, ti) {
111             err.emit();
112         }
113     }
114 }
115
116 const INITIAL_BM: BindingMode = BindingMode::BindByValue(hir::Mutability::Not);
117
118 /// Mode for adjusting the expected type and binding mode.
119 enum AdjustMode {
120     /// Peel off all immediate reference types.
121     Peel,
122     /// Reset binding mode to the initial mode.
123     Reset,
124     /// Pass on the input binding mode and expected type.
125     Pass,
126 }
127
128 impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
129     /// Type check the given top level pattern against the `expected` type.
130     ///
131     /// If a `Some(span)` is provided and `origin_expr` holds,
132     /// then the `span` represents the scrutinee's span.
133     /// The scrutinee is found in e.g. `match scrutinee { ... }` and `let pat = scrutinee;`.
134     ///
135     /// Otherwise, `Some(span)` represents the span of a type expression
136     /// which originated the `expected` type.
137     pub fn check_pat_top(
138         &self,
139         pat: &'tcx Pat<'tcx>,
140         expected: Ty<'tcx>,
141         span: Option<Span>,
142         origin_expr: bool,
143     ) {
144         let info = TopInfo { expected, origin_expr, span, parent_pat: None };
145         self.check_pat(pat, expected, INITIAL_BM, info);
146     }
147
148     /// Type check the given `pat` against the `expected` type
149     /// with the provided `def_bm` (default binding mode).
150     ///
151     /// Outside of this module, `check_pat_top` should always be used.
152     /// Conversely, inside this module, `check_pat_top` should never be used.
153     #[instrument(skip(self, ti))]
154     fn check_pat(
155         &self,
156         pat: &'tcx Pat<'tcx>,
157         expected: Ty<'tcx>,
158         def_bm: BindingMode,
159         ti: TopInfo<'tcx>,
160     ) {
161         let path_res = match &pat.kind {
162             PatKind::Path(qpath) => Some(self.resolve_ty_and_res_ufcs(qpath, pat.hir_id, pat.span)),
163             _ => None,
164         };
165         let adjust_mode = self.calc_adjust_mode(pat, path_res.map(|(res, ..)| res));
166         let (expected, def_bm) = self.calc_default_binding_mode(pat, expected, def_bm, adjust_mode);
167
168         let ty = match pat.kind {
169             PatKind::Wild => expected,
170             PatKind::Lit(lt) => self.check_pat_lit(pat.span, lt, expected, ti),
171             PatKind::Range(lhs, rhs, _) => self.check_pat_range(pat.span, lhs, rhs, expected, ti),
172             PatKind::Binding(ba, var_id, _, sub) => {
173                 self.check_pat_ident(pat, ba, var_id, sub, expected, def_bm, ti)
174             }
175             PatKind::TupleStruct(ref qpath, subpats, ddpos) => {
176                 self.check_pat_tuple_struct(pat, qpath, subpats, ddpos, expected, def_bm, ti)
177             }
178             PatKind::Path(_) => self.check_pat_path(pat, path_res.unwrap(), expected, ti),
179             PatKind::Struct(ref qpath, fields, etc) => {
180                 self.check_pat_struct(pat, qpath, fields, etc, expected, def_bm, ti)
181             }
182             PatKind::Or(pats) => {
183                 let parent_pat = Some(pat);
184                 for pat in pats {
185                     self.check_pat(pat, expected, def_bm, TopInfo { parent_pat, ..ti });
186                 }
187                 expected
188             }
189             PatKind::Tuple(elements, ddpos) => {
190                 self.check_pat_tuple(pat.span, elements, ddpos, expected, def_bm, ti)
191             }
192             PatKind::Box(inner) => self.check_pat_box(pat.span, inner, expected, def_bm, ti),
193             PatKind::Ref(inner, mutbl) => {
194                 self.check_pat_ref(pat, inner, mutbl, expected, def_bm, ti)
195             }
196             PatKind::Slice(before, slice, after) => {
197                 self.check_pat_slice(pat.span, before, slice, after, expected, def_bm, ti)
198             }
199         };
200
201         self.write_ty(pat.hir_id, ty);
202
203         // (note_1): In most of the cases where (note_1) is referenced
204         // (literals and constants being the exception), we relate types
205         // using strict equality, even though subtyping would be sufficient.
206         // There are a few reasons for this, some of which are fairly subtle
207         // and which cost me (nmatsakis) an hour or two debugging to remember,
208         // so I thought I'd write them down this time.
209         //
210         // 1. There is no loss of expressiveness here, though it does
211         // cause some inconvenience. What we are saying is that the type
212         // of `x` becomes *exactly* what is expected. This can cause unnecessary
213         // errors in some cases, such as this one:
214         //
215         // ```
216         // fn foo<'x>(x: &'x i32) {
217         //    let a = 1;
218         //    let mut z = x;
219         //    z = &a;
220         // }
221         // ```
222         //
223         // The reason we might get an error is that `z` might be
224         // assigned a type like `&'x i32`, and then we would have
225         // a problem when we try to assign `&a` to `z`, because
226         // the lifetime of `&a` (i.e., the enclosing block) is
227         // shorter than `'x`.
228         //
229         // HOWEVER, this code works fine. The reason is that the
230         // expected type here is whatever type the user wrote, not
231         // the initializer's type. In this case the user wrote
232         // nothing, so we are going to create a type variable `Z`.
233         // Then we will assign the type of the initializer (`&'x i32`)
234         // as a subtype of `Z`: `&'x i32 <: Z`. And hence we
235         // will instantiate `Z` as a type `&'0 i32` where `'0` is
236         // a fresh region variable, with the constraint that `'x : '0`.
237         // So basically we're all set.
238         //
239         // Note that there are two tests to check that this remains true
240         // (`regions-reassign-{match,let}-bound-pointer.rs`).
241         //
242         // 2. Things go horribly wrong if we use subtype. The reason for
243         // THIS is a fairly subtle case involving bound regions. See the
244         // `givens` field in `region_constraints`, as well as the test
245         // `regions-relate-bound-regions-on-closures-to-inference-variables.rs`,
246         // for details. Short version is that we must sometimes detect
247         // relationships between specific region variables and regions
248         // bound in a closure signature, and that detection gets thrown
249         // off when we substitute fresh region variables here to enable
250         // subtyping.
251     }
252
253     /// Compute the new expected type and default binding mode from the old ones
254     /// as well as the pattern form we are currently checking.
255     fn calc_default_binding_mode(
256         &self,
257         pat: &'tcx Pat<'tcx>,
258         expected: Ty<'tcx>,
259         def_bm: BindingMode,
260         adjust_mode: AdjustMode,
261     ) -> (Ty<'tcx>, BindingMode) {
262         match adjust_mode {
263             AdjustMode::Pass => (expected, def_bm),
264             AdjustMode::Reset => (expected, INITIAL_BM),
265             AdjustMode::Peel => self.peel_off_references(pat, expected, def_bm),
266         }
267     }
268
269     /// How should the binding mode and expected type be adjusted?
270     ///
271     /// When the pattern is a path pattern, `opt_path_res` must be `Some(res)`.
272     fn calc_adjust_mode(&self, pat: &'tcx Pat<'tcx>, opt_path_res: Option<Res>) -> AdjustMode {
273         // When we perform destructuring assignment, we disable default match bindings, which are
274         // unintuitive in this context.
275         if !pat.default_binding_modes {
276             return AdjustMode::Reset;
277         }
278         match &pat.kind {
279             // Type checking these product-like types successfully always require
280             // that the expected type be of those types and not reference types.
281             PatKind::Struct(..)
282             | PatKind::TupleStruct(..)
283             | PatKind::Tuple(..)
284             | PatKind::Box(_)
285             | PatKind::Range(..)
286             | PatKind::Slice(..) => AdjustMode::Peel,
287             // String and byte-string literals result in types `&str` and `&[u8]` respectively.
288             // All other literals result in non-reference types.
289             // As a result, we allow `if let 0 = &&0 {}` but not `if let "foo" = &&"foo {}`.
290             PatKind::Lit(lt) => match self.check_expr(lt).kind() {
291                 ty::Ref(..) => AdjustMode::Pass,
292                 _ => AdjustMode::Peel,
293             },
294             PatKind::Path(_) => match opt_path_res.unwrap() {
295                 // These constants can be of a reference type, e.g. `const X: &u8 = &0;`.
296                 // Peeling the reference types too early will cause type checking failures.
297                 // Although it would be possible to *also* peel the types of the constants too.
298                 Res::Def(DefKind::Const | DefKind::AssocConst, _) => AdjustMode::Pass,
299                 // In the `ValueNS`, we have `SelfCtor(..) | Ctor(_, Const), _)` remaining which
300                 // could successfully compile. The former being `Self` requires a unit struct.
301                 // In either case, and unlike constants, the pattern itself cannot be
302                 // a reference type wherefore peeling doesn't give up any expressivity.
303                 _ => AdjustMode::Peel,
304             },
305             // When encountering a `& mut? pat` pattern, reset to "by value".
306             // This is so that `x` and `y` here are by value, as they appear to be:
307             //
308             // ```
309             // match &(&22, &44) {
310             //   (&x, &y) => ...
311             // }
312             // ```
313             //
314             // See issue #46688.
315             PatKind::Ref(..) => AdjustMode::Reset,
316             // A `_` pattern works with any expected type, so there's no need to do anything.
317             PatKind::Wild
318             // Bindings also work with whatever the expected type is,
319             // and moreover if we peel references off, that will give us the wrong binding type.
320             // Also, we can have a subpattern `binding @ pat`.
321             // Each side of the `@` should be treated independently (like with OR-patterns).
322             | PatKind::Binding(..)
323             // An OR-pattern just propagates to each individual alternative.
324             // This is maximally flexible, allowing e.g., `Some(mut x) | &Some(mut x)`.
325             // In that example, `Some(mut x)` results in `Peel` whereas `&Some(mut x)` in `Reset`.
326             | PatKind::Or(_) => AdjustMode::Pass,
327         }
328     }
329
330     /// Peel off as many immediately nested `& mut?` from the expected type as possible
331     /// and return the new expected type and binding default binding mode.
332     /// The adjustments vector, if non-empty is stored in a table.
333     fn peel_off_references(
334         &self,
335         pat: &'tcx Pat<'tcx>,
336         expected: Ty<'tcx>,
337         mut def_bm: BindingMode,
338     ) -> (Ty<'tcx>, BindingMode) {
339         let mut expected = self.resolve_vars_with_obligations(&expected);
340
341         // Peel off as many `&` or `&mut` from the scrutinee type as possible. For example,
342         // for `match &&&mut Some(5)` the loop runs three times, aborting when it reaches
343         // the `Some(5)` which is not of type Ref.
344         //
345         // For each ampersand peeled off, update the binding mode and push the original
346         // type into the adjustments vector.
347         //
348         // See the examples in `ui/match-defbm*.rs`.
349         let mut pat_adjustments = vec![];
350         while let ty::Ref(_, inner_ty, inner_mutability) = *expected.kind() {
351             debug!("inspecting {:?}", expected);
352
353             debug!("current discriminant is Ref, inserting implicit deref");
354             // Preserve the reference type. We'll need it later during THIR lowering.
355             pat_adjustments.push(expected);
356
357             expected = inner_ty;
358             def_bm = ty::BindByReference(match def_bm {
359                 // If default binding mode is by value, make it `ref` or `ref mut`
360                 // (depending on whether we observe `&` or `&mut`).
361                 ty::BindByValue(_) |
362                 // When `ref mut`, stay a `ref mut` (on `&mut`) or downgrade to `ref` (on `&`).
363                 ty::BindByReference(hir::Mutability::Mut) => inner_mutability,
364                 // Once a `ref`, always a `ref`.
365                 // This is because a `& &mut` cannot mutate the underlying value.
366                 ty::BindByReference(m @ hir::Mutability::Not) => m,
367             });
368         }
369
370         if !pat_adjustments.is_empty() {
371             debug!("default binding mode is now {:?}", def_bm);
372             self.inh
373                 .typeck_results
374                 .borrow_mut()
375                 .pat_adjustments_mut()
376                 .insert(pat.hir_id, pat_adjustments);
377         }
378
379         (expected, def_bm)
380     }
381
382     fn check_pat_lit(
383         &self,
384         span: Span,
385         lt: &hir::Expr<'tcx>,
386         expected: Ty<'tcx>,
387         ti: TopInfo<'tcx>,
388     ) -> Ty<'tcx> {
389         // We've already computed the type above (when checking for a non-ref pat),
390         // so avoid computing it again.
391         let ty = self.node_ty(lt.hir_id);
392
393         // Byte string patterns behave the same way as array patterns
394         // They can denote both statically and dynamically-sized byte arrays.
395         let mut pat_ty = ty;
396         if let hir::ExprKind::Lit(Spanned { node: ast::LitKind::ByteStr(_), .. }) = lt.kind {
397             let expected = self.structurally_resolved_type(span, expected);
398             if let ty::Ref(_, inner_ty, _) = expected.kind() {
399                 if matches!(inner_ty.kind(), ty::Slice(_)) {
400                     let tcx = self.tcx;
401                     trace!(?lt.hir_id.local_id, "polymorphic byte string lit");
402                     self.typeck_results
403                         .borrow_mut()
404                         .treat_byte_string_as_slice
405                         .insert(lt.hir_id.local_id);
406                     pat_ty = tcx.mk_imm_ref(tcx.lifetimes.re_static, tcx.mk_slice(tcx.types.u8));
407                 }
408             }
409         }
410
411         // Somewhat surprising: in this case, the subtyping relation goes the
412         // opposite way as the other cases. Actually what we really want is not
413         // a subtyping relation at all but rather that there exists a LUB
414         // (so that they can be compared). However, in practice, constants are
415         // always scalars or strings. For scalars subtyping is irrelevant,
416         // and for strings `ty` is type is `&'static str`, so if we say that
417         //
418         //     &'static str <: expected
419         //
420         // then that's equivalent to there existing a LUB.
421         let cause = self.pattern_cause(ti, span);
422         if let Some(mut err) = self.demand_suptype_with_origin(&cause, expected, pat_ty) {
423             err.emit_unless(
424                 ti.span
425                     .filter(|&s| {
426                         // In the case of `if`- and `while`-expressions we've already checked
427                         // that `scrutinee: bool`. We know that the pattern is `true`,
428                         // so an error here would be a duplicate and from the wrong POV.
429                         s.is_desugaring(DesugaringKind::CondTemporary)
430                     })
431                     .is_some(),
432             );
433         }
434
435         pat_ty
436     }
437
438     fn check_pat_range(
439         &self,
440         span: Span,
441         lhs: Option<&'tcx hir::Expr<'tcx>>,
442         rhs: Option<&'tcx hir::Expr<'tcx>>,
443         expected: Ty<'tcx>,
444         ti: TopInfo<'tcx>,
445     ) -> Ty<'tcx> {
446         let calc_side = |opt_expr: Option<&'tcx hir::Expr<'tcx>>| match opt_expr {
447             None => (None, None),
448             Some(expr) => {
449                 let ty = self.check_expr(expr);
450                 // Check that the end-point is of numeric or char type.
451                 let fail = !(ty.is_numeric() || ty.is_char() || ty.references_error());
452                 (Some(ty), Some((fail, ty, expr.span)))
453             }
454         };
455         let (lhs_ty, lhs) = calc_side(lhs);
456         let (rhs_ty, rhs) = calc_side(rhs);
457
458         if let (Some((true, ..)), _) | (_, Some((true, ..))) = (lhs, rhs) {
459             // There exists a side that didn't meet our criteria that the end-point
460             // be of a numeric or char type, as checked in `calc_side` above.
461             self.emit_err_pat_range(span, lhs, rhs);
462             return self.tcx.ty_error();
463         }
464
465         // Now that we know the types can be unified we find the unified type
466         // and use it to type the entire expression.
467         let common_type = self.resolve_vars_if_possible(lhs_ty.or(rhs_ty).unwrap_or(expected));
468
469         // Subtyping doesn't matter here, as the value is some kind of scalar.
470         let demand_eqtype = |x, y| {
471             if let Some((_, x_ty, x_span)) = x {
472                 if let Some(mut err) = self.demand_eqtype_pat_diag(x_span, expected, x_ty, ti) {
473                     if let Some((_, y_ty, y_span)) = y {
474                         self.endpoint_has_type(&mut err, y_span, y_ty);
475                     }
476                     err.emit();
477                 };
478             }
479         };
480         demand_eqtype(lhs, rhs);
481         demand_eqtype(rhs, lhs);
482
483         common_type
484     }
485
486     fn endpoint_has_type(&self, err: &mut DiagnosticBuilder<'_>, span: Span, ty: Ty<'_>) {
487         if !ty.references_error() {
488             err.span_label(span, &format!("this is of type `{}`", ty));
489         }
490     }
491
492     fn emit_err_pat_range(
493         &self,
494         span: Span,
495         lhs: Option<(bool, Ty<'tcx>, Span)>,
496         rhs: Option<(bool, Ty<'tcx>, Span)>,
497     ) {
498         let span = match (lhs, rhs) {
499             (Some((true, ..)), Some((true, ..))) => span,
500             (Some((true, _, sp)), _) => sp,
501             (_, Some((true, _, sp))) => sp,
502             _ => span_bug!(span, "emit_err_pat_range: no side failed or exists but still error?"),
503         };
504         let mut err = struct_span_err!(
505             self.tcx.sess,
506             span,
507             E0029,
508             "only `char` and numeric types are allowed in range patterns"
509         );
510         let msg = |ty| format!("this is of type `{}` but it should be `char` or numeric", ty);
511         let mut one_side_err = |first_span, first_ty, second: Option<(bool, Ty<'tcx>, Span)>| {
512             err.span_label(first_span, &msg(first_ty));
513             if let Some((_, ty, sp)) = second {
514                 self.endpoint_has_type(&mut err, sp, ty);
515             }
516         };
517         match (lhs, rhs) {
518             (Some((true, lhs_ty, lhs_sp)), Some((true, rhs_ty, rhs_sp))) => {
519                 err.span_label(lhs_sp, &msg(lhs_ty));
520                 err.span_label(rhs_sp, &msg(rhs_ty));
521             }
522             (Some((true, lhs_ty, lhs_sp)), rhs) => one_side_err(lhs_sp, lhs_ty, rhs),
523             (lhs, Some((true, rhs_ty, rhs_sp))) => one_side_err(rhs_sp, rhs_ty, lhs),
524             _ => span_bug!(span, "Impossible, verified above."),
525         }
526         if self.tcx.sess.teach(&err.get_code().unwrap()) {
527             err.note(
528                 "In a match expression, only numbers and characters can be matched \
529                     against a range. This is because the compiler checks that the range \
530                     is non-empty at compile-time, and is unable to evaluate arbitrary \
531                     comparison functions. If you want to capture values of an orderable \
532                     type between two end-points, you can use a guard.",
533             );
534         }
535         err.emit();
536     }
537
538     fn check_pat_ident(
539         &self,
540         pat: &'tcx Pat<'tcx>,
541         ba: hir::BindingAnnotation,
542         var_id: HirId,
543         sub: Option<&'tcx Pat<'tcx>>,
544         expected: Ty<'tcx>,
545         def_bm: BindingMode,
546         ti: TopInfo<'tcx>,
547     ) -> Ty<'tcx> {
548         // Determine the binding mode...
549         let bm = match ba {
550             hir::BindingAnnotation::Unannotated => def_bm,
551             _ => BindingMode::convert(ba),
552         };
553         // ...and store it in a side table:
554         self.inh.typeck_results.borrow_mut().pat_binding_modes_mut().insert(pat.hir_id, bm);
555
556         debug!("check_pat_ident: pat.hir_id={:?} bm={:?}", pat.hir_id, bm);
557
558         let local_ty = self.local_ty(pat.span, pat.hir_id).decl_ty;
559         let eq_ty = match bm {
560             ty::BindByReference(mutbl) => {
561                 // If the binding is like `ref x | ref mut x`,
562                 // then `x` is assigned a value of type `&M T` where M is the
563                 // mutability and T is the expected type.
564                 //
565                 // `x` is assigned a value of type `&M T`, hence `&M T <: typeof(x)`
566                 // is required. However, we use equality, which is stronger.
567                 // See (note_1) for an explanation.
568                 self.new_ref_ty(pat.span, mutbl, expected)
569             }
570             // Otherwise, the type of x is the expected type `T`.
571             ty::BindByValue(_) => {
572                 // As above, `T <: typeof(x)` is required, but we use equality, see (note_1).
573                 expected
574             }
575         };
576         self.demand_eqtype_pat(pat.span, eq_ty, local_ty, ti);
577
578         // If there are multiple arms, make sure they all agree on
579         // what the type of the binding `x` ought to be.
580         if var_id != pat.hir_id {
581             self.check_binding_alt_eq_ty(pat.span, var_id, local_ty, ti);
582         }
583
584         if let Some(p) = sub {
585             self.check_pat(&p, expected, def_bm, TopInfo { parent_pat: Some(&pat), ..ti });
586         }
587
588         local_ty
589     }
590
591     fn check_binding_alt_eq_ty(&self, span: Span, var_id: HirId, ty: Ty<'tcx>, ti: TopInfo<'tcx>) {
592         let var_ty = self.local_ty(span, var_id).decl_ty;
593         if let Some(mut err) = self.demand_eqtype_pat_diag(span, var_ty, ty, ti) {
594             let hir = self.tcx.hir();
595             let var_ty = self.resolve_vars_with_obligations(var_ty);
596             let msg = format!("first introduced with type `{}` here", var_ty);
597             err.span_label(hir.span(var_id), msg);
598             let in_match = hir.parent_iter(var_id).any(|(_, n)| {
599                 matches!(
600                     n,
601                     hir::Node::Expr(hir::Expr {
602                         kind: hir::ExprKind::Match(.., hir::MatchSource::Normal),
603                         ..
604                     })
605                 )
606             });
607             let pre = if in_match { "in the same arm, " } else { "" };
608             err.note(&format!("{}a binding must have the same type in all alternatives", pre));
609             err.emit();
610         }
611     }
612
613     fn borrow_pat_suggestion(
614         &self,
615         err: &mut DiagnosticBuilder<'_>,
616         pat: &Pat<'_>,
617         inner: &Pat<'_>,
618         expected: Ty<'tcx>,
619     ) {
620         let tcx = self.tcx;
621         if let PatKind::Binding(..) = inner.kind {
622             let binding_parent_id = tcx.hir().get_parent_node(pat.hir_id);
623             let binding_parent = tcx.hir().get(binding_parent_id);
624             debug!("inner {:?} pat {:?} parent {:?}", inner, pat, binding_parent);
625             match binding_parent {
626                 hir::Node::Param(hir::Param { span, .. }) => {
627                     if let Ok(snippet) = tcx.sess.source_map().span_to_snippet(inner.span) {
628                         err.span_suggestion(
629                             *span,
630                             &format!("did you mean `{}`", snippet),
631                             format!(" &{}", expected),
632                             Applicability::MachineApplicable,
633                         );
634                     }
635                 }
636                 hir::Node::Arm(_) | hir::Node::Pat(_) => {
637                     // rely on match ergonomics or it might be nested `&&pat`
638                     if let Ok(snippet) = tcx.sess.source_map().span_to_snippet(inner.span) {
639                         err.span_suggestion(
640                             pat.span,
641                             "you can probably remove the explicit borrow",
642                             snippet,
643                             Applicability::MaybeIncorrect,
644                         );
645                     }
646                 }
647                 _ => {} // don't provide suggestions in other cases #55175
648             }
649         }
650     }
651
652     pub fn check_dereferenceable(&self, span: Span, expected: Ty<'tcx>, inner: &Pat<'_>) -> bool {
653         if let PatKind::Binding(..) = inner.kind {
654             if let Some(mt) = self.shallow_resolve(expected).builtin_deref(true) {
655                 if let ty::Dynamic(..) = mt.ty.kind() {
656                     // This is "x = SomeTrait" being reduced from
657                     // "let &x = &SomeTrait" or "let box x = Box<SomeTrait>", an error.
658                     let type_str = self.ty_to_string(expected);
659                     let mut err = struct_span_err!(
660                         self.tcx.sess,
661                         span,
662                         E0033,
663                         "type `{}` cannot be dereferenced",
664                         type_str
665                     );
666                     err.span_label(span, format!("type `{}` cannot be dereferenced", type_str));
667                     if self.tcx.sess.teach(&err.get_code().unwrap()) {
668                         err.note(CANNOT_IMPLICITLY_DEREF_POINTER_TRAIT_OBJ);
669                     }
670                     err.emit();
671                     return false;
672                 }
673             }
674         }
675         true
676     }
677
678     fn check_pat_struct(
679         &self,
680         pat: &'tcx Pat<'tcx>,
681         qpath: &hir::QPath<'_>,
682         fields: &'tcx [hir::FieldPat<'tcx>],
683         etc: bool,
684         expected: Ty<'tcx>,
685         def_bm: BindingMode,
686         ti: TopInfo<'tcx>,
687     ) -> Ty<'tcx> {
688         // Resolve the path and check the definition for errors.
689         let (variant, pat_ty) = if let Some(variant_ty) = self.check_struct_path(qpath, pat.hir_id)
690         {
691             variant_ty
692         } else {
693             let err = self.tcx.ty_error();
694             for field in fields {
695                 let ti = TopInfo { parent_pat: Some(&pat), ..ti };
696                 self.check_pat(&field.pat, err, def_bm, ti);
697             }
698             return err;
699         };
700
701         // Type-check the path.
702         self.demand_eqtype_pat(pat.span, expected, pat_ty, ti);
703
704         // Type-check subpatterns.
705         if self.check_struct_pat_fields(pat_ty, &pat, variant, fields, etc, def_bm, ti) {
706             pat_ty
707         } else {
708             self.tcx.ty_error()
709         }
710     }
711
712     fn check_pat_path(
713         &self,
714         pat: &Pat<'_>,
715         path_resolution: (Res, Option<Ty<'tcx>>, &'b [hir::PathSegment<'b>]),
716         expected: Ty<'tcx>,
717         ti: TopInfo<'tcx>,
718     ) -> Ty<'tcx> {
719         let tcx = self.tcx;
720
721         // We have already resolved the path.
722         let (res, opt_ty, segments) = path_resolution;
723         match res {
724             Res::Err => {
725                 self.set_tainted_by_errors();
726                 return tcx.ty_error();
727             }
728             Res::Def(DefKind::AssocFn | DefKind::Ctor(_, CtorKind::Fictive | CtorKind::Fn), _) => {
729                 report_unexpected_variant_res(tcx, res, pat.span);
730                 return tcx.ty_error();
731             }
732             Res::SelfCtor(..)
733             | Res::Def(
734                 DefKind::Ctor(_, CtorKind::Const)
735                 | DefKind::Const
736                 | DefKind::AssocConst
737                 | DefKind::ConstParam,
738                 _,
739             ) => {} // OK
740             _ => bug!("unexpected pattern resolution: {:?}", res),
741         }
742
743         // Type-check the path.
744         let (pat_ty, pat_res) =
745             self.instantiate_value_path(segments, opt_ty, res, pat.span, pat.hir_id);
746         if let Some(err) =
747             self.demand_suptype_with_origin(&self.pattern_cause(ti, pat.span), expected, pat_ty)
748         {
749             self.emit_bad_pat_path(err, pat.span, res, pat_res, pat_ty, segments, ti.parent_pat);
750         }
751         pat_ty
752     }
753
754     fn maybe_suggest_range_literal(
755         &self,
756         e: &mut DiagnosticBuilder<'_>,
757         opt_def_id: Option<hir::def_id::DefId>,
758         ident: Ident,
759     ) -> bool {
760         match opt_def_id {
761             Some(def_id) => match self.tcx.hir().get_if_local(def_id) {
762                 Some(hir::Node::Item(hir::Item {
763                     kind: hir::ItemKind::Const(_, body_id), ..
764                 })) => match self.tcx.hir().get(body_id.hir_id) {
765                     hir::Node::Expr(expr) => {
766                         if hir::is_range_literal(expr) {
767                             let span = self.tcx.hir().span(body_id.hir_id);
768                             if let Ok(snip) = self.tcx.sess.source_map().span_to_snippet(span) {
769                                 e.span_suggestion_verbose(
770                                     ident.span,
771                                     "you may want to move the range into the match block",
772                                     snip,
773                                     Applicability::MachineApplicable,
774                                 );
775                                 return true;
776                             }
777                         }
778                     }
779                     _ => (),
780                 },
781                 _ => (),
782             },
783             _ => (),
784         }
785         false
786     }
787
788     fn emit_bad_pat_path(
789         &self,
790         mut e: DiagnosticBuilder<'_>,
791         pat_span: Span,
792         res: Res,
793         pat_res: Res,
794         pat_ty: Ty<'tcx>,
795         segments: &'b [hir::PathSegment<'b>],
796         parent_pat: Option<&Pat<'_>>,
797     ) {
798         if let Some(span) = self.tcx.hir().res_span(pat_res) {
799             e.span_label(span, &format!("{} defined here", res.descr()));
800             if let [hir::PathSegment { ident, .. }] = &*segments {
801                 e.span_label(
802                     pat_span,
803                     &format!(
804                         "`{}` is interpreted as {} {}, not a new binding",
805                         ident,
806                         res.article(),
807                         res.descr(),
808                     ),
809                 );
810                 match parent_pat {
811                     Some(Pat { kind: hir::PatKind::Struct(..), .. }) => {
812                         e.span_suggestion_verbose(
813                             ident.span.shrink_to_hi(),
814                             "bind the struct field to a different name instead",
815                             format!(": other_{}", ident.as_str().to_lowercase()),
816                             Applicability::HasPlaceholders,
817                         );
818                     }
819                     _ => {
820                         let (type_def_id, item_def_id) = match pat_ty.kind() {
821                             Adt(def, _) => match res {
822                                 Res::Def(DefKind::Const, def_id) => (Some(def.did), Some(def_id)),
823                                 _ => (None, None),
824                             },
825                             _ => (None, None),
826                         };
827
828                         let ranges = &[
829                             self.tcx.lang_items().range_struct(),
830                             self.tcx.lang_items().range_from_struct(),
831                             self.tcx.lang_items().range_to_struct(),
832                             self.tcx.lang_items().range_full_struct(),
833                             self.tcx.lang_items().range_inclusive_struct(),
834                             self.tcx.lang_items().range_to_inclusive_struct(),
835                         ];
836                         if type_def_id != None && ranges.contains(&type_def_id) {
837                             if !self.maybe_suggest_range_literal(&mut e, item_def_id, *ident) {
838                                 let msg = "constants only support matching by type, \
839                                     if you meant to match against a range of values, \
840                                     consider using a range pattern like `min ..= max` in the match block";
841                                 e.note(msg);
842                             }
843                         } else {
844                             let msg = "introduce a new binding instead";
845                             let sugg = format!("other_{}", ident.as_str().to_lowercase());
846                             e.span_suggestion(
847                                 ident.span,
848                                 msg,
849                                 sugg,
850                                 Applicability::HasPlaceholders,
851                             );
852                         }
853                     }
854                 };
855             }
856         }
857         e.emit();
858     }
859
860     fn check_pat_tuple_struct(
861         &self,
862         pat: &'tcx Pat<'tcx>,
863         qpath: &hir::QPath<'_>,
864         subpats: &'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 on_error = || {
872             let parent_pat = Some(pat);
873             for pat in subpats {
874                 self.check_pat(&pat, tcx.ty_error(), def_bm, TopInfo { parent_pat, ..ti });
875             }
876         };
877         let report_unexpected_res = |res: Res| {
878             let sm = tcx.sess.source_map();
879             let path_str = sm
880                 .span_to_snippet(sm.span_until_char(pat.span, '('))
881                 .map_or(String::new(), |s| format!(" `{}`", s.trim_end()));
882             let msg = format!(
883                 "expected tuple struct or tuple variant, found {}{}",
884                 res.descr(),
885                 path_str
886             );
887
888             let mut err = struct_span_err!(tcx.sess, pat.span, E0164, "{}", msg);
889             match res {
890                 Res::Def(DefKind::Fn | DefKind::AssocFn, _) => {
891                     err.span_label(pat.span, "`fn` calls are not allowed in patterns");
892                     err.help(
893                         "for more information, visit \
894                               https://doc.rust-lang.org/book/ch18-00-patterns.html",
895                     );
896                 }
897                 _ => {
898                     err.span_label(pat.span, "not a tuple variant or struct");
899                 }
900             }
901             err.emit();
902             on_error();
903         };
904
905         // Resolve the path and check the definition for errors.
906         let (res, opt_ty, segments) = self.resolve_ty_and_res_ufcs(qpath, pat.hir_id, pat.span);
907         if res == Res::Err {
908             self.set_tainted_by_errors();
909             on_error();
910             return self.tcx.ty_error();
911         }
912
913         // Type-check the path.
914         let (pat_ty, res) =
915             self.instantiate_value_path(segments, opt_ty, res, pat.span, pat.hir_id);
916         if !pat_ty.is_fn() {
917             report_unexpected_res(res);
918             return tcx.ty_error();
919         }
920
921         let variant = match res {
922             Res::Err => {
923                 self.set_tainted_by_errors();
924                 on_error();
925                 return tcx.ty_error();
926             }
927             Res::Def(DefKind::AssocConst | DefKind::AssocFn, _) => {
928                 report_unexpected_res(res);
929                 return tcx.ty_error();
930             }
931             Res::Def(DefKind::Ctor(_, CtorKind::Fn), _) => tcx.expect_variant_res(res),
932             _ => bug!("unexpected pattern resolution: {:?}", res),
933         };
934
935         // Replace constructor type with constructed type for tuple struct patterns.
936         let pat_ty = pat_ty.fn_sig(tcx).output();
937         let pat_ty = pat_ty.no_bound_vars().expect("expected fn type");
938
939         // Type-check the tuple struct pattern against the expected type.
940         let diag = self.demand_eqtype_pat_diag(pat.span, expected, pat_ty, ti);
941         let had_err = if let Some(mut err) = diag {
942             err.emit();
943             true
944         } else {
945             false
946         };
947
948         // Type-check subpatterns.
949         if subpats.len() == variant.fields.len()
950             || subpats.len() < variant.fields.len() && ddpos.is_some()
951         {
952             let substs = match pat_ty.kind() {
953                 ty::Adt(_, substs) => substs,
954                 _ => bug!("unexpected pattern type {:?}", pat_ty),
955             };
956             for (i, subpat) in subpats.iter().enumerate_and_adjust(variant.fields.len(), ddpos) {
957                 let field_ty = self.field_ty(subpat.span, &variant.fields[i], substs);
958                 self.check_pat(&subpat, field_ty, def_bm, TopInfo { parent_pat: Some(&pat), ..ti });
959
960                 self.tcx.check_stability(variant.fields[i].did, Some(pat.hir_id), subpat.span);
961             }
962         } else {
963             // Pattern has wrong number of fields.
964             self.e0023(pat.span, res, qpath, subpats, &variant.fields, expected, had_err);
965             on_error();
966             return tcx.ty_error();
967         }
968         pat_ty
969     }
970
971     fn e0023(
972         &self,
973         pat_span: Span,
974         res: Res,
975         qpath: &hir::QPath<'_>,
976         subpats: &'tcx [&'tcx Pat<'tcx>],
977         fields: &'tcx [ty::FieldDef],
978         expected: Ty<'tcx>,
979         had_err: bool,
980     ) {
981         let subpats_ending = pluralize!(subpats.len());
982         let fields_ending = pluralize!(fields.len());
983         let res_span = self.tcx.def_span(res.def_id());
984         let mut err = struct_span_err!(
985             self.tcx.sess,
986             pat_span,
987             E0023,
988             "this pattern has {} field{}, but the corresponding {} has {} field{}",
989             subpats.len(),
990             subpats_ending,
991             res.descr(),
992             fields.len(),
993             fields_ending,
994         );
995         err.span_label(
996             pat_span,
997             format!("expected {} field{}, found {}", fields.len(), fields_ending, subpats.len(),),
998         )
999         .span_label(res_span, format!("{} defined here", res.descr()));
1000
1001         // Identify the case `Some(x, y)` where the expected type is e.g. `Option<(T, U)>`.
1002         // More generally, the expected type wants a tuple variant with one field of an
1003         // N-arity-tuple, e.g., `V_i((p_0, .., p_N))`. Meanwhile, the user supplied a pattern
1004         // with the subpatterns directly in the tuple variant pattern, e.g., `V_i(p_0, .., p_N)`.
1005         let missing_parentheses = match (&expected.kind(), fields, had_err) {
1006             // #67037: only do this if we could successfully type-check the expected type against
1007             // the tuple struct pattern. Otherwise the substs could get out of range on e.g.,
1008             // `let P() = U;` where `P != U` with `struct P<T>(T);`.
1009             (ty::Adt(_, substs), [field], false) => {
1010                 let field_ty = self.field_ty(pat_span, field, substs);
1011                 match field_ty.kind() {
1012                     ty::Tuple(_) => field_ty.tuple_fields().count() == subpats.len(),
1013                     _ => false,
1014                 }
1015             }
1016             _ => false,
1017         };
1018         if missing_parentheses {
1019             let (left, right) = match subpats {
1020                 // This is the zero case; we aim to get the "hi" part of the `QPath`'s
1021                 // span as the "lo" and then the "hi" part of the pattern's span as the "hi".
1022                 // This looks like:
1023                 //
1024                 // help: missing parentheses
1025                 //   |
1026                 // L |     let A(()) = A(());
1027                 //   |          ^  ^
1028                 [] => (qpath.span().shrink_to_hi(), pat_span),
1029                 // Easy case. Just take the "lo" of the first sub-pattern and the "hi" of the
1030                 // last sub-pattern. In the case of `A(x)` the first and last may coincide.
1031                 // This looks like:
1032                 //
1033                 // help: missing parentheses
1034                 //   |
1035                 // L |     let A((x, y)) = A((1, 2));
1036                 //   |           ^    ^
1037                 [first, ..] => (first.span.shrink_to_lo(), subpats.last().unwrap().span),
1038             };
1039             err.multipart_suggestion(
1040                 "missing parentheses",
1041                 vec![(left, "(".to_string()), (right.shrink_to_hi(), ")".to_string())],
1042                 Applicability::MachineApplicable,
1043             );
1044         } else if fields.len() > subpats.len() {
1045             let after_fields_span = if pat_span == DUMMY_SP {
1046                 pat_span
1047             } else {
1048                 pat_span.with_hi(pat_span.hi() - BytePos(1)).shrink_to_hi()
1049             };
1050             let all_fields_span = match subpats {
1051                 [] => after_fields_span,
1052                 [field] => field.span,
1053                 [first, .., last] => first.span.to(last.span),
1054             };
1055
1056             // Check if all the fields in the pattern are wildcards.
1057             let all_wildcards = subpats.iter().all(|pat| matches!(pat.kind, PatKind::Wild));
1058
1059             let mut wildcard_sugg = vec!["_"; fields.len() - subpats.len()].join(", ");
1060             if !subpats.is_empty() {
1061                 wildcard_sugg = String::from(", ") + &wildcard_sugg;
1062             }
1063
1064             err.span_suggestion_verbose(
1065                 after_fields_span,
1066                 "use `_` to explicitly ignore each field",
1067                 wildcard_sugg,
1068                 Applicability::MaybeIncorrect,
1069             );
1070
1071             // Only suggest `..` if more than one field is missing
1072             // or the pattern consists of all wildcards.
1073             if fields.len() - subpats.len() > 1 || all_wildcards {
1074                 if subpats.is_empty() || all_wildcards {
1075                     err.span_suggestion_verbose(
1076                         all_fields_span,
1077                         "use `..` to ignore all fields",
1078                         String::from(".."),
1079                         Applicability::MaybeIncorrect,
1080                     );
1081                 } else {
1082                     err.span_suggestion_verbose(
1083                         after_fields_span,
1084                         "use `..` to ignore the rest of the fields",
1085                         String::from(", .."),
1086                         Applicability::MaybeIncorrect,
1087                     );
1088                 }
1089             }
1090         }
1091
1092         err.emit();
1093     }
1094
1095     fn check_pat_tuple(
1096         &self,
1097         span: Span,
1098         elements: &'tcx [&'tcx Pat<'tcx>],
1099         ddpos: Option<usize>,
1100         expected: Ty<'tcx>,
1101         def_bm: BindingMode,
1102         ti: TopInfo<'tcx>,
1103     ) -> Ty<'tcx> {
1104         let tcx = self.tcx;
1105         let mut expected_len = elements.len();
1106         if ddpos.is_some() {
1107             // Require known type only when `..` is present.
1108             if let ty::Tuple(ref tys) = self.structurally_resolved_type(span, expected).kind() {
1109                 expected_len = tys.len();
1110             }
1111         }
1112         let max_len = cmp::max(expected_len, elements.len());
1113
1114         let element_tys_iter = (0..max_len).map(|_| {
1115             GenericArg::from(self.next_ty_var(
1116                 // FIXME: `MiscVariable` for now -- obtaining the span and name information
1117                 // from all tuple elements isn't trivial.
1118                 TypeVariableOrigin { kind: TypeVariableOriginKind::TypeInference, span },
1119             ))
1120         });
1121         let element_tys = tcx.mk_substs(element_tys_iter);
1122         let pat_ty = tcx.mk_ty(ty::Tuple(element_tys));
1123         if let Some(mut err) = self.demand_eqtype_pat_diag(span, expected, pat_ty, ti) {
1124             err.emit();
1125             // Walk subpatterns with an expected type of `err` in this case to silence
1126             // further errors being emitted when using the bindings. #50333
1127             let element_tys_iter = (0..max_len).map(|_| tcx.ty_error());
1128             for (_, elem) in elements.iter().enumerate_and_adjust(max_len, ddpos) {
1129                 self.check_pat(elem, &tcx.ty_error(), def_bm, ti);
1130             }
1131             tcx.mk_tup(element_tys_iter)
1132         } else {
1133             for (i, elem) in elements.iter().enumerate_and_adjust(max_len, ddpos) {
1134                 self.check_pat(elem, &element_tys[i].expect_ty(), def_bm, ti);
1135             }
1136             pat_ty
1137         }
1138     }
1139
1140     fn check_struct_pat_fields(
1141         &self,
1142         adt_ty: Ty<'tcx>,
1143         pat: &'tcx Pat<'tcx>,
1144         variant: &'tcx ty::VariantDef,
1145         fields: &'tcx [hir::FieldPat<'tcx>],
1146         etc: bool,
1147         def_bm: BindingMode,
1148         ti: TopInfo<'tcx>,
1149     ) -> bool {
1150         let tcx = self.tcx;
1151
1152         let (substs, adt) = match adt_ty.kind() {
1153             ty::Adt(adt, substs) => (substs, adt),
1154             _ => span_bug!(pat.span, "struct pattern is not an ADT"),
1155         };
1156
1157         // Index the struct fields' types.
1158         let field_map = variant
1159             .fields
1160             .iter()
1161             .enumerate()
1162             .map(|(i, field)| (field.ident.normalize_to_macros_2_0(), (i, field)))
1163             .collect::<FxHashMap<_, _>>();
1164
1165         // Keep track of which fields have already appeared in the pattern.
1166         let mut used_fields = FxHashMap::default();
1167         let mut no_field_errors = true;
1168
1169         let mut inexistent_fields = vec![];
1170         // Typecheck each field.
1171         for field in fields {
1172             let span = field.span;
1173             let ident = tcx.adjust_ident(field.ident, variant.def_id);
1174             let field_ty = match used_fields.entry(ident) {
1175                 Occupied(occupied) => {
1176                     self.error_field_already_bound(span, field.ident, *occupied.get());
1177                     no_field_errors = false;
1178                     tcx.ty_error()
1179                 }
1180                 Vacant(vacant) => {
1181                     vacant.insert(span);
1182                     field_map
1183                         .get(&ident)
1184                         .map(|(i, f)| {
1185                             self.write_field_index(field.hir_id, *i);
1186                             self.tcx.check_stability(f.did, Some(pat.hir_id), span);
1187                             self.field_ty(span, f, substs)
1188                         })
1189                         .unwrap_or_else(|| {
1190                             inexistent_fields.push(field.ident);
1191                             no_field_errors = false;
1192                             tcx.ty_error()
1193                         })
1194                 }
1195             };
1196
1197             self.check_pat(&field.pat, field_ty, def_bm, TopInfo { parent_pat: Some(&pat), ..ti });
1198         }
1199
1200         let mut unmentioned_fields = variant
1201             .fields
1202             .iter()
1203             .map(|field| (field, field.ident.normalize_to_macros_2_0()))
1204             .filter(|(_, ident)| !used_fields.contains_key(&ident))
1205             .collect::<Vec<_>>();
1206
1207         let inexistent_fields_err = if !(inexistent_fields.is_empty() || variant.is_recovered()) {
1208             Some(self.error_inexistent_fields(
1209                 adt.variant_descr(),
1210                 &inexistent_fields,
1211                 &mut unmentioned_fields,
1212                 variant,
1213             ))
1214         } else {
1215             None
1216         };
1217
1218         // Require `..` if struct has non_exhaustive attribute.
1219         if variant.is_field_list_non_exhaustive() && !adt.did.is_local() && !etc {
1220             self.error_foreign_non_exhaustive_spat(pat, adt.variant_descr(), fields.is_empty());
1221         }
1222
1223         let mut unmentioned_err = None;
1224         // Report an error if an incorrect number of fields was specified.
1225         if adt.is_union() {
1226             if fields.len() != 1 {
1227                 tcx.sess
1228                     .struct_span_err(pat.span, "union patterns should have exactly one field")
1229                     .emit();
1230             }
1231             if etc {
1232                 tcx.sess.struct_span_err(pat.span, "`..` cannot be used in union patterns").emit();
1233             }
1234         } else if !etc && !unmentioned_fields.is_empty() {
1235             let no_accessible_unmentioned_fields = !unmentioned_fields.iter().any(|(field, _)| {
1236                 field.vis.is_accessible_from(tcx.parent_module(pat.hir_id).to_def_id(), tcx)
1237             });
1238
1239             if no_accessible_unmentioned_fields {
1240                 unmentioned_err = Some(self.error_no_accessible_fields(pat, &fields));
1241             } else {
1242                 unmentioned_err =
1243                     Some(self.error_unmentioned_fields(pat, &unmentioned_fields, &fields));
1244             }
1245         }
1246         match (inexistent_fields_err, unmentioned_err) {
1247             (Some(mut i), Some(mut u)) => {
1248                 if let Some(mut e) = self.error_tuple_variant_as_struct_pat(pat, fields, variant) {
1249                     // We don't want to show the inexistent fields error when this was
1250                     // `Foo { a, b }` when it should have been `Foo(a, b)`.
1251                     i.delay_as_bug();
1252                     u.delay_as_bug();
1253                     e.emit();
1254                 } else {
1255                     i.emit();
1256                     u.emit();
1257                 }
1258             }
1259             (None, Some(mut err)) | (Some(mut err), None) => {
1260                 err.emit();
1261             }
1262             (None, None) => {}
1263         }
1264         no_field_errors
1265     }
1266
1267     fn error_foreign_non_exhaustive_spat(&self, pat: &Pat<'_>, descr: &str, no_fields: bool) {
1268         let sess = self.tcx.sess;
1269         let sm = sess.source_map();
1270         let sp_brace = sm.end_point(pat.span);
1271         let sp_comma = sm.end_point(pat.span.with_hi(sp_brace.hi()));
1272         let sugg = if no_fields || sp_brace != sp_comma { ".. }" } else { ", .. }" };
1273
1274         let mut err = struct_span_err!(
1275             sess,
1276             pat.span,
1277             E0638,
1278             "`..` required with {} marked as non-exhaustive",
1279             descr
1280         );
1281         err.span_suggestion_verbose(
1282             sp_comma,
1283             "add `..` at the end of the field list to ignore all other fields",
1284             sugg.to_string(),
1285             Applicability::MachineApplicable,
1286         );
1287         err.emit();
1288     }
1289
1290     fn error_field_already_bound(&self, span: Span, ident: Ident, other_field: Span) {
1291         struct_span_err!(
1292             self.tcx.sess,
1293             span,
1294             E0025,
1295             "field `{}` bound multiple times in the pattern",
1296             ident
1297         )
1298         .span_label(span, format!("multiple uses of `{}` in pattern", ident))
1299         .span_label(other_field, format!("first use of `{}`", ident))
1300         .emit();
1301     }
1302
1303     fn error_inexistent_fields(
1304         &self,
1305         kind_name: &str,
1306         inexistent_fields: &[Ident],
1307         unmentioned_fields: &mut Vec<(&ty::FieldDef, Ident)>,
1308         variant: &ty::VariantDef,
1309     ) -> DiagnosticBuilder<'tcx> {
1310         let tcx = self.tcx;
1311         let (field_names, t, plural) = if inexistent_fields.len() == 1 {
1312             (format!("a field named `{}`", inexistent_fields[0]), "this", "")
1313         } else {
1314             (
1315                 format!(
1316                     "fields named {}",
1317                     inexistent_fields
1318                         .iter()
1319                         .map(|ident| format!("`{}`", ident))
1320                         .collect::<Vec<String>>()
1321                         .join(", ")
1322                 ),
1323                 "these",
1324                 "s",
1325             )
1326         };
1327         let spans = inexistent_fields.iter().map(|ident| ident.span).collect::<Vec<_>>();
1328         let mut err = struct_span_err!(
1329             tcx.sess,
1330             spans,
1331             E0026,
1332             "{} `{}` does not have {}",
1333             kind_name,
1334             tcx.def_path_str(variant.def_id),
1335             field_names
1336         );
1337         if let Some(ident) = inexistent_fields.last() {
1338             err.span_label(
1339                 ident.span,
1340                 format!(
1341                     "{} `{}` does not have {} field{}",
1342                     kind_name,
1343                     tcx.def_path_str(variant.def_id),
1344                     t,
1345                     plural
1346                 ),
1347             );
1348             if plural == "" {
1349                 let input =
1350                     unmentioned_fields.iter().map(|(_, field)| field.name).collect::<Vec<_>>();
1351                 let suggested_name = find_best_match_for_name(&input, ident.name, None);
1352                 if let Some(suggested_name) = suggested_name {
1353                     err.span_suggestion(
1354                         ident.span,
1355                         "a field with a similar name exists",
1356                         suggested_name.to_string(),
1357                         Applicability::MaybeIncorrect,
1358                     );
1359
1360                     // When we have a tuple struct used with struct we don't want to suggest using
1361                     // the (valid) struct syntax with numeric field names. Instead we want to
1362                     // suggest the expected syntax. We infer that this is the case by parsing the
1363                     // `Ident` into an unsized integer. The suggestion will be emitted elsewhere in
1364                     // `smart_resolve_context_dependent_help`.
1365                     if suggested_name.to_ident_string().parse::<usize>().is_err() {
1366                         // We don't want to throw `E0027` in case we have thrown `E0026` for them.
1367                         unmentioned_fields.retain(|&(_, x)| x.name != suggested_name);
1368                     }
1369                 }
1370             }
1371         }
1372         if tcx.sess.teach(&err.get_code().unwrap()) {
1373             err.note(
1374                 "This error indicates that a struct pattern attempted to \
1375                  extract a non-existent field from a struct. Struct fields \
1376                  are identified by the name used before the colon : so struct \
1377                  patterns should resemble the declaration of the struct type \
1378                  being matched.\n\n\
1379                  If you are using shorthand field patterns but want to refer \
1380                  to the struct field by a different name, you should rename \
1381                  it explicitly.",
1382             );
1383         }
1384         err
1385     }
1386
1387     fn error_tuple_variant_as_struct_pat(
1388         &self,
1389         pat: &Pat<'_>,
1390         fields: &'tcx [hir::FieldPat<'tcx>],
1391         variant: &ty::VariantDef,
1392     ) -> Option<DiagnosticBuilder<'tcx>> {
1393         if let (CtorKind::Fn, PatKind::Struct(qpath, ..)) = (variant.ctor_kind, &pat.kind) {
1394             let path = rustc_hir_pretty::to_string(rustc_hir_pretty::NO_ANN, |s| {
1395                 s.print_qpath(qpath, false)
1396             });
1397             let mut err = struct_span_err!(
1398                 self.tcx.sess,
1399                 pat.span,
1400                 E0769,
1401                 "tuple variant `{}` written as struct variant",
1402                 path
1403             );
1404             let (sugg, appl) = if fields.len() == variant.fields.len() {
1405                 (
1406                     fields
1407                         .iter()
1408                         .map(|f| match self.tcx.sess.source_map().span_to_snippet(f.pat.span) {
1409                             Ok(f) => f,
1410                             Err(_) => rustc_hir_pretty::to_string(rustc_hir_pretty::NO_ANN, |s| {
1411                                 s.print_pat(f.pat)
1412                             }),
1413                         })
1414                         .collect::<Vec<String>>()
1415                         .join(", "),
1416                     Applicability::MachineApplicable,
1417                 )
1418             } else {
1419                 (
1420                     variant.fields.iter().map(|_| "_").collect::<Vec<&str>>().join(", "),
1421                     Applicability::MaybeIncorrect,
1422                 )
1423             };
1424             err.span_suggestion(
1425                 pat.span,
1426                 "use the tuple variant pattern syntax instead",
1427                 format!("{}({})", path, sugg),
1428                 appl,
1429             );
1430             return Some(err);
1431         }
1432         None
1433     }
1434
1435     /// Returns a diagnostic reporting a struct pattern which is missing an `..` due to
1436     /// inaccessible fields.
1437     ///
1438     /// ```text
1439     /// error: pattern requires `..` due to inaccessible fields
1440     ///   --> src/main.rs:10:9
1441     ///    |
1442     /// LL |     let foo::Foo {} = foo::Foo::default();
1443     ///    |         ^^^^^^^^^^^
1444     ///    |
1445     /// help: add a `..`
1446     ///    |
1447     /// LL |     let foo::Foo { .. } = foo::Foo::default();
1448     ///    |                  ^^^^^^
1449     /// ```
1450     fn error_no_accessible_fields(
1451         &self,
1452         pat: &Pat<'_>,
1453         fields: &'tcx [hir::FieldPat<'tcx>],
1454     ) -> DiagnosticBuilder<'tcx> {
1455         let mut err = self
1456             .tcx
1457             .sess
1458             .struct_span_err(pat.span, "pattern requires `..` due to inaccessible fields");
1459
1460         if let Some(field) = fields.last() {
1461             err.span_suggestion_verbose(
1462                 field.span.shrink_to_hi(),
1463                 "ignore the inaccessible and unused fields",
1464                 ", ..".to_string(),
1465                 Applicability::MachineApplicable,
1466             );
1467         } else {
1468             let qpath_span = if let PatKind::Struct(qpath, ..) = &pat.kind {
1469                 qpath.span()
1470             } else {
1471                 bug!("`error_no_accessible_fields` called on non-struct pattern");
1472             };
1473
1474             // Shrink the span to exclude the `foo:Foo` in `foo::Foo { }`.
1475             let span = pat.span.with_lo(qpath_span.shrink_to_hi().hi());
1476             err.span_suggestion_verbose(
1477                 span,
1478                 "ignore the inaccessible and unused fields",
1479                 " { .. }".to_string(),
1480                 Applicability::MachineApplicable,
1481             );
1482         }
1483         err
1484     }
1485
1486     /// Returns a diagnostic reporting a struct pattern which does not mention some fields.
1487     ///
1488     /// ```text
1489     /// error[E0027]: pattern does not mention field `bar`
1490     ///   --> src/main.rs:15:9
1491     ///    |
1492     /// LL |     let foo::Foo {} = foo::Foo::new();
1493     ///    |         ^^^^^^^^^^^ missing field `bar`
1494     /// ```
1495     fn error_unmentioned_fields(
1496         &self,
1497         pat: &Pat<'_>,
1498         unmentioned_fields: &[(&ty::FieldDef, Ident)],
1499         fields: &'tcx [hir::FieldPat<'tcx>],
1500     ) -> DiagnosticBuilder<'tcx> {
1501         let field_names = if unmentioned_fields.len() == 1 {
1502             format!("field `{}`", unmentioned_fields[0].1)
1503         } else {
1504             let fields = unmentioned_fields
1505                 .iter()
1506                 .map(|(_, name)| format!("`{}`", name))
1507                 .collect::<Vec<String>>()
1508                 .join(", ");
1509             format!("fields {}", fields)
1510         };
1511         let mut err = struct_span_err!(
1512             self.tcx.sess,
1513             pat.span,
1514             E0027,
1515             "pattern does not mention {}",
1516             field_names
1517         );
1518         err.span_label(pat.span, format!("missing {}", field_names));
1519         let len = unmentioned_fields.len();
1520         let (prefix, postfix, sp) = match fields {
1521             [] => match &pat.kind {
1522                 PatKind::Struct(path, [], false) => {
1523                     (" { ", " }", path.span().shrink_to_hi().until(pat.span.shrink_to_hi()))
1524                 }
1525                 _ => return err,
1526             },
1527             [.., field] => {
1528                 // if last field has a trailing comma, use the comma
1529                 // as the span to avoid trailing comma in ultimate
1530                 // suggestion (Issue #78511)
1531                 let tail = field.span.shrink_to_hi().until(pat.span.shrink_to_hi());
1532                 let tail_through_comma = self.tcx.sess.source_map().span_through_char(tail, ',');
1533                 let sp = if tail_through_comma == tail {
1534                     field.span.shrink_to_hi()
1535                 } else {
1536                     tail_through_comma
1537                 };
1538                 (
1539                     match pat.kind {
1540                         PatKind::Struct(_, [_, ..], _) => ", ",
1541                         _ => "",
1542                     },
1543                     "",
1544                     sp,
1545                 )
1546             }
1547         };
1548         err.span_suggestion(
1549             sp,
1550             &format!(
1551                 "include the missing field{} in the pattern",
1552                 if len == 1 { "" } else { "s" },
1553             ),
1554             format!(
1555                 "{}{}{}",
1556                 prefix,
1557                 unmentioned_fields
1558                     .iter()
1559                     .map(|(_, name)| name.to_string())
1560                     .collect::<Vec<_>>()
1561                     .join(", "),
1562                 postfix,
1563             ),
1564             Applicability::MachineApplicable,
1565         );
1566         err.span_suggestion(
1567             sp,
1568             &format!(
1569                 "if you don't care about {} missing field{}, you can explicitly ignore {}",
1570                 if len == 1 { "this" } else { "these" },
1571                 if len == 1 { "" } else { "s" },
1572                 if len == 1 { "it" } else { "them" },
1573             ),
1574             format!("{}..{}", prefix, postfix),
1575             Applicability::MachineApplicable,
1576         );
1577         err
1578     }
1579
1580     fn check_pat_box(
1581         &self,
1582         span: Span,
1583         inner: &'tcx Pat<'tcx>,
1584         expected: Ty<'tcx>,
1585         def_bm: BindingMode,
1586         ti: TopInfo<'tcx>,
1587     ) -> Ty<'tcx> {
1588         let tcx = self.tcx;
1589         let (box_ty, inner_ty) = if self.check_dereferenceable(span, expected, &inner) {
1590             // Here, `demand::subtype` is good enough, but I don't
1591             // think any errors can be introduced by using `demand::eqtype`.
1592             let inner_ty = self.next_ty_var(TypeVariableOrigin {
1593                 kind: TypeVariableOriginKind::TypeInference,
1594                 span: inner.span,
1595             });
1596             let box_ty = tcx.mk_box(inner_ty);
1597             self.demand_eqtype_pat(span, expected, box_ty, ti);
1598             (box_ty, inner_ty)
1599         } else {
1600             let err = tcx.ty_error();
1601             (err, err)
1602         };
1603         self.check_pat(&inner, inner_ty, def_bm, ti);
1604         box_ty
1605     }
1606
1607     fn check_pat_ref(
1608         &self,
1609         pat: &'tcx Pat<'tcx>,
1610         inner: &'tcx Pat<'tcx>,
1611         mutbl: hir::Mutability,
1612         expected: Ty<'tcx>,
1613         def_bm: BindingMode,
1614         ti: TopInfo<'tcx>,
1615     ) -> Ty<'tcx> {
1616         let tcx = self.tcx;
1617         let expected = self.shallow_resolve(expected);
1618         let (rptr_ty, inner_ty) = if self.check_dereferenceable(pat.span, expected, &inner) {
1619             // `demand::subtype` would be good enough, but using `eqtype` turns
1620             // out to be equally general. See (note_1) for details.
1621
1622             // Take region, inner-type from expected type if we can,
1623             // to avoid creating needless variables. This also helps with
1624             // the bad  interactions of the given hack detailed in (note_1).
1625             debug!("check_pat_ref: expected={:?}", expected);
1626             match *expected.kind() {
1627                 ty::Ref(_, r_ty, r_mutbl) if r_mutbl == mutbl => (expected, r_ty),
1628                 _ => {
1629                     let inner_ty = self.next_ty_var(TypeVariableOrigin {
1630                         kind: TypeVariableOriginKind::TypeInference,
1631                         span: inner.span,
1632                     });
1633                     let rptr_ty = self.new_ref_ty(pat.span, mutbl, inner_ty);
1634                     debug!("check_pat_ref: demanding {:?} = {:?}", expected, rptr_ty);
1635                     let err = self.demand_eqtype_pat_diag(pat.span, expected, rptr_ty, ti);
1636
1637                     // Look for a case like `fn foo(&foo: u32)` and suggest
1638                     // `fn foo(foo: &u32)`
1639                     if let Some(mut err) = err {
1640                         self.borrow_pat_suggestion(&mut err, &pat, &inner, &expected);
1641                         err.emit();
1642                     }
1643                     (rptr_ty, inner_ty)
1644                 }
1645             }
1646         } else {
1647             let err = tcx.ty_error();
1648             (err, err)
1649         };
1650         self.check_pat(&inner, inner_ty, def_bm, TopInfo { parent_pat: Some(&pat), ..ti });
1651         rptr_ty
1652     }
1653
1654     /// Create a reference type with a fresh region variable.
1655     fn new_ref_ty(&self, span: Span, mutbl: hir::Mutability, ty: Ty<'tcx>) -> Ty<'tcx> {
1656         let region = self.next_region_var(infer::PatternRegion(span));
1657         let mt = ty::TypeAndMut { ty, mutbl };
1658         self.tcx.mk_ref(region, mt)
1659     }
1660
1661     /// Type check a slice pattern.
1662     ///
1663     /// Syntactically, these look like `[pat_0, ..., pat_n]`.
1664     /// Semantically, we are type checking a pattern with structure:
1665     /// ```
1666     /// [before_0, ..., before_n, (slice, after_0, ... after_n)?]
1667     /// ```
1668     /// The type of `slice`, if it is present, depends on the `expected` type.
1669     /// If `slice` is missing, then so is `after_i`.
1670     /// If `slice` is present, it can still represent 0 elements.
1671     fn check_pat_slice(
1672         &self,
1673         span: Span,
1674         before: &'tcx [&'tcx Pat<'tcx>],
1675         slice: Option<&'tcx Pat<'tcx>>,
1676         after: &'tcx [&'tcx Pat<'tcx>],
1677         expected: Ty<'tcx>,
1678         def_bm: BindingMode,
1679         ti: TopInfo<'tcx>,
1680     ) -> Ty<'tcx> {
1681         let expected = self.structurally_resolved_type(span, expected);
1682         let (element_ty, opt_slice_ty, inferred) = match *expected.kind() {
1683             // An array, so we might have something like `let [a, b, c] = [0, 1, 2];`.
1684             ty::Array(element_ty, len) => {
1685                 let min = before.len() as u64 + after.len() as u64;
1686                 let (opt_slice_ty, expected) =
1687                     self.check_array_pat_len(span, element_ty, expected, slice, len, min);
1688                 // `opt_slice_ty.is_none()` => `slice.is_none()`.
1689                 // Note, though, that opt_slice_ty could be `Some(error_ty)`.
1690                 assert!(opt_slice_ty.is_some() || slice.is_none());
1691                 (element_ty, opt_slice_ty, expected)
1692             }
1693             ty::Slice(element_ty) => (element_ty, Some(expected), expected),
1694             // The expected type must be an array or slice, but was neither, so error.
1695             _ => {
1696                 if !expected.references_error() {
1697                     self.error_expected_array_or_slice(span, expected);
1698                 }
1699                 let err = self.tcx.ty_error();
1700                 (err, Some(err), err)
1701             }
1702         };
1703
1704         // Type check all the patterns before `slice`.
1705         for elt in before {
1706             self.check_pat(&elt, element_ty, def_bm, ti);
1707         }
1708         // Type check the `slice`, if present, against its expected type.
1709         if let Some(slice) = slice {
1710             self.check_pat(&slice, opt_slice_ty.unwrap(), def_bm, ti);
1711         }
1712         // Type check the elements after `slice`, if present.
1713         for elt in after {
1714             self.check_pat(&elt, element_ty, def_bm, ti);
1715         }
1716         inferred
1717     }
1718
1719     /// Type check the length of an array pattern.
1720     ///
1721     /// Returns both the type of the variable length pattern (or `None`), and the potentially
1722     /// inferred array type. We only return `None` for the slice type if `slice.is_none()`.
1723     fn check_array_pat_len(
1724         &self,
1725         span: Span,
1726         element_ty: Ty<'tcx>,
1727         arr_ty: Ty<'tcx>,
1728         slice: Option<&'tcx Pat<'tcx>>,
1729         len: &ty::Const<'tcx>,
1730         min_len: u64,
1731     ) -> (Option<Ty<'tcx>>, Ty<'tcx>) {
1732         if let Some(len) = len.try_eval_usize(self.tcx, self.param_env) {
1733             // Now we know the length...
1734             if slice.is_none() {
1735                 // ...and since there is no variable-length pattern,
1736                 // we require an exact match between the number of elements
1737                 // in the array pattern and as provided by the matched type.
1738                 if min_len == len {
1739                     return (None, arr_ty);
1740                 }
1741
1742                 self.error_scrutinee_inconsistent_length(span, min_len, len);
1743             } else if let Some(pat_len) = len.checked_sub(min_len) {
1744                 // The variable-length pattern was there,
1745                 // so it has an array type with the remaining elements left as its size...
1746                 return (Some(self.tcx.mk_array(element_ty, pat_len)), arr_ty);
1747             } else {
1748                 // ...however, in this case, there were no remaining elements.
1749                 // That is, the slice pattern requires more than the array type offers.
1750                 self.error_scrutinee_with_rest_inconsistent_length(span, min_len, len);
1751             }
1752         } else if slice.is_none() {
1753             // We have a pattern with a fixed length,
1754             // which we can use to infer the length of the array.
1755             let updated_arr_ty = self.tcx.mk_array(element_ty, min_len);
1756             self.demand_eqtype(span, updated_arr_ty, arr_ty);
1757             return (None, updated_arr_ty);
1758         } else {
1759             // We have a variable-length pattern and don't know the array length.
1760             // This happens if we have e.g.,
1761             // `let [a, b, ..] = arr` where `arr: [T; N]` where `const N: usize`.
1762             self.error_scrutinee_unfixed_length(span);
1763         }
1764
1765         // If we get here, we must have emitted an error.
1766         (Some(self.tcx.ty_error()), arr_ty)
1767     }
1768
1769     fn error_scrutinee_inconsistent_length(&self, span: Span, min_len: u64, size: u64) {
1770         struct_span_err!(
1771             self.tcx.sess,
1772             span,
1773             E0527,
1774             "pattern requires {} element{} but array has {}",
1775             min_len,
1776             pluralize!(min_len),
1777             size,
1778         )
1779         .span_label(span, format!("expected {} element{}", size, pluralize!(size)))
1780         .emit();
1781     }
1782
1783     fn error_scrutinee_with_rest_inconsistent_length(&self, span: Span, min_len: u64, size: u64) {
1784         struct_span_err!(
1785             self.tcx.sess,
1786             span,
1787             E0528,
1788             "pattern requires at least {} element{} but array has {}",
1789             min_len,
1790             pluralize!(min_len),
1791             size,
1792         )
1793         .span_label(
1794             span,
1795             format!("pattern cannot match array of {} element{}", size, pluralize!(size),),
1796         )
1797         .emit();
1798     }
1799
1800     fn error_scrutinee_unfixed_length(&self, span: Span) {
1801         struct_span_err!(
1802             self.tcx.sess,
1803             span,
1804             E0730,
1805             "cannot pattern-match on an array without a fixed length",
1806         )
1807         .emit();
1808     }
1809
1810     fn error_expected_array_or_slice(&self, span: Span, expected_ty: Ty<'tcx>) {
1811         let mut err = struct_span_err!(
1812             self.tcx.sess,
1813             span,
1814             E0529,
1815             "expected an array or slice, found `{}`",
1816             expected_ty
1817         );
1818         if let ty::Ref(_, ty, _) = expected_ty.kind() {
1819             if let ty::Array(..) | ty::Slice(..) = ty.kind() {
1820                 err.help("the semantics of slice patterns changed recently; see issue #62254");
1821             }
1822         }
1823         err.span_label(span, format!("pattern cannot match with input type `{}`", expected_ty));
1824         err.emit();
1825     }
1826 }