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