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