rustc_hir_typeck/
pat.rs

1use std::cmp;
2use std::collections::hash_map::Entry::{Occupied, Vacant};
3
4use rustc_abi::FieldIdx;
5use rustc_ast as ast;
6use rustc_data_structures::fx::FxHashMap;
7use rustc_errors::codes::*;
8use rustc_errors::{
9    Applicability, Diag, ErrorGuaranteed, MultiSpan, pluralize, struct_span_code_err,
10};
11use rustc_hir::def::{CtorKind, DefKind, Res};
12use rustc_hir::def_id::DefId;
13use rustc_hir::pat_util::EnumerateAndAdjustIterator;
14use rustc_hir::{
15    self as hir, BindingMode, ByRef, ExprKind, HirId, LangItem, Mutability, Pat, PatExpr,
16    PatExprKind, PatKind, expr_needs_parens,
17};
18use rustc_hir_analysis::autoderef::report_autoderef_recursion_limit_error;
19use rustc_infer::infer::RegionVariableOrigin;
20use rustc_middle::traits::PatternOriginExpr;
21use rustc_middle::ty::{self, Pinnedness, Ty, TypeVisitableExt};
22use rustc_middle::{bug, span_bug};
23use rustc_session::lint::builtin::NON_EXHAUSTIVE_OMITTED_PATTERNS;
24use rustc_session::parse::feature_err;
25use rustc_span::edit_distance::find_best_match_for_name;
26use rustc_span::edition::Edition;
27use rustc_span::source_map::Spanned;
28use rustc_span::{BytePos, DUMMY_SP, Ident, Span, kw, sym};
29use rustc_trait_selection::infer::InferCtxtExt;
30use rustc_trait_selection::traits::{ObligationCause, ObligationCauseCode};
31use tracing::{debug, instrument, trace};
32use ty::VariantDef;
33use ty::adjustment::{PatAdjust, PatAdjustment};
34
35use super::report_unexpected_variant_res;
36use crate::expectation::Expectation;
37use crate::gather_locals::DeclOrigin;
38use crate::{FnCtxt, errors};
39
40const CANNOT_IMPLICITLY_DEREF_POINTER_TRAIT_OBJ: &str = "\
41This error indicates that a pointer to a trait type cannot be implicitly dereferenced by a \
42pattern. Every trait defines a type, but because the size of trait implementors isn't fixed, \
43this type has no compile-time size. Therefore, all accesses to trait types must be through \
44pointers. If you encounter this error you should try to avoid dereferencing the pointer.
45
46You can read more about trait objects in the Trait Objects section of the Reference: \
47https://doc.rust-lang.org/reference/types.html#trait-objects";
48
49fn is_number(text: &str) -> bool {
50    text.chars().all(|c: char| c.is_ascii_digit())
51}
52
53/// Information about the expected type at the top level of type checking a pattern.
54///
55/// **NOTE:** This is only for use by diagnostics. Do NOT use for type checking logic!
56#[derive(Copy, Clone)]
57struct TopInfo<'tcx> {
58    /// The `expected` type at the top level of type checking a pattern.
59    expected: Ty<'tcx>,
60    /// Was the origin of the `span` from a scrutinee expression?
61    ///
62    /// Otherwise there is no scrutinee and it could be e.g. from the type of a formal parameter.
63    origin_expr: Option<&'tcx hir::Expr<'tcx>>,
64    /// The span giving rise to the `expected` type, if one could be provided.
65    ///
66    /// If `origin_expr` is `true`, then this is the span of the scrutinee as in:
67    ///
68    /// - `match scrutinee { ... }`
69    /// - `let _ = scrutinee;`
70    ///
71    /// This is used to point to add context in type errors.
72    /// In the following example, `span` corresponds to the `a + b` expression:
73    ///
74    /// ```text
75    /// error[E0308]: mismatched types
76    ///  --> src/main.rs:L:C
77    ///   |
78    /// L |    let temp: usize = match a + b {
79    ///   |                            ----- this expression has type `usize`
80    /// L |         Ok(num) => num,
81    ///   |         ^^^^^^^ expected `usize`, found enum `std::result::Result`
82    ///   |
83    ///   = note: expected type `usize`
84    ///              found type `std::result::Result<_, _>`
85    /// ```
86    span: Option<Span>,
87    /// The [`HirId`] of the top-level pattern.
88    hir_id: HirId,
89}
90
91#[derive(Copy, Clone)]
92struct PatInfo<'tcx> {
93    binding_mode: ByRef,
94    max_pinnedness: PinnednessCap,
95    max_ref_mutbl: MutblCap,
96    top_info: TopInfo<'tcx>,
97    decl_origin: Option<DeclOrigin<'tcx>>,
98
99    /// The depth of current pattern
100    current_depth: u32,
101}
102
103impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
104    fn pattern_cause(&self, ti: &TopInfo<'tcx>, cause_span: Span) -> ObligationCause<'tcx> {
105        // If origin_expr exists, then expected represents the type of origin_expr.
106        // If span also exists, then span == origin_expr.span (although it doesn't need to exist).
107        // In that case, we can peel away references from both and treat them
108        // as the same.
109        let origin_expr_info = ti.origin_expr.map(|mut cur_expr| {
110            let mut count = 0;
111
112            // cur_ty may have more layers of references than cur_expr.
113            // We can only make suggestions about cur_expr, however, so we'll
114            // use that as our condition for stopping.
115            while let ExprKind::AddrOf(.., inner) = &cur_expr.kind {
116                cur_expr = inner;
117                count += 1;
118            }
119
120            PatternOriginExpr {
121                peeled_span: cur_expr.span,
122                peeled_count: count,
123                peeled_prefix_suggestion_parentheses: expr_needs_parens(cur_expr),
124            }
125        });
126
127        let code = ObligationCauseCode::Pattern {
128            span: ti.span,
129            root_ty: ti.expected,
130            origin_expr: origin_expr_info,
131        };
132        self.cause(cause_span, code)
133    }
134
135    fn demand_eqtype_pat_diag(
136        &'a self,
137        cause_span: Span,
138        expected: Ty<'tcx>,
139        actual: Ty<'tcx>,
140        ti: &TopInfo<'tcx>,
141    ) -> Result<(), Diag<'a>> {
142        self.demand_eqtype_with_origin(&self.pattern_cause(ti, cause_span), expected, actual)
143            .map_err(|mut diag| {
144                if let Some(expr) = ti.origin_expr {
145                    self.suggest_fn_call(&mut diag, expr, expected, |output| {
146                        self.can_eq(self.param_env, output, actual)
147                    });
148                }
149                diag
150            })
151    }
152
153    fn demand_eqtype_pat(
154        &self,
155        cause_span: Span,
156        expected: Ty<'tcx>,
157        actual: Ty<'tcx>,
158        ti: &TopInfo<'tcx>,
159    ) -> Result<(), ErrorGuaranteed> {
160        self.demand_eqtype_pat_diag(cause_span, expected, actual, ti).map_err(|err| err.emit())
161    }
162}
163
164/// Mode for adjusting the expected type and binding mode.
165#[derive(Clone, Copy, Debug, PartialEq, Eq)]
166enum AdjustMode {
167    /// Peel off all immediate reference types. If the `deref_patterns` feature is enabled, this
168    /// also peels smart pointer ADTs.
169    Peel { kind: PeelKind },
170    /// Pass on the input binding mode and expected type.
171    Pass,
172}
173
174/// Restrictions on what types to peel when adjusting the expected type and binding mode.
175#[derive(Clone, Copy, Debug, PartialEq, Eq)]
176enum PeelKind {
177    /// Only peel reference types. This is used for explicit `deref!(_)` patterns, which dereference
178    /// any number of `&`/`&mut` references, plus a single smart pointer.
179    ExplicitDerefPat,
180    /// Implicitly peel references, and if `deref_patterns` is enabled, smart pointer ADTs.
181    Implicit {
182        /// The ADT the pattern is a constructor for, if applicable, so that we don't peel it. See
183        /// [`ResolvedPat`] for more information.
184        until_adt: Option<DefId>,
185        /// The number of references at the head of the pattern's type, so we can leave that many
186        /// untouched. This is `1` for string literals, and `0` for most patterns.
187        pat_ref_layers: usize,
188    },
189}
190
191impl AdjustMode {
192    const fn peel_until_adt(opt_adt_def: Option<DefId>) -> AdjustMode {
193        AdjustMode::Peel { kind: PeelKind::Implicit { until_adt: opt_adt_def, pat_ref_layers: 0 } }
194    }
195    const fn peel_all() -> AdjustMode {
196        AdjustMode::peel_until_adt(None)
197    }
198}
199
200/// `ref mut` bindings (explicit or match-ergonomics) are not allowed behind an `&` reference.
201/// Normally, the borrow checker enforces this, but for (currently experimental) match ergonomics,
202/// we track this when typing patterns for two purposes:
203///
204/// - For RFC 3627's Rule 3, when this would prevent us from binding with `ref mut`, we limit the
205///   default binding mode to be by shared `ref` when it would otherwise be `ref mut`.
206///
207/// - For RFC 3627's Rule 5, we allow `&` patterns to match against `&mut` references, treating them
208///   as if they were shared references. Since the scrutinee is mutable in this case, the borrow
209///   checker won't catch if we bind with `ref mut`, so we need to throw an error ourselves.
210#[derive(Clone, Copy, Debug, PartialEq, Eq)]
211enum MutblCap {
212    /// Mutability restricted to immutable.
213    Not,
214
215    /// Mutability restricted to immutable, but only because of the pattern
216    /// (not the scrutinee type).
217    ///
218    /// The contained span, if present, points to an `&` pattern
219    /// that is the reason for the restriction,
220    /// and which will be reported in a diagnostic.
221    WeaklyNot(Option<Span>),
222
223    /// No restriction on mutability
224    Mut,
225}
226
227impl MutblCap {
228    #[must_use]
229    fn cap_to_weakly_not(self, span: Option<Span>) -> Self {
230        match self {
231            MutblCap::Not => MutblCap::Not,
232            _ => MutblCap::WeaklyNot(span),
233        }
234    }
235
236    #[must_use]
237    fn as_mutbl(self) -> Mutability {
238        match self {
239            MutblCap::Not | MutblCap::WeaklyNot(_) => Mutability::Not,
240            MutblCap::Mut => Mutability::Mut,
241        }
242    }
243}
244
245/// `ref` or `ref mut` bindings (not pinned, explicitly or match-ergonomics) are only allowed behind
246/// an `&pin` reference if the binding's type is `Unpin`.
247///
248/// Normally, the borrow checker enforces this (not implemented yet), but we track it here for better
249/// diagnostics.
250#[derive(Clone, Copy, Debug, PartialEq, Eq)]
251enum PinnednessCap {
252    /// No restriction on pinnedness.
253    Not,
254    /// Pinnedness restricted to pinned.
255    Pinned,
256}
257
258/// Variations on RFC 3627's Rule 4: when do reference patterns match against inherited references?
259///
260/// "Inherited reference" designates the `&`/`&mut` types that arise from using match ergonomics, i.e.
261/// from matching a reference type with a non-reference pattern. E.g. when `Some(x)` matches on
262/// `&mut Option<&T>`, `x` gets type `&mut &T` and the outer `&mut` is considered "inherited".
263#[derive(Clone, Copy, Debug, PartialEq, Eq)]
264enum InheritedRefMatchRule {
265    /// Reference patterns consume only the inherited reference if possible, regardless of whether
266    /// the underlying type being matched against is a reference type. If there is no inherited
267    /// reference, a reference will be consumed from the underlying type.
268    EatOuter,
269    /// Reference patterns consume only a reference from the underlying type if possible. If the
270    /// underlying type is not a reference type, the inherited reference will be consumed.
271    EatInner,
272    /// When the underlying type is a reference type, reference patterns consume both layers of
273    /// reference, i.e. they both reset the binding mode and consume the reference type.
274    EatBoth {
275        /// If `true`, an inherited reference will be considered when determining whether a reference
276        /// pattern matches a given type:
277        /// - If the underlying type is not a reference, a reference pattern may eat the inherited reference;
278        /// - If the underlying type is a reference, a reference pattern matches if it can eat either one
279        ///   of the underlying and inherited references. E.g. a `&mut` pattern is allowed if either the
280        ///   underlying type is `&mut` or the inherited reference is `&mut`.
281        ///
282        /// If `false`, a reference pattern is only matched against the underlying type.
283        /// This is `false` for stable Rust and `true` for both the `ref_pat_eat_one_layer_2024` and
284        /// `ref_pat_eat_one_layer_2024_structural` feature gates.
285        consider_inherited_ref: bool,
286    },
287}
288
289/// When checking patterns containing paths, we need to know the path's resolution to determine
290/// whether to apply match ergonomics and implicitly dereference the scrutinee. For instance, when
291/// the `deref_patterns` feature is enabled and we're matching against a scrutinee of type
292/// `Cow<'a, Option<u8>>`, we insert an implicit dereference to allow the pattern `Some(_)` to type,
293/// but we must not dereference it when checking the pattern `Cow::Borrowed(_)`.
294///
295/// `ResolvedPat` contains the information from resolution needed to determine match ergonomics
296/// adjustments, and to finish checking the pattern once we know its adjusted type.
297#[derive(Clone, Copy, Debug)]
298struct ResolvedPat<'tcx> {
299    /// The type of the pattern, to be checked against the type of the scrutinee after peeling. This
300    /// is also used to avoid peeling the scrutinee's constructors (see the `Cow` example above).
301    ty: Ty<'tcx>,
302    kind: ResolvedPatKind<'tcx>,
303}
304
305#[derive(Clone, Copy, Debug)]
306enum ResolvedPatKind<'tcx> {
307    Path { res: Res, pat_res: Res, segments: &'tcx [hir::PathSegment<'tcx>] },
308    Struct { variant: &'tcx VariantDef },
309    TupleStruct { res: Res, variant: &'tcx VariantDef },
310}
311
312impl<'tcx> ResolvedPat<'tcx> {
313    fn adjust_mode(&self) -> AdjustMode {
314        if let ResolvedPatKind::Path { res, .. } = self.kind
315            && matches!(res, Res::Def(DefKind::Const | DefKind::AssocConst, _))
316        {
317            // These constants can be of a reference type, e.g. `const X: &u8 = &0;`.
318            // Peeling the reference types too early will cause type checking failures.
319            // Although it would be possible to *also* peel the types of the constants too.
320            AdjustMode::Pass
321        } else {
322            // The remaining possible resolutions for path, struct, and tuple struct patterns are
323            // ADT constructors. As such, we may peel references freely, but we must not peel the
324            // ADT itself from the scrutinee if it's a smart pointer.
325            AdjustMode::peel_until_adt(self.ty.ty_adt_def().map(|adt| adt.did()))
326        }
327    }
328}
329
330impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
331    /// Experimental pattern feature: after matching against a shared reference, do we limit the
332    /// default binding mode in subpatterns to be `ref` when it would otherwise be `ref mut`?
333    /// This corresponds to Rule 3 of RFC 3627.
334    fn downgrade_mut_inside_shared(&self) -> bool {
335        // NB: RFC 3627 proposes stabilizing Rule 3 in all editions. If we adopt the same behavior
336        // across all editions, this may be removed.
337        self.tcx.features().ref_pat_eat_one_layer_2024_structural()
338    }
339
340    /// Experimental pattern feature: when do reference patterns match against inherited references?
341    /// This corresponds to variations on Rule 4 of RFC 3627.
342    fn ref_pat_matches_inherited_ref(&self, edition: Edition) -> InheritedRefMatchRule {
343        // NB: The particular rule used here is likely to differ across editions, so calls to this
344        // may need to become edition checks after match ergonomics stabilize.
345        if edition.at_least_rust_2024() {
346            if self.tcx.features().ref_pat_eat_one_layer_2024() {
347                InheritedRefMatchRule::EatOuter
348            } else if self.tcx.features().ref_pat_eat_one_layer_2024_structural() {
349                InheritedRefMatchRule::EatInner
350            } else {
351                // Currently, matching against an inherited ref on edition 2024 is an error.
352                // Use `EatBoth` as a fallback to be similar to stable Rust.
353                InheritedRefMatchRule::EatBoth { consider_inherited_ref: false }
354            }
355        } else {
356            InheritedRefMatchRule::EatBoth {
357                consider_inherited_ref: self.tcx.features().ref_pat_eat_one_layer_2024()
358                    || self.tcx.features().ref_pat_eat_one_layer_2024_structural(),
359            }
360        }
361    }
362
363    /// Experimental pattern feature: do `&` patterns match against `&mut` references, treating them
364    /// as if they were shared references? This corresponds to Rule 5 of RFC 3627.
365    fn ref_pat_matches_mut_ref(&self) -> bool {
366        // NB: RFC 3627 proposes stabilizing Rule 5 in all editions. If we adopt the same behavior
367        // across all editions, this may be removed.
368        self.tcx.features().ref_pat_eat_one_layer_2024()
369            || self.tcx.features().ref_pat_eat_one_layer_2024_structural()
370    }
371
372    /// Type check the given top level pattern against the `expected` type.
373    ///
374    /// If a `Some(span)` is provided and `origin_expr` holds,
375    /// then the `span` represents the scrutinee's span.
376    /// The scrutinee is found in e.g. `match scrutinee { ... }` and `let pat = scrutinee;`.
377    ///
378    /// Otherwise, `Some(span)` represents the span of a type expression
379    /// which originated the `expected` type.
380    pub(crate) fn check_pat_top(
381        &self,
382        pat: &'tcx Pat<'tcx>,
383        expected: Ty<'tcx>,
384        span: Option<Span>,
385        origin_expr: Option<&'tcx hir::Expr<'tcx>>,
386        decl_origin: Option<DeclOrigin<'tcx>>,
387    ) {
388        let top_info = TopInfo { expected, origin_expr, span, hir_id: pat.hir_id };
389        let pat_info = PatInfo {
390            binding_mode: ByRef::No,
391            max_pinnedness: PinnednessCap::Not,
392            max_ref_mutbl: MutblCap::Mut,
393            top_info,
394            decl_origin,
395            current_depth: 0,
396        };
397        self.check_pat(pat, expected, pat_info);
398    }
399
400    /// Type check the given `pat` against the `expected` type
401    /// with the provided `binding_mode` (default binding mode).
402    ///
403    /// Outside of this module, `check_pat_top` should always be used.
404    /// Conversely, inside this module, `check_pat_top` should never be used.
405    #[instrument(level = "debug", skip(self, pat_info))]
406    fn check_pat(&self, pat: &'tcx Pat<'tcx>, expected: Ty<'tcx>, pat_info: PatInfo<'tcx>) {
407        // For patterns containing paths, we need the path's resolution to determine whether to
408        // implicitly dereference the scrutinee before matching.
409        let opt_path_res = match pat.kind {
410            PatKind::Expr(PatExpr { kind: PatExprKind::Path(qpath), hir_id, span }) => {
411                Some(self.resolve_pat_path(*hir_id, *span, qpath))
412            }
413            PatKind::Struct(ref qpath, ..) => Some(self.resolve_pat_struct(pat, qpath)),
414            PatKind::TupleStruct(ref qpath, ..) => Some(self.resolve_pat_tuple_struct(pat, qpath)),
415            _ => None,
416        };
417        let adjust_mode = self.calc_adjust_mode(pat, opt_path_res);
418        let ty = self.check_pat_inner(pat, opt_path_res, adjust_mode, expected, pat_info);
419        self.write_ty(pat.hir_id, ty);
420
421        // If we implicitly inserted overloaded dereferences before matching check the pattern to
422        // see if the dereferenced types need `DerefMut` bounds.
423        if let Some(derefed_tys) = self.typeck_results.borrow().pat_adjustments().get(pat.hir_id)
424            && derefed_tys.iter().any(|adjust| adjust.kind == PatAdjust::OverloadedDeref)
425        {
426            self.register_deref_mut_bounds_if_needed(
427                pat.span,
428                pat,
429                derefed_tys.iter().filter_map(|adjust| match adjust.kind {
430                    PatAdjust::OverloadedDeref => Some(adjust.source),
431                    PatAdjust::BuiltinDeref | PatAdjust::PinDeref => None,
432                }),
433            );
434        }
435
436        // (note_1): In most of the cases where (note_1) is referenced
437        // (literals and constants being the exception), we relate types
438        // using strict equality, even though subtyping would be sufficient.
439        // There are a few reasons for this, some of which are fairly subtle
440        // and which cost me (nmatsakis) an hour or two debugging to remember,
441        // so I thought I'd write them down this time.
442        //
443        // 1. There is no loss of expressiveness here, though it does
444        // cause some inconvenience. What we are saying is that the type
445        // of `x` becomes *exactly* what is expected. This can cause unnecessary
446        // errors in some cases, such as this one:
447        //
448        // ```
449        // fn foo<'x>(x: &'x i32) {
450        //    let a = 1;
451        //    let mut z = x;
452        //    z = &a;
453        // }
454        // ```
455        //
456        // The reason we might get an error is that `z` might be
457        // assigned a type like `&'x i32`, and then we would have
458        // a problem when we try to assign `&a` to `z`, because
459        // the lifetime of `&a` (i.e., the enclosing block) is
460        // shorter than `'x`.
461        //
462        // HOWEVER, this code works fine. The reason is that the
463        // expected type here is whatever type the user wrote, not
464        // the initializer's type. In this case the user wrote
465        // nothing, so we are going to create a type variable `Z`.
466        // Then we will assign the type of the initializer (`&'x i32`)
467        // as a subtype of `Z`: `&'x i32 <: Z`. And hence we
468        // will instantiate `Z` as a type `&'0 i32` where `'0` is
469        // a fresh region variable, with the constraint that `'x : '0`.
470        // So basically we're all set.
471        //
472        // Note that there are two tests to check that this remains true
473        // (`regions-reassign-{match,let}-bound-pointer.rs`).
474        //
475        // 2. An outdated issue related to the old HIR borrowck. See the test
476        // `regions-relate-bound-regions-on-closures-to-inference-variables.rs`,
477    }
478
479    // Helper to avoid resolving the same path pattern several times.
480    fn check_pat_inner(
481        &self,
482        pat: &'tcx Pat<'tcx>,
483        opt_path_res: Option<Result<ResolvedPat<'tcx>, ErrorGuaranteed>>,
484        adjust_mode: AdjustMode,
485        expected: Ty<'tcx>,
486        pat_info: PatInfo<'tcx>,
487    ) -> Ty<'tcx> {
488        #[cfg(debug_assertions)]
489        if matches!(pat_info.binding_mode, ByRef::Yes(_, Mutability::Mut))
490            && pat_info.max_ref_mutbl != MutblCap::Mut
491            && self.downgrade_mut_inside_shared()
492        {
493            span_bug!(pat.span, "Pattern mutability cap violated!");
494        }
495
496        // Resolve type if needed.
497        let expected = if let AdjustMode::Peel { .. } = adjust_mode
498            && pat.default_binding_modes
499        {
500            self.try_structurally_resolve_type(pat.span, expected)
501        } else {
502            expected
503        };
504        let old_pat_info = pat_info;
505        let pat_info = PatInfo { current_depth: old_pat_info.current_depth + 1, ..old_pat_info };
506
507        match pat.kind {
508            // Peel off a `&` or `&mut`from the scrutinee type. See the examples in
509            // `tests/ui/rfcs/rfc-2005-default-binding-mode`.
510            _ if let AdjustMode::Peel { kind: peel_kind } = adjust_mode
511                && pat.default_binding_modes
512                && let &ty::Ref(_, inner_ty, inner_mutability) = expected.kind()
513                && self.should_peel_ref(peel_kind, expected) =>
514            {
515                debug!("inspecting {:?}", expected);
516
517                debug!("current discriminant is Ref, inserting implicit deref");
518                // Preserve the reference type. We'll need it later during THIR lowering.
519                self.typeck_results
520                    .borrow_mut()
521                    .pat_adjustments_mut()
522                    .entry(pat.hir_id)
523                    .or_default()
524                    .push(PatAdjustment { kind: PatAdjust::BuiltinDeref, source: expected });
525
526                // Use the old pat info to keep `current_depth` to its old value.
527                let new_pat_info =
528                    self.adjust_pat_info(Pinnedness::Not, inner_mutability, old_pat_info);
529
530                // Recurse with the new expected type.
531                self.check_pat_inner(pat, opt_path_res, adjust_mode, inner_ty, new_pat_info)
532            }
533            // If `pin_ergonomics` is enabled, peel the `&pin` from the pinned reference type. See the
534            // examples in `tests/ui/async-await/pin-ergonomics/`.
535            _ if self.tcx.features().pin_ergonomics()
536                && let AdjustMode::Peel { kind: peel_kind } = adjust_mode
537                && pat.default_binding_modes
538                && self.should_peel_smart_pointer(peel_kind, expected)
539                && let Some(pinned_ty) = expected.pinned_ty()
540                // Currently, only pinned reference is specially handled, leaving other
541                // pinned types (e.g. `Pin<Box<T>>` to deref patterns) handled as a
542                // deref pattern.
543                && let &ty::Ref(_, inner_ty, inner_mutability) = pinned_ty.kind() =>
544            {
545                debug!("scrutinee ty {expected:?} is a pinned reference, inserting pin deref");
546
547                // if the inner_ty is an ADT, make sure that it can be structurally pinned
548                // (i.e., it is `#[pin_v2]`).
549                if let Some(adt) = inner_ty.ty_adt_def()
550                    && !adt.is_pin_project()
551                    && !adt.is_pin()
552                {
553                    let def_span: Option<Span> = self.tcx.hir_span_if_local(adt.did());
554                    let sugg_span = def_span.map(|span| span.shrink_to_lo());
555                    self.dcx().emit_err(crate::errors::ProjectOnNonPinProjectType {
556                        span: pat.span,
557                        def_span,
558                        sugg_span,
559                    });
560                }
561
562                // Use the old pat info to keep `current_depth` to its old value.
563                let new_pat_info =
564                    self.adjust_pat_info(Pinnedness::Pinned, inner_mutability, old_pat_info);
565
566                self.check_deref_pattern(
567                    pat,
568                    opt_path_res,
569                    adjust_mode,
570                    expected,
571                    inner_ty,
572                    PatAdjust::PinDeref,
573                    new_pat_info,
574                )
575            }
576            // If `deref_patterns` is enabled, peel a smart pointer from the scrutinee type. See the
577            // examples in `tests/ui/pattern/deref_patterns/`.
578            _ if self.tcx.features().deref_patterns()
579                && let AdjustMode::Peel { kind: peel_kind } = adjust_mode
580                && pat.default_binding_modes
581                && self.should_peel_smart_pointer(peel_kind, expected) =>
582            {
583                debug!("scrutinee ty {expected:?} is a smart pointer, inserting pin deref");
584
585                // The scrutinee is a smart pointer; implicitly dereference it. This adds a
586                // requirement that `expected: DerefPure`.
587                let inner_ty = self.deref_pat_target(pat.span, expected);
588                // Once we've checked `pat`, we'll add a `DerefMut` bound if it contains any
589                // `ref mut` bindings. See `Self::register_deref_mut_bounds_if_needed`.
590
591                self.check_deref_pattern(
592                    pat,
593                    opt_path_res,
594                    adjust_mode,
595                    expected,
596                    inner_ty,
597                    PatAdjust::OverloadedDeref,
598                    old_pat_info,
599                )
600            }
601            PatKind::Missing | PatKind::Wild | PatKind::Err(_) => expected,
602            // We allow any type here; we ensure that the type is uninhabited during match checking.
603            PatKind::Never => expected,
604            PatKind::Expr(PatExpr { kind: PatExprKind::Path(_), hir_id, .. }) => {
605                let ty = match opt_path_res.unwrap() {
606                    Ok(ref pr) => {
607                        self.check_pat_path(pat.hir_id, pat.span, pr, expected, &pat_info.top_info)
608                    }
609                    Err(guar) => Ty::new_error(self.tcx, guar),
610                };
611                self.write_ty(*hir_id, ty);
612                ty
613            }
614            PatKind::Expr(lt) => self.check_pat_lit(pat.span, lt, expected, &pat_info.top_info),
615            PatKind::Range(lhs, rhs, _) => {
616                self.check_pat_range(pat.span, lhs, rhs, expected, &pat_info.top_info)
617            }
618            PatKind::Binding(ba, var_id, ident, sub) => {
619                self.check_pat_ident(pat, ba, var_id, ident, sub, expected, pat_info)
620            }
621            PatKind::TupleStruct(ref qpath, subpats, ddpos) => match opt_path_res.unwrap() {
622                Ok(ResolvedPat { ty, kind: ResolvedPatKind::TupleStruct { res, variant } }) => self
623                    .check_pat_tuple_struct(
624                        pat, qpath, subpats, ddpos, res, ty, variant, expected, pat_info,
625                    ),
626                Err(guar) => {
627                    let ty_err = Ty::new_error(self.tcx, guar);
628                    for subpat in subpats {
629                        self.check_pat(subpat, ty_err, pat_info);
630                    }
631                    ty_err
632                }
633                Ok(pr) => span_bug!(pat.span, "tuple struct pattern resolved to {pr:?}"),
634            },
635            PatKind::Struct(_, fields, has_rest_pat) => match opt_path_res.unwrap() {
636                Ok(ResolvedPat { ty, kind: ResolvedPatKind::Struct { variant } }) => self
637                    .check_pat_struct(
638                        pat,
639                        fields,
640                        has_rest_pat.is_some(),
641                        ty,
642                        variant,
643                        expected,
644                        pat_info,
645                    ),
646                Err(guar) => {
647                    let ty_err = Ty::new_error(self.tcx, guar);
648                    for field in fields {
649                        self.check_pat(field.pat, ty_err, pat_info);
650                    }
651                    ty_err
652                }
653                Ok(pr) => span_bug!(pat.span, "struct pattern resolved to {pr:?}"),
654            },
655            PatKind::Guard(pat, cond) => {
656                self.check_pat(pat, expected, pat_info);
657                self.check_expr_has_type_or_error(cond, self.tcx.types.bool, |_| {});
658                expected
659            }
660            PatKind::Or(pats) => {
661                for pat in pats {
662                    self.check_pat(pat, expected, pat_info);
663                }
664                expected
665            }
666            PatKind::Tuple(elements, ddpos) => {
667                self.check_pat_tuple(pat.span, elements, ddpos, expected, pat_info)
668            }
669            PatKind::Box(inner) => self.check_pat_box(pat.span, inner, expected, pat_info),
670            PatKind::Deref(inner) => self.check_pat_deref(pat.span, inner, expected, pat_info),
671            PatKind::Ref(inner, pinned, mutbl) => {
672                self.check_pat_ref(pat, inner, pinned, mutbl, expected, pat_info)
673            }
674            PatKind::Slice(before, slice, after) => {
675                self.check_pat_slice(pat.span, before, slice, after, expected, pat_info)
676            }
677        }
678    }
679
680    fn adjust_pat_info(
681        &self,
682        inner_pinnedness: Pinnedness,
683        inner_mutability: Mutability,
684        pat_info: PatInfo<'tcx>,
685    ) -> PatInfo<'tcx> {
686        let mut binding_mode = match pat_info.binding_mode {
687            // If default binding mode is by value, make it `ref`, `ref mut`, `ref pin const`
688            // or `ref pin mut` (depending on whether we observe `&`, `&mut`, `&pin const` or
689            // `&pin mut`).
690            ByRef::No => ByRef::Yes(inner_pinnedness, inner_mutability),
691            ByRef::Yes(pinnedness, mutability) => {
692                let pinnedness = match pinnedness {
693                    // When `ref`, stay a `ref` (on `&`) or downgrade to `ref pin` (on `&pin`).
694                    Pinnedness::Not => inner_pinnedness,
695                    // When `ref pin`, stay a `ref pin`.
696                    // This is because we cannot get an `&mut T` from `&mut &pin mut T` unless `T: Unpin`.
697                    // Note that `&T` and `&mut T` are `Unpin`, which implies
698                    // `& &pin const T` <-> `&pin const &T` and `&mut &pin mut T` <-> `&pin mut &mut T`
699                    // (i.e. mutually coercible).
700                    Pinnedness::Pinned => Pinnedness::Pinned,
701                };
702
703                let mutability = match mutability {
704                    // When `ref mut`, stay a `ref mut` (on `&mut`) or downgrade to `ref` (on `&`).
705                    Mutability::Mut => inner_mutability,
706                    // Once a `ref`, always a `ref`.
707                    // This is because a `& &mut` cannot mutate the underlying value.
708                    Mutability::Not => Mutability::Not,
709                };
710                ByRef::Yes(pinnedness, mutability)
711            }
712        };
713
714        let PatInfo { mut max_ref_mutbl, mut max_pinnedness, .. } = pat_info;
715        if self.downgrade_mut_inside_shared() {
716            binding_mode = binding_mode.cap_ref_mutability(max_ref_mutbl.as_mutbl());
717        }
718        match binding_mode {
719            ByRef::Yes(_, Mutability::Not) => max_ref_mutbl = MutblCap::Not,
720            ByRef::Yes(Pinnedness::Pinned, _) => max_pinnedness = PinnednessCap::Pinned,
721            _ => {}
722        }
723        debug!("default binding mode is now {:?}", binding_mode);
724        PatInfo { binding_mode, max_pinnedness, max_ref_mutbl, ..pat_info }
725    }
726
727    fn check_deref_pattern(
728        &self,
729        pat: &'tcx Pat<'tcx>,
730        opt_path_res: Option<Result<ResolvedPat<'tcx>, ErrorGuaranteed>>,
731        adjust_mode: AdjustMode,
732        expected: Ty<'tcx>,
733        mut inner_ty: Ty<'tcx>,
734        pat_adjust_kind: PatAdjust,
735        pat_info: PatInfo<'tcx>,
736    ) -> Ty<'tcx> {
737        debug_assert!(
738            !matches!(pat_adjust_kind, PatAdjust::BuiltinDeref),
739            "unexpected deref pattern for builtin reference type {expected:?}",
740        );
741
742        let mut typeck_results = self.typeck_results.borrow_mut();
743        let mut pat_adjustments_table = typeck_results.pat_adjustments_mut();
744        let pat_adjustments = pat_adjustments_table.entry(pat.hir_id).or_default();
745        // We may reach the recursion limit if a user matches on a type `T` satisfying
746        // `T: Deref<Target = T>`; error gracefully in this case.
747        // FIXME(deref_patterns): If `deref_patterns` stabilizes, it may make sense to move
748        // this check out of this branch. Alternatively, this loop could be implemented with
749        // autoderef and this check removed. For now though, don't break code compiling on
750        // stable with lots of `&`s and a low recursion limit, if anyone's done that.
751        if self.tcx.recursion_limit().value_within_limit(pat_adjustments.len()) {
752            // Preserve the smart pointer type for THIR lowering and closure upvar analysis.
753            pat_adjustments.push(PatAdjustment { kind: pat_adjust_kind, source: expected });
754        } else {
755            let guar = report_autoderef_recursion_limit_error(self.tcx, pat.span, expected);
756            inner_ty = Ty::new_error(self.tcx, guar);
757        }
758        drop(typeck_results);
759
760        // Recurse, using the old pat info to keep `current_depth` to its old value.
761        // Peeling smart pointers does not update the default binding mode.
762        self.check_pat_inner(pat, opt_path_res, adjust_mode, inner_ty, pat_info)
763    }
764
765    /// How should the binding mode and expected type be adjusted?
766    ///
767    /// When the pattern contains a path, `opt_path_res` must be `Some(path_res)`.
768    fn calc_adjust_mode(
769        &self,
770        pat: &'tcx Pat<'tcx>,
771        opt_path_res: Option<Result<ResolvedPat<'tcx>, ErrorGuaranteed>>,
772    ) -> AdjustMode {
773        match &pat.kind {
774            // Type checking these product-like types successfully always require
775            // that the expected type be of those types and not reference types.
776            PatKind::Tuple(..) | PatKind::Range(..) | PatKind::Slice(..) => AdjustMode::peel_all(),
777            // When checking an explicit deref pattern, only peel reference types.
778            // FIXME(deref_patterns): If box patterns and deref patterns need to coexist, box
779            // patterns may want `PeelKind::Implicit`, stopping on encountering a box.
780            PatKind::Box(_) | PatKind::Deref(_) => {
781                AdjustMode::Peel { kind: PeelKind::ExplicitDerefPat }
782            }
783            // A never pattern behaves somewhat like a literal or unit variant.
784            PatKind::Never => AdjustMode::peel_all(),
785            // For patterns with paths, how we peel the scrutinee depends on the path's resolution.
786            PatKind::Struct(..)
787            | PatKind::TupleStruct(..)
788            | PatKind::Expr(PatExpr { kind: PatExprKind::Path(_), .. }) => {
789                // If there was an error resolving the path, default to peeling everything.
790                opt_path_res.unwrap().map_or(AdjustMode::peel_all(), |pr| pr.adjust_mode())
791            }
792
793            // String and byte-string literals result in types `&str` and `&[u8]` respectively.
794            // All other literals result in non-reference types.
795            // As a result, we allow `if let 0 = &&0 {}` but not `if let "foo" = &&"foo" {}` unless
796            // `deref_patterns` is enabled.
797            PatKind::Expr(lt) => {
798                // Path patterns have already been handled, and inline const blocks currently
799                // aren't possible to write, so any handling for them would be untested.
800                if cfg!(debug_assertions)
801                    && self.tcx.features().deref_patterns()
802                    && !matches!(lt.kind, PatExprKind::Lit { .. })
803                {
804                    span_bug!(
805                        lt.span,
806                        "FIXME(deref_patterns): adjust mode unimplemented for {:?}",
807                        lt.kind
808                    );
809                }
810                // Call `resolve_vars_if_possible` here for inline const blocks.
811                let lit_ty = self.resolve_vars_if_possible(self.check_pat_expr_unadjusted(lt));
812                // If `deref_patterns` is enabled, allow `if let "foo" = &&"foo" {}`.
813                if self.tcx.features().deref_patterns() {
814                    let mut peeled_ty = lit_ty;
815                    let mut pat_ref_layers = 0;
816                    while let ty::Ref(_, inner_ty, mutbl) =
817                        *self.try_structurally_resolve_type(pat.span, peeled_ty).kind()
818                    {
819                        // We rely on references at the head of constants being immutable.
820                        debug_assert!(mutbl.is_not());
821                        pat_ref_layers += 1;
822                        peeled_ty = inner_ty;
823                    }
824                    AdjustMode::Peel {
825                        kind: PeelKind::Implicit { until_adt: None, pat_ref_layers },
826                    }
827                } else {
828                    if lit_ty.is_ref() { AdjustMode::Pass } else { AdjustMode::peel_all() }
829                }
830            }
831
832            // Ref patterns are complicated, we handle them in `check_pat_ref`.
833            PatKind::Ref(..)
834            // No need to do anything on a missing pattern.
835            | PatKind::Missing
836            // A `_` pattern works with any expected type, so there's no need to do anything.
837            | PatKind::Wild
838            // A malformed pattern doesn't have an expected type, so let's just accept any type.
839            | PatKind::Err(_)
840            // Bindings also work with whatever the expected type is,
841            // and moreover if we peel references off, that will give us the wrong binding type.
842            // Also, we can have a subpattern `binding @ pat`.
843            // Each side of the `@` should be treated independently (like with OR-patterns).
844            | PatKind::Binding(..)
845            // An OR-pattern just propagates to each individual alternative.
846            // This is maximally flexible, allowing e.g., `Some(mut x) | &Some(mut x)`.
847            // In that example, `Some(mut x)` results in `Peel` whereas `&Some(mut x)` in `Reset`.
848            | PatKind::Or(_)
849            // Like or-patterns, guard patterns just propagate to their subpatterns.
850            | PatKind::Guard(..) => AdjustMode::Pass,
851        }
852    }
853
854    /// Assuming `expected` is a reference type, determine whether to peel it before matching.
855    fn should_peel_ref(&self, peel_kind: PeelKind, mut expected: Ty<'tcx>) -> bool {
856        debug_assert!(expected.is_ref());
857        let pat_ref_layers = match peel_kind {
858            PeelKind::ExplicitDerefPat => 0,
859            PeelKind::Implicit { pat_ref_layers, .. } => pat_ref_layers,
860        };
861
862        // Most patterns don't have reference types, so we'll want to peel all references from the
863        // scrutinee before matching. To optimize for the common case, return early.
864        if pat_ref_layers == 0 {
865            return true;
866        }
867        debug_assert!(
868            self.tcx.features().deref_patterns(),
869            "Peeling for patterns with reference types is gated by `deref_patterns`."
870        );
871
872        // If the pattern has as many or more layers of reference as the expected type, we can match
873        // without peeling more, unless we find a smart pointer or `&mut` that we also need to peel.
874        // We don't treat `&` and `&mut` as interchangeable, but by peeling `&mut`s before matching,
875        // we can still, e.g., match on a `&mut str` with a string literal pattern. This is because
876        // string literal patterns may be used where `str` is expected.
877        let mut expected_ref_layers = 0;
878        while let ty::Ref(_, inner_ty, mutbl) = *expected.kind() {
879            if mutbl.is_mut() {
880                // Mutable references can't be in the final value of constants, thus they can't be
881                // at the head of their types, thus we should always peel `&mut`.
882                return true;
883            }
884            expected_ref_layers += 1;
885            expected = inner_ty;
886        }
887        pat_ref_layers < expected_ref_layers || self.should_peel_smart_pointer(peel_kind, expected)
888    }
889
890    /// Determine whether `expected` is a smart pointer type that should be peeled before matching.
891    fn should_peel_smart_pointer(&self, peel_kind: PeelKind, expected: Ty<'tcx>) -> bool {
892        // Explicit `deref!(_)` patterns match against smart pointers; don't peel in that case.
893        if let PeelKind::Implicit { until_adt, .. } = peel_kind
894            // For simplicity, only apply overloaded derefs if `expected` is a known ADT.
895            // FIXME(deref_patterns): we'll get better diagnostics for users trying to
896            // implicitly deref generics if we allow them here, but primitives, tuples, and
897            // inference vars definitely should be stopped. Figure out what makes most sense.
898            && let ty::Adt(scrutinee_adt, _) = *expected.kind()
899            // Don't peel if the pattern type already matches the scrutinee. E.g., stop here if
900            // matching on a `Cow<'a, T>` scrutinee with a `Cow::Owned(_)` pattern.
901            && until_adt != Some(scrutinee_adt.did())
902            // At this point, the pattern isn't able to match `expected` without peeling. Check
903            // that it implements `Deref` before assuming it's a smart pointer, to get a normal
904            // type error instead of a missing impl error if not. This only checks for `Deref`,
905            // not `DerefPure`: we require that too, but we want a trait error if it's missing.
906            && let Some(deref_trait) = self.tcx.lang_items().deref_trait()
907            && self.type_implements_trait(deref_trait, [expected], self.param_env).may_apply()
908        {
909            true
910        } else {
911            false
912        }
913    }
914
915    fn check_pat_expr_unadjusted(&self, lt: &'tcx hir::PatExpr<'tcx>) -> Ty<'tcx> {
916        let ty = match &lt.kind {
917            rustc_hir::PatExprKind::Lit { lit, negated } => {
918                let ty = self.check_expr_lit(lit, Expectation::NoExpectation);
919                if *negated {
920                    self.register_bound(
921                        ty,
922                        self.tcx.require_lang_item(LangItem::Neg, lt.span),
923                        ObligationCause::dummy_with_span(lt.span),
924                    );
925                }
926                ty
927            }
928            rustc_hir::PatExprKind::Path(qpath) => {
929                let (res, opt_ty, segments) =
930                    self.resolve_ty_and_res_fully_qualified_call(qpath, lt.hir_id, lt.span);
931                self.instantiate_value_path(segments, opt_ty, res, lt.span, lt.span, lt.hir_id).0
932            }
933        };
934        self.write_ty(lt.hir_id, ty);
935        ty
936    }
937
938    fn check_pat_lit(
939        &self,
940        span: Span,
941        lt: &hir::PatExpr<'tcx>,
942        expected: Ty<'tcx>,
943        ti: &TopInfo<'tcx>,
944    ) -> Ty<'tcx> {
945        // We've already computed the type above (when checking for a non-ref pat),
946        // so avoid computing it again.
947        let ty = self.node_ty(lt.hir_id);
948
949        // Byte string patterns behave the same way as array patterns
950        // They can denote both statically and dynamically-sized byte arrays.
951        // Additionally, when `deref_patterns` is enabled, byte string literal patterns may have
952        // types `[u8]` or `[u8; N]`, in order to type, e.g., `deref!(b"..."): Vec<u8>`.
953        let mut pat_ty = ty;
954        if let hir::PatExprKind::Lit {
955            lit: Spanned { node: ast::LitKind::ByteStr(..), .. }, ..
956        } = lt.kind
957        {
958            let tcx = self.tcx;
959            let expected = self.structurally_resolve_type(span, expected);
960            match *expected.kind() {
961                // Allow `b"...": &[u8]`
962                ty::Ref(_, inner_ty, _)
963                    if self.try_structurally_resolve_type(span, inner_ty).is_slice() =>
964                {
965                    trace!(?lt.hir_id.local_id, "polymorphic byte string lit");
966                    pat_ty = Ty::new_imm_ref(
967                        tcx,
968                        tcx.lifetimes.re_static,
969                        Ty::new_slice(tcx, tcx.types.u8),
970                    );
971                }
972                // Allow `b"...": [u8; 3]` for `deref_patterns`
973                ty::Array(..) if tcx.features().deref_patterns() => {
974                    pat_ty = match *ty.kind() {
975                        ty::Ref(_, inner_ty, _) => inner_ty,
976                        _ => span_bug!(span, "found byte string literal with non-ref type {ty:?}"),
977                    }
978                }
979                // Allow `b"...": [u8]` for `deref_patterns`
980                ty::Slice(..) if tcx.features().deref_patterns() => {
981                    pat_ty = Ty::new_slice(tcx, tcx.types.u8);
982                }
983                // Otherwise, `b"...": &[u8; 3]`
984                _ => {}
985            }
986        }
987
988        // When `deref_patterns` is enabled, in order to allow `deref!("..."): String`, we allow
989        // string literal patterns to have type `str`. This is accounted for when lowering to MIR.
990        if self.tcx.features().deref_patterns()
991            && let hir::PatExprKind::Lit {
992                lit: Spanned { node: ast::LitKind::Str(..), .. }, ..
993            } = lt.kind
994            && self.try_structurally_resolve_type(span, expected).is_str()
995        {
996            pat_ty = self.tcx.types.str_;
997        }
998
999        // Somewhat surprising: in this case, the subtyping relation goes the
1000        // opposite way as the other cases. Actually what we really want is not
1001        // a subtyping relation at all but rather that there exists a LUB
1002        // (so that they can be compared). However, in practice, constants are
1003        // always scalars or strings. For scalars subtyping is irrelevant,
1004        // and for strings `ty` is type is `&'static str`, so if we say that
1005        //
1006        //     &'static str <: expected
1007        //
1008        // then that's equivalent to there existing a LUB.
1009        let cause = self.pattern_cause(ti, span);
1010        if let Err(err) = self.demand_suptype_with_origin(&cause, expected, pat_ty) {
1011            err.emit();
1012        }
1013
1014        pat_ty
1015    }
1016
1017    fn check_pat_range(
1018        &self,
1019        span: Span,
1020        lhs: Option<&'tcx hir::PatExpr<'tcx>>,
1021        rhs: Option<&'tcx hir::PatExpr<'tcx>>,
1022        expected: Ty<'tcx>,
1023        ti: &TopInfo<'tcx>,
1024    ) -> Ty<'tcx> {
1025        let calc_side = |opt_expr: Option<&'tcx hir::PatExpr<'tcx>>| match opt_expr {
1026            None => None,
1027            Some(expr) => {
1028                let ty = self.check_pat_expr_unadjusted(expr);
1029                // Check that the end-point is possibly of numeric or char type.
1030                // The early check here is not for correctness, but rather better
1031                // diagnostics (e.g. when `&str` is being matched, `expected` will
1032                // be peeled to `str` while ty here is still `&str`, if we don't
1033                // err early here, a rather confusing unification error will be
1034                // emitted instead).
1035                let ty = self.try_structurally_resolve_type(expr.span, ty);
1036                let fail =
1037                    !(ty.is_numeric() || ty.is_char() || ty.is_ty_var() || ty.references_error());
1038                Some((fail, ty, expr.span))
1039            }
1040        };
1041        let mut lhs = calc_side(lhs);
1042        let mut rhs = calc_side(rhs);
1043
1044        if let (Some((true, ..)), _) | (_, Some((true, ..))) = (lhs, rhs) {
1045            // There exists a side that didn't meet our criteria that the end-point
1046            // be of a numeric or char type, as checked in `calc_side` above.
1047            let guar = self.emit_err_pat_range(span, lhs, rhs);
1048            return Ty::new_error(self.tcx, guar);
1049        }
1050
1051        // Unify each side with `expected`.
1052        // Subtyping doesn't matter here, as the value is some kind of scalar.
1053        let demand_eqtype = |x: &mut _, y| {
1054            if let Some((ref mut fail, x_ty, x_span)) = *x
1055                && let Err(mut err) = self.demand_eqtype_pat_diag(x_span, expected, x_ty, ti)
1056            {
1057                if let Some((_, y_ty, y_span)) = y {
1058                    self.endpoint_has_type(&mut err, y_span, y_ty);
1059                }
1060                err.emit();
1061                *fail = true;
1062            }
1063        };
1064        demand_eqtype(&mut lhs, rhs);
1065        demand_eqtype(&mut rhs, lhs);
1066
1067        if let (Some((true, ..)), _) | (_, Some((true, ..))) = (lhs, rhs) {
1068            return Ty::new_misc_error(self.tcx);
1069        }
1070
1071        // Find the unified type and check if it's of numeric or char type again.
1072        // This check is needed if both sides are inference variables.
1073        // We require types to be resolved here so that we emit inference failure
1074        // rather than "_ is not a char or numeric".
1075        let ty = self.structurally_resolve_type(span, expected);
1076        if !(ty.is_numeric() || ty.is_char() || ty.references_error()) {
1077            if let Some((ref mut fail, _, _)) = lhs {
1078                *fail = true;
1079            }
1080            if let Some((ref mut fail, _, _)) = rhs {
1081                *fail = true;
1082            }
1083            let guar = self.emit_err_pat_range(span, lhs, rhs);
1084            return Ty::new_error(self.tcx, guar);
1085        }
1086        ty
1087    }
1088
1089    fn endpoint_has_type(&self, err: &mut Diag<'_>, span: Span, ty: Ty<'_>) {
1090        if !ty.references_error() {
1091            err.span_label(span, format!("this is of type `{ty}`"));
1092        }
1093    }
1094
1095    fn emit_err_pat_range(
1096        &self,
1097        span: Span,
1098        lhs: Option<(bool, Ty<'tcx>, Span)>,
1099        rhs: Option<(bool, Ty<'tcx>, Span)>,
1100    ) -> ErrorGuaranteed {
1101        let span = match (lhs, rhs) {
1102            (Some((true, ..)), Some((true, ..))) => span,
1103            (Some((true, _, sp)), _) => sp,
1104            (_, Some((true, _, sp))) => sp,
1105            _ => span_bug!(span, "emit_err_pat_range: no side failed or exists but still error?"),
1106        };
1107        let mut err = struct_span_code_err!(
1108            self.dcx(),
1109            span,
1110            E0029,
1111            "only `char` and numeric types are allowed in range patterns"
1112        );
1113        let msg = |ty| {
1114            let ty = self.resolve_vars_if_possible(ty);
1115            format!("this is of type `{ty}` but it should be `char` or numeric")
1116        };
1117        let mut one_side_err = |first_span, first_ty, second: Option<(bool, Ty<'tcx>, Span)>| {
1118            err.span_label(first_span, msg(first_ty));
1119            if let Some((_, ty, sp)) = second {
1120                let ty = self.resolve_vars_if_possible(ty);
1121                self.endpoint_has_type(&mut err, sp, ty);
1122            }
1123        };
1124        match (lhs, rhs) {
1125            (Some((true, lhs_ty, lhs_sp)), Some((true, rhs_ty, rhs_sp))) => {
1126                err.span_label(lhs_sp, msg(lhs_ty));
1127                err.span_label(rhs_sp, msg(rhs_ty));
1128            }
1129            (Some((true, lhs_ty, lhs_sp)), rhs) => one_side_err(lhs_sp, lhs_ty, rhs),
1130            (lhs, Some((true, rhs_ty, rhs_sp))) => one_side_err(rhs_sp, rhs_ty, lhs),
1131            _ => span_bug!(span, "Impossible, verified above."),
1132        }
1133        if (lhs, rhs).references_error() {
1134            err.downgrade_to_delayed_bug();
1135        }
1136        if self.tcx.sess.teach(err.code.unwrap()) {
1137            err.note(
1138                "In a match expression, only numbers and characters can be matched \
1139                    against a range. This is because the compiler checks that the range \
1140                    is non-empty at compile-time, and is unable to evaluate arbitrary \
1141                    comparison functions. If you want to capture values of an orderable \
1142                    type between two end-points, you can use a guard.",
1143            );
1144        }
1145        err.emit()
1146    }
1147
1148    fn check_pat_ident(
1149        &self,
1150        pat: &'tcx Pat<'tcx>,
1151        user_bind_annot: BindingMode,
1152        var_id: HirId,
1153        ident: Ident,
1154        sub: Option<&'tcx Pat<'tcx>>,
1155        expected: Ty<'tcx>,
1156        pat_info: PatInfo<'tcx>,
1157    ) -> Ty<'tcx> {
1158        let PatInfo { binding_mode: def_br, top_info: ti, .. } = pat_info;
1159
1160        // Determine the binding mode...
1161        let bm = match user_bind_annot {
1162            BindingMode(ByRef::No, Mutability::Mut) if let ByRef::Yes(_, def_br_mutbl) = def_br => {
1163                // Only mention the experimental `mut_ref` feature if if we're in edition 2024 and
1164                // using other experimental matching features compatible with it.
1165                if pat.span.at_least_rust_2024()
1166                    && (self.tcx.features().ref_pat_eat_one_layer_2024()
1167                        || self.tcx.features().ref_pat_eat_one_layer_2024_structural())
1168                {
1169                    if !self.tcx.features().mut_ref() {
1170                        feature_err(
1171                            self.tcx.sess,
1172                            sym::mut_ref,
1173                            pat.span.until(ident.span),
1174                            "binding cannot be both mutable and by-reference",
1175                        )
1176                        .emit();
1177                    }
1178
1179                    BindingMode(def_br, Mutability::Mut)
1180                } else {
1181                    // `mut` resets the binding mode on edition <= 2021
1182                    self.add_rust_2024_migration_desugared_pat(
1183                        pat_info.top_info.hir_id,
1184                        pat,
1185                        't', // last char of `mut`
1186                        def_br_mutbl,
1187                    );
1188                    BindingMode(ByRef::No, Mutability::Mut)
1189                }
1190            }
1191            BindingMode(ByRef::No, mutbl) => BindingMode(def_br, mutbl),
1192            BindingMode(ByRef::Yes(_, user_br_mutbl), _) => {
1193                if let ByRef::Yes(_, def_br_mutbl) = def_br {
1194                    // `ref`/`ref mut` overrides the binding mode on edition <= 2021
1195                    self.add_rust_2024_migration_desugared_pat(
1196                        pat_info.top_info.hir_id,
1197                        pat,
1198                        match user_br_mutbl {
1199                            Mutability::Not => 'f', // last char of `ref`
1200                            Mutability::Mut => 't', // last char of `ref mut`
1201                        },
1202                        def_br_mutbl,
1203                    );
1204                }
1205                user_bind_annot
1206            }
1207        };
1208
1209        // If there exists a pinned reference in the pattern but the binding is not pinned,
1210        // it means the binding is unpinned and thus requires an `Unpin` bound.
1211        if pat_info.max_pinnedness == PinnednessCap::Pinned
1212            && matches!(bm.0, ByRef::Yes(Pinnedness::Not, _))
1213        {
1214            self.register_bound(
1215                expected,
1216                self.tcx.require_lang_item(hir::LangItem::Unpin, pat.span),
1217                self.misc(pat.span),
1218            )
1219        }
1220
1221        if matches!(bm.0, ByRef::Yes(_, Mutability::Mut))
1222            && let MutblCap::WeaklyNot(and_pat_span) = pat_info.max_ref_mutbl
1223        {
1224            let mut err = struct_span_code_err!(
1225                self.dcx(),
1226                ident.span,
1227                E0596,
1228                "cannot borrow as mutable inside an `&` pattern"
1229            );
1230
1231            if let Some(span) = and_pat_span {
1232                err.span_suggestion(
1233                    span,
1234                    "replace this `&` with `&mut`",
1235                    "&mut ",
1236                    Applicability::MachineApplicable,
1237                );
1238            }
1239            err.emit();
1240        }
1241
1242        // ...and store it in a side table:
1243        self.typeck_results.borrow_mut().pat_binding_modes_mut().insert(pat.hir_id, bm);
1244
1245        debug!("check_pat_ident: pat.hir_id={:?} bm={:?}", pat.hir_id, bm);
1246
1247        let local_ty = self.local_ty(pat.span, pat.hir_id);
1248        let eq_ty = match bm.0 {
1249            ByRef::Yes(pinnedness, mutbl) => {
1250                // If the binding is like `ref x | ref mut x`,
1251                // then `x` is assigned a value of type `&M T` where M is the
1252                // mutability and T is the expected type.
1253                //
1254                // Under pin ergonomics, if the binding is like `ref pin const|mut x`,
1255                // then `x` is assigned a value of type `&pin M T` where M is the
1256                // mutability and T is the expected type.
1257                //
1258                // `x` is assigned a value of type `&M T`, hence `&M T <: typeof(x)`
1259                // is required. However, we use equality, which is stronger.
1260                // See (note_1) for an explanation.
1261                self.new_ref_ty(pat.span, pinnedness, mutbl, expected)
1262            }
1263            // Otherwise, the type of x is the expected type `T`.
1264            ByRef::No => expected, // As above, `T <: typeof(x)` is required, but we use equality, see (note_1).
1265        };
1266
1267        // We have a concrete type for the local, so we do not need to taint it and hide follow up errors *using* the local.
1268        let _ = self.demand_eqtype_pat(pat.span, eq_ty, local_ty, &ti);
1269
1270        // If there are multiple arms, make sure they all agree on
1271        // what the type of the binding `x` ought to be.
1272        if var_id != pat.hir_id {
1273            self.check_binding_alt_eq_ty(user_bind_annot, pat.span, var_id, local_ty, &ti);
1274        }
1275
1276        if let Some(p) = sub {
1277            self.check_pat(p, expected, pat_info);
1278        }
1279
1280        local_ty
1281    }
1282
1283    /// When a variable is bound several times in a `PatKind::Or`, it'll resolve all of the
1284    /// subsequent bindings of the same name to the first usage. Verify that all of these
1285    /// bindings have the same type by comparing them all against the type of that first pat.
1286    fn check_binding_alt_eq_ty(
1287        &self,
1288        ba: BindingMode,
1289        span: Span,
1290        var_id: HirId,
1291        ty: Ty<'tcx>,
1292        ti: &TopInfo<'tcx>,
1293    ) {
1294        let var_ty = self.local_ty(span, var_id);
1295        if let Err(mut err) = self.demand_eqtype_pat_diag(span, var_ty, ty, ti) {
1296            let var_ty = self.resolve_vars_if_possible(var_ty);
1297            let msg = format!("first introduced with type `{var_ty}` here");
1298            err.span_label(self.tcx.hir_span(var_id), msg);
1299            let in_match = self.tcx.hir_parent_iter(var_id).any(|(_, n)| {
1300                matches!(
1301                    n,
1302                    hir::Node::Expr(hir::Expr {
1303                        kind: hir::ExprKind::Match(.., hir::MatchSource::Normal),
1304                        ..
1305                    })
1306                )
1307            });
1308            let pre = if in_match { "in the same arm, " } else { "" };
1309            err.note(format!("{pre}a binding must have the same type in all alternatives"));
1310            self.suggest_adding_missing_ref_or_removing_ref(
1311                &mut err,
1312                span,
1313                var_ty,
1314                self.resolve_vars_if_possible(ty),
1315                ba,
1316            );
1317            err.emit();
1318        }
1319    }
1320
1321    fn suggest_adding_missing_ref_or_removing_ref(
1322        &self,
1323        err: &mut Diag<'_>,
1324        span: Span,
1325        expected: Ty<'tcx>,
1326        actual: Ty<'tcx>,
1327        ba: BindingMode,
1328    ) {
1329        match (expected.kind(), actual.kind(), ba) {
1330            (ty::Ref(_, inner_ty, _), _, BindingMode::NONE)
1331                if self.can_eq(self.param_env, *inner_ty, actual) =>
1332            {
1333                err.span_suggestion_verbose(
1334                    span.shrink_to_lo(),
1335                    "consider adding `ref`",
1336                    "ref ",
1337                    Applicability::MaybeIncorrect,
1338                );
1339            }
1340            (_, ty::Ref(_, inner_ty, _), BindingMode::REF)
1341                if self.can_eq(self.param_env, expected, *inner_ty) =>
1342            {
1343                err.span_suggestion_verbose(
1344                    span.with_hi(span.lo() + BytePos(4)),
1345                    "consider removing `ref`",
1346                    "",
1347                    Applicability::MaybeIncorrect,
1348                );
1349            }
1350            _ => (),
1351        }
1352    }
1353
1354    /// Precondition: pat is a `Ref(_)` pattern
1355    // FIXME(pin_ergonomics): add suggestions for `&pin mut` or `&pin const` patterns
1356    fn borrow_pat_suggestion(&self, err: &mut Diag<'_>, pat: &Pat<'_>) {
1357        let tcx = self.tcx;
1358        if let PatKind::Ref(inner, pinned, mutbl) = pat.kind
1359            && let PatKind::Binding(_, _, binding, ..) = inner.kind
1360        {
1361            let binding_parent = tcx.parent_hir_node(pat.hir_id);
1362            debug!(?inner, ?pat, ?binding_parent);
1363
1364            let pin_and_mut = pinned.prefix_str(mutbl).trim_end();
1365
1366            let mut_var_suggestion = 'block: {
1367                if mutbl.is_not() {
1368                    break 'block None;
1369                }
1370
1371                let ident_kind = match binding_parent {
1372                    hir::Node::Param(_) => "parameter",
1373                    hir::Node::LetStmt(_) => "variable",
1374                    hir::Node::Arm(_) => "binding",
1375
1376                    // Provide diagnostics only if the parent pattern is struct-like,
1377                    // i.e. where `mut binding` makes sense
1378                    hir::Node::Pat(Pat { kind, .. }) => match kind {
1379                        PatKind::Struct(..)
1380                        | PatKind::TupleStruct(..)
1381                        | PatKind::Or(..)
1382                        | PatKind::Guard(..)
1383                        | PatKind::Tuple(..)
1384                        | PatKind::Slice(..) => "binding",
1385
1386                        PatKind::Missing
1387                        | PatKind::Wild
1388                        | PatKind::Never
1389                        | PatKind::Binding(..)
1390                        | PatKind::Box(..)
1391                        | PatKind::Deref(_)
1392                        | PatKind::Ref(..)
1393                        | PatKind::Expr(..)
1394                        | PatKind::Range(..)
1395                        | PatKind::Err(_) => break 'block None,
1396                    },
1397
1398                    // Don't provide suggestions in other cases
1399                    _ => break 'block None,
1400                };
1401
1402                Some((
1403                    pat.span,
1404                    format!("to declare a mutable {ident_kind} use"),
1405                    format!("mut {binding}"),
1406                ))
1407            };
1408
1409            match binding_parent {
1410                // Check that there is explicit type (ie this is not a closure param with inferred type)
1411                // so we don't suggest moving something to the type that does not exist
1412                hir::Node::Param(hir::Param { ty_span, pat, .. }) if pat.span != *ty_span => {
1413                    err.multipart_suggestion_verbose(
1414                        format!("to take parameter `{binding}` by reference, move `&{pin_and_mut}` to the type"),
1415                        vec![
1416                            (pat.span.until(inner.span), "".to_owned()),
1417                            (ty_span.shrink_to_lo(), mutbl.ref_prefix_str().to_owned()),
1418                        ],
1419                        Applicability::MachineApplicable
1420                    );
1421
1422                    if let Some((sp, msg, sugg)) = mut_var_suggestion {
1423                        err.span_note(sp, format!("{msg}: `{sugg}`"));
1424                    }
1425                }
1426                hir::Node::Pat(pt) if let PatKind::TupleStruct(_, pat_arr, _) = pt.kind => {
1427                    for i in pat_arr.iter() {
1428                        if let PatKind::Ref(the_ref, _, _) = i.kind
1429                            && let PatKind::Binding(mt, _, ident, _) = the_ref.kind
1430                        {
1431                            let BindingMode(_, mtblty) = mt;
1432                            err.span_suggestion_verbose(
1433                                i.span,
1434                                format!("consider removing `&{pin_and_mut}` from the pattern"),
1435                                mtblty.prefix_str().to_string() + &ident.name.to_string(),
1436                                Applicability::MaybeIncorrect,
1437                            );
1438                        }
1439                    }
1440                    if let Some((sp, msg, sugg)) = mut_var_suggestion {
1441                        err.span_note(sp, format!("{msg}: `{sugg}`"));
1442                    }
1443                }
1444                hir::Node::Param(_) | hir::Node::Arm(_) | hir::Node::Pat(_) => {
1445                    // rely on match ergonomics or it might be nested `&&pat`
1446                    err.span_suggestion_verbose(
1447                        pat.span.until(inner.span),
1448                        format!("consider removing `&{pin_and_mut}` from the pattern"),
1449                        "",
1450                        Applicability::MaybeIncorrect,
1451                    );
1452
1453                    if let Some((sp, msg, sugg)) = mut_var_suggestion {
1454                        err.span_note(sp, format!("{msg}: `{sugg}`"));
1455                    }
1456                }
1457                _ if let Some((sp, msg, sugg)) = mut_var_suggestion => {
1458                    err.span_suggestion(sp, msg, sugg, Applicability::MachineApplicable);
1459                }
1460                _ => {} // don't provide suggestions in other cases #55175
1461            }
1462        }
1463    }
1464
1465    fn check_dereferenceable(
1466        &self,
1467        span: Span,
1468        expected: Ty<'tcx>,
1469        inner: &Pat<'_>,
1470    ) -> Result<(), ErrorGuaranteed> {
1471        if let PatKind::Binding(..) = inner.kind
1472            && let Some(pointee_ty) = self.shallow_resolve(expected).builtin_deref(true)
1473            && let ty::Dynamic(..) = pointee_ty.kind()
1474        {
1475            // This is "x = dyn SomeTrait" being reduced from
1476            // "let &x = &dyn SomeTrait" or "let box x = Box<dyn SomeTrait>", an error.
1477            let type_str = self.ty_to_string(expected);
1478            let mut err = struct_span_code_err!(
1479                self.dcx(),
1480                span,
1481                E0033,
1482                "type `{}` cannot be dereferenced",
1483                type_str
1484            );
1485            err.span_label(span, format!("type `{type_str}` cannot be dereferenced"));
1486            if self.tcx.sess.teach(err.code.unwrap()) {
1487                err.note(CANNOT_IMPLICITLY_DEREF_POINTER_TRAIT_OBJ);
1488            }
1489            return Err(err.emit());
1490        }
1491        Ok(())
1492    }
1493
1494    fn resolve_pat_struct(
1495        &self,
1496        pat: &'tcx Pat<'tcx>,
1497        qpath: &hir::QPath<'tcx>,
1498    ) -> Result<ResolvedPat<'tcx>, ErrorGuaranteed> {
1499        // Resolve the path and check the definition for errors.
1500        let (variant, pat_ty) = self.check_struct_path(qpath, pat.hir_id)?;
1501        Ok(ResolvedPat { ty: pat_ty, kind: ResolvedPatKind::Struct { variant } })
1502    }
1503
1504    fn check_pat_struct(
1505        &self,
1506        pat: &'tcx Pat<'tcx>,
1507        fields: &'tcx [hir::PatField<'tcx>],
1508        has_rest_pat: bool,
1509        pat_ty: Ty<'tcx>,
1510        variant: &'tcx VariantDef,
1511        expected: Ty<'tcx>,
1512        pat_info: PatInfo<'tcx>,
1513    ) -> Ty<'tcx> {
1514        // Type-check the path.
1515        let _ = self.demand_eqtype_pat(pat.span, expected, pat_ty, &pat_info.top_info);
1516
1517        // Type-check subpatterns.
1518        match self.check_struct_pat_fields(pat_ty, pat, variant, fields, has_rest_pat, pat_info) {
1519            Ok(()) => pat_ty,
1520            Err(guar) => Ty::new_error(self.tcx, guar),
1521        }
1522    }
1523
1524    fn resolve_pat_path(
1525        &self,
1526        path_id: HirId,
1527        span: Span,
1528        qpath: &'tcx hir::QPath<'_>,
1529    ) -> Result<ResolvedPat<'tcx>, ErrorGuaranteed> {
1530        let tcx = self.tcx;
1531
1532        let (res, opt_ty, segments) =
1533            self.resolve_ty_and_res_fully_qualified_call(qpath, path_id, span);
1534        match res {
1535            Res::Err => {
1536                let e =
1537                    self.dcx().span_delayed_bug(qpath.span(), "`Res::Err` but no error emitted");
1538                self.set_tainted_by_errors(e);
1539                return Err(e);
1540            }
1541            Res::Def(DefKind::AssocFn | DefKind::Ctor(_, CtorKind::Fn) | DefKind::Variant, _) => {
1542                let expected = "unit struct, unit variant or constant";
1543                let e = report_unexpected_variant_res(tcx, res, None, qpath, span, E0533, expected);
1544                return Err(e);
1545            }
1546            Res::SelfCtor(def_id) => {
1547                if let ty::Adt(adt_def, _) = *tcx.type_of(def_id).skip_binder().kind()
1548                    && adt_def.is_struct()
1549                    && let Some((CtorKind::Const, _)) = adt_def.non_enum_variant().ctor
1550                {
1551                    // Ok, we allow unit struct ctors in patterns only.
1552                } else {
1553                    let e = report_unexpected_variant_res(
1554                        tcx,
1555                        res,
1556                        None,
1557                        qpath,
1558                        span,
1559                        E0533,
1560                        "unit struct",
1561                    );
1562                    return Err(e);
1563                }
1564            }
1565            Res::Def(
1566                DefKind::Ctor(_, CtorKind::Const)
1567                | DefKind::Const
1568                | DefKind::AssocConst
1569                | DefKind::ConstParam,
1570                _,
1571            ) => {} // OK
1572            _ => bug!("unexpected pattern resolution: {:?}", res),
1573        }
1574
1575        // Find the type of the path pattern, for later checking.
1576        let (pat_ty, pat_res) =
1577            self.instantiate_value_path(segments, opt_ty, res, span, span, path_id);
1578        Ok(ResolvedPat { ty: pat_ty, kind: ResolvedPatKind::Path { res, pat_res, segments } })
1579    }
1580
1581    fn check_pat_path(
1582        &self,
1583        pat_id_for_diag: HirId,
1584        span: Span,
1585        resolved: &ResolvedPat<'tcx>,
1586        expected: Ty<'tcx>,
1587        ti: &TopInfo<'tcx>,
1588    ) -> Ty<'tcx> {
1589        if let Err(err) =
1590            self.demand_suptype_with_origin(&self.pattern_cause(ti, span), expected, resolved.ty)
1591        {
1592            self.emit_bad_pat_path(err, pat_id_for_diag, span, resolved);
1593        }
1594        resolved.ty
1595    }
1596
1597    fn maybe_suggest_range_literal(
1598        &self,
1599        e: &mut Diag<'_>,
1600        opt_def_id: Option<hir::def_id::DefId>,
1601        ident: Ident,
1602    ) -> bool {
1603        if let Some(def_id) = opt_def_id
1604            && let Some(hir::Node::Item(hir::Item {
1605                kind: hir::ItemKind::Const(_, _, _, ct_rhs),
1606                ..
1607            })) = self.tcx.hir_get_if_local(def_id)
1608            && let hir::Node::Expr(expr) = self.tcx.hir_node(ct_rhs.hir_id())
1609            && hir::is_range_literal(expr)
1610        {
1611            let span = self.tcx.hir_span(ct_rhs.hir_id());
1612            if let Ok(snip) = self.tcx.sess.source_map().span_to_snippet(span) {
1613                e.span_suggestion_verbose(
1614                    ident.span,
1615                    "you may want to move the range into the match block",
1616                    snip,
1617                    Applicability::MachineApplicable,
1618                );
1619                return true;
1620            }
1621        }
1622        false
1623    }
1624
1625    fn emit_bad_pat_path(
1626        &self,
1627        mut e: Diag<'_>,
1628        hir_id: HirId,
1629        pat_span: Span,
1630        resolved_pat: &ResolvedPat<'tcx>,
1631    ) {
1632        let ResolvedPatKind::Path { res, pat_res, segments } = resolved_pat.kind else {
1633            span_bug!(pat_span, "unexpected resolution for path pattern: {resolved_pat:?}");
1634        };
1635
1636        if let Some(span) = self.tcx.hir_res_span(pat_res) {
1637            e.span_label(span, format!("{} defined here", res.descr()));
1638            if let [hir::PathSegment { ident, .. }] = segments {
1639                e.span_label(
1640                    pat_span,
1641                    format!(
1642                        "`{}` is interpreted as {} {}, not a new binding",
1643                        ident,
1644                        res.article(),
1645                        res.descr(),
1646                    ),
1647                );
1648                match self.tcx.parent_hir_node(hir_id) {
1649                    hir::Node::PatField(..) => {
1650                        e.span_suggestion_verbose(
1651                            ident.span.shrink_to_hi(),
1652                            "bind the struct field to a different name instead",
1653                            format!(": other_{}", ident.as_str().to_lowercase()),
1654                            Applicability::HasPlaceholders,
1655                        );
1656                    }
1657                    _ => {
1658                        let (type_def_id, item_def_id) = match resolved_pat.ty.kind() {
1659                            ty::Adt(def, _) => match res {
1660                                Res::Def(DefKind::Const, def_id) => (Some(def.did()), Some(def_id)),
1661                                _ => (None, None),
1662                            },
1663                            _ => (None, None),
1664                        };
1665
1666                        let is_range = matches!(
1667                            type_def_id.and_then(|id| self.tcx.as_lang_item(id)),
1668                            Some(
1669                                LangItem::Range
1670                                    | LangItem::RangeFrom
1671                                    | LangItem::RangeTo
1672                                    | LangItem::RangeFull
1673                                    | LangItem::RangeInclusiveStruct
1674                                    | LangItem::RangeToInclusive,
1675                            )
1676                        );
1677                        if is_range {
1678                            if !self.maybe_suggest_range_literal(&mut e, item_def_id, *ident) {
1679                                let msg = "constants only support matching by type, \
1680                                    if you meant to match against a range of values, \
1681                                    consider using a range pattern like `min ..= max` in the match block";
1682                                e.note(msg);
1683                            }
1684                        } else {
1685                            let msg = "introduce a new binding instead";
1686                            let sugg = format!("other_{}", ident.as_str().to_lowercase());
1687                            e.span_suggestion(
1688                                ident.span,
1689                                msg,
1690                                sugg,
1691                                Applicability::HasPlaceholders,
1692                            );
1693                        }
1694                    }
1695                };
1696            }
1697        }
1698        e.emit();
1699    }
1700
1701    fn resolve_pat_tuple_struct(
1702        &self,
1703        pat: &'tcx Pat<'tcx>,
1704        qpath: &'tcx hir::QPath<'tcx>,
1705    ) -> Result<ResolvedPat<'tcx>, ErrorGuaranteed> {
1706        let tcx = self.tcx;
1707        let report_unexpected_res = |res: Res| {
1708            let expected = "tuple struct or tuple variant";
1709            let e = report_unexpected_variant_res(tcx, res, None, qpath, pat.span, E0164, expected);
1710            Err(e)
1711        };
1712
1713        // Resolve the path and check the definition for errors.
1714        let (res, opt_ty, segments) =
1715            self.resolve_ty_and_res_fully_qualified_call(qpath, pat.hir_id, pat.span);
1716        if res == Res::Err {
1717            let e = self.dcx().span_delayed_bug(pat.span, "`Res::Err` but no error emitted");
1718            self.set_tainted_by_errors(e);
1719            return Err(e);
1720        }
1721
1722        // Type-check the path.
1723        let (pat_ty, res) =
1724            self.instantiate_value_path(segments, opt_ty, res, pat.span, pat.span, pat.hir_id);
1725        if !pat_ty.is_fn() {
1726            return report_unexpected_res(res);
1727        }
1728
1729        let variant = match res {
1730            Res::Err => {
1731                self.dcx().span_bug(pat.span, "`Res::Err` but no error emitted");
1732            }
1733            Res::Def(DefKind::AssocConst | DefKind::AssocFn, _) => {
1734                return report_unexpected_res(res);
1735            }
1736            Res::Def(DefKind::Ctor(_, CtorKind::Fn), _) => tcx.expect_variant_res(res),
1737            _ => bug!("unexpected pattern resolution: {:?}", res),
1738        };
1739
1740        // Replace constructor type with constructed type for tuple struct patterns.
1741        let pat_ty = pat_ty.fn_sig(tcx).output();
1742        let pat_ty = pat_ty.no_bound_vars().expect("expected fn type");
1743
1744        Ok(ResolvedPat { ty: pat_ty, kind: ResolvedPatKind::TupleStruct { res, variant } })
1745    }
1746
1747    fn check_pat_tuple_struct(
1748        &self,
1749        pat: &'tcx Pat<'tcx>,
1750        qpath: &'tcx hir::QPath<'tcx>,
1751        subpats: &'tcx [Pat<'tcx>],
1752        ddpos: hir::DotDotPos,
1753        res: Res,
1754        pat_ty: Ty<'tcx>,
1755        variant: &'tcx VariantDef,
1756        expected: Ty<'tcx>,
1757        pat_info: PatInfo<'tcx>,
1758    ) -> Ty<'tcx> {
1759        let tcx = self.tcx;
1760        let on_error = |e| {
1761            for pat in subpats {
1762                self.check_pat(pat, Ty::new_error(tcx, e), pat_info);
1763            }
1764        };
1765
1766        // Type-check the tuple struct pattern against the expected type.
1767        let diag = self.demand_eqtype_pat_diag(pat.span, expected, pat_ty, &pat_info.top_info);
1768        let had_err = diag.map_err(|diag| diag.emit());
1769
1770        // Type-check subpatterns.
1771        if subpats.len() == variant.fields.len()
1772            || subpats.len() < variant.fields.len() && ddpos.as_opt_usize().is_some()
1773        {
1774            let ty::Adt(_, args) = pat_ty.kind() else {
1775                bug!("unexpected pattern type {:?}", pat_ty);
1776            };
1777            for (i, subpat) in subpats.iter().enumerate_and_adjust(variant.fields.len(), ddpos) {
1778                let field = &variant.fields[FieldIdx::from_usize(i)];
1779                let field_ty = self.field_ty(subpat.span, field, args);
1780                self.check_pat(subpat, field_ty, pat_info);
1781
1782                self.tcx.check_stability(
1783                    variant.fields[FieldIdx::from_usize(i)].did,
1784                    Some(subpat.hir_id),
1785                    subpat.span,
1786                    None,
1787                );
1788            }
1789            if let Err(e) = had_err {
1790                on_error(e);
1791                return Ty::new_error(tcx, e);
1792            }
1793        } else {
1794            let e = self.emit_err_pat_wrong_number_of_fields(
1795                pat.span,
1796                res,
1797                qpath,
1798                subpats,
1799                &variant.fields.raw,
1800                expected,
1801                had_err,
1802            );
1803            on_error(e);
1804            return Ty::new_error(tcx, e);
1805        }
1806        pat_ty
1807    }
1808
1809    fn emit_err_pat_wrong_number_of_fields(
1810        &self,
1811        pat_span: Span,
1812        res: Res,
1813        qpath: &hir::QPath<'_>,
1814        subpats: &'tcx [Pat<'tcx>],
1815        fields: &'tcx [ty::FieldDef],
1816        expected: Ty<'tcx>,
1817        had_err: Result<(), ErrorGuaranteed>,
1818    ) -> ErrorGuaranteed {
1819        let subpats_ending = pluralize!(subpats.len());
1820        let fields_ending = pluralize!(fields.len());
1821
1822        let subpat_spans = if subpats.is_empty() {
1823            vec![pat_span]
1824        } else {
1825            subpats.iter().map(|p| p.span).collect()
1826        };
1827        let last_subpat_span = *subpat_spans.last().unwrap();
1828        let res_span = self.tcx.def_span(res.def_id());
1829        let def_ident_span = self.tcx.def_ident_span(res.def_id()).unwrap_or(res_span);
1830        let field_def_spans = if fields.is_empty() {
1831            vec![res_span]
1832        } else {
1833            fields.iter().map(|f| f.ident(self.tcx).span).collect()
1834        };
1835        let last_field_def_span = *field_def_spans.last().unwrap();
1836
1837        let mut err = struct_span_code_err!(
1838            self.dcx(),
1839            MultiSpan::from_spans(subpat_spans),
1840            E0023,
1841            "this pattern has {} field{}, but the corresponding {} has {} field{}",
1842            subpats.len(),
1843            subpats_ending,
1844            res.descr(),
1845            fields.len(),
1846            fields_ending,
1847        );
1848        err.span_label(
1849            last_subpat_span,
1850            format!("expected {} field{}, found {}", fields.len(), fields_ending, subpats.len()),
1851        );
1852        if self.tcx.sess.source_map().is_multiline(qpath.span().between(last_subpat_span)) {
1853            err.span_label(qpath.span(), "");
1854        }
1855        if self.tcx.sess.source_map().is_multiline(def_ident_span.between(last_field_def_span)) {
1856            err.span_label(def_ident_span, format!("{} defined here", res.descr()));
1857        }
1858        for span in &field_def_spans[..field_def_spans.len() - 1] {
1859            err.span_label(*span, "");
1860        }
1861        err.span_label(
1862            last_field_def_span,
1863            format!("{} has {} field{}", res.descr(), fields.len(), fields_ending),
1864        );
1865
1866        // Identify the case `Some(x, y)` where the expected type is e.g. `Option<(T, U)>`.
1867        // More generally, the expected type wants a tuple variant with one field of an
1868        // N-arity-tuple, e.g., `V_i((p_0, .., p_N))`. Meanwhile, the user supplied a pattern
1869        // with the subpatterns directly in the tuple variant pattern, e.g., `V_i(p_0, .., p_N)`.
1870        let missing_parentheses = match (expected.kind(), fields, had_err) {
1871            // #67037: only do this if we could successfully type-check the expected type against
1872            // the tuple struct pattern. Otherwise the args could get out of range on e.g.,
1873            // `let P() = U;` where `P != U` with `struct Box<T>(T);`.
1874            (ty::Adt(_, args), [field], Ok(())) => {
1875                let field_ty = self.field_ty(pat_span, field, args);
1876                match field_ty.kind() {
1877                    ty::Tuple(fields) => fields.len() == subpats.len(),
1878                    _ => false,
1879                }
1880            }
1881            _ => false,
1882        };
1883        if missing_parentheses {
1884            let (left, right) = match subpats {
1885                // This is the zero case; we aim to get the "hi" part of the `QPath`'s
1886                // span as the "lo" and then the "hi" part of the pattern's span as the "hi".
1887                // This looks like:
1888                //
1889                // help: missing parentheses
1890                //   |
1891                // L |     let A(()) = A(());
1892                //   |          ^  ^
1893                [] => (qpath.span().shrink_to_hi(), pat_span),
1894                // Easy case. Just take the "lo" of the first sub-pattern and the "hi" of the
1895                // last sub-pattern. In the case of `A(x)` the first and last may coincide.
1896                // This looks like:
1897                //
1898                // help: missing parentheses
1899                //   |
1900                // L |     let A((x, y)) = A((1, 2));
1901                //   |           ^    ^
1902                [first, ..] => (first.span.shrink_to_lo(), subpats.last().unwrap().span),
1903            };
1904            err.multipart_suggestion(
1905                "missing parentheses",
1906                vec![(left, "(".to_string()), (right.shrink_to_hi(), ")".to_string())],
1907                Applicability::MachineApplicable,
1908            );
1909        } else if fields.len() > subpats.len() && pat_span != DUMMY_SP {
1910            let after_fields_span = pat_span.with_hi(pat_span.hi() - BytePos(1)).shrink_to_hi();
1911            let all_fields_span = match subpats {
1912                [] => after_fields_span,
1913                [field] => field.span,
1914                [first, .., last] => first.span.to(last.span),
1915            };
1916
1917            // Check if all the fields in the pattern are wildcards.
1918            let all_wildcards = subpats.iter().all(|pat| matches!(pat.kind, PatKind::Wild));
1919            let first_tail_wildcard =
1920                subpats.iter().enumerate().fold(None, |acc, (pos, pat)| match (acc, &pat.kind) {
1921                    (None, PatKind::Wild) => Some(pos),
1922                    (Some(_), PatKind::Wild) => acc,
1923                    _ => None,
1924                });
1925            let tail_span = match first_tail_wildcard {
1926                None => after_fields_span,
1927                Some(0) => subpats[0].span.to(after_fields_span),
1928                Some(pos) => subpats[pos - 1].span.shrink_to_hi().to(after_fields_span),
1929            };
1930
1931            // FIXME: heuristic-based suggestion to check current types for where to add `_`.
1932            let mut wildcard_sugg = vec!["_"; fields.len() - subpats.len()].join(", ");
1933            if !subpats.is_empty() {
1934                wildcard_sugg = String::from(", ") + &wildcard_sugg;
1935            }
1936
1937            err.span_suggestion_verbose(
1938                after_fields_span,
1939                "use `_` to explicitly ignore each field",
1940                wildcard_sugg,
1941                Applicability::MaybeIncorrect,
1942            );
1943
1944            // Only suggest `..` if more than one field is missing
1945            // or the pattern consists of all wildcards.
1946            if fields.len() - subpats.len() > 1 || all_wildcards {
1947                if subpats.is_empty() || all_wildcards {
1948                    err.span_suggestion_verbose(
1949                        all_fields_span,
1950                        "use `..` to ignore all fields",
1951                        "..",
1952                        Applicability::MaybeIncorrect,
1953                    );
1954                } else {
1955                    err.span_suggestion_verbose(
1956                        tail_span,
1957                        "use `..` to ignore the rest of the fields",
1958                        ", ..",
1959                        Applicability::MaybeIncorrect,
1960                    );
1961                }
1962            }
1963        }
1964
1965        err.emit()
1966    }
1967
1968    fn check_pat_tuple(
1969        &self,
1970        span: Span,
1971        elements: &'tcx [Pat<'tcx>],
1972        ddpos: hir::DotDotPos,
1973        expected: Ty<'tcx>,
1974        pat_info: PatInfo<'tcx>,
1975    ) -> Ty<'tcx> {
1976        let tcx = self.tcx;
1977        let mut expected_len = elements.len();
1978        if ddpos.as_opt_usize().is_some() {
1979            // Require known type only when `..` is present.
1980            if let ty::Tuple(tys) = self.structurally_resolve_type(span, expected).kind() {
1981                expected_len = tys.len();
1982            }
1983        }
1984        let max_len = cmp::max(expected_len, elements.len());
1985
1986        let element_tys_iter = (0..max_len).map(|_| self.next_ty_var(span));
1987        let element_tys = tcx.mk_type_list_from_iter(element_tys_iter);
1988        let pat_ty = Ty::new_tup(tcx, element_tys);
1989        if let Err(reported) = self.demand_eqtype_pat(span, expected, pat_ty, &pat_info.top_info) {
1990            // Walk subpatterns with an expected type of `err` in this case to silence
1991            // further errors being emitted when using the bindings. #50333
1992            let element_tys_iter = (0..max_len).map(|_| Ty::new_error(tcx, reported));
1993            for (_, elem) in elements.iter().enumerate_and_adjust(max_len, ddpos) {
1994                self.check_pat(elem, Ty::new_error(tcx, reported), pat_info);
1995            }
1996            Ty::new_tup_from_iter(tcx, element_tys_iter)
1997        } else {
1998            for (i, elem) in elements.iter().enumerate_and_adjust(max_len, ddpos) {
1999                self.check_pat(elem, element_tys[i], pat_info);
2000            }
2001            pat_ty
2002        }
2003    }
2004
2005    fn check_struct_pat_fields(
2006        &self,
2007        adt_ty: Ty<'tcx>,
2008        pat: &'tcx Pat<'tcx>,
2009        variant: &'tcx ty::VariantDef,
2010        fields: &'tcx [hir::PatField<'tcx>],
2011        has_rest_pat: bool,
2012        pat_info: PatInfo<'tcx>,
2013    ) -> Result<(), ErrorGuaranteed> {
2014        let tcx = self.tcx;
2015
2016        let ty::Adt(adt, args) = adt_ty.kind() else {
2017            span_bug!(pat.span, "struct pattern is not an ADT");
2018        };
2019
2020        // Index the struct fields' types.
2021        let field_map = variant
2022            .fields
2023            .iter_enumerated()
2024            .map(|(i, field)| (field.ident(self.tcx).normalize_to_macros_2_0(), (i, field)))
2025            .collect::<FxHashMap<_, _>>();
2026
2027        // Keep track of which fields have already appeared in the pattern.
2028        let mut used_fields = FxHashMap::default();
2029        let mut result = Ok(());
2030
2031        let mut inexistent_fields = vec![];
2032        // Typecheck each field.
2033        for field in fields {
2034            let span = field.span;
2035            let ident = tcx.adjust_ident(field.ident, variant.def_id);
2036            let field_ty = match used_fields.entry(ident) {
2037                Occupied(occupied) => {
2038                    let guar = self.error_field_already_bound(span, field.ident, *occupied.get());
2039                    result = Err(guar);
2040                    Ty::new_error(tcx, guar)
2041                }
2042                Vacant(vacant) => {
2043                    vacant.insert(span);
2044                    field_map
2045                        .get(&ident)
2046                        .map(|(i, f)| {
2047                            self.write_field_index(field.hir_id, *i);
2048                            self.tcx.check_stability(f.did, Some(field.hir_id), span, None);
2049                            self.field_ty(span, f, args)
2050                        })
2051                        .unwrap_or_else(|| {
2052                            inexistent_fields.push(field);
2053                            Ty::new_misc_error(tcx)
2054                        })
2055                }
2056            };
2057
2058            self.check_pat(field.pat, field_ty, pat_info);
2059        }
2060
2061        let mut unmentioned_fields = variant
2062            .fields
2063            .iter()
2064            .map(|field| (field, field.ident(self.tcx).normalize_to_macros_2_0()))
2065            .filter(|(_, ident)| !used_fields.contains_key(ident))
2066            .collect::<Vec<_>>();
2067
2068        let inexistent_fields_err = if !inexistent_fields.is_empty()
2069            && !inexistent_fields.iter().any(|field| field.ident.name == kw::Underscore)
2070        {
2071            // we don't care to report errors for a struct if the struct itself is tainted
2072            variant.has_errors()?;
2073            Some(self.error_inexistent_fields(
2074                adt.variant_descr(),
2075                &inexistent_fields,
2076                &mut unmentioned_fields,
2077                pat,
2078                variant,
2079                args,
2080            ))
2081        } else {
2082            None
2083        };
2084
2085        // Require `..` if struct has non_exhaustive attribute.
2086        let non_exhaustive = variant.field_list_has_applicable_non_exhaustive();
2087        if non_exhaustive && !has_rest_pat {
2088            self.error_foreign_non_exhaustive_spat(pat, adt.variant_descr(), fields.is_empty());
2089        }
2090
2091        let mut unmentioned_err = None;
2092        // Report an error if an incorrect number of fields was specified.
2093        if adt.is_union() {
2094            if fields.len() != 1 {
2095                self.dcx().emit_err(errors::UnionPatMultipleFields { span: pat.span });
2096            }
2097            if has_rest_pat {
2098                self.dcx().emit_err(errors::UnionPatDotDot { span: pat.span });
2099            }
2100        } else if !unmentioned_fields.is_empty() {
2101            let accessible_unmentioned_fields: Vec<_> = unmentioned_fields
2102                .iter()
2103                .copied()
2104                .filter(|(field, _)| self.is_field_suggestable(field, pat.hir_id, pat.span))
2105                .collect();
2106
2107            if !has_rest_pat {
2108                if accessible_unmentioned_fields.is_empty() {
2109                    unmentioned_err = Some(self.error_no_accessible_fields(pat, fields));
2110                } else {
2111                    unmentioned_err = Some(self.error_unmentioned_fields(
2112                        pat,
2113                        &accessible_unmentioned_fields,
2114                        accessible_unmentioned_fields.len() != unmentioned_fields.len(),
2115                        fields,
2116                    ));
2117                }
2118            } else if non_exhaustive && !accessible_unmentioned_fields.is_empty() {
2119                self.lint_non_exhaustive_omitted_patterns(
2120                    pat,
2121                    &accessible_unmentioned_fields,
2122                    adt_ty,
2123                )
2124            }
2125        }
2126        match (inexistent_fields_err, unmentioned_err) {
2127            (Some(i), Some(u)) => {
2128                if let Err(e) = self.error_tuple_variant_as_struct_pat(pat, fields, variant) {
2129                    // We don't want to show the nonexistent fields error when this was
2130                    // `Foo { a, b }` when it should have been `Foo(a, b)`.
2131                    i.delay_as_bug();
2132                    u.delay_as_bug();
2133                    Err(e)
2134                } else {
2135                    i.emit();
2136                    Err(u.emit())
2137                }
2138            }
2139            (None, Some(u)) => {
2140                if let Err(e) = self.error_tuple_variant_as_struct_pat(pat, fields, variant) {
2141                    u.delay_as_bug();
2142                    Err(e)
2143                } else {
2144                    Err(u.emit())
2145                }
2146            }
2147            (Some(err), None) => Err(err.emit()),
2148            (None, None) => {
2149                self.error_tuple_variant_index_shorthand(variant, pat, fields)?;
2150                result
2151            }
2152        }
2153    }
2154
2155    fn error_tuple_variant_index_shorthand(
2156        &self,
2157        variant: &VariantDef,
2158        pat: &'_ Pat<'_>,
2159        fields: &[hir::PatField<'_>],
2160    ) -> Result<(), ErrorGuaranteed> {
2161        // if this is a tuple struct, then all field names will be numbers
2162        // so if any fields in a struct pattern use shorthand syntax, they will
2163        // be invalid identifiers (for example, Foo { 0, 1 }).
2164        if let (Some(CtorKind::Fn), PatKind::Struct(qpath, field_patterns, ..)) =
2165            (variant.ctor_kind(), &pat.kind)
2166        {
2167            let has_shorthand_field_name = field_patterns.iter().any(|field| field.is_shorthand);
2168            if has_shorthand_field_name {
2169                let path = rustc_hir_pretty::qpath_to_string(&self.tcx, qpath);
2170                let mut err = struct_span_code_err!(
2171                    self.dcx(),
2172                    pat.span,
2173                    E0769,
2174                    "tuple variant `{path}` written as struct variant",
2175                );
2176                err.span_suggestion_verbose(
2177                    qpath.span().shrink_to_hi().to(pat.span.shrink_to_hi()),
2178                    "use the tuple variant pattern syntax instead",
2179                    format!("({})", self.get_suggested_tuple_struct_pattern(fields, variant)),
2180                    Applicability::MaybeIncorrect,
2181                );
2182                return Err(err.emit());
2183            }
2184        }
2185        Ok(())
2186    }
2187
2188    fn error_foreign_non_exhaustive_spat(&self, pat: &Pat<'_>, descr: &str, no_fields: bool) {
2189        let sess = self.tcx.sess;
2190        let sm = sess.source_map();
2191        let sp_brace = sm.end_point(pat.span);
2192        let sp_comma = sm.end_point(pat.span.with_hi(sp_brace.hi()));
2193        let sugg = if no_fields || sp_brace != sp_comma { ".. }" } else { ", .. }" };
2194
2195        struct_span_code_err!(
2196            self.dcx(),
2197            pat.span,
2198            E0638,
2199            "`..` required with {descr} marked as non-exhaustive",
2200        )
2201        .with_span_suggestion_verbose(
2202            sp_comma,
2203            "add `..` at the end of the field list to ignore all other fields",
2204            sugg,
2205            Applicability::MachineApplicable,
2206        )
2207        .emit();
2208    }
2209
2210    fn error_field_already_bound(
2211        &self,
2212        span: Span,
2213        ident: Ident,
2214        other_field: Span,
2215    ) -> ErrorGuaranteed {
2216        struct_span_code_err!(
2217            self.dcx(),
2218            span,
2219            E0025,
2220            "field `{}` bound multiple times in the pattern",
2221            ident
2222        )
2223        .with_span_label(span, format!("multiple uses of `{ident}` in pattern"))
2224        .with_span_label(other_field, format!("first use of `{ident}`"))
2225        .emit()
2226    }
2227
2228    fn error_inexistent_fields(
2229        &self,
2230        kind_name: &str,
2231        inexistent_fields: &[&hir::PatField<'tcx>],
2232        unmentioned_fields: &mut Vec<(&'tcx ty::FieldDef, Ident)>,
2233        pat: &'tcx Pat<'tcx>,
2234        variant: &ty::VariantDef,
2235        args: ty::GenericArgsRef<'tcx>,
2236    ) -> Diag<'a> {
2237        let tcx = self.tcx;
2238        let (field_names, t, plural) = if let [field] = inexistent_fields {
2239            (format!("a field named `{}`", field.ident), "this", "")
2240        } else {
2241            (
2242                format!(
2243                    "fields named {}",
2244                    inexistent_fields
2245                        .iter()
2246                        .map(|field| format!("`{}`", field.ident))
2247                        .collect::<Vec<String>>()
2248                        .join(", ")
2249                ),
2250                "these",
2251                "s",
2252            )
2253        };
2254        let spans = inexistent_fields.iter().map(|field| field.ident.span).collect::<Vec<_>>();
2255        let mut err = struct_span_code_err!(
2256            self.dcx(),
2257            spans,
2258            E0026,
2259            "{} `{}` does not have {}",
2260            kind_name,
2261            tcx.def_path_str(variant.def_id),
2262            field_names
2263        );
2264        if let Some(pat_field) = inexistent_fields.last() {
2265            err.span_label(
2266                pat_field.ident.span,
2267                format!(
2268                    "{} `{}` does not have {} field{}",
2269                    kind_name,
2270                    tcx.def_path_str(variant.def_id),
2271                    t,
2272                    plural
2273                ),
2274            );
2275
2276            if let [(field_def, field)] = unmentioned_fields.as_slice()
2277                && self.is_field_suggestable(field_def, pat.hir_id, pat.span)
2278            {
2279                let suggested_name =
2280                    find_best_match_for_name(&[field.name], pat_field.ident.name, None);
2281                if let Some(suggested_name) = suggested_name {
2282                    err.span_suggestion_verbose(
2283                        pat_field.ident.span,
2284                        "a field with a similar name exists",
2285                        suggested_name,
2286                        Applicability::MaybeIncorrect,
2287                    );
2288
2289                    // When we have a tuple struct used with struct we don't want to suggest using
2290                    // the (valid) struct syntax with numeric field names. Instead we want to
2291                    // suggest the expected syntax. We infer that this is the case by parsing the
2292                    // `Ident` into an unsized integer. The suggestion will be emitted elsewhere in
2293                    // `smart_resolve_context_dependent_help`.
2294                    if suggested_name.to_ident_string().parse::<usize>().is_err() {
2295                        // We don't want to throw `E0027` in case we have thrown `E0026` for them.
2296                        unmentioned_fields.retain(|&(_, x)| x.name != suggested_name);
2297                    }
2298                } else if inexistent_fields.len() == 1 {
2299                    match pat_field.pat.kind {
2300                        PatKind::Expr(_)
2301                            if !self.may_coerce(
2302                                self.typeck_results.borrow().node_type(pat_field.pat.hir_id),
2303                                self.field_ty(field.span, field_def, args),
2304                            ) => {}
2305                        _ => {
2306                            err.span_suggestion_short(
2307                                pat_field.ident.span,
2308                                format!(
2309                                    "`{}` has a field named `{}`",
2310                                    tcx.def_path_str(variant.def_id),
2311                                    field.name,
2312                                ),
2313                                field.name,
2314                                Applicability::MaybeIncorrect,
2315                            );
2316                        }
2317                    }
2318                }
2319            }
2320        }
2321        if tcx.sess.teach(err.code.unwrap()) {
2322            err.note(
2323                "This error indicates that a struct pattern attempted to \
2324                 extract a nonexistent field from a struct. Struct fields \
2325                 are identified by the name used before the colon : so struct \
2326                 patterns should resemble the declaration of the struct type \
2327                 being matched.\n\n\
2328                 If you are using shorthand field patterns but want to refer \
2329                 to the struct field by a different name, you should rename \
2330                 it explicitly.",
2331            );
2332        }
2333        err
2334    }
2335
2336    fn error_tuple_variant_as_struct_pat(
2337        &self,
2338        pat: &Pat<'_>,
2339        fields: &'tcx [hir::PatField<'tcx>],
2340        variant: &ty::VariantDef,
2341    ) -> Result<(), ErrorGuaranteed> {
2342        if let (Some(CtorKind::Fn), PatKind::Struct(qpath, pattern_fields, ..)) =
2343            (variant.ctor_kind(), &pat.kind)
2344        {
2345            let is_tuple_struct_match = !pattern_fields.is_empty()
2346                && pattern_fields.iter().map(|field| field.ident.name.as_str()).all(is_number);
2347            if is_tuple_struct_match {
2348                return Ok(());
2349            }
2350
2351            // we don't care to report errors for a struct if the struct itself is tainted
2352            variant.has_errors()?;
2353
2354            let path = rustc_hir_pretty::qpath_to_string(&self.tcx, qpath);
2355            let mut err = struct_span_code_err!(
2356                self.dcx(),
2357                pat.span,
2358                E0769,
2359                "tuple variant `{}` written as struct variant",
2360                path
2361            );
2362            let (sugg, appl) = if fields.len() == variant.fields.len() {
2363                (
2364                    self.get_suggested_tuple_struct_pattern(fields, variant),
2365                    Applicability::MachineApplicable,
2366                )
2367            } else {
2368                (
2369                    variant.fields.iter().map(|_| "_").collect::<Vec<&str>>().join(", "),
2370                    Applicability::MaybeIncorrect,
2371                )
2372            };
2373            err.span_suggestion_verbose(
2374                qpath.span().shrink_to_hi().to(pat.span.shrink_to_hi()),
2375                "use the tuple variant pattern syntax instead",
2376                format!("({sugg})"),
2377                appl,
2378            );
2379            return Err(err.emit());
2380        }
2381        Ok(())
2382    }
2383
2384    fn get_suggested_tuple_struct_pattern(
2385        &self,
2386        fields: &[hir::PatField<'_>],
2387        variant: &VariantDef,
2388    ) -> String {
2389        let variant_field_idents =
2390            variant.fields.iter().map(|f| f.ident(self.tcx)).collect::<Vec<Ident>>();
2391        fields
2392            .iter()
2393            .map(|field| {
2394                match self.tcx.sess.source_map().span_to_snippet(field.pat.span) {
2395                    Ok(f) => {
2396                        // Field names are numbers, but numbers
2397                        // are not valid identifiers
2398                        if variant_field_idents.contains(&field.ident) {
2399                            String::from("_")
2400                        } else {
2401                            f
2402                        }
2403                    }
2404                    Err(_) => rustc_hir_pretty::pat_to_string(&self.tcx, field.pat),
2405                }
2406            })
2407            .collect::<Vec<String>>()
2408            .join(", ")
2409    }
2410
2411    /// Returns a diagnostic reporting a struct pattern which is missing an `..` due to
2412    /// inaccessible fields.
2413    ///
2414    /// ```text
2415    /// error: pattern requires `..` due to inaccessible fields
2416    ///   --> src/main.rs:10:9
2417    ///    |
2418    /// LL |     let foo::Foo {} = foo::Foo::default();
2419    ///    |         ^^^^^^^^^^^
2420    ///    |
2421    /// help: add a `..`
2422    ///    |
2423    /// LL |     let foo::Foo { .. } = foo::Foo::default();
2424    ///    |                  ^^^^^^
2425    /// ```
2426    fn error_no_accessible_fields(
2427        &self,
2428        pat: &Pat<'_>,
2429        fields: &'tcx [hir::PatField<'tcx>],
2430    ) -> Diag<'a> {
2431        let mut err = self
2432            .dcx()
2433            .struct_span_err(pat.span, "pattern requires `..` due to inaccessible fields");
2434
2435        if let Some(field) = fields.last() {
2436            err.span_suggestion_verbose(
2437                field.span.shrink_to_hi(),
2438                "ignore the inaccessible and unused fields",
2439                ", ..",
2440                Applicability::MachineApplicable,
2441            );
2442        } else {
2443            let qpath_span = if let PatKind::Struct(qpath, ..) = &pat.kind {
2444                qpath.span()
2445            } else {
2446                bug!("`error_no_accessible_fields` called on non-struct pattern");
2447            };
2448
2449            // Shrink the span to exclude the `foo:Foo` in `foo::Foo { }`.
2450            let span = pat.span.with_lo(qpath_span.shrink_to_hi().hi());
2451            err.span_suggestion_verbose(
2452                span,
2453                "ignore the inaccessible and unused fields",
2454                " { .. }",
2455                Applicability::MachineApplicable,
2456            );
2457        }
2458        err
2459    }
2460
2461    /// Report that a pattern for a `#[non_exhaustive]` struct marked with `non_exhaustive_omitted_patterns`
2462    /// is not exhaustive enough.
2463    ///
2464    /// Nb: the partner lint for enums lives in `compiler/rustc_mir_build/src/thir/pattern/usefulness.rs`.
2465    fn lint_non_exhaustive_omitted_patterns(
2466        &self,
2467        pat: &Pat<'_>,
2468        unmentioned_fields: &[(&ty::FieldDef, Ident)],
2469        ty: Ty<'tcx>,
2470    ) {
2471        fn joined_uncovered_patterns(witnesses: &[&Ident]) -> String {
2472            const LIMIT: usize = 3;
2473            match witnesses {
2474                [] => {
2475                    unreachable!(
2476                        "expected an uncovered pattern, otherwise why are we emitting an error?"
2477                    )
2478                }
2479                [witness] => format!("`{witness}`"),
2480                [head @ .., tail] if head.len() < LIMIT => {
2481                    let head: Vec<_> = head.iter().map(<_>::to_string).collect();
2482                    format!("`{}` and `{}`", head.join("`, `"), tail)
2483                }
2484                _ => {
2485                    let (head, tail) = witnesses.split_at(LIMIT);
2486                    let head: Vec<_> = head.iter().map(<_>::to_string).collect();
2487                    format!("`{}` and {} more", head.join("`, `"), tail.len())
2488                }
2489            }
2490        }
2491        let joined_patterns = joined_uncovered_patterns(
2492            &unmentioned_fields.iter().map(|(_, i)| i).collect::<Vec<_>>(),
2493        );
2494
2495        self.tcx.node_span_lint(NON_EXHAUSTIVE_OMITTED_PATTERNS, pat.hir_id, pat.span, |lint| {
2496            lint.primary_message("some fields are not explicitly listed");
2497            lint.span_label(pat.span, format!("field{} {} not listed", rustc_errors::pluralize!(unmentioned_fields.len()), joined_patterns));
2498            lint.help(
2499                "ensure that all fields are mentioned explicitly by adding the suggested fields",
2500            );
2501            lint.note(format!(
2502                "the pattern is of type `{ty}` and the `non_exhaustive_omitted_patterns` attribute was found",
2503            ));
2504        });
2505    }
2506
2507    /// Returns a diagnostic reporting a struct pattern which does not mention some fields.
2508    ///
2509    /// ```text
2510    /// error[E0027]: pattern does not mention field `bar`
2511    ///   --> src/main.rs:15:9
2512    ///    |
2513    /// LL |     let foo::Foo {} = foo::Foo::new();
2514    ///    |         ^^^^^^^^^^^ missing field `bar`
2515    /// ```
2516    fn error_unmentioned_fields(
2517        &self,
2518        pat: &Pat<'_>,
2519        unmentioned_fields: &[(&ty::FieldDef, Ident)],
2520        have_inaccessible_fields: bool,
2521        fields: &'tcx [hir::PatField<'tcx>],
2522    ) -> Diag<'a> {
2523        let inaccessible = if have_inaccessible_fields { " and inaccessible fields" } else { "" };
2524        let field_names = if let [(_, field)] = unmentioned_fields {
2525            format!("field `{field}`{inaccessible}")
2526        } else {
2527            let fields = unmentioned_fields
2528                .iter()
2529                .map(|(_, name)| format!("`{name}`"))
2530                .collect::<Vec<String>>()
2531                .join(", ");
2532            format!("fields {fields}{inaccessible}")
2533        };
2534        let mut err = struct_span_code_err!(
2535            self.dcx(),
2536            pat.span,
2537            E0027,
2538            "pattern does not mention {}",
2539            field_names
2540        );
2541        err.span_label(pat.span, format!("missing {field_names}"));
2542        let len = unmentioned_fields.len();
2543        let (prefix, postfix, sp) = match fields {
2544            [] => match &pat.kind {
2545                PatKind::Struct(path, [], None) => {
2546                    (" { ", " }", path.span().shrink_to_hi().until(pat.span.shrink_to_hi()))
2547                }
2548                _ => return err,
2549            },
2550            [.., field] => {
2551                // Account for last field having a trailing comma or parse recovery at the tail of
2552                // the pattern to avoid invalid suggestion (#78511).
2553                let tail = field.span.shrink_to_hi().with_hi(pat.span.hi());
2554                match &pat.kind {
2555                    PatKind::Struct(..) => (", ", " }", tail),
2556                    _ => return err,
2557                }
2558            }
2559        };
2560        err.span_suggestion(
2561            sp,
2562            format!(
2563                "include the missing field{} in the pattern{}",
2564                pluralize!(len),
2565                if have_inaccessible_fields { " and ignore the inaccessible fields" } else { "" }
2566            ),
2567            format!(
2568                "{}{}{}{}",
2569                prefix,
2570                unmentioned_fields
2571                    .iter()
2572                    .map(|(_, name)| {
2573                        let field_name = name.to_string();
2574                        if is_number(&field_name) { format!("{field_name}: _") } else { field_name }
2575                    })
2576                    .collect::<Vec<_>>()
2577                    .join(", "),
2578                if have_inaccessible_fields { ", .." } else { "" },
2579                postfix,
2580            ),
2581            Applicability::MachineApplicable,
2582        );
2583        err.span_suggestion(
2584            sp,
2585            format!(
2586                "if you don't care about {these} missing field{s}, you can explicitly ignore {them}",
2587                these = pluralize!("this", len),
2588                s = pluralize!(len),
2589                them = if len == 1 { "it" } else { "them" },
2590            ),
2591            format!(
2592                "{}{}{}{}",
2593                prefix,
2594                unmentioned_fields
2595                    .iter()
2596                    .map(|(_, name)| {
2597                        let field_name = name.to_string();
2598                        format!("{field_name}: _")
2599                    })
2600                    .collect::<Vec<_>>()
2601                    .join(", "),
2602                if have_inaccessible_fields { ", .." } else { "" },
2603                postfix,
2604            ),
2605            Applicability::MachineApplicable,
2606        );
2607        err.span_suggestion(
2608            sp,
2609            "or always ignore missing fields here",
2610            format!("{prefix}..{postfix}"),
2611            Applicability::MachineApplicable,
2612        );
2613        err
2614    }
2615
2616    fn check_pat_box(
2617        &self,
2618        span: Span,
2619        inner: &'tcx Pat<'tcx>,
2620        expected: Ty<'tcx>,
2621        pat_info: PatInfo<'tcx>,
2622    ) -> Ty<'tcx> {
2623        let tcx = self.tcx;
2624        let (box_ty, inner_ty) = self
2625            .check_dereferenceable(span, expected, inner)
2626            .and_then(|()| {
2627                // Here, `demand::subtype` is good enough, but I don't
2628                // think any errors can be introduced by using `demand::eqtype`.
2629                let inner_ty = self.next_ty_var(inner.span);
2630                let box_ty = Ty::new_box(tcx, inner_ty);
2631                self.demand_eqtype_pat(span, expected, box_ty, &pat_info.top_info)?;
2632                Ok((box_ty, inner_ty))
2633            })
2634            .unwrap_or_else(|guar| {
2635                let err = Ty::new_error(tcx, guar);
2636                (err, err)
2637            });
2638        self.check_pat(inner, inner_ty, pat_info);
2639        box_ty
2640    }
2641
2642    fn check_pat_deref(
2643        &self,
2644        span: Span,
2645        inner: &'tcx Pat<'tcx>,
2646        expected: Ty<'tcx>,
2647        pat_info: PatInfo<'tcx>,
2648    ) -> Ty<'tcx> {
2649        let target_ty = self.deref_pat_target(span, expected);
2650        self.check_pat(inner, target_ty, pat_info);
2651        self.register_deref_mut_bounds_if_needed(span, inner, [expected]);
2652        expected
2653    }
2654
2655    fn deref_pat_target(&self, span: Span, source_ty: Ty<'tcx>) -> Ty<'tcx> {
2656        // Register a `DerefPure` bound, which is required by all `deref!()` pats.
2657        let tcx = self.tcx;
2658        self.register_bound(
2659            source_ty,
2660            tcx.require_lang_item(hir::LangItem::DerefPure, span),
2661            self.misc(span),
2662        );
2663        // The expected type for the deref pat's inner pattern is `<expected as Deref>::Target`.
2664        let target_ty = Ty::new_projection(
2665            tcx,
2666            tcx.require_lang_item(hir::LangItem::DerefTarget, span),
2667            [source_ty],
2668        );
2669        let target_ty = self.normalize(span, target_ty);
2670        self.try_structurally_resolve_type(span, target_ty)
2671    }
2672
2673    /// Check if the interior of a deref pattern (either explicit or implicit) has any `ref mut`
2674    /// bindings, which would require `DerefMut` to be emitted in MIR building instead of just
2675    /// `Deref`. We do this *after* checking the inner pattern, since we want to make sure to
2676    /// account for `ref mut` binding modes inherited from implicitly dereferencing `&mut` refs.
2677    fn register_deref_mut_bounds_if_needed(
2678        &self,
2679        span: Span,
2680        inner: &'tcx Pat<'tcx>,
2681        derefed_tys: impl IntoIterator<Item = Ty<'tcx>>,
2682    ) {
2683        if self.typeck_results.borrow().pat_has_ref_mut_binding(inner) {
2684            for mutably_derefed_ty in derefed_tys {
2685                self.register_bound(
2686                    mutably_derefed_ty,
2687                    self.tcx.require_lang_item(hir::LangItem::DerefMut, span),
2688                    self.misc(span),
2689                );
2690            }
2691        }
2692    }
2693
2694    // Precondition: Pat is Ref(inner)
2695    fn check_pat_ref(
2696        &self,
2697        pat: &'tcx Pat<'tcx>,
2698        inner: &'tcx Pat<'tcx>,
2699        pat_pinned: Pinnedness,
2700        pat_mutbl: Mutability,
2701        mut expected: Ty<'tcx>,
2702        mut pat_info: PatInfo<'tcx>,
2703    ) -> Ty<'tcx> {
2704        let tcx = self.tcx;
2705
2706        let pat_prefix_span =
2707            inner.span.find_ancestor_inside(pat.span).map(|end| pat.span.until(end));
2708
2709        let ref_pat_matches_mut_ref = self.ref_pat_matches_mut_ref();
2710        if ref_pat_matches_mut_ref && pat_mutbl == Mutability::Not {
2711            // If `&` patterns can match against mutable reference types (RFC 3627, Rule 5), we need
2712            // to prevent subpatterns from binding with `ref mut`. Subpatterns of a shared reference
2713            // pattern should have read-only access to the scrutinee, and the borrow checker won't
2714            // catch it in this case.
2715            pat_info.max_ref_mutbl = pat_info.max_ref_mutbl.cap_to_weakly_not(pat_prefix_span);
2716        }
2717
2718        expected = self.try_structurally_resolve_type(pat.span, expected);
2719        // Determine whether we're consuming an inherited reference and resetting the default
2720        // binding mode, based on edition and enabled experimental features.
2721        if let ByRef::Yes(inh_pin, inh_mut) = pat_info.binding_mode
2722            && pat_pinned == inh_pin
2723        {
2724            match self.ref_pat_matches_inherited_ref(pat.span.edition()) {
2725                InheritedRefMatchRule::EatOuter => {
2726                    // ref pattern attempts to consume inherited reference
2727                    if pat_mutbl > inh_mut {
2728                        // Tried to match inherited `ref` with `&mut`
2729                        // NB: This assumes that `&` patterns can match against mutable references
2730                        // (RFC 3627, Rule 5). If we implement a pattern typing ruleset with Rule 4E
2731                        // but not Rule 5, we'll need to check that here.
2732                        debug_assert!(ref_pat_matches_mut_ref);
2733                        self.error_inherited_ref_mutability_mismatch(pat, pat_prefix_span);
2734                    }
2735
2736                    pat_info.binding_mode = ByRef::No;
2737                    self.typeck_results.borrow_mut().skipped_ref_pats_mut().insert(pat.hir_id);
2738                    self.check_pat(inner, expected, pat_info);
2739                    return expected;
2740                }
2741                InheritedRefMatchRule::EatInner => {
2742                    if let ty::Ref(_, _, r_mutbl) = *expected.kind()
2743                        && pat_mutbl <= r_mutbl
2744                    {
2745                        // Match against the reference type; don't consume the inherited ref.
2746                        // NB: The check for compatible pattern and ref type mutability assumes that
2747                        // `&` patterns can match against mutable references (RFC 3627, Rule 5). If
2748                        // we implement a pattern typing ruleset with Rule 4 (including the fallback
2749                        // to matching the inherited ref when the inner ref can't match) but not
2750                        // Rule 5, we'll need to check that here.
2751                        debug_assert!(ref_pat_matches_mut_ref);
2752                        // NB: For RFC 3627's Rule 3, we limit the default binding mode's ref
2753                        // mutability to `pat_info.max_ref_mutbl`. If we implement a pattern typing
2754                        // ruleset with Rule 4 but not Rule 3, we'll need to check that here.
2755                        debug_assert!(self.downgrade_mut_inside_shared());
2756                        let mutbl_cap = cmp::min(r_mutbl, pat_info.max_ref_mutbl.as_mutbl());
2757                        pat_info.binding_mode = pat_info.binding_mode.cap_ref_mutability(mutbl_cap);
2758                    } else {
2759                        // The reference pattern can't match against the expected type, so try
2760                        // matching against the inherited ref instead.
2761                        if pat_mutbl > inh_mut {
2762                            // We can't match an inherited shared reference with `&mut`.
2763                            // NB: This assumes that `&` patterns can match against mutable
2764                            // references (RFC 3627, Rule 5). If we implement a pattern typing
2765                            // ruleset with Rule 4 but not Rule 5, we'll need to check that here.
2766                            // FIXME(ref_pat_eat_one_layer_2024_structural): If we already tried
2767                            // matching the real reference, the error message should explain that
2768                            // falling back to the inherited reference didn't work. This should be
2769                            // the same error as the old-Edition version below.
2770                            debug_assert!(ref_pat_matches_mut_ref);
2771                            self.error_inherited_ref_mutability_mismatch(pat, pat_prefix_span);
2772                        }
2773
2774                        pat_info.binding_mode = ByRef::No;
2775                        self.typeck_results.borrow_mut().skipped_ref_pats_mut().insert(pat.hir_id);
2776                        self.check_pat(inner, expected, pat_info);
2777                        return expected;
2778                    }
2779                }
2780                InheritedRefMatchRule::EatBoth { consider_inherited_ref: true } => {
2781                    // Reset binding mode on old editions
2782                    pat_info.binding_mode = ByRef::No;
2783
2784                    if let ty::Ref(_, inner_ty, _) = *expected.kind() {
2785                        // Consume both the inherited and inner references.
2786                        if pat_mutbl.is_mut() && inh_mut.is_mut() {
2787                            // As a special case, a `&mut` reference pattern will be able to match
2788                            // against a reference type of any mutability if the inherited ref is
2789                            // mutable. Since this allows us to match against a shared reference
2790                            // type, we refer to this as "falling back" to matching the inherited
2791                            // reference, though we consume the real reference as well. We handle
2792                            // this here to avoid adding this case to the common logic below.
2793                            self.check_pat(inner, inner_ty, pat_info);
2794                            return expected;
2795                        } else {
2796                            // Otherwise, use the common logic below for matching the inner
2797                            // reference type.
2798                            // FIXME(ref_pat_eat_one_layer_2024_structural): If this results in a
2799                            // mutability mismatch, the error message should explain that falling
2800                            // back to the inherited reference didn't work. This should be the same
2801                            // error as the Edition 2024 version above.
2802                        }
2803                    } else {
2804                        // The expected type isn't a reference type, so only match against the
2805                        // inherited reference.
2806                        if pat_mutbl > inh_mut {
2807                            // We can't match a lone inherited shared reference with `&mut`.
2808                            self.error_inherited_ref_mutability_mismatch(pat, pat_prefix_span);
2809                        }
2810
2811                        self.typeck_results.borrow_mut().skipped_ref_pats_mut().insert(pat.hir_id);
2812                        self.check_pat(inner, expected, pat_info);
2813                        return expected;
2814                    }
2815                }
2816                InheritedRefMatchRule::EatBoth { consider_inherited_ref: false } => {
2817                    // Reset binding mode on stable Rust. This will be a type error below if
2818                    // `expected` is not a reference type.
2819                    pat_info.binding_mode = ByRef::No;
2820                    self.add_rust_2024_migration_desugared_pat(
2821                        pat_info.top_info.hir_id,
2822                        pat,
2823                        match pat_mutbl {
2824                            Mutability::Not => '&', // last char of `&`
2825                            Mutability::Mut => 't', // last char of `&mut`
2826                        },
2827                        inh_mut,
2828                    )
2829                }
2830            }
2831        }
2832
2833        let (ref_ty, inner_ty) = match self.check_dereferenceable(pat.span, expected, inner) {
2834            Ok(()) => {
2835                // `demand::subtype` would be good enough, but using `eqtype` turns
2836                // out to be equally general. See (note_1) for details.
2837
2838                // Take region, inner-type from expected type if we can,
2839                // to avoid creating needless variables. This also helps with
2840                // the bad interactions of the given hack detailed in (note_1).
2841                debug!("check_pat_ref: expected={:?}", expected);
2842                match expected.maybe_pinned_ref() {
2843                    Some((r_ty, r_pinned, r_mutbl))
2844                        if ((ref_pat_matches_mut_ref && r_mutbl >= pat_mutbl)
2845                            || r_mutbl == pat_mutbl)
2846                            && pat_pinned == r_pinned =>
2847                    {
2848                        if r_mutbl == Mutability::Not {
2849                            pat_info.max_ref_mutbl = MutblCap::Not;
2850                        }
2851                        if r_pinned == Pinnedness::Pinned {
2852                            pat_info.max_pinnedness = PinnednessCap::Pinned;
2853                        }
2854
2855                        (expected, r_ty)
2856                    }
2857                    _ => {
2858                        let inner_ty = self.next_ty_var(inner.span);
2859                        let ref_ty = self.new_ref_ty(pat.span, pat_pinned, pat_mutbl, inner_ty);
2860                        debug!("check_pat_ref: demanding {:?} = {:?}", expected, ref_ty);
2861                        let err = self.demand_eqtype_pat_diag(
2862                            pat.span,
2863                            expected,
2864                            ref_ty,
2865                            &pat_info.top_info,
2866                        );
2867
2868                        // Look for a case like `fn foo(&foo: u32)` and suggest
2869                        // `fn foo(foo: &u32)`
2870                        if let Err(mut err) = err {
2871                            self.borrow_pat_suggestion(&mut err, pat);
2872                            err.emit();
2873                        }
2874                        (ref_ty, inner_ty)
2875                    }
2876                }
2877            }
2878            Err(guar) => {
2879                let err = Ty::new_error(tcx, guar);
2880                (err, err)
2881            }
2882        };
2883
2884        self.check_pat(inner, inner_ty, pat_info);
2885        ref_ty
2886    }
2887
2888    /// Create a reference or pinned reference type with a fresh region variable.
2889    fn new_ref_ty(
2890        &self,
2891        span: Span,
2892        pinnedness: Pinnedness,
2893        mutbl: Mutability,
2894        ty: Ty<'tcx>,
2895    ) -> Ty<'tcx> {
2896        let region = self.next_region_var(RegionVariableOrigin::PatternRegion(span));
2897        let ref_ty = Ty::new_ref(self.tcx, region, ty, mutbl);
2898        if pinnedness.is_pinned() {
2899            return self.new_pinned_ty(span, ref_ty);
2900        }
2901        ref_ty
2902    }
2903
2904    /// Create a pinned type.
2905    fn new_pinned_ty(&self, span: Span, ty: Ty<'tcx>) -> Ty<'tcx> {
2906        Ty::new_adt(
2907            self.tcx,
2908            self.tcx.adt_def(self.tcx.require_lang_item(LangItem::Pin, span)),
2909            self.tcx.mk_args(&[ty.into()]),
2910        )
2911    }
2912
2913    fn error_inherited_ref_mutability_mismatch(
2914        &self,
2915        pat: &'tcx Pat<'tcx>,
2916        pat_prefix_span: Option<Span>,
2917    ) -> ErrorGuaranteed {
2918        let err_msg = "mismatched types";
2919        let err = if let Some(span) = pat_prefix_span {
2920            let mut err = self.dcx().struct_span_err(span, err_msg);
2921            err.code(E0308);
2922            err.note("cannot match inherited `&` with `&mut` pattern");
2923            err.span_suggestion_verbose(
2924                span,
2925                "replace this `&mut` pattern with `&`",
2926                "&",
2927                Applicability::MachineApplicable,
2928            );
2929            err
2930        } else {
2931            self.dcx().struct_span_err(pat.span, err_msg)
2932        };
2933        err.emit()
2934    }
2935
2936    fn try_resolve_slice_ty_to_array_ty(
2937        &self,
2938        before: &'tcx [Pat<'tcx>],
2939        slice: Option<&'tcx Pat<'tcx>>,
2940        span: Span,
2941    ) -> Option<Ty<'tcx>> {
2942        if slice.is_some() {
2943            return None;
2944        }
2945
2946        let tcx = self.tcx;
2947        let len = before.len();
2948        let inner_ty = self.next_ty_var(span);
2949
2950        Some(Ty::new_array(tcx, inner_ty, len.try_into().unwrap()))
2951    }
2952
2953    /// Used to determines whether we can infer the expected type in the slice pattern to be of type array.
2954    /// This is only possible if we're in an irrefutable pattern. If we were to allow this in refutable
2955    /// patterns we wouldn't e.g. report ambiguity in the following situation:
2956    ///
2957    /// ```ignore(rust)
2958    /// struct Zeroes;
2959    ///    const ARR: [usize; 2] = [0; 2];
2960    ///    const ARR2: [usize; 2] = [2; 2];
2961    ///
2962    ///    impl Into<&'static [usize; 2]> for Zeroes {
2963    ///        fn into(self) -> &'static [usize; 2] {
2964    ///            &ARR
2965    ///        }
2966    ///    }
2967    ///
2968    ///    impl Into<&'static [usize]> for Zeroes {
2969    ///        fn into(self) -> &'static [usize] {
2970    ///            &ARR2
2971    ///        }
2972    ///    }
2973    ///
2974    ///    fn main() {
2975    ///        let &[a, b]: &[usize] = Zeroes.into() else {
2976    ///           ..
2977    ///        };
2978    ///    }
2979    /// ```
2980    ///
2981    /// If we're in an irrefutable pattern we prefer the array impl candidate given that
2982    /// the slice impl candidate would be rejected anyway (if no ambiguity existed).
2983    fn pat_is_irrefutable(&self, decl_origin: Option<DeclOrigin<'_>>) -> bool {
2984        match decl_origin {
2985            Some(DeclOrigin::LocalDecl { els: None }) => true,
2986            Some(DeclOrigin::LocalDecl { els: Some(_) } | DeclOrigin::LetExpr) | None => false,
2987        }
2988    }
2989
2990    /// Type check a slice pattern.
2991    ///
2992    /// Syntactically, these look like `[pat_0, ..., pat_n]`.
2993    /// Semantically, we are type checking a pattern with structure:
2994    /// ```ignore (not-rust)
2995    /// [before_0, ..., before_n, (slice, after_0, ... after_n)?]
2996    /// ```
2997    /// The type of `slice`, if it is present, depends on the `expected` type.
2998    /// If `slice` is missing, then so is `after_i`.
2999    /// If `slice` is present, it can still represent 0 elements.
3000    fn check_pat_slice(
3001        &self,
3002        span: Span,
3003        before: &'tcx [Pat<'tcx>],
3004        slice: Option<&'tcx Pat<'tcx>>,
3005        after: &'tcx [Pat<'tcx>],
3006        expected: Ty<'tcx>,
3007        pat_info: PatInfo<'tcx>,
3008    ) -> Ty<'tcx> {
3009        let expected = self.try_structurally_resolve_type(span, expected);
3010
3011        // If the pattern is irrefutable and `expected` is an infer ty, we try to equate it
3012        // to an array if the given pattern allows it. See issue #76342
3013        if self.pat_is_irrefutable(pat_info.decl_origin) && expected.is_ty_var() {
3014            if let Some(resolved_arr_ty) =
3015                self.try_resolve_slice_ty_to_array_ty(before, slice, span)
3016            {
3017                debug!(?resolved_arr_ty);
3018                let _ = self.demand_eqtype(span, expected, resolved_arr_ty);
3019            }
3020        }
3021
3022        let expected = self.structurally_resolve_type(span, expected);
3023        debug!(?expected);
3024
3025        let (element_ty, opt_slice_ty, inferred) = match *expected.kind() {
3026            // An array, so we might have something like `let [a, b, c] = [0, 1, 2];`.
3027            ty::Array(element_ty, len) => {
3028                let min = before.len() as u64 + after.len() as u64;
3029                let (opt_slice_ty, expected) =
3030                    self.check_array_pat_len(span, element_ty, expected, slice, len, min);
3031                // `opt_slice_ty.is_none()` => `slice.is_none()`.
3032                // Note, though, that opt_slice_ty could be `Some(error_ty)`.
3033                assert!(opt_slice_ty.is_some() || slice.is_none());
3034                (element_ty, opt_slice_ty, expected)
3035            }
3036            ty::Slice(element_ty) => (element_ty, Some(expected), expected),
3037            // The expected type must be an array or slice, but was neither, so error.
3038            _ => {
3039                let guar = expected.error_reported().err().unwrap_or_else(|| {
3040                    self.error_expected_array_or_slice(span, expected, pat_info)
3041                });
3042                let err = Ty::new_error(self.tcx, guar);
3043                (err, Some(err), err)
3044            }
3045        };
3046
3047        // Type check all the patterns before `slice`.
3048        for elt in before {
3049            self.check_pat(elt, element_ty, pat_info);
3050        }
3051        // Type check the `slice`, if present, against its expected type.
3052        if let Some(slice) = slice {
3053            self.check_pat(slice, opt_slice_ty.unwrap(), pat_info);
3054        }
3055        // Type check the elements after `slice`, if present.
3056        for elt in after {
3057            self.check_pat(elt, element_ty, pat_info);
3058        }
3059        inferred
3060    }
3061
3062    /// Type check the length of an array pattern.
3063    ///
3064    /// Returns both the type of the variable length pattern (or `None`), and the potentially
3065    /// inferred array type. We only return `None` for the slice type if `slice.is_none()`.
3066    fn check_array_pat_len(
3067        &self,
3068        span: Span,
3069        element_ty: Ty<'tcx>,
3070        arr_ty: Ty<'tcx>,
3071        slice: Option<&'tcx Pat<'tcx>>,
3072        len: ty::Const<'tcx>,
3073        min_len: u64,
3074    ) -> (Option<Ty<'tcx>>, Ty<'tcx>) {
3075        let len = self.try_structurally_resolve_const(span, len).try_to_target_usize(self.tcx);
3076
3077        let guar = if let Some(len) = len {
3078            // Now we know the length...
3079            if slice.is_none() {
3080                // ...and since there is no variable-length pattern,
3081                // we require an exact match between the number of elements
3082                // in the array pattern and as provided by the matched type.
3083                if min_len == len {
3084                    return (None, arr_ty);
3085                }
3086
3087                self.error_scrutinee_inconsistent_length(span, min_len, len)
3088            } else if let Some(pat_len) = len.checked_sub(min_len) {
3089                // The variable-length pattern was there,
3090                // so it has an array type with the remaining elements left as its size...
3091                return (Some(Ty::new_array(self.tcx, element_ty, pat_len)), arr_ty);
3092            } else {
3093                // ...however, in this case, there were no remaining elements.
3094                // That is, the slice pattern requires more than the array type offers.
3095                self.error_scrutinee_with_rest_inconsistent_length(span, min_len, len)
3096            }
3097        } else if slice.is_none() {
3098            // We have a pattern with a fixed length,
3099            // which we can use to infer the length of the array.
3100            let updated_arr_ty = Ty::new_array(self.tcx, element_ty, min_len);
3101            self.demand_eqtype(span, updated_arr_ty, arr_ty);
3102            return (None, updated_arr_ty);
3103        } else {
3104            // We have a variable-length pattern and don't know the array length.
3105            // This happens if we have e.g.,
3106            // `let [a, b, ..] = arr` where `arr: [T; N]` where `const N: usize`.
3107            self.error_scrutinee_unfixed_length(span)
3108        };
3109
3110        // If we get here, we must have emitted an error.
3111        (Some(Ty::new_error(self.tcx, guar)), arr_ty)
3112    }
3113
3114    fn error_scrutinee_inconsistent_length(
3115        &self,
3116        span: Span,
3117        min_len: u64,
3118        size: u64,
3119    ) -> ErrorGuaranteed {
3120        struct_span_code_err!(
3121            self.dcx(),
3122            span,
3123            E0527,
3124            "pattern requires {} element{} but array has {}",
3125            min_len,
3126            pluralize!(min_len),
3127            size,
3128        )
3129        .with_span_label(span, format!("expected {} element{}", size, pluralize!(size)))
3130        .emit()
3131    }
3132
3133    fn error_scrutinee_with_rest_inconsistent_length(
3134        &self,
3135        span: Span,
3136        min_len: u64,
3137        size: u64,
3138    ) -> ErrorGuaranteed {
3139        struct_span_code_err!(
3140            self.dcx(),
3141            span,
3142            E0528,
3143            "pattern requires at least {} element{} but array has {}",
3144            min_len,
3145            pluralize!(min_len),
3146            size,
3147        )
3148        .with_span_label(
3149            span,
3150            format!("pattern cannot match array of {} element{}", size, pluralize!(size),),
3151        )
3152        .emit()
3153    }
3154
3155    fn error_scrutinee_unfixed_length(&self, span: Span) -> ErrorGuaranteed {
3156        struct_span_code_err!(
3157            self.dcx(),
3158            span,
3159            E0730,
3160            "cannot pattern-match on an array without a fixed length",
3161        )
3162        .emit()
3163    }
3164
3165    fn error_expected_array_or_slice(
3166        &self,
3167        span: Span,
3168        expected_ty: Ty<'tcx>,
3169        pat_info: PatInfo<'tcx>,
3170    ) -> ErrorGuaranteed {
3171        let PatInfo { top_info: ti, current_depth, .. } = pat_info;
3172
3173        let mut slice_pat_semantics = false;
3174        let mut as_deref = None;
3175        let mut slicing = None;
3176        if let ty::Ref(_, ty, _) = expected_ty.kind()
3177            && let ty::Array(..) | ty::Slice(..) = ty.kind()
3178        {
3179            slice_pat_semantics = true;
3180        } else if self
3181            .autoderef(span, expected_ty)
3182            .silence_errors()
3183            .any(|(ty, _)| matches!(ty.kind(), ty::Slice(..) | ty::Array(..)))
3184            && let Some(span) = ti.span
3185            && let Some(_) = ti.origin_expr
3186        {
3187            let resolved_ty = self.resolve_vars_if_possible(ti.expected);
3188            let (is_slice_or_array_or_vector, resolved_ty) =
3189                self.is_slice_or_array_or_vector(resolved_ty);
3190            match resolved_ty.kind() {
3191                ty::Adt(adt_def, _)
3192                    if self.tcx.is_diagnostic_item(sym::Option, adt_def.did())
3193                        || self.tcx.is_diagnostic_item(sym::Result, adt_def.did()) =>
3194                {
3195                    // Slicing won't work here, but `.as_deref()` might (issue #91328).
3196                    as_deref = Some(errors::AsDerefSuggestion { span: span.shrink_to_hi() });
3197                }
3198                _ => (),
3199            }
3200
3201            let is_top_level = current_depth <= 1;
3202            if is_slice_or_array_or_vector && is_top_level {
3203                slicing = Some(errors::SlicingSuggestion { span: span.shrink_to_hi() });
3204            }
3205        }
3206        self.dcx().emit_err(errors::ExpectedArrayOrSlice {
3207            span,
3208            ty: expected_ty,
3209            slice_pat_semantics,
3210            as_deref,
3211            slicing,
3212        })
3213    }
3214
3215    fn is_slice_or_array_or_vector(&self, ty: Ty<'tcx>) -> (bool, Ty<'tcx>) {
3216        match ty.kind() {
3217            ty::Adt(adt_def, _) if self.tcx.is_diagnostic_item(sym::Vec, adt_def.did()) => {
3218                (true, ty)
3219            }
3220            ty::Ref(_, ty, _) => self.is_slice_or_array_or_vector(*ty),
3221            ty::Slice(..) | ty::Array(..) => (true, ty),
3222            _ => (false, ty),
3223        }
3224    }
3225
3226    /// Record a pattern that's invalid under Rust 2024 match ergonomics, along with a problematic
3227    /// span, so that the pattern migration lint can desugar it during THIR construction.
3228    fn add_rust_2024_migration_desugared_pat(
3229        &self,
3230        pat_id: HirId,
3231        subpat: &'tcx Pat<'tcx>,
3232        final_char: char,
3233        def_br_mutbl: Mutability,
3234    ) {
3235        // Try to trim the span we're labeling to just the `&` or binding mode that's an issue.
3236        let from_expansion = subpat.span.from_expansion();
3237        let trimmed_span = if from_expansion {
3238            // If the subpattern is from an expansion, highlight the whole macro call instead.
3239            subpat.span
3240        } else {
3241            let trimmed = self.tcx.sess.source_map().span_through_char(subpat.span, final_char);
3242            // The edition of the trimmed span should be the same as `subpat.span`; this will be a
3243            // a hard error if the subpattern is of edition >= 2024. We set it manually to be sure:
3244            trimmed.with_ctxt(subpat.span.ctxt())
3245        };
3246
3247        let mut typeck_results = self.typeck_results.borrow_mut();
3248        let mut table = typeck_results.rust_2024_migration_desugared_pats_mut();
3249        // FIXME(ref_pat_eat_one_layer_2024): The migration diagnostic doesn't know how to track the
3250        // default binding mode in the presence of Rule 3 or Rule 5. As a consequence, the labels it
3251        // gives for default binding modes are wrong, as well as suggestions based on the default
3252        // binding mode. This keeps it from making those suggestions, as doing so could panic.
3253        let info = table.entry(pat_id).or_insert_with(|| ty::Rust2024IncompatiblePatInfo {
3254            primary_labels: Vec::new(),
3255            bad_ref_modifiers: false,
3256            bad_mut_modifiers: false,
3257            bad_ref_pats: false,
3258            suggest_eliding_modes: !self.tcx.features().ref_pat_eat_one_layer_2024()
3259                && !self.tcx.features().ref_pat_eat_one_layer_2024_structural(),
3260        });
3261
3262        let pat_kind = if let PatKind::Binding(user_bind_annot, _, _, _) = subpat.kind {
3263            // If the user-provided binding modifier doesn't match the default binding mode, we'll
3264            // need to suggest reference patterns, which can affect other bindings.
3265            // For simplicity, we opt to suggest making the pattern fully explicit.
3266            info.suggest_eliding_modes &= matches!(
3267                user_bind_annot,
3268                BindingMode(ByRef::Yes(_, mutbl), Mutability::Not) if mutbl == def_br_mutbl
3269            );
3270            if user_bind_annot == BindingMode(ByRef::No, Mutability::Mut) {
3271                info.bad_mut_modifiers = true;
3272                "`mut` binding modifier"
3273            } else {
3274                info.bad_ref_modifiers = true;
3275                match user_bind_annot.1 {
3276                    Mutability::Not => "explicit `ref` binding modifier",
3277                    Mutability::Mut => "explicit `ref mut` binding modifier",
3278                }
3279            }
3280        } else {
3281            info.bad_ref_pats = true;
3282            // For simplicity, we don't try to suggest eliding reference patterns. Thus, we'll
3283            // suggest adding them instead, which can affect the types assigned to bindings.
3284            // As such, we opt to suggest making the pattern fully explicit.
3285            info.suggest_eliding_modes = false;
3286            "reference pattern"
3287        };
3288        // Only provide a detailed label if the problematic subpattern isn't from an expansion.
3289        // In the case that it's from a macro, we'll add a more detailed note in the emitter.
3290        let primary_label = if from_expansion {
3291            // We can't suggest eliding modifiers within expansions.
3292            info.suggest_eliding_modes = false;
3293            // NB: This wording assumes the only expansions that can produce problematic reference
3294            // patterns and bindings are macros. If a desugaring or AST pass is added that can do
3295            // so, we may want to inspect the span's source callee or macro backtrace.
3296            "occurs within macro expansion".to_owned()
3297        } else {
3298            format!("{pat_kind} not allowed when implicitly borrowing")
3299        };
3300        info.primary_labels.push((trimmed_span, primary_label));
3301    }
3302}