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