Skip to main content

rustc_hir_typeck/
pat.rs

1use std::collections::hash_map::Entry::{Occupied, Vacant};
2use std::{assert_matches, cmp};
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, DiagCtxtHandle, Diagnostic, ErrorGuaranteed, Level, MultiSpan, pluralize,
10    struct_span_code_err,
11};
12use rustc_hir::def::{CtorKind, DefKind, Res};
13use rustc_hir::def_id::DefId;
14use rustc_hir::pat_util::EnumerateAndAdjustIterator;
15use rustc_hir::{
16    self as hir, BindingMode, ByRef, ExprKind, HirId, LangItem, Mutability, Pat, PatExpr,
17    PatExprKind, PatKind, expr_needs_parens,
18};
19use rustc_hir_analysis::autoderef::report_autoderef_recursion_limit_error;
20use rustc_infer::infer::RegionVariableOrigin;
21use rustc_middle::traits::PatternOriginExpr;
22use rustc_middle::ty::{self, Pinnedness, Ty, TypeVisitableExt};
23use rustc_middle::{bug, span_bug};
24use rustc_session::lint::builtin::NON_EXHAUSTIVE_OMITTED_PATTERNS;
25use rustc_session::parse::feature_err;
26use rustc_span::edit_distance::find_best_match_for_name;
27use rustc_span::edition::Edition;
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(#[automatically_derived]
impl<'tcx> ::core::marker::Copy for TopInfo<'tcx> { }Copy, #[automatically_derived]
impl<'tcx> ::core::clone::Clone for TopInfo<'tcx> {
    #[inline]
    fn clone(&self) -> TopInfo<'tcx> {
        let _: ::core::clone::AssertParamIsClone<Ty<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<Option<&'tcx hir::Expr<'tcx>>>;
        let _: ::core::clone::AssertParamIsClone<Option<Span>>;
        let _: ::core::clone::AssertParamIsClone<HirId>;
        *self
    }
}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(#[automatically_derived]
impl<'tcx> ::core::marker::Copy for PatInfo<'tcx> { }Copy, #[automatically_derived]
impl<'tcx> ::core::clone::Clone for PatInfo<'tcx> {
    #[inline]
    fn clone(&self) -> PatInfo<'tcx> {
        let _: ::core::clone::AssertParamIsClone<ByRef>;
        let _: ::core::clone::AssertParamIsClone<PinnednessCap>;
        let _: ::core::clone::AssertParamIsClone<MutblCap>;
        let _: ::core::clone::AssertParamIsClone<TopInfo<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<Option<DeclOrigin<'tcx>>>;
        let _: ::core::clone::AssertParamIsClone<u32>;
        *self
    }
}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(#[automatically_derived]
impl ::core::clone::Clone for AdjustMode {
    #[inline]
    fn clone(&self) -> AdjustMode {
        let _: ::core::clone::AssertParamIsClone<PeelKind>;
        *self
    }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for AdjustMode { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for AdjustMode {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            AdjustMode::Peel { kind: __self_0 } =>
                ::core::fmt::Formatter::debug_struct_field1_finish(f, "Peel",
                    "kind", &__self_0),
            AdjustMode::Pass => ::core::fmt::Formatter::write_str(f, "Pass"),
        }
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for AdjustMode {
    #[inline]
    fn eq(&self, other: &AdjustMode) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr &&
            match (self, other) {
                (AdjustMode::Peel { kind: __self_0 }, AdjustMode::Peel {
                    kind: __arg1_0 }) => __self_0 == __arg1_0,
                _ => true,
            }
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for AdjustMode {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {
        let _: ::core::cmp::AssertParamIsEq<PeelKind>;
    }
}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(#[automatically_derived]
impl ::core::clone::Clone for PeelKind {
    #[inline]
    fn clone(&self) -> PeelKind {
        let _: ::core::clone::AssertParamIsClone<Option<DefId>>;
        let _: ::core::clone::AssertParamIsClone<usize>;
        *self
    }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for PeelKind { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for PeelKind {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            PeelKind::ExplicitDerefPat =>
                ::core::fmt::Formatter::write_str(f, "ExplicitDerefPat"),
            PeelKind::Implicit { until_adt: __self_0, pat_ref_layers: __self_1
                } =>
                ::core::fmt::Formatter::debug_struct_field2_finish(f,
                    "Implicit", "until_adt", __self_0, "pat_ref_layers",
                    &__self_1),
        }
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for PeelKind {
    #[inline]
    fn eq(&self, other: &PeelKind) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr &&
            match (self, other) {
                (PeelKind::Implicit {
                    until_adt: __self_0, pat_ref_layers: __self_1 },
                    PeelKind::Implicit {
                    until_adt: __arg1_0, pat_ref_layers: __arg1_1 }) =>
                    __self_0 == __arg1_0 && __self_1 == __arg1_1,
                _ => true,
            }
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for PeelKind {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {
        let _: ::core::cmp::AssertParamIsEq<Option<DefId>>;
        let _: ::core::cmp::AssertParamIsEq<usize>;
    }
}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(#[automatically_derived]
impl ::core::clone::Clone for MutblCap {
    #[inline]
    fn clone(&self) -> MutblCap {
        let _: ::core::clone::AssertParamIsClone<Option<Span>>;
        *self
    }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for MutblCap { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for MutblCap {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            MutblCap::Not => ::core::fmt::Formatter::write_str(f, "Not"),
            MutblCap::WeaklyNot(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "WeaklyNot", &__self_0),
            MutblCap::Mut => ::core::fmt::Formatter::write_str(f, "Mut"),
        }
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for MutblCap {
    #[inline]
    fn eq(&self, other: &MutblCap) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr &&
            match (self, other) {
                (MutblCap::WeaklyNot(__self_0), MutblCap::WeaklyNot(__arg1_0))
                    => __self_0 == __arg1_0,
                _ => true,
            }
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for MutblCap {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {
        let _: ::core::cmp::AssertParamIsEq<Option<Span>>;
    }
}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(#[automatically_derived]
impl ::core::clone::Clone for PinnednessCap {
    #[inline]
    fn clone(&self) -> PinnednessCap { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for PinnednessCap { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for PinnednessCap {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                PinnednessCap::Not => "Not",
                PinnednessCap::Pinned => "Pinned",
            })
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for PinnednessCap {
    #[inline]
    fn eq(&self, other: &PinnednessCap) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for PinnednessCap {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {}
}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(#[automatically_derived]
impl ::core::clone::Clone for InheritedRefMatchRule {
    #[inline]
    fn clone(&self) -> InheritedRefMatchRule {
        let _: ::core::clone::AssertParamIsClone<bool>;
        *self
    }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for InheritedRefMatchRule { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for InheritedRefMatchRule {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            InheritedRefMatchRule::EatOuter =>
                ::core::fmt::Formatter::write_str(f, "EatOuter"),
            InheritedRefMatchRule::EatInner =>
                ::core::fmt::Formatter::write_str(f, "EatInner"),
            InheritedRefMatchRule::EatBoth { consider_inherited_ref: __self_0
                } =>
                ::core::fmt::Formatter::debug_struct_field1_finish(f,
                    "EatBoth", "consider_inherited_ref", &__self_0),
        }
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for InheritedRefMatchRule {
    #[inline]
    fn eq(&self, other: &InheritedRefMatchRule) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr &&
            match (self, other) {
                (InheritedRefMatchRule::EatBoth {
                    consider_inherited_ref: __self_0 },
                    InheritedRefMatchRule::EatBoth {
                    consider_inherited_ref: __arg1_0 }) => __self_0 == __arg1_0,
                _ => true,
            }
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for InheritedRefMatchRule {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {
        let _: ::core::cmp::AssertParamIsEq<bool>;
    }
}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(#[automatically_derived]
impl<'tcx> ::core::clone::Clone for ResolvedPat<'tcx> {
    #[inline]
    fn clone(&self) -> ResolvedPat<'tcx> {
        let _: ::core::clone::AssertParamIsClone<Ty<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<ResolvedPatKind<'tcx>>;
        *self
    }
}Clone, #[automatically_derived]
impl<'tcx> ::core::marker::Copy for ResolvedPat<'tcx> { }Copy, #[automatically_derived]
impl<'tcx> ::core::fmt::Debug for ResolvedPat<'tcx> {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::debug_struct_field2_finish(f, "ResolvedPat",
            "ty", &self.ty, "kind", &&self.kind)
    }
}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(#[automatically_derived]
impl<'tcx> ::core::clone::Clone for ResolvedPatKind<'tcx> {
    #[inline]
    fn clone(&self) -> ResolvedPatKind<'tcx> {
        let _: ::core::clone::AssertParamIsClone<Res>;
        let _:
                ::core::clone::AssertParamIsClone<&'tcx [hir::PathSegment<'tcx>]>;
        let _: ::core::clone::AssertParamIsClone<&'tcx VariantDef>;
        let _: ::core::clone::AssertParamIsClone<&'tcx VariantDef>;
        *self
    }
}Clone, #[automatically_derived]
impl<'tcx> ::core::marker::Copy for ResolvedPatKind<'tcx> { }Copy, #[automatically_derived]
impl<'tcx> ::core::fmt::Debug for ResolvedPatKind<'tcx> {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            ResolvedPatKind::Path {
                res: __self_0, pat_res: __self_1, segments: __self_2 } =>
                ::core::fmt::Formatter::debug_struct_field3_finish(f, "Path",
                    "res", __self_0, "pat_res", __self_1, "segments",
                    &__self_2),
            ResolvedPatKind::Struct { variant: __self_0 } =>
                ::core::fmt::Formatter::debug_struct_field1_finish(f,
                    "Struct", "variant", &__self_0),
            ResolvedPatKind::TupleStruct { res: __self_0, variant: __self_1 }
                =>
                ::core::fmt::Formatter::debug_struct_field2_finish(f,
                    "TupleStruct", "res", __self_0, "variant", &__self_1),
        }
    }
}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            && #[allow(non_exhaustive_omitted_patterns)] match res {
    Res::Def(DefKind::Const { .. } | DefKind::AssocConst { .. }, _) => true,
    _ => false,
}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    #[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() ||
            { false } {
        __tracing_attr_span =
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("check_pat",
                                    "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                                    ::tracing_core::__macro_support::Option::Some(405u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                                    ::tracing_core::field::FieldSet::new(&["pat", "expected"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::LevelFilter::current() &&
                            { interest = __CALLSITE.interest(); !interest.is_never() }
                        &&
                        ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                            interest) {
                    let meta = __CALLSITE.metadata();
                    ::tracing::Span::new(meta,
                        &{
                                #[allow(unused_imports)]
                                use ::tracing::field::{debug, display, Value};
                                let mut iter = meta.fields().iter();
                                meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                    ::tracing::__macro_support::Option::Some(&::tracing::field::debug(&pat)
                                                            as &dyn Value)),
                                                (&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                    ::tracing::__macro_support::Option::Some(&::tracing::field::debug(&expected)
                                                            as &dyn Value))])
                            })
                } else {
                    let span =
                        ::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
                    {};
                    span
                }
            };
        __tracing_attr_guard = __tracing_attr_span.enter();
    }

    #[warn(clippy :: suspicious_else_formatting)]
    {

        #[allow(unknown_lints, unreachable_code, clippy ::
        diverging_sub_expression, clippy :: empty_loop, clippy ::
        let_unit_value, clippy :: let_with_type_underscore, clippy ::
        needless_return, clippy :: unreachable)]
        if false {
            let __tracing_attr_fake_return: () = loop {};
            return __tracing_attr_fake_return;
        }
        {
            let opt_path_res =
                match pat.kind {
                    PatKind::Expr(PatExpr {
                        kind: PatExprKind::Path(qpath), hir_id, span }) => {
                        Some(self.resolve_pat_path(*hir_id, *span, qpath))
                    }
                    PatKind::Struct(ref qpath, ..) =>
                        Some(self.resolve_pat_struct(pat, qpath)),
                    PatKind::TupleStruct(ref qpath, ..) =>
                        Some(self.resolve_pat_tuple_struct(pat, qpath)),
                    _ => None,
                };
            let adjust_mode = self.calc_adjust_mode(pat, opt_path_res);
            let ty =
                self.check_pat_inner(pat, opt_path_res, adjust_mode, expected,
                    pat_info);
            self.write_ty(pat.hir_id, ty);
            if let Some(derefed_tys) =
                        self.typeck_results.borrow().pat_adjustments().get(pat.hir_id)
                    &&
                    derefed_tys.iter().any(|adjust|
                            adjust.kind == PatAdjust::OverloadedDeref) {
                self.register_deref_mut_bounds_if_needed(pat.span, pat,
                    derefed_tys.iter().filter_map(|adjust|
                            match adjust.kind {
                                PatAdjust::OverloadedDeref => Some(adjust.source),
                                PatAdjust::BuiltinDeref | PatAdjust::PinDeref => None,
                            }));
            }
        }
    }
}#[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 #[allow(non_exhaustive_omitted_patterns)] match pat_info.binding_mode {
    ByRef::Yes(_, Mutability::Mut) => true,
    _ => false,
}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            ::rustc_middle::util::bug::span_bug_fmt(pat.span,
    format_args!("Pattern mutability cap violated!"));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                {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:515",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(515u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("inspecting {0:?}",
                                                    expected) as &dyn Value))])
            });
    } else { ; }
};debug!("inspecting {:?}", expected);
516
517                {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:517",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(517u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("current discriminant is Ref, inserting implicit deref")
                                            as &dyn Value))])
            });
    } else { ; }
};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                {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:545",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(545u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("scrutinee ty {0:?} is a pinned reference, inserting pin deref",
                                                    expected) as &dyn Value))])
            });
    } else { ; }
};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                {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:583",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(583u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("scrutinee ty {0:?} is a smart pointer, inserting pin deref",
                                                    expected) as &dyn Value))])
            });
    } else { ; }
};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(expr @ PatExpr { kind: PatExprKind::Lit { lit, .. }, .. }) => {
615                self.check_pat_lit(pat.span, expr, &lit.node, expected, &pat_info.top_info)
616            }
617            PatKind::Range(lhs, rhs, _) => {
618                self.check_pat_range(pat.span, lhs, rhs, expected, &pat_info.top_info)
619            }
620            PatKind::Binding(ba, var_id, ident, sub) => {
621                self.check_pat_ident(pat, ba, var_id, ident, sub, expected, pat_info)
622            }
623            PatKind::TupleStruct(ref qpath, subpats, ddpos) => match opt_path_res.unwrap() {
624                Ok(ResolvedPat { ty, kind: ResolvedPatKind::TupleStruct { res, variant } }) => self
625                    .check_pat_tuple_struct(
626                        pat, qpath, subpats, ddpos, res, ty, variant, expected, pat_info,
627                    ),
628                Err(guar) => {
629                    let ty_err = Ty::new_error(self.tcx, guar);
630                    for subpat in subpats {
631                        self.check_pat(subpat, ty_err, pat_info);
632                    }
633                    ty_err
634                }
635                Ok(pr) => ::rustc_middle::util::bug::span_bug_fmt(pat.span,
    format_args!("tuple struct pattern resolved to {0:?}", pr))span_bug!(pat.span, "tuple struct pattern resolved to {pr:?}"),
636            },
637            PatKind::Struct(_, fields, has_rest_pat) => match opt_path_res.unwrap() {
638                Ok(ResolvedPat { ty, kind: ResolvedPatKind::Struct { variant } }) => self
639                    .check_pat_struct(
640                        pat,
641                        fields,
642                        has_rest_pat.is_some(),
643                        ty,
644                        variant,
645                        expected,
646                        pat_info,
647                    ),
648                Err(guar) => {
649                    let ty_err = Ty::new_error(self.tcx, guar);
650                    for field in fields {
651                        self.check_pat(field.pat, ty_err, pat_info);
652                    }
653                    ty_err
654                }
655                Ok(pr) => ::rustc_middle::util::bug::span_bug_fmt(pat.span,
    format_args!("struct pattern resolved to {0:?}", pr))span_bug!(pat.span, "struct pattern resolved to {pr:?}"),
656            },
657            PatKind::Guard(pat, cond) => {
658                self.check_pat(pat, expected, pat_info);
659                self.check_expr_has_type_or_error(cond, self.tcx.types.bool, |_| {});
660                expected
661            }
662            PatKind::Or(pats) => {
663                for pat in pats {
664                    self.check_pat(pat, expected, pat_info);
665                }
666                expected
667            }
668            PatKind::Tuple(elements, ddpos) => {
669                self.check_pat_tuple(pat.span, elements, ddpos, expected, pat_info)
670            }
671            PatKind::Box(inner) => self.check_pat_box(pat.span, inner, expected, pat_info),
672            PatKind::Deref(inner) => self.check_pat_deref(pat.span, inner, expected, pat_info),
673            PatKind::Ref(inner, pinned, mutbl) => {
674                self.check_pat_ref(pat, inner, pinned, mutbl, expected, pat_info)
675            }
676            PatKind::Slice(before, slice, after) => {
677                self.check_pat_slice(pat.span, before, slice, after, expected, pat_info)
678            }
679        }
680    }
681
682    fn adjust_pat_info(
683        &self,
684        inner_pinnedness: Pinnedness,
685        inner_mutability: Mutability,
686        pat_info: PatInfo<'tcx>,
687    ) -> PatInfo<'tcx> {
688        let mut binding_mode = match pat_info.binding_mode {
689            // If default binding mode is by value, make it `ref`, `ref mut`, `ref pin const`
690            // or `ref pin mut` (depending on whether we observe `&`, `&mut`, `&pin const` or
691            // `&pin mut`).
692            ByRef::No => ByRef::Yes(inner_pinnedness, inner_mutability),
693            ByRef::Yes(pinnedness, mutability) => {
694                let pinnedness = match pinnedness {
695                    // When `ref`, stay a `ref` (on `&`) or downgrade to `ref pin` (on `&pin`).
696                    Pinnedness::Not => inner_pinnedness,
697                    // When `ref pin`, stay a `ref pin`.
698                    // This is because we cannot get an `&mut T` from `&mut &pin mut T` unless `T: Unpin`.
699                    // Note that `&T` and `&mut T` are `Unpin`, which implies
700                    // `& &pin const T` <-> `&pin const &T` and `&mut &pin mut T` <-> `&pin mut &mut T`
701                    // (i.e. mutually coercible).
702                    Pinnedness::Pinned => Pinnedness::Pinned,
703                };
704
705                let mutability = match mutability {
706                    // When `ref mut`, stay a `ref mut` (on `&mut`) or downgrade to `ref` (on `&`).
707                    Mutability::Mut => inner_mutability,
708                    // Once a `ref`, always a `ref`.
709                    // This is because a `& &mut` cannot mutate the underlying value.
710                    Mutability::Not => Mutability::Not,
711                };
712                ByRef::Yes(pinnedness, mutability)
713            }
714        };
715
716        let PatInfo { mut max_ref_mutbl, mut max_pinnedness, .. } = pat_info;
717        if self.downgrade_mut_inside_shared() {
718            binding_mode = binding_mode.cap_ref_mutability(max_ref_mutbl.as_mutbl());
719        }
720        match binding_mode {
721            ByRef::Yes(_, Mutability::Not) => max_ref_mutbl = MutblCap::Not,
722            ByRef::Yes(Pinnedness::Pinned, _) => max_pinnedness = PinnednessCap::Pinned,
723            _ => {}
724        }
725        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:725",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(725u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("default binding mode is now {0:?}",
                                                    binding_mode) as &dyn Value))])
            });
    } else { ; }
};debug!("default binding mode is now {:?}", binding_mode);
726        PatInfo { binding_mode, max_pinnedness, max_ref_mutbl, ..pat_info }
727    }
728
729    fn check_deref_pattern(
730        &self,
731        pat: &'tcx Pat<'tcx>,
732        opt_path_res: Option<Result<ResolvedPat<'tcx>, ErrorGuaranteed>>,
733        adjust_mode: AdjustMode,
734        expected: Ty<'tcx>,
735        mut inner_ty: Ty<'tcx>,
736        pat_adjust_kind: PatAdjust,
737        pat_info: PatInfo<'tcx>,
738    ) -> Ty<'tcx> {
739        if true {
    if !!#[allow(non_exhaustive_omitted_patterns)] match pat_adjust_kind {
                    PatAdjust::BuiltinDeref => true,
                    _ => false,
                } {
        {
            ::core::panicking::panic_fmt(format_args!("unexpected deref pattern for builtin reference type {0:?}",
                    expected));
        }
    };
};debug_assert!(
740            !matches!(pat_adjust_kind, PatAdjust::BuiltinDeref),
741            "unexpected deref pattern for builtin reference type {expected:?}",
742        );
743
744        let mut typeck_results = self.typeck_results.borrow_mut();
745        let mut pat_adjustments_table = typeck_results.pat_adjustments_mut();
746        let pat_adjustments = pat_adjustments_table.entry(pat.hir_id).or_default();
747        // We may reach the recursion limit if a user matches on a type `T` satisfying
748        // `T: Deref<Target = T>`; error gracefully in this case.
749        // FIXME(deref_patterns): If `deref_patterns` stabilizes, it may make sense to move
750        // this check out of this branch. Alternatively, this loop could be implemented with
751        // autoderef and this check removed. For now though, don't break code compiling on
752        // stable with lots of `&`s and a low recursion limit, if anyone's done that.
753        if self.tcx.recursion_limit().value_within_limit(pat_adjustments.len()) {
754            // Preserve the smart pointer type for THIR lowering and closure upvar analysis.
755            pat_adjustments.push(PatAdjustment { kind: pat_adjust_kind, source: expected });
756        } else {
757            let guar = report_autoderef_recursion_limit_error(self.tcx, pat.span, expected);
758            inner_ty = Ty::new_error(self.tcx, guar);
759        }
760        drop(typeck_results);
761
762        // Recurse, using the old pat info to keep `current_depth` to its old value.
763        // Peeling smart pointers does not update the default binding mode.
764        self.check_pat_inner(pat, opt_path_res, adjust_mode, inner_ty, pat_info)
765    }
766
767    /// How should the binding mode and expected type be adjusted?
768    ///
769    /// When the pattern contains a path, `opt_path_res` must be `Some(path_res)`.
770    fn calc_adjust_mode(
771        &self,
772        pat: &'tcx Pat<'tcx>,
773        opt_path_res: Option<Result<ResolvedPat<'tcx>, ErrorGuaranteed>>,
774    ) -> AdjustMode {
775        match &pat.kind {
776            // Type checking these product-like types successfully always require
777            // that the expected type be of those types and not reference types.
778            PatKind::Tuple(..) | PatKind::Range(..) | PatKind::Slice(..) => AdjustMode::peel_all(),
779            // When checking an explicit deref pattern, only peel reference types.
780            // FIXME(deref_patterns): If box patterns and deref patterns need to coexist, box
781            // patterns may want `PeelKind::Implicit`, stopping on encountering a box.
782            PatKind::Box(_) | PatKind::Deref(_) => {
783                AdjustMode::Peel { kind: PeelKind::ExplicitDerefPat }
784            }
785            // A never pattern behaves somewhat like a literal or unit variant.
786            PatKind::Never => AdjustMode::peel_all(),
787            // For patterns with paths, how we peel the scrutinee depends on the path's resolution.
788            PatKind::Struct(..)
789            | PatKind::TupleStruct(..)
790            | PatKind::Expr(PatExpr { kind: PatExprKind::Path(_), .. }) => {
791                // If there was an error resolving the path, default to peeling everything.
792                opt_path_res.unwrap().map_or(AdjustMode::peel_all(), |pr| pr.adjust_mode())
793            }
794
795            // String and byte-string literals result in types `&str` and `&[u8]` respectively.
796            // All other literals result in non-reference types.
797            // As a result, we allow `if let 0 = &&0 {}` but not `if let "foo" = &&"foo" {}` unless
798            // `deref_patterns` is enabled.
799            PatKind::Expr(lt) => {
800                // Path patterns have already been handled, and inline const blocks currently
801                // aren't possible to write, so any handling for them would be untested.
802                if truecfg!(debug_assertions)
803                    && self.tcx.features().deref_patterns()
804                    && !#[allow(non_exhaustive_omitted_patterns)] match lt.kind {
    PatExprKind::Lit { .. } => true,
    _ => false,
}matches!(lt.kind, PatExprKind::Lit { .. })
805                {
806                    ::rustc_middle::util::bug::span_bug_fmt(lt.span,
    format_args!("FIXME(deref_patterns): adjust mode unimplemented for {0:?}",
        lt.kind));span_bug!(
807                        lt.span,
808                        "FIXME(deref_patterns): adjust mode unimplemented for {:?}",
809                        lt.kind
810                    );
811                }
812                // Call `resolve_vars_if_possible` here for inline const blocks.
813                let lit_ty = self.resolve_vars_if_possible(self.check_pat_expr_unadjusted(lt));
814                // If `deref_patterns` is enabled, allow `if let "foo" = &&"foo" {}`.
815                if self.tcx.features().deref_patterns() {
816                    let mut peeled_ty = lit_ty;
817                    let mut pat_ref_layers = 0;
818                    while let ty::Ref(_, inner_ty, mutbl) =
819                        *self.try_structurally_resolve_type(pat.span, peeled_ty).kind()
820                    {
821                        // We rely on references at the head of constants being immutable.
822                        if true {
    if !mutbl.is_not() {
        ::core::panicking::panic("assertion failed: mutbl.is_not()")
    };
};debug_assert!(mutbl.is_not());
823                        pat_ref_layers += 1;
824                        peeled_ty = inner_ty;
825                    }
826                    AdjustMode::Peel {
827                        kind: PeelKind::Implicit { until_adt: None, pat_ref_layers },
828                    }
829                } else {
830                    if lit_ty.is_ref() { AdjustMode::Pass } else { AdjustMode::peel_all() }
831                }
832            }
833
834            // Ref patterns are complicated, we handle them in `check_pat_ref`.
835            PatKind::Ref(..)
836            // No need to do anything on a missing pattern.
837            | PatKind::Missing
838            // A `_` pattern works with any expected type, so there's no need to do anything.
839            | PatKind::Wild
840            // A malformed pattern doesn't have an expected type, so let's just accept any type.
841            | PatKind::Err(_)
842            // Bindings also work with whatever the expected type is,
843            // and moreover if we peel references off, that will give us the wrong binding type.
844            // Also, we can have a subpattern `binding @ pat`.
845            // Each side of the `@` should be treated independently (like with OR-patterns).
846            | PatKind::Binding(..)
847            // An OR-pattern just propagates to each individual alternative.
848            // This is maximally flexible, allowing e.g., `Some(mut x) | &Some(mut x)`.
849            // In that example, `Some(mut x)` results in `Peel` whereas `&Some(mut x)` in `Reset`.
850            | PatKind::Or(_)
851            // Like or-patterns, guard patterns just propagate to their subpatterns.
852            | PatKind::Guard(..) => AdjustMode::Pass,
853        }
854    }
855
856    /// Assuming `expected` is a reference type, determine whether to peel it before matching.
857    fn should_peel_ref(&self, peel_kind: PeelKind, mut expected: Ty<'tcx>) -> bool {
858        if true {
    if !expected.is_ref() {
        ::core::panicking::panic("assertion failed: expected.is_ref()")
    };
};debug_assert!(expected.is_ref());
859        let pat_ref_layers = match peel_kind {
860            PeelKind::ExplicitDerefPat => 0,
861            PeelKind::Implicit { pat_ref_layers, .. } => pat_ref_layers,
862        };
863
864        // Most patterns don't have reference types, so we'll want to peel all references from the
865        // scrutinee before matching. To optimize for the common case, return early.
866        if pat_ref_layers == 0 {
867            return true;
868        }
869        if true {
    if !self.tcx.features().deref_patterns() {
        {
            ::core::panicking::panic_fmt(format_args!("Peeling for patterns with reference types is gated by `deref_patterns`."));
        }
    };
};debug_assert!(
870            self.tcx.features().deref_patterns(),
871            "Peeling for patterns with reference types is gated by `deref_patterns`."
872        );
873
874        // If the pattern has as many or more layers of reference as the expected type, we can match
875        // without peeling more, unless we find a smart pointer or `&mut` that we also need to peel.
876        // We don't treat `&` and `&mut` as interchangeable, but by peeling `&mut`s before matching,
877        // we can still, e.g., match on a `&mut str` with a string literal pattern. This is because
878        // string literal patterns may be used where `str` is expected.
879        let mut expected_ref_layers = 0;
880        while let ty::Ref(_, inner_ty, mutbl) = *expected.kind() {
881            if mutbl.is_mut() {
882                // Mutable references can't be in the final value of constants, thus they can't be
883                // at the head of their types, thus we should always peel `&mut`.
884                return true;
885            }
886            expected_ref_layers += 1;
887            expected = inner_ty;
888        }
889        pat_ref_layers < expected_ref_layers || self.should_peel_smart_pointer(peel_kind, expected)
890    }
891
892    /// Determine whether `expected` is a smart pointer type that should be peeled before matching.
893    fn should_peel_smart_pointer(&self, peel_kind: PeelKind, expected: Ty<'tcx>) -> bool {
894        // Explicit `deref!(_)` patterns match against smart pointers; don't peel in that case.
895        if let PeelKind::Implicit { until_adt, .. } = peel_kind
896            // For simplicity, only apply overloaded derefs if `expected` is a known ADT.
897            // FIXME(deref_patterns): we'll get better diagnostics for users trying to
898            // implicitly deref generics if we allow them here, but primitives, tuples, and
899            // inference vars definitely should be stopped. Figure out what makes most sense.
900            && let ty::Adt(scrutinee_adt, _) = *expected.kind()
901            // Don't peel if the pattern type already matches the scrutinee. E.g., stop here if
902            // matching on a `Cow<'a, T>` scrutinee with a `Cow::Owned(_)` pattern.
903            && until_adt != Some(scrutinee_adt.did())
904            // At this point, the pattern isn't able to match `expected` without peeling. Check
905            // that it implements `Deref` before assuming it's a smart pointer, to get a normal
906            // type error instead of a missing impl error if not. This only checks for `Deref`,
907            // not `DerefPure`: we require that too, but we want a trait error if it's missing.
908            && let Some(deref_trait) = self.tcx.lang_items().deref_trait()
909            && self.type_implements_trait(deref_trait, [expected], self.param_env).may_apply()
910        {
911            true
912        } else {
913            false
914        }
915    }
916
917    fn check_pat_expr_unadjusted(&self, lt: &'tcx hir::PatExpr<'tcx>) -> Ty<'tcx> {
918        let ty = match &lt.kind {
919            rustc_hir::PatExprKind::Lit { lit, negated } => {
920                let ty = self.check_expr_lit(lit, Expectation::NoExpectation);
921                if *negated {
922                    self.register_bound(
923                        ty,
924                        self.tcx.require_lang_item(LangItem::Neg, lt.span),
925                        ObligationCause::dummy_with_span(lt.span),
926                    );
927                }
928                ty
929            }
930            rustc_hir::PatExprKind::Path(qpath) => {
931                let (res, opt_ty, segments) =
932                    self.resolve_ty_and_res_fully_qualified_call(qpath, lt.hir_id, lt.span);
933                self.instantiate_value_path(segments, opt_ty, res, lt.span, lt.span, lt.hir_id).0
934            }
935        };
936        self.write_ty(lt.hir_id, ty);
937        ty
938    }
939
940    fn check_pat_lit(
941        &self,
942        span: Span,
943        expr: &hir::PatExpr<'tcx>,
944        lit_kind: &ast::LitKind,
945        expected: Ty<'tcx>,
946        ti: &TopInfo<'tcx>,
947    ) -> Ty<'tcx> {
948        match expr.kind {
    hir::PatExprKind::Lit { .. } => {}
    ref left_val => {
        ::core::panicking::assert_matches_failed(left_val,
            "hir::PatExprKind::Lit { .. }", ::core::option::Option::None);
    }
};assert_matches!(expr.kind, hir::PatExprKind::Lit { .. });
949
950        // We've already computed the type above (when checking for a non-ref pat),
951        // so avoid computing it again.
952        let ty = self.node_ty(expr.hir_id);
953
954        // Byte string patterns behave the same way as array patterns
955        // They can denote both statically and dynamically-sized byte arrays.
956        // Additionally, when `deref_patterns` is enabled, byte string literal patterns may have
957        // types `[u8]` or `[u8; N]`, in order to type, e.g., `deref!(b"..."): Vec<u8>`.
958        let mut pat_ty = ty;
959        if #[allow(non_exhaustive_omitted_patterns)] match lit_kind {
    ast::LitKind::ByteStr(..) => true,
    _ => false,
}matches!(lit_kind, ast::LitKind::ByteStr(..)) {
960            let tcx = self.tcx;
961            let expected = self.structurally_resolve_type(span, expected);
962            match *expected.kind() {
963                // Allow `b"...": &[u8]`
964                ty::Ref(_, inner_ty, _)
965                    if self.try_structurally_resolve_type(span, inner_ty).is_slice() =>
966                {
967                    {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:967",
                        "rustc_hir_typeck::pat", ::tracing::Level::TRACE,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(967u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["message",
                                        "expr.hir_id.local_id"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::TRACE <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("polymorphic byte string lit")
                                            as &dyn Value)),
                                (&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&debug(&expr.hir_id.local_id)
                                            as &dyn Value))])
            });
    } else { ; }
};trace!(?expr.hir_id.local_id, "polymorphic byte string lit");
968                    pat_ty = Ty::new_imm_ref(
969                        tcx,
970                        tcx.lifetimes.re_static,
971                        Ty::new_slice(tcx, tcx.types.u8),
972                    );
973                }
974                // Allow `b"...": [u8; 3]` for `deref_patterns`
975                ty::Array(..) if tcx.features().deref_patterns() => {
976                    pat_ty = match *ty.kind() {
977                        ty::Ref(_, inner_ty, _) => inner_ty,
978                        _ => ::rustc_middle::util::bug::span_bug_fmt(span,
    format_args!("found byte string literal with non-ref type {0:?}", ty))span_bug!(span, "found byte string literal with non-ref type {ty:?}"),
979                    }
980                }
981                // Allow `b"...": [u8]` for `deref_patterns`
982                ty::Slice(..) if tcx.features().deref_patterns() => {
983                    pat_ty = Ty::new_slice(tcx, tcx.types.u8);
984                }
985                // Otherwise, `b"...": &[u8; 3]`
986                _ => {}
987            }
988        }
989
990        // When `deref_patterns` is enabled, in order to allow `deref!("..."): String`, we allow
991        // string literal patterns to have type `str`. This is accounted for when lowering to MIR.
992        if self.tcx.features().deref_patterns()
993            && #[allow(non_exhaustive_omitted_patterns)] match lit_kind {
    ast::LitKind::Str(..) => true,
    _ => false,
}matches!(lit_kind, ast::LitKind::Str(..))
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, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("this is of type `{0}`", ty))
    })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            _ => ::rustc_middle::util::bug::span_bug_fmt(span,
    format_args!("emit_err_pat_range: no side failed or exists but still error?"))span_bug!(span, "emit_err_pat_range: no side failed or exists but still error?"),
1106        };
1107        let mut err = {
    self.dcx().struct_span_err(span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("only `char` and numeric types are allowed in range patterns"))
                })).with_code(E0029)
}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            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("this is of type `{0}` but it should be `char` or numeric",
                ty))
    })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            _ => ::rustc_middle::util::bug::span_bug_fmt(span,
    format_args!("Impossible, verified above."))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            && #[allow(non_exhaustive_omitted_patterns)] match bm.0 {
    ByRef::Yes(Pinnedness::Not, _) => true,
    _ => false,
}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 #[allow(non_exhaustive_omitted_patterns)] match bm.0 {
    ByRef::Yes(_, Mutability::Mut) => true,
    _ => false,
}matches!(bm.0, ByRef::Yes(_, Mutability::Mut))
1222            && let MutblCap::WeaklyNot(and_pat_span) = pat_info.max_ref_mutbl
1223        {
1224            let mut err = {
    self.dcx().struct_span_err(ident.span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("cannot borrow as mutable inside an `&` pattern"))
                })).with_code(E0596)
}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        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:1245",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(1245u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("check_pat_ident: pat.hir_id={0:?} bm={1:?}",
                                                    pat.hir_id, bm) as &dyn Value))])
            });
    } else { ; }
};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 = ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("first introduced with type `{0}` here",
                var_ty))
    })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                #[allow(non_exhaustive_omitted_patterns)] match n {
    hir::Node::Expr(hir::Expr {
        kind: hir::ExprKind::Match(.., hir::MatchSource::Normal), .. }) =>
        true,
    _ => false,
}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(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0}a binding must have the same type in all alternatives",
                pre))
    })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            {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:1362",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(1362u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["inner", "pat",
                                        "binding_parent"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&debug(&inner) as
                                            &dyn Value)),
                                (&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&debug(&pat) as
                                            &dyn Value)),
                                (&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&debug(&binding_parent)
                                            as &dyn Value))])
            });
    } else { ; }
};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                    ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("to declare a mutable {0} use",
                ident_kind))
    })format!("to declare a mutable {ident_kind} use"),
1405                    ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("mut {0}", binding))
    })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(
1414                        ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("to take parameter `{0}` by reference, move `&{1}` to the type",
                binding, pin_and_mut))
    })format!("to take parameter `{binding}` by reference, move `&{pin_and_mut}` to the type"),
1415                        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [(pat.span.until(inner.span), "".to_owned()),
                (ty_span.shrink_to_lo(), mutbl.ref_prefix_str().to_owned())]))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, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0}: `{1}`", msg, sugg))
    })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                                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("consider removing `&{0}` from the pattern",
                pin_and_mut))
    })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, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0}: `{1}`", msg, sugg))
    })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                        ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("consider removing `&{0}` from the pattern",
                pin_and_mut))
    })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, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0}: `{1}`", msg, sugg))
    })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 = {
    self.dcx().struct_span_err(span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("type `{0}` cannot be dereferenced",
                            type_str))
                })).with_code(E0033)
}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, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("type `{0}` cannot be dereferenced",
                type_str))
    })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 had_err = 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(()) => match had_err {
1520                Ok(()) => pat_ty,
1521                Err(guar) => Ty::new_error(self.tcx, guar),
1522            },
1523            Err(guar) => Ty::new_error(self.tcx, guar),
1524        }
1525    }
1526
1527    fn resolve_pat_path(
1528        &self,
1529        path_id: HirId,
1530        span: Span,
1531        qpath: &'tcx hir::QPath<'_>,
1532    ) -> Result<ResolvedPat<'tcx>, ErrorGuaranteed> {
1533        let tcx = self.tcx;
1534
1535        let (res, opt_ty, segments) =
1536            self.resolve_ty_and_res_fully_qualified_call(qpath, path_id, span);
1537        match res {
1538            Res::Err => {
1539                let e =
1540                    self.dcx().span_delayed_bug(qpath.span(), "`Res::Err` but no error emitted");
1541                self.set_tainted_by_errors(e);
1542                return Err(e);
1543            }
1544            Res::Def(DefKind::AssocFn | DefKind::Ctor(_, CtorKind::Fn) | DefKind::Variant, _) => {
1545                let expected = "unit struct, unit variant or constant";
1546                let e = report_unexpected_variant_res(tcx, res, None, qpath, span, E0533, expected);
1547                return Err(e);
1548            }
1549            Res::SelfCtor(def_id) => {
1550                if let ty::Adt(adt_def, _) = *tcx.type_of(def_id).skip_binder().kind()
1551                    && adt_def.is_struct()
1552                    && let Some((CtorKind::Const, _)) = adt_def.non_enum_variant().ctor
1553                {
1554                    // Ok, we allow unit struct ctors in patterns only.
1555                } else {
1556                    let e = report_unexpected_variant_res(
1557                        tcx,
1558                        res,
1559                        None,
1560                        qpath,
1561                        span,
1562                        E0533,
1563                        "unit struct",
1564                    );
1565                    return Err(e);
1566                }
1567            }
1568            Res::Def(
1569                DefKind::Ctor(_, CtorKind::Const)
1570                | DefKind::Const { .. }
1571                | DefKind::AssocConst { .. }
1572                | DefKind::ConstParam,
1573                _,
1574            ) => {} // OK
1575            _ => ::rustc_middle::util::bug::bug_fmt(format_args!("unexpected pattern resolution: {0:?}",
        res))bug!("unexpected pattern resolution: {:?}", res),
1576        }
1577
1578        // Find the type of the path pattern, for later checking.
1579        let (pat_ty, pat_res) =
1580            self.instantiate_value_path(segments, opt_ty, res, span, span, path_id);
1581        Ok(ResolvedPat { ty: pat_ty, kind: ResolvedPatKind::Path { res, pat_res, segments } })
1582    }
1583
1584    fn check_pat_path(
1585        &self,
1586        pat_id_for_diag: HirId,
1587        span: Span,
1588        resolved: &ResolvedPat<'tcx>,
1589        expected: Ty<'tcx>,
1590        ti: &TopInfo<'tcx>,
1591    ) -> Ty<'tcx> {
1592        if let Err(err) =
1593            self.demand_suptype_with_origin(&self.pattern_cause(ti, span), expected, resolved.ty)
1594        {
1595            self.emit_bad_pat_path(err, pat_id_for_diag, span, resolved);
1596        }
1597        resolved.ty
1598    }
1599
1600    fn maybe_suggest_range_literal(
1601        &self,
1602        e: &mut Diag<'_>,
1603        opt_def_id: Option<hir::def_id::DefId>,
1604        ident: Ident,
1605    ) -> bool {
1606        if let Some(def_id) = opt_def_id
1607            && let Some(hir::Node::Item(hir::Item {
1608                kind: hir::ItemKind::Const(_, _, _, ct_rhs),
1609                ..
1610            })) = self.tcx.hir_get_if_local(def_id)
1611            && let hir::Node::Expr(expr) = self.tcx.hir_node(ct_rhs.hir_id())
1612            && hir::is_range_literal(expr)
1613        {
1614            let span = self.tcx.hir_span(ct_rhs.hir_id());
1615            if let Ok(snip) = self.tcx.sess.source_map().span_to_snippet(span) {
1616                e.span_suggestion_verbose(
1617                    ident.span,
1618                    "you may want to move the range into the match block",
1619                    snip,
1620                    Applicability::MachineApplicable,
1621                );
1622                return true;
1623            }
1624        }
1625        false
1626    }
1627
1628    fn emit_bad_pat_path(
1629        &self,
1630        mut e: Diag<'_>,
1631        hir_id: HirId,
1632        pat_span: Span,
1633        resolved_pat: &ResolvedPat<'tcx>,
1634    ) {
1635        let ResolvedPatKind::Path { res, pat_res, segments } = resolved_pat.kind else {
1636            ::rustc_middle::util::bug::span_bug_fmt(pat_span,
    format_args!("unexpected resolution for path pattern: {0:?}",
        resolved_pat));span_bug!(pat_span, "unexpected resolution for path pattern: {resolved_pat:?}");
1637        };
1638
1639        let span = match (self.tcx.hir_res_span(pat_res), res.opt_def_id()) {
1640            (Some(span), _) => span,
1641            (None, Some(def_id)) => self.tcx.def_span(def_id),
1642            (None, None) => {
1643                e.emit();
1644                return;
1645            }
1646        };
1647        if let [hir::PathSegment { ident, args: None, .. }] = segments
1648            && e.suggestions.len() == 0
1649        {
1650            e.span_label(span, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0} defined here", res.descr()))
    })format!("{} defined here", res.descr()));
1651            e.span_label(
1652                pat_span,
1653                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` is interpreted as {1} {2}, not a new binding",
                ident, res.article(), res.descr()))
    })format!(
1654                    "`{}` is interpreted as {} {}, not a new binding",
1655                    ident,
1656                    res.article(),
1657                    res.descr(),
1658                ),
1659            );
1660            match self.tcx.parent_hir_node(hir_id) {
1661                hir::Node::PatField(..) => {
1662                    e.span_suggestion_verbose(
1663                        ident.span.shrink_to_hi(),
1664                        "bind the struct field to a different name instead",
1665                        ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!(": other_{0}",
                ident.as_str().to_lowercase()))
    })format!(": other_{}", ident.as_str().to_lowercase()),
1666                        Applicability::HasPlaceholders,
1667                    );
1668                }
1669                _ => {
1670                    let (type_def_id, item_def_id) = match resolved_pat.ty.kind() {
1671                        ty::Adt(def, _) => match res {
1672                            Res::Def(DefKind::Const { .. }, def_id) => {
1673                                (Some(def.did()), Some(def_id))
1674                            }
1675                            _ => (None, None),
1676                        },
1677                        _ => (None, None),
1678                    };
1679
1680                    let is_range = #[allow(non_exhaustive_omitted_patterns)] match type_def_id.and_then(|id|
            self.tcx.as_lang_item(id)) {
    Some(LangItem::Range | LangItem::RangeFrom | LangItem::RangeTo |
        LangItem::RangeFull | LangItem::RangeInclusiveStruct |
        LangItem::RangeToInclusive) => true,
    _ => false,
}matches!(
1681                        type_def_id.and_then(|id| self.tcx.as_lang_item(id)),
1682                        Some(
1683                            LangItem::Range
1684                                | LangItem::RangeFrom
1685                                | LangItem::RangeTo
1686                                | LangItem::RangeFull
1687                                | LangItem::RangeInclusiveStruct
1688                                | LangItem::RangeToInclusive,
1689                        )
1690                    );
1691                    if is_range {
1692                        if !self.maybe_suggest_range_literal(&mut e, item_def_id, *ident) {
1693                            let msg = "constants only support matching by type, \
1694                                if you meant to match against a range of values, \
1695                                consider using a range pattern like `min ..= max` in the match block";
1696                            e.note(msg);
1697                        }
1698                    } else {
1699                        let msg = "introduce a new binding instead";
1700                        let sugg = ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("other_{0}",
                ident.as_str().to_lowercase()))
    })format!("other_{}", ident.as_str().to_lowercase());
1701                        e.span_suggestion_verbose(
1702                            ident.span,
1703                            msg,
1704                            sugg,
1705                            Applicability::HasPlaceholders,
1706                        );
1707                    }
1708                }
1709            };
1710        }
1711        e.emit();
1712    }
1713
1714    fn resolve_pat_tuple_struct(
1715        &self,
1716        pat: &'tcx Pat<'tcx>,
1717        qpath: &'tcx hir::QPath<'tcx>,
1718    ) -> Result<ResolvedPat<'tcx>, ErrorGuaranteed> {
1719        let tcx = self.tcx;
1720        let report_unexpected_res = |res: Res| {
1721            let expected = "tuple struct or tuple variant";
1722            let e = report_unexpected_variant_res(tcx, res, None, qpath, pat.span, E0164, expected);
1723            Err(e)
1724        };
1725
1726        // Resolve the path and check the definition for errors.
1727        let (res, opt_ty, segments) =
1728            self.resolve_ty_and_res_fully_qualified_call(qpath, pat.hir_id, pat.span);
1729        if res == Res::Err {
1730            let e = self.dcx().span_delayed_bug(pat.span, "`Res::Err` but no error emitted");
1731            self.set_tainted_by_errors(e);
1732            return Err(e);
1733        }
1734
1735        // Type-check the path.
1736        let (pat_ty, res) =
1737            self.instantiate_value_path(segments, opt_ty, res, pat.span, pat.span, pat.hir_id);
1738        if !pat_ty.is_fn() {
1739            return report_unexpected_res(res);
1740        }
1741
1742        let variant = match res {
1743            Res::Err => {
1744                self.dcx().span_bug(pat.span, "`Res::Err` but no error emitted");
1745            }
1746            Res::Def(DefKind::AssocConst { .. } | DefKind::AssocFn, _) => {
1747                return report_unexpected_res(res);
1748            }
1749            Res::Def(DefKind::Ctor(_, CtorKind::Fn), _) => tcx.expect_variant_res(res),
1750            _ => ::rustc_middle::util::bug::bug_fmt(format_args!("unexpected pattern resolution: {0:?}",
        res))bug!("unexpected pattern resolution: {:?}", res),
1751        };
1752
1753        // Replace constructor type with constructed type for tuple struct patterns.
1754        let pat_ty = pat_ty.fn_sig(tcx).output();
1755        let pat_ty = pat_ty.no_bound_vars().expect("expected fn type");
1756
1757        Ok(ResolvedPat { ty: pat_ty, kind: ResolvedPatKind::TupleStruct { res, variant } })
1758    }
1759
1760    fn check_pat_tuple_struct(
1761        &self,
1762        pat: &'tcx Pat<'tcx>,
1763        qpath: &'tcx hir::QPath<'tcx>,
1764        subpats: &'tcx [Pat<'tcx>],
1765        ddpos: hir::DotDotPos,
1766        res: Res,
1767        pat_ty: Ty<'tcx>,
1768        variant: &'tcx VariantDef,
1769        expected: Ty<'tcx>,
1770        pat_info: PatInfo<'tcx>,
1771    ) -> Ty<'tcx> {
1772        let tcx = self.tcx;
1773        let on_error = |e| {
1774            for pat in subpats {
1775                self.check_pat(pat, Ty::new_error(tcx, e), pat_info);
1776            }
1777        };
1778
1779        // Type-check the tuple struct pattern against the expected type.
1780        let had_err = self.demand_eqtype_pat(pat.span, expected, pat_ty, &pat_info.top_info);
1781
1782        // Type-check subpatterns.
1783        if subpats.len() == variant.fields.len()
1784            || subpats.len() < variant.fields.len() && ddpos.as_opt_usize().is_some()
1785        {
1786            let ty::Adt(_, args) = pat_ty.kind() else {
1787                ::rustc_middle::util::bug::bug_fmt(format_args!("unexpected pattern type {0:?}",
        pat_ty));bug!("unexpected pattern type {:?}", pat_ty);
1788            };
1789            for (i, subpat) in subpats.iter().enumerate_and_adjust(variant.fields.len(), ddpos) {
1790                let field = &variant.fields[FieldIdx::from_usize(i)];
1791                let field_ty = self.field_ty(subpat.span, field, args);
1792                self.check_pat(subpat, field_ty, pat_info);
1793
1794                self.tcx.check_stability(
1795                    variant.fields[FieldIdx::from_usize(i)].did,
1796                    Some(subpat.hir_id),
1797                    subpat.span,
1798                    None,
1799                );
1800            }
1801            if let Err(e) = had_err {
1802                on_error(e);
1803                return Ty::new_error(tcx, e);
1804            }
1805        } else {
1806            let e = self.emit_err_pat_wrong_number_of_fields(
1807                pat.span,
1808                res,
1809                qpath,
1810                subpats,
1811                &variant.fields.raw,
1812                expected,
1813                had_err,
1814            );
1815            on_error(e);
1816            return Ty::new_error(tcx, e);
1817        }
1818        pat_ty
1819    }
1820
1821    fn emit_err_pat_wrong_number_of_fields(
1822        &self,
1823        pat_span: Span,
1824        res: Res,
1825        qpath: &hir::QPath<'_>,
1826        subpats: &'tcx [Pat<'tcx>],
1827        fields: &'tcx [ty::FieldDef],
1828        expected: Ty<'tcx>,
1829        had_err: Result<(), ErrorGuaranteed>,
1830    ) -> ErrorGuaranteed {
1831        let subpats_ending = if subpats.len() == 1 { "" } else { "s" }pluralize!(subpats.len());
1832        let fields_ending = if fields.len() == 1 { "" } else { "s" }pluralize!(fields.len());
1833
1834        let subpat_spans = if subpats.is_empty() {
1835            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [pat_span]))vec![pat_span]
1836        } else {
1837            subpats.iter().map(|p| p.span).collect()
1838        };
1839        let last_subpat_span = *subpat_spans.last().unwrap();
1840        let res_span = self.tcx.def_span(res.def_id());
1841        let def_ident_span = self.tcx.def_ident_span(res.def_id()).unwrap_or(res_span);
1842        let field_def_spans = if fields.is_empty() {
1843            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [res_span]))vec![res_span]
1844        } else {
1845            fields.iter().map(|f| f.ident(self.tcx).span).collect()
1846        };
1847        let last_field_def_span = *field_def_spans.last().unwrap();
1848
1849        let mut err = {
    self.dcx().struct_span_err(MultiSpan::from_spans(subpat_spans),
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("this pattern has {0} field{1}, but the corresponding {2} has {3} field{4}",
                            subpats.len(), subpats_ending, res.descr(), fields.len(),
                            fields_ending))
                })).with_code(E0023)
}struct_span_code_err!(
1850            self.dcx(),
1851            MultiSpan::from_spans(subpat_spans),
1852            E0023,
1853            "this pattern has {} field{}, but the corresponding {} has {} field{}",
1854            subpats.len(),
1855            subpats_ending,
1856            res.descr(),
1857            fields.len(),
1858            fields_ending,
1859        );
1860        err.span_label(
1861            last_subpat_span,
1862            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("expected {0} field{1}, found {2}",
                fields.len(), fields_ending, subpats.len()))
    })format!("expected {} field{}, found {}", fields.len(), fields_ending, subpats.len()),
1863        );
1864        if self.tcx.sess.source_map().is_multiline(qpath.span().between(last_subpat_span)) {
1865            err.span_label(qpath.span(), "");
1866        }
1867        if self.tcx.sess.source_map().is_multiline(def_ident_span.between(last_field_def_span)) {
1868            err.span_label(def_ident_span, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0} defined here", res.descr()))
    })format!("{} defined here", res.descr()));
1869        }
1870        for span in &field_def_spans[..field_def_spans.len() - 1] {
1871            err.span_label(*span, "");
1872        }
1873        err.span_label(
1874            last_field_def_span,
1875            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0} has {1} field{2}", res.descr(),
                fields.len(), fields_ending))
    })format!("{} has {} field{}", res.descr(), fields.len(), fields_ending),
1876        );
1877
1878        // Identify the case `Some(x, y)` where the expected type is e.g. `Option<(T, U)>`.
1879        // More generally, the expected type wants a tuple variant with one field of an
1880        // N-arity-tuple, e.g., `V_i((p_0, .., p_N))`. Meanwhile, the user supplied a pattern
1881        // with the subpatterns directly in the tuple variant pattern, e.g., `V_i(p_0, .., p_N)`.
1882        let missing_parentheses = match (expected.kind(), fields, had_err) {
1883            // #67037: only do this if we could successfully type-check the expected type against
1884            // the tuple struct pattern. Otherwise the args could get out of range on e.g.,
1885            // `let P() = U;` where `P != U` with `struct Box<T>(T);`.
1886            (ty::Adt(_, args), [field], Ok(())) => {
1887                let field_ty = self.field_ty(pat_span, field, args);
1888                match field_ty.kind() {
1889                    ty::Tuple(fields) => fields.len() == subpats.len(),
1890                    _ => false,
1891                }
1892            }
1893            _ => false,
1894        };
1895        if missing_parentheses {
1896            let (left, right) = match subpats {
1897                // This is the zero case; we aim to get the "hi" part of the `QPath`'s
1898                // span as the "lo" and then the "hi" part of the pattern's span as the "hi".
1899                // This looks like:
1900                //
1901                // help: missing parentheses
1902                //   |
1903                // L |     let A(()) = A(());
1904                //   |          ^  ^
1905                [] => (qpath.span().shrink_to_hi(), pat_span),
1906                // Easy case. Just take the "lo" of the first sub-pattern and the "hi" of the
1907                // last sub-pattern. In the case of `A(x)` the first and last may coincide.
1908                // This looks like:
1909                //
1910                // help: missing parentheses
1911                //   |
1912                // L |     let A((x, y)) = A((1, 2));
1913                //   |           ^    ^
1914                [first, ..] => (first.span.shrink_to_lo(), subpats.last().unwrap().span),
1915            };
1916            err.multipart_suggestion(
1917                "missing parentheses",
1918                ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [(left, "(".to_string()), (right.shrink_to_hi(), ")".to_string())]))vec![(left, "(".to_string()), (right.shrink_to_hi(), ")".to_string())],
1919                Applicability::MachineApplicable,
1920            );
1921        } else if fields.len() > subpats.len() && pat_span != DUMMY_SP {
1922            let after_fields_span = pat_span.with_hi(pat_span.hi() - BytePos(1)).shrink_to_hi();
1923            let all_fields_span = match subpats {
1924                [] => after_fields_span,
1925                [field] => field.span,
1926                [first, .., last] => first.span.to(last.span),
1927            };
1928
1929            // Check if all the fields in the pattern are wildcards.
1930            let all_wildcards = subpats.iter().all(|pat| #[allow(non_exhaustive_omitted_patterns)] match pat.kind {
    PatKind::Wild => true,
    _ => false,
}matches!(pat.kind, PatKind::Wild));
1931            let first_tail_wildcard =
1932                subpats.iter().enumerate().fold(None, |acc, (pos, pat)| match (acc, &pat.kind) {
1933                    (None, PatKind::Wild) => Some(pos),
1934                    (Some(_), PatKind::Wild) => acc,
1935                    _ => None,
1936                });
1937            let tail_span = match first_tail_wildcard {
1938                None => after_fields_span,
1939                Some(0) => subpats[0].span.to(after_fields_span),
1940                Some(pos) => subpats[pos - 1].span.shrink_to_hi().to(after_fields_span),
1941            };
1942
1943            // FIXME: heuristic-based suggestion to check current types for where to add `_`.
1944            let mut wildcard_sugg = ::alloc::vec::from_elem("_", fields.len() - subpats.len())vec!["_"; fields.len() - subpats.len()].join(", ");
1945            if !subpats.is_empty() {
1946                wildcard_sugg = String::from(", ") + &wildcard_sugg;
1947            }
1948
1949            err.span_suggestion_verbose(
1950                after_fields_span,
1951                "use `_` to explicitly ignore each field",
1952                wildcard_sugg,
1953                Applicability::MaybeIncorrect,
1954            );
1955
1956            // Only suggest `..` if more than one field is missing
1957            // or the pattern consists of all wildcards.
1958            if fields.len() - subpats.len() > 1 || all_wildcards {
1959                if subpats.is_empty() || all_wildcards {
1960                    err.span_suggestion_verbose(
1961                        all_fields_span,
1962                        "use `..` to ignore all fields",
1963                        "..",
1964                        Applicability::MaybeIncorrect,
1965                    );
1966                } else {
1967                    err.span_suggestion_verbose(
1968                        tail_span,
1969                        "use `..` to ignore the rest of the fields",
1970                        ", ..",
1971                        Applicability::MaybeIncorrect,
1972                    );
1973                }
1974            }
1975        }
1976
1977        err.emit()
1978    }
1979
1980    fn check_pat_tuple(
1981        &self,
1982        span: Span,
1983        elements: &'tcx [Pat<'tcx>],
1984        ddpos: hir::DotDotPos,
1985        expected: Ty<'tcx>,
1986        pat_info: PatInfo<'tcx>,
1987    ) -> Ty<'tcx> {
1988        let tcx = self.tcx;
1989        let mut expected_len = elements.len();
1990        if ddpos.as_opt_usize().is_some() {
1991            // Require known type only when `..` is present.
1992            if let ty::Tuple(tys) = self.structurally_resolve_type(span, expected).kind() {
1993                expected_len = tys.len();
1994            }
1995        }
1996        let max_len = cmp::max(expected_len, elements.len());
1997
1998        let element_tys_iter = (0..max_len).map(|_| self.next_ty_var(span));
1999        let element_tys = tcx.mk_type_list_from_iter(element_tys_iter);
2000        let pat_ty = Ty::new_tup(tcx, element_tys);
2001        if let Err(reported) = self.demand_eqtype_pat(span, expected, pat_ty, &pat_info.top_info) {
2002            // Walk subpatterns with an expected type of `err` in this case to silence
2003            // further errors being emitted when using the bindings. #50333
2004            for (_, elem) in elements.iter().enumerate_and_adjust(max_len, ddpos) {
2005                self.check_pat(elem, Ty::new_error(tcx, reported), pat_info);
2006            }
2007            Ty::new_error(tcx, reported)
2008        } else {
2009            for (i, elem) in elements.iter().enumerate_and_adjust(max_len, ddpos) {
2010                self.check_pat(elem, element_tys[i], pat_info);
2011            }
2012            pat_ty
2013        }
2014    }
2015
2016    fn check_struct_pat_fields(
2017        &self,
2018        adt_ty: Ty<'tcx>,
2019        pat: &'tcx Pat<'tcx>,
2020        variant: &'tcx ty::VariantDef,
2021        fields: &'tcx [hir::PatField<'tcx>],
2022        has_rest_pat: bool,
2023        pat_info: PatInfo<'tcx>,
2024    ) -> Result<(), ErrorGuaranteed> {
2025        let tcx = self.tcx;
2026
2027        let ty::Adt(adt, args) = adt_ty.kind() else {
2028            ::rustc_middle::util::bug::span_bug_fmt(pat.span,
    format_args!("struct pattern is not an ADT"));span_bug!(pat.span, "struct pattern is not an ADT");
2029        };
2030
2031        // Index the struct fields' types.
2032        let field_map = variant
2033            .fields
2034            .iter_enumerated()
2035            .map(|(i, field)| (field.ident(self.tcx).normalize_to_macros_2_0(), (i, field)))
2036            .collect::<FxHashMap<_, _>>();
2037
2038        // Keep track of which fields have already appeared in the pattern.
2039        let mut used_fields = FxHashMap::default();
2040        let mut result = Ok(());
2041
2042        let mut inexistent_fields = ::alloc::vec::Vec::new()vec![];
2043        // Typecheck each field.
2044        for field in fields {
2045            let span = field.span;
2046            let ident = tcx.adjust_ident(field.ident, variant.def_id);
2047            let field_ty = match used_fields.entry(ident) {
2048                Occupied(occupied) => {
2049                    let guar = self.error_field_already_bound(span, field.ident, *occupied.get());
2050                    result = Err(guar);
2051                    Ty::new_error(tcx, guar)
2052                }
2053                Vacant(vacant) => {
2054                    vacant.insert(span);
2055                    field_map
2056                        .get(&ident)
2057                        .map(|(i, f)| {
2058                            self.write_field_index(field.hir_id, *i);
2059                            self.tcx.check_stability(f.did, Some(field.hir_id), span, None);
2060                            self.field_ty(span, f, args)
2061                        })
2062                        .unwrap_or_else(|| {
2063                            inexistent_fields.push(field);
2064                            Ty::new_misc_error(tcx)
2065                        })
2066                }
2067            };
2068
2069            self.check_pat(field.pat, field_ty, pat_info);
2070        }
2071
2072        let mut unmentioned_fields = variant
2073            .fields
2074            .iter()
2075            .map(|field| (field, field.ident(self.tcx).normalize_to_macros_2_0()))
2076            .filter(|(_, ident)| !used_fields.contains_key(ident))
2077            .collect::<Vec<_>>();
2078
2079        let inexistent_fields_err = if !inexistent_fields.is_empty()
2080            && !inexistent_fields.iter().any(|field| field.ident.name == kw::Underscore)
2081        {
2082            // we don't care to report errors for a struct if the struct itself is tainted
2083            variant.has_errors()?;
2084            Some(self.error_inexistent_fields(
2085                adt.variant_descr(),
2086                &inexistent_fields,
2087                &mut unmentioned_fields,
2088                pat,
2089                variant,
2090                args,
2091            ))
2092        } else {
2093            None
2094        };
2095
2096        // Require `..` if struct has non_exhaustive attribute.
2097        let non_exhaustive = variant.field_list_has_applicable_non_exhaustive();
2098        if non_exhaustive && !has_rest_pat {
2099            self.error_foreign_non_exhaustive_spat(pat, adt.variant_descr(), fields.is_empty());
2100        }
2101
2102        let mut unmentioned_err = None;
2103        // Report an error if an incorrect number of fields was specified.
2104        if adt.is_union() {
2105            if fields.len() != 1 {
2106                self.dcx().emit_err(errors::UnionPatMultipleFields { span: pat.span });
2107            }
2108            if has_rest_pat {
2109                self.dcx().emit_err(errors::UnionPatDotDot { span: pat.span });
2110            }
2111        } else if !unmentioned_fields.is_empty() {
2112            let accessible_unmentioned_fields: Vec<_> = unmentioned_fields
2113                .iter()
2114                .copied()
2115                .filter(|(field, _)| self.is_field_suggestable(field, pat.hir_id, pat.span))
2116                .collect();
2117
2118            if !has_rest_pat {
2119                if accessible_unmentioned_fields.is_empty() {
2120                    unmentioned_err = Some(self.error_no_accessible_fields(pat, fields));
2121                } else {
2122                    unmentioned_err = Some(self.error_unmentioned_fields(
2123                        pat,
2124                        &accessible_unmentioned_fields,
2125                        accessible_unmentioned_fields.len() != unmentioned_fields.len(),
2126                        fields,
2127                    ));
2128                }
2129            } else if non_exhaustive && !accessible_unmentioned_fields.is_empty() {
2130                self.lint_non_exhaustive_omitted_patterns(
2131                    pat,
2132                    &accessible_unmentioned_fields,
2133                    adt_ty,
2134                )
2135            }
2136        }
2137        match (inexistent_fields_err, unmentioned_err) {
2138            (Some(i), Some(u)) => {
2139                if let Err(e) = self.error_tuple_variant_as_struct_pat(pat, fields, variant) {
2140                    // We don't want to show the nonexistent fields error when this was
2141                    // `Foo { a, b }` when it should have been `Foo(a, b)`.
2142                    i.delay_as_bug();
2143                    u.delay_as_bug();
2144                    Err(e)
2145                } else {
2146                    i.emit();
2147                    Err(u.emit())
2148                }
2149            }
2150            (None, Some(u)) => {
2151                if let Err(e) = self.error_tuple_variant_as_struct_pat(pat, fields, variant) {
2152                    u.delay_as_bug();
2153                    Err(e)
2154                } else {
2155                    Err(u.emit())
2156                }
2157            }
2158            (Some(err), None) => Err(err.emit()),
2159            (None, None) => {
2160                self.error_tuple_variant_index_shorthand(variant, pat, fields)?;
2161                result
2162            }
2163        }
2164    }
2165
2166    fn error_tuple_variant_index_shorthand(
2167        &self,
2168        variant: &VariantDef,
2169        pat: &'_ Pat<'_>,
2170        fields: &[hir::PatField<'_>],
2171    ) -> Result<(), ErrorGuaranteed> {
2172        // if this is a tuple struct, then all field names will be numbers
2173        // so if any fields in a struct pattern use shorthand syntax, they will
2174        // be invalid identifiers (for example, Foo { 0, 1 }).
2175        if let (Some(CtorKind::Fn), PatKind::Struct(qpath, field_patterns, ..)) =
2176            (variant.ctor_kind(), &pat.kind)
2177        {
2178            let has_shorthand_field_name = field_patterns.iter().any(|field| field.is_shorthand);
2179            if has_shorthand_field_name {
2180                let path = rustc_hir_pretty::qpath_to_string(&self.tcx, qpath);
2181                let mut err = {
    self.dcx().struct_span_err(pat.span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("tuple variant `{0}` written as struct variant",
                            path))
                })).with_code(E0769)
}struct_span_code_err!(
2182                    self.dcx(),
2183                    pat.span,
2184                    E0769,
2185                    "tuple variant `{path}` written as struct variant",
2186                );
2187                err.span_suggestion_verbose(
2188                    qpath.span().shrink_to_hi().to(pat.span.shrink_to_hi()),
2189                    "use the tuple variant pattern syntax instead",
2190                    ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("({0})",
                self.get_suggested_tuple_struct_pattern(fields, variant)))
    })format!("({})", self.get_suggested_tuple_struct_pattern(fields, variant)),
2191                    Applicability::MaybeIncorrect,
2192                );
2193                return Err(err.emit());
2194            }
2195        }
2196        Ok(())
2197    }
2198
2199    fn error_foreign_non_exhaustive_spat(&self, pat: &Pat<'_>, descr: &str, no_fields: bool) {
2200        let sess = self.tcx.sess;
2201        let sm = sess.source_map();
2202        let sp_brace = sm.end_point(pat.span);
2203        let sp_comma = sm.end_point(pat.span.with_hi(sp_brace.hi()));
2204        let sugg = if no_fields || sp_brace != sp_comma { ".. }" } else { ", .. }" };
2205
2206        {
    self.dcx().struct_span_err(pat.span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("`..` required with {0} marked as non-exhaustive",
                            descr))
                })).with_code(E0638)
}struct_span_code_err!(
2207            self.dcx(),
2208            pat.span,
2209            E0638,
2210            "`..` required with {descr} marked as non-exhaustive",
2211        )
2212        .with_span_suggestion_verbose(
2213            sp_comma,
2214            "add `..` at the end of the field list to ignore all other fields",
2215            sugg,
2216            Applicability::MachineApplicable,
2217        )
2218        .emit();
2219    }
2220
2221    fn error_field_already_bound(
2222        &self,
2223        span: Span,
2224        ident: Ident,
2225        other_field: Span,
2226    ) -> ErrorGuaranteed {
2227        {
    self.dcx().struct_span_err(span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("field `{0}` bound multiple times in the pattern",
                            ident))
                })).with_code(E0025)
}struct_span_code_err!(
2228            self.dcx(),
2229            span,
2230            E0025,
2231            "field `{}` bound multiple times in the pattern",
2232            ident
2233        )
2234        .with_span_label(span, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("multiple uses of `{0}` in pattern",
                ident))
    })format!("multiple uses of `{ident}` in pattern"))
2235        .with_span_label(other_field, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("first use of `{0}`", ident))
    })format!("first use of `{ident}`"))
2236        .emit()
2237    }
2238
2239    fn error_inexistent_fields(
2240        &self,
2241        kind_name: &str,
2242        inexistent_fields: &[&hir::PatField<'tcx>],
2243        unmentioned_fields: &mut Vec<(&'tcx ty::FieldDef, Ident)>,
2244        pat: &'tcx Pat<'tcx>,
2245        variant: &ty::VariantDef,
2246        args: ty::GenericArgsRef<'tcx>,
2247    ) -> Diag<'a> {
2248        let tcx = self.tcx;
2249        let (field_names, t, plural) = if let [field] = inexistent_fields {
2250            (::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("a field named `{0}`", field.ident))
    })format!("a field named `{}`", field.ident), "this", "")
2251        } else {
2252            (
2253                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("fields named {0}",
                inexistent_fields.iter().map(|field|
                                ::alloc::__export::must_use({
                                        ::alloc::fmt::format(format_args!("`{0}`", field.ident))
                                    })).collect::<Vec<String>>().join(", ")))
    })format!(
2254                    "fields named {}",
2255                    inexistent_fields
2256                        .iter()
2257                        .map(|field| format!("`{}`", field.ident))
2258                        .collect::<Vec<String>>()
2259                        .join(", ")
2260                ),
2261                "these",
2262                "s",
2263            )
2264        };
2265        let spans = inexistent_fields.iter().map(|field| field.ident.span).collect::<Vec<_>>();
2266        let mut err = {
    self.dcx().struct_span_err(spans,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("{0} `{1}` does not have {2}",
                            kind_name, tcx.def_path_str(variant.def_id), field_names))
                })).with_code(E0026)
}struct_span_code_err!(
2267            self.dcx(),
2268            spans,
2269            E0026,
2270            "{} `{}` does not have {}",
2271            kind_name,
2272            tcx.def_path_str(variant.def_id),
2273            field_names
2274        );
2275        if let Some(pat_field) = inexistent_fields.last() {
2276            err.span_label(
2277                pat_field.ident.span,
2278                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0} `{1}` does not have {2} field{3}",
                kind_name, tcx.def_path_str(variant.def_id), t, plural))
    })format!(
2279                    "{} `{}` does not have {} field{}",
2280                    kind_name,
2281                    tcx.def_path_str(variant.def_id),
2282                    t,
2283                    plural
2284                ),
2285            );
2286
2287            if let [(field_def, field)] = unmentioned_fields.as_slice()
2288                && self.is_field_suggestable(field_def, pat.hir_id, pat.span)
2289            {
2290                let suggested_name =
2291                    find_best_match_for_name(&[field.name], pat_field.ident.name, None);
2292                if let Some(suggested_name) = suggested_name {
2293                    err.span_suggestion_verbose(
2294                        pat_field.ident.span,
2295                        "a field with a similar name exists",
2296                        suggested_name,
2297                        Applicability::MaybeIncorrect,
2298                    );
2299
2300                    // When we have a tuple struct used with struct we don't want to suggest using
2301                    // the (valid) struct syntax with numeric field names. Instead we want to
2302                    // suggest the expected syntax. We infer that this is the case by parsing the
2303                    // `Ident` into an unsized integer. The suggestion will be emitted elsewhere in
2304                    // `smart_resolve_context_dependent_help`.
2305                    if suggested_name.to_ident_string().parse::<usize>().is_err() {
2306                        // We don't want to throw `E0027` in case we have thrown `E0026` for them.
2307                        unmentioned_fields.retain(|&(_, x)| x.name != suggested_name);
2308                    }
2309                } else if inexistent_fields.len() == 1 {
2310                    match pat_field.pat.kind {
2311                        PatKind::Expr(_)
2312                            if !self.may_coerce(
2313                                self.typeck_results.borrow().node_type(pat_field.pat.hir_id),
2314                                self.field_ty(field.span, field_def, args),
2315                            ) => {}
2316                        _ => {
2317                            err.span_suggestion_short(
2318                                pat_field.ident.span,
2319                                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` has a field named `{1}`",
                tcx.def_path_str(variant.def_id), field.name))
    })format!(
2320                                    "`{}` has a field named `{}`",
2321                                    tcx.def_path_str(variant.def_id),
2322                                    field.name,
2323                                ),
2324                                field.name,
2325                                Applicability::MaybeIncorrect,
2326                            );
2327                        }
2328                    }
2329                }
2330            }
2331        }
2332        if tcx.sess.teach(err.code.unwrap()) {
2333            err.note(
2334                "This error indicates that a struct pattern attempted to \
2335                 extract a nonexistent field from a struct. Struct fields \
2336                 are identified by the name used before the colon : so struct \
2337                 patterns should resemble the declaration of the struct type \
2338                 being matched.\n\n\
2339                 If you are using shorthand field patterns but want to refer \
2340                 to the struct field by a different name, you should rename \
2341                 it explicitly.",
2342            );
2343        }
2344        err
2345    }
2346
2347    fn error_tuple_variant_as_struct_pat(
2348        &self,
2349        pat: &Pat<'_>,
2350        fields: &'tcx [hir::PatField<'tcx>],
2351        variant: &ty::VariantDef,
2352    ) -> Result<(), ErrorGuaranteed> {
2353        if let (Some(CtorKind::Fn), PatKind::Struct(qpath, pattern_fields, ..)) =
2354            (variant.ctor_kind(), &pat.kind)
2355        {
2356            let is_tuple_struct_match = !pattern_fields.is_empty()
2357                && pattern_fields.iter().map(|field| field.ident.name.as_str()).all(is_number);
2358            if is_tuple_struct_match {
2359                return Ok(());
2360            }
2361
2362            // we don't care to report errors for a struct if the struct itself is tainted
2363            variant.has_errors()?;
2364
2365            let path = rustc_hir_pretty::qpath_to_string(&self.tcx, qpath);
2366            let mut err = {
    self.dcx().struct_span_err(pat.span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("tuple variant `{0}` written as struct variant",
                            path))
                })).with_code(E0769)
}struct_span_code_err!(
2367                self.dcx(),
2368                pat.span,
2369                E0769,
2370                "tuple variant `{}` written as struct variant",
2371                path
2372            );
2373            let (sugg, appl) = if fields.len() == variant.fields.len() {
2374                (
2375                    self.get_suggested_tuple_struct_pattern(fields, variant),
2376                    Applicability::MachineApplicable,
2377                )
2378            } else {
2379                (
2380                    variant.fields.iter().map(|_| "_").collect::<Vec<&str>>().join(", "),
2381                    Applicability::MaybeIncorrect,
2382                )
2383            };
2384            err.span_suggestion_verbose(
2385                qpath.span().shrink_to_hi().to(pat.span.shrink_to_hi()),
2386                "use the tuple variant pattern syntax instead",
2387                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("({0})", sugg))
    })format!("({sugg})"),
2388                appl,
2389            );
2390            return Err(err.emit());
2391        }
2392        Ok(())
2393    }
2394
2395    fn get_suggested_tuple_struct_pattern(
2396        &self,
2397        fields: &[hir::PatField<'_>],
2398        variant: &VariantDef,
2399    ) -> String {
2400        let variant_field_idents =
2401            variant.fields.iter().map(|f| f.ident(self.tcx)).collect::<Vec<Ident>>();
2402        fields
2403            .iter()
2404            .map(|field| {
2405                match self.tcx.sess.source_map().span_to_snippet(field.pat.span) {
2406                    Ok(f) => {
2407                        // Field names are numbers, but numbers
2408                        // are not valid identifiers
2409                        if variant_field_idents.contains(&field.ident) {
2410                            String::from("_")
2411                        } else {
2412                            f
2413                        }
2414                    }
2415                    Err(_) => rustc_hir_pretty::pat_to_string(&self.tcx, field.pat),
2416                }
2417            })
2418            .collect::<Vec<String>>()
2419            .join(", ")
2420    }
2421
2422    /// Returns a diagnostic reporting a struct pattern which is missing an `..` due to
2423    /// inaccessible fields.
2424    ///
2425    /// ```text
2426    /// error: pattern requires `..` due to inaccessible fields
2427    ///   --> src/main.rs:10:9
2428    ///    |
2429    /// LL |     let foo::Foo {} = foo::Foo::default();
2430    ///    |         ^^^^^^^^^^^
2431    ///    |
2432    /// help: add a `..`
2433    ///    |
2434    /// LL |     let foo::Foo { .. } = foo::Foo::default();
2435    ///    |                  ^^^^^^
2436    /// ```
2437    fn error_no_accessible_fields(
2438        &self,
2439        pat: &Pat<'_>,
2440        fields: &'tcx [hir::PatField<'tcx>],
2441    ) -> Diag<'a> {
2442        let mut err = self
2443            .dcx()
2444            .struct_span_err(pat.span, "pattern requires `..` due to inaccessible fields");
2445
2446        if let Some(field) = fields.last() {
2447            let tail_span = field.span.shrink_to_hi().to(pat.span.shrink_to_hi());
2448            let comma_hi_offset =
2449                self.tcx.sess.source_map().span_to_snippet(tail_span).ok().and_then(|snippet| {
2450                    let trimmed = snippet.trim_start();
2451                    trimmed.starts_with(',').then(|| (snippet.len() - trimmed.len() + 1) as u32)
2452                });
2453            err.span_suggestion_verbose(
2454                if let Some(comma_hi_offset) = comma_hi_offset {
2455                    tail_span.with_hi(tail_span.lo() + BytePos(comma_hi_offset)).shrink_to_hi()
2456                } else {
2457                    field.span.shrink_to_hi()
2458                },
2459                "ignore the inaccessible and unused fields",
2460                if comma_hi_offset.is_some() { " .." } else { ", .." },
2461                Applicability::MachineApplicable,
2462            );
2463        } else {
2464            let qpath_span = if let PatKind::Struct(qpath, ..) = &pat.kind {
2465                qpath.span()
2466            } else {
2467                ::rustc_middle::util::bug::bug_fmt(format_args!("`error_no_accessible_fields` called on non-struct pattern"));bug!("`error_no_accessible_fields` called on non-struct pattern");
2468            };
2469
2470            // Shrink the span to exclude the `foo:Foo` in `foo::Foo { }`.
2471            let span = pat.span.with_lo(qpath_span.shrink_to_hi().hi());
2472            err.span_suggestion_verbose(
2473                span,
2474                "ignore the inaccessible and unused fields",
2475                " { .. }",
2476                Applicability::MachineApplicable,
2477            );
2478        }
2479        err
2480    }
2481
2482    /// Report that a pattern for a `#[non_exhaustive]` struct marked with `non_exhaustive_omitted_patterns`
2483    /// is not exhaustive enough.
2484    ///
2485    /// Nb: the partner lint for enums lives in `compiler/rustc_mir_build/src/thir/pattern/usefulness.rs`.
2486    fn lint_non_exhaustive_omitted_patterns(
2487        &self,
2488        pat: &Pat<'_>,
2489        unmentioned_fields: &[(&ty::FieldDef, Ident)],
2490        ty: Ty<'tcx>,
2491    ) {
2492        struct FieldsNotListed<'a, 'b, 'tcx> {
2493            pat_span: Span,
2494            unmentioned_fields: &'a [(&'b ty::FieldDef, Ident)],
2495            joined_patterns: String,
2496            ty: Ty<'tcx>,
2497        }
2498
2499        impl<'a, 'b, 'c, 'tcx> Diagnostic<'a, ()> for FieldsNotListed<'b, 'c, 'tcx> {
2500            fn into_diag(self, dcx: DiagCtxtHandle<'a>, level: Level) -> Diag<'a, ()> {
2501                let Self { pat_span, unmentioned_fields, joined_patterns, ty } = self;
2502                Diag::new(dcx, level, "some fields are not explicitly listed")
2503                    .with_span_label(pat_span, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("field{0} {1} not listed",
                if unmentioned_fields.len() == 1 { "" } else { "s" },
                joined_patterns))
    })format!("field{} {} not listed", rustc_errors::pluralize!(unmentioned_fields.len()), joined_patterns))
2504                    .with_help(
2505                        "ensure that all fields are mentioned explicitly by adding the suggested fields",
2506                    )
2507                    .with_note(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("the pattern is of type `{0}` and the `non_exhaustive_omitted_patterns` attribute was found",
                ty))
    })format!(
2508                        "the pattern is of type `{ty}` and the `non_exhaustive_omitted_patterns` attribute was found",
2509                    ))
2510            }
2511        }
2512
2513        fn joined_uncovered_patterns(witnesses: &[&Ident]) -> String {
2514            const LIMIT: usize = 3;
2515            match witnesses {
2516                [] => {
2517                    {
    ::core::panicking::panic_fmt(format_args!("internal error: entered unreachable code: {0}",
            format_args!("expected an uncovered pattern, otherwise why are we emitting an error?")));
}unreachable!(
2518                        "expected an uncovered pattern, otherwise why are we emitting an error?"
2519                    )
2520                }
2521                [witness] => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}`", witness))
    })format!("`{witness}`"),
2522                [head @ .., tail] if head.len() < LIMIT => {
2523                    let head: Vec<_> = head.iter().map(<_>::to_string).collect();
2524                    ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` and `{1}`",
                head.join("`, `"), tail))
    })format!("`{}` and `{}`", head.join("`, `"), tail)
2525                }
2526                _ => {
2527                    let (head, tail) = witnesses.split_at(LIMIT);
2528                    let head: Vec<_> = head.iter().map(<_>::to_string).collect();
2529                    ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` and {1} more",
                head.join("`, `"), tail.len()))
    })format!("`{}` and {} more", head.join("`, `"), tail.len())
2530                }
2531            }
2532        }
2533        let joined_patterns = joined_uncovered_patterns(
2534            &unmentioned_fields.iter().map(|(_, i)| i).collect::<Vec<_>>(),
2535        );
2536
2537        self.tcx.emit_node_span_lint(
2538            NON_EXHAUSTIVE_OMITTED_PATTERNS,
2539            pat.hir_id,
2540            pat.span,
2541            FieldsNotListed { pat_span: pat.span, unmentioned_fields, joined_patterns, ty },
2542        );
2543    }
2544
2545    /// Returns a diagnostic reporting a struct pattern which does not mention some fields.
2546    ///
2547    /// ```text
2548    /// error[E0027]: pattern does not mention field `bar`
2549    ///   --> src/main.rs:15:9
2550    ///    |
2551    /// LL |     let foo::Foo {} = foo::Foo::new();
2552    ///    |         ^^^^^^^^^^^ missing field `bar`
2553    /// ```
2554    fn error_unmentioned_fields(
2555        &self,
2556        pat: &Pat<'_>,
2557        unmentioned_fields: &[(&ty::FieldDef, Ident)],
2558        have_inaccessible_fields: bool,
2559        fields: &'tcx [hir::PatField<'tcx>],
2560    ) -> Diag<'a> {
2561        let inaccessible = if have_inaccessible_fields { " and inaccessible fields" } else { "" };
2562        let field_names = if let [(_, field)] = unmentioned_fields {
2563            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("field `{0}`{1}", field,
                inaccessible))
    })format!("field `{field}`{inaccessible}")
2564        } else {
2565            let fields = unmentioned_fields
2566                .iter()
2567                .map(|(_, name)| ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}`", name))
    })format!("`{name}`"))
2568                .collect::<Vec<String>>()
2569                .join(", ");
2570            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("fields {0}{1}", fields,
                inaccessible))
    })format!("fields {fields}{inaccessible}")
2571        };
2572        let mut err = {
    self.dcx().struct_span_err(pat.span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("pattern does not mention {0}",
                            field_names))
                })).with_code(E0027)
}struct_span_code_err!(
2573            self.dcx(),
2574            pat.span,
2575            E0027,
2576            "pattern does not mention {}",
2577            field_names
2578        );
2579        err.span_label(pat.span, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("missing {0}", field_names))
    })format!("missing {field_names}"));
2580        let len = unmentioned_fields.len();
2581        let (prefix, postfix, sp) = match fields {
2582            [] => match &pat.kind {
2583                PatKind::Struct(path, [], None) => {
2584                    (" { ", " }", path.span().shrink_to_hi().until(pat.span.shrink_to_hi()))
2585                }
2586                _ => return err,
2587            },
2588            [.., field] => {
2589                // Account for last field having a trailing comma or parse recovery at the tail of
2590                // the pattern to avoid invalid suggestion (#78511).
2591                let tail = field.span.shrink_to_hi().with_hi(pat.span.hi());
2592                match &pat.kind {
2593                    PatKind::Struct(..) => (", ", " }", tail),
2594                    _ => return err,
2595                }
2596            }
2597        };
2598        err.span_suggestion(
2599            sp,
2600            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("include the missing field{0} in the pattern{1}",
                if len == 1 { "" } else { "s" },
                if have_inaccessible_fields {
                    " and ignore the inaccessible fields"
                } else { "" }))
    })format!(
2601                "include the missing field{} in the pattern{}",
2602                pluralize!(len),
2603                if have_inaccessible_fields { " and ignore the inaccessible fields" } else { "" }
2604            ),
2605            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0}{1}{2}{3}", prefix,
                unmentioned_fields.iter().map(|(_, name)|
                                {
                                    let field_name = name.to_string();
                                    if is_number(&field_name) {
                                        ::alloc::__export::must_use({
                                                ::alloc::fmt::format(format_args!("{0}: _", field_name))
                                            })
                                    } else { field_name }
                                }).collect::<Vec<_>>().join(", "),
                if have_inaccessible_fields { ", .." } else { "" }, postfix))
    })format!(
2606                "{}{}{}{}",
2607                prefix,
2608                unmentioned_fields
2609                    .iter()
2610                    .map(|(_, name)| {
2611                        let field_name = name.to_string();
2612                        if is_number(&field_name) { format!("{field_name}: _") } else { field_name }
2613                    })
2614                    .collect::<Vec<_>>()
2615                    .join(", "),
2616                if have_inaccessible_fields { ", .." } else { "" },
2617                postfix,
2618            ),
2619            Applicability::MachineApplicable,
2620        );
2621        err.span_suggestion(
2622            sp,
2623            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("if you don\'t care about {0} missing field{1}, you can explicitly ignore {2}",
                if len == 1 { "this" } else { "these" },
                if len == 1 { "" } else { "s" },
                if len == 1 { "it" } else { "them" }))
    })format!(
2624                "if you don't care about {these} missing field{s}, you can explicitly ignore {them}",
2625                these = pluralize!("this", len),
2626                s = pluralize!(len),
2627                them = if len == 1 { "it" } else { "them" },
2628            ),
2629            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0}{1}{2}{3}", prefix,
                unmentioned_fields.iter().map(|(_, name)|
                                {
                                    let field_name = name.to_string();
                                    ::alloc::__export::must_use({
                                            ::alloc::fmt::format(format_args!("{0}: _", field_name))
                                        })
                                }).collect::<Vec<_>>().join(", "),
                if have_inaccessible_fields { ", .." } else { "" }, postfix))
    })format!(
2630                "{}{}{}{}",
2631                prefix,
2632                unmentioned_fields
2633                    .iter()
2634                    .map(|(_, name)| {
2635                        let field_name = name.to_string();
2636                        format!("{field_name}: _")
2637                    })
2638                    .collect::<Vec<_>>()
2639                    .join(", "),
2640                if have_inaccessible_fields { ", .." } else { "" },
2641                postfix,
2642            ),
2643            Applicability::MachineApplicable,
2644        );
2645        err.span_suggestion(
2646            sp,
2647            "or always ignore missing fields here",
2648            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0}..{1}", prefix, postfix))
    })format!("{prefix}..{postfix}"),
2649            Applicability::MachineApplicable,
2650        );
2651        err
2652    }
2653
2654    fn check_pat_box(
2655        &self,
2656        span: Span,
2657        inner: &'tcx Pat<'tcx>,
2658        expected: Ty<'tcx>,
2659        pat_info: PatInfo<'tcx>,
2660    ) -> Ty<'tcx> {
2661        let tcx = self.tcx;
2662        let (box_ty, inner_ty) = self
2663            .check_dereferenceable(span, expected, inner)
2664            .and_then(|()| {
2665                // Here, `demand::subtype` is good enough, but I don't
2666                // think any errors can be introduced by using `demand::eqtype`.
2667                let inner_ty = self.next_ty_var(inner.span);
2668                let box_ty = Ty::new_box(tcx, inner_ty);
2669                self.demand_eqtype_pat(span, expected, box_ty, &pat_info.top_info)?;
2670                Ok((box_ty, inner_ty))
2671            })
2672            .unwrap_or_else(|guar| {
2673                let err = Ty::new_error(tcx, guar);
2674                (err, err)
2675            });
2676        self.check_pat(inner, inner_ty, pat_info);
2677        box_ty
2678    }
2679
2680    fn check_pat_deref(
2681        &self,
2682        span: Span,
2683        inner: &'tcx Pat<'tcx>,
2684        expected: Ty<'tcx>,
2685        pat_info: PatInfo<'tcx>,
2686    ) -> Ty<'tcx> {
2687        let target_ty = self.deref_pat_target(span, expected);
2688        self.check_pat(inner, target_ty, pat_info);
2689        self.register_deref_mut_bounds_if_needed(span, inner, [expected]);
2690        expected
2691    }
2692
2693    fn deref_pat_target(&self, span: Span, source_ty: Ty<'tcx>) -> Ty<'tcx> {
2694        // Register a `DerefPure` bound, which is required by all `deref!()` pats.
2695        let tcx = self.tcx;
2696        self.register_bound(
2697            source_ty,
2698            tcx.require_lang_item(hir::LangItem::DerefPure, span),
2699            self.misc(span),
2700        );
2701        // The expected type for the deref pat's inner pattern is `<expected as Deref>::Target`.
2702        let target_ty = Ty::new_projection(
2703            tcx,
2704            tcx.require_lang_item(hir::LangItem::DerefTarget, span),
2705            [source_ty],
2706        );
2707        let target_ty = self.normalize(span, target_ty);
2708        self.try_structurally_resolve_type(span, target_ty)
2709    }
2710
2711    /// Check if the interior of a deref pattern (either explicit or implicit) has any `ref mut`
2712    /// bindings, which would require `DerefMut` to be emitted in MIR building instead of just
2713    /// `Deref`. We do this *after* checking the inner pattern, since we want to make sure to
2714    /// account for `ref mut` binding modes inherited from implicitly dereferencing `&mut` refs.
2715    fn register_deref_mut_bounds_if_needed(
2716        &self,
2717        span: Span,
2718        inner: &'tcx Pat<'tcx>,
2719        derefed_tys: impl IntoIterator<Item = Ty<'tcx>>,
2720    ) {
2721        if self.typeck_results.borrow().pat_has_ref_mut_binding(inner) {
2722            for mutably_derefed_ty in derefed_tys {
2723                self.register_bound(
2724                    mutably_derefed_ty,
2725                    self.tcx.require_lang_item(hir::LangItem::DerefMut, span),
2726                    self.misc(span),
2727                );
2728            }
2729        }
2730    }
2731
2732    // Precondition: Pat is Ref(inner)
2733    fn check_pat_ref(
2734        &self,
2735        pat: &'tcx Pat<'tcx>,
2736        inner: &'tcx Pat<'tcx>,
2737        pat_pinned: Pinnedness,
2738        pat_mutbl: Mutability,
2739        mut expected: Ty<'tcx>,
2740        mut pat_info: PatInfo<'tcx>,
2741    ) -> Ty<'tcx> {
2742        let tcx = self.tcx;
2743
2744        let pat_prefix_span =
2745            inner.span.find_ancestor_inside(pat.span).map(|end| pat.span.until(end));
2746
2747        let ref_pat_matches_mut_ref = self.ref_pat_matches_mut_ref();
2748        if ref_pat_matches_mut_ref && pat_mutbl == Mutability::Not {
2749            // If `&` patterns can match against mutable reference types (RFC 3627, Rule 5), we need
2750            // to prevent subpatterns from binding with `ref mut`. Subpatterns of a shared reference
2751            // pattern should have read-only access to the scrutinee, and the borrow checker won't
2752            // catch it in this case.
2753            pat_info.max_ref_mutbl = pat_info.max_ref_mutbl.cap_to_weakly_not(pat_prefix_span);
2754        }
2755
2756        expected = self.try_structurally_resolve_type(pat.span, expected);
2757        // Determine whether we're consuming an inherited reference and resetting the default
2758        // binding mode, based on edition and enabled experimental features.
2759        if let ByRef::Yes(inh_pin, inh_mut) = pat_info.binding_mode
2760            && pat_pinned == inh_pin
2761        {
2762            match self.ref_pat_matches_inherited_ref(pat.span.edition()) {
2763                InheritedRefMatchRule::EatOuter => {
2764                    // ref pattern attempts to consume inherited reference
2765                    if pat_mutbl > inh_mut {
2766                        // Tried to match inherited `ref` with `&mut`
2767                        // NB: This assumes that `&` patterns can match against mutable references
2768                        // (RFC 3627, Rule 5). If we implement a pattern typing ruleset with Rule 4E
2769                        // but not Rule 5, we'll need to check that here.
2770                        if true {
    if !ref_pat_matches_mut_ref {
        ::core::panicking::panic("assertion failed: ref_pat_matches_mut_ref")
    };
};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                InheritedRefMatchRule::EatInner => {
2780                    if let ty::Ref(_, _, r_mutbl) = *expected.kind()
2781                        && pat_mutbl <= r_mutbl
2782                    {
2783                        // Match against the reference type; don't consume the inherited ref.
2784                        // NB: The check for compatible pattern and ref type mutability assumes that
2785                        // `&` patterns can match against mutable references (RFC 3627, Rule 5). If
2786                        // we implement a pattern typing ruleset with Rule 4 (including the fallback
2787                        // to matching the inherited ref when the inner ref can't match) but not
2788                        // Rule 5, we'll need to check that here.
2789                        if true {
    if !ref_pat_matches_mut_ref {
        ::core::panicking::panic("assertion failed: ref_pat_matches_mut_ref")
    };
};debug_assert!(ref_pat_matches_mut_ref);
2790                        // NB: For RFC 3627's Rule 3, we limit the default binding mode's ref
2791                        // mutability to `pat_info.max_ref_mutbl`. If we implement a pattern typing
2792                        // ruleset with Rule 4 but not Rule 3, we'll need to check that here.
2793                        if true {
    if !self.downgrade_mut_inside_shared() {
        ::core::panicking::panic("assertion failed: self.downgrade_mut_inside_shared()")
    };
};debug_assert!(self.downgrade_mut_inside_shared());
2794                        let mutbl_cap = cmp::min(r_mutbl, pat_info.max_ref_mutbl.as_mutbl());
2795                        pat_info.binding_mode = pat_info.binding_mode.cap_ref_mutability(mutbl_cap);
2796                    } else {
2797                        // The reference pattern can't match against the expected type, so try
2798                        // matching against the inherited ref instead.
2799                        if pat_mutbl > inh_mut {
2800                            // We can't match an inherited shared reference with `&mut`.
2801                            // NB: This assumes that `&` patterns can match against mutable
2802                            // references (RFC 3627, Rule 5). If we implement a pattern typing
2803                            // ruleset with Rule 4 but not Rule 5, we'll need to check that here.
2804                            // FIXME(ref_pat_eat_one_layer_2024_structural): If we already tried
2805                            // matching the real reference, the error message should explain that
2806                            // falling back to the inherited reference didn't work. This should be
2807                            // the same error as the old-Edition version below.
2808                            if true {
    if !ref_pat_matches_mut_ref {
        ::core::panicking::panic("assertion failed: ref_pat_matches_mut_ref")
    };
};debug_assert!(ref_pat_matches_mut_ref);
2809                            self.error_inherited_ref_mutability_mismatch(pat, pat_prefix_span);
2810                        }
2811
2812                        pat_info.binding_mode = ByRef::No;
2813                        self.typeck_results.borrow_mut().skipped_ref_pats_mut().insert(pat.hir_id);
2814                        self.check_pat(inner, expected, pat_info);
2815                        return expected;
2816                    }
2817                }
2818                InheritedRefMatchRule::EatBoth { consider_inherited_ref: true } => {
2819                    // Reset binding mode on old editions
2820                    pat_info.binding_mode = ByRef::No;
2821
2822                    if let ty::Ref(_, inner_ty, _) = *expected.kind() {
2823                        // Consume both the inherited and inner references.
2824                        if pat_mutbl.is_mut() && inh_mut.is_mut() {
2825                            // As a special case, a `&mut` reference pattern will be able to match
2826                            // against a reference type of any mutability if the inherited ref is
2827                            // mutable. Since this allows us to match against a shared reference
2828                            // type, we refer to this as "falling back" to matching the inherited
2829                            // reference, though we consume the real reference as well. We handle
2830                            // this here to avoid adding this case to the common logic below.
2831                            self.check_pat(inner, inner_ty, pat_info);
2832                            return expected;
2833                        } else {
2834                            // Otherwise, use the common logic below for matching the inner
2835                            // reference type.
2836                            // FIXME(ref_pat_eat_one_layer_2024_structural): If this results in a
2837                            // mutability mismatch, the error message should explain that falling
2838                            // back to the inherited reference didn't work. This should be the same
2839                            // error as the Edition 2024 version above.
2840                        }
2841                    } else {
2842                        // The expected type isn't a reference type, so only match against the
2843                        // inherited reference.
2844                        if pat_mutbl > inh_mut {
2845                            // We can't match a lone inherited shared reference with `&mut`.
2846                            self.error_inherited_ref_mutability_mismatch(pat, pat_prefix_span);
2847                        }
2848
2849                        self.typeck_results.borrow_mut().skipped_ref_pats_mut().insert(pat.hir_id);
2850                        self.check_pat(inner, expected, pat_info);
2851                        return expected;
2852                    }
2853                }
2854                InheritedRefMatchRule::EatBoth { consider_inherited_ref: false } => {
2855                    // Reset binding mode on stable Rust. This will be a type error below if
2856                    // `expected` is not a reference type.
2857                    pat_info.binding_mode = ByRef::No;
2858                    self.add_rust_2024_migration_desugared_pat(
2859                        pat_info.top_info.hir_id,
2860                        pat,
2861                        match pat_mutbl {
2862                            Mutability::Not => '&', // last char of `&`
2863                            Mutability::Mut => 't', // last char of `&mut`
2864                        },
2865                        inh_mut,
2866                    )
2867                }
2868            }
2869        }
2870
2871        let (ref_ty, inner_ty) = match self.check_dereferenceable(pat.span, expected, inner) {
2872            Ok(()) => {
2873                // `demand::subtype` would be good enough, but using `eqtype` turns
2874                // out to be equally general. See (note_1) for details.
2875
2876                // Take region, inner-type from expected type if we can,
2877                // to avoid creating needless variables. This also helps with
2878                // the bad interactions of the given hack detailed in (note_1).
2879                {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:2879",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(2879u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("check_pat_ref: expected={0:?}",
                                                    expected) as &dyn Value))])
            });
    } else { ; }
};debug!("check_pat_ref: expected={:?}", expected);
2880                match expected.maybe_pinned_ref() {
2881                    Some((r_ty, r_pinned, r_mutbl, _))
2882                        if ((ref_pat_matches_mut_ref && r_mutbl >= pat_mutbl)
2883                            || r_mutbl == pat_mutbl)
2884                            && pat_pinned == r_pinned =>
2885                    {
2886                        if r_mutbl == Mutability::Not {
2887                            pat_info.max_ref_mutbl = MutblCap::Not;
2888                        }
2889                        if r_pinned == Pinnedness::Pinned {
2890                            pat_info.max_pinnedness = PinnednessCap::Pinned;
2891                        }
2892
2893                        (expected, r_ty)
2894                    }
2895                    _ => {
2896                        let inner_ty = self.next_ty_var(inner.span);
2897                        let ref_ty = self.new_ref_ty(pat.span, pat_pinned, pat_mutbl, inner_ty);
2898                        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:2898",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(2898u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("check_pat_ref: demanding {0:?} = {1:?}",
                                                    expected, ref_ty) as &dyn Value))])
            });
    } else { ; }
};debug!("check_pat_ref: demanding {:?} = {:?}", expected, ref_ty);
2899                        let err = self.demand_eqtype_pat_diag(
2900                            pat.span,
2901                            expected,
2902                            ref_ty,
2903                            &pat_info.top_info,
2904                        );
2905
2906                        // Look for a case like `fn foo(&foo: u32)` and suggest
2907                        // `fn foo(foo: &u32)`
2908                        if let Err(mut err) = err {
2909                            self.borrow_pat_suggestion(&mut err, pat);
2910                            err.emit();
2911                        }
2912                        (ref_ty, inner_ty)
2913                    }
2914                }
2915            }
2916            Err(guar) => {
2917                let err = Ty::new_error(tcx, guar);
2918                (err, err)
2919            }
2920        };
2921
2922        self.check_pat(inner, inner_ty, pat_info);
2923        ref_ty
2924    }
2925
2926    /// Create a reference or pinned reference type with a fresh region variable.
2927    fn new_ref_ty(
2928        &self,
2929        span: Span,
2930        pinnedness: Pinnedness,
2931        mutbl: Mutability,
2932        ty: Ty<'tcx>,
2933    ) -> Ty<'tcx> {
2934        let region = self.next_region_var(RegionVariableOrigin::PatternRegion(span));
2935        let ref_ty = Ty::new_ref(self.tcx, region, ty, mutbl);
2936        if pinnedness.is_pinned() {
2937            return self.new_pinned_ty(span, ref_ty);
2938        }
2939        ref_ty
2940    }
2941
2942    /// Create a pinned type.
2943    fn new_pinned_ty(&self, span: Span, ty: Ty<'tcx>) -> Ty<'tcx> {
2944        Ty::new_adt(
2945            self.tcx,
2946            self.tcx.adt_def(self.tcx.require_lang_item(LangItem::Pin, span)),
2947            self.tcx.mk_args(&[ty.into()]),
2948        )
2949    }
2950
2951    fn error_inherited_ref_mutability_mismatch(
2952        &self,
2953        pat: &'tcx Pat<'tcx>,
2954        pat_prefix_span: Option<Span>,
2955    ) -> ErrorGuaranteed {
2956        let err_msg = "mismatched types";
2957        let err = if let Some(span) = pat_prefix_span {
2958            let mut err = self.dcx().struct_span_err(span, err_msg);
2959            err.code(E0308);
2960            err.note("cannot match inherited `&` with `&mut` pattern");
2961            err.span_suggestion_verbose(
2962                span,
2963                "replace this `&mut` pattern with `&`",
2964                "&",
2965                Applicability::MachineApplicable,
2966            );
2967            err
2968        } else {
2969            self.dcx().struct_span_err(pat.span, err_msg)
2970        };
2971        err.emit()
2972    }
2973
2974    fn try_resolve_slice_ty_to_array_ty(
2975        &self,
2976        before: &'tcx [Pat<'tcx>],
2977        slice: Option<&'tcx Pat<'tcx>>,
2978        span: Span,
2979    ) -> Option<Ty<'tcx>> {
2980        if slice.is_some() {
2981            return None;
2982        }
2983
2984        let tcx = self.tcx;
2985        let len = before.len();
2986        let inner_ty = self.next_ty_var(span);
2987
2988        Some(Ty::new_array(tcx, inner_ty, len.try_into().unwrap()))
2989    }
2990
2991    /// Used to determines whether we can infer the expected type in the slice pattern to be of type array.
2992    /// This is only possible if we're in an irrefutable pattern. If we were to allow this in refutable
2993    /// patterns we wouldn't e.g. report ambiguity in the following situation:
2994    ///
2995    /// ```ignore(rust)
2996    /// struct Zeroes;
2997    ///    const ARR: [usize; 2] = [0; 2];
2998    ///    const ARR2: [usize; 2] = [2; 2];
2999    ///
3000    ///    impl Into<&'static [usize; 2]> for Zeroes {
3001    ///        fn into(self) -> &'static [usize; 2] {
3002    ///            &ARR
3003    ///        }
3004    ///    }
3005    ///
3006    ///    impl Into<&'static [usize]> for Zeroes {
3007    ///        fn into(self) -> &'static [usize] {
3008    ///            &ARR2
3009    ///        }
3010    ///    }
3011    ///
3012    ///    fn main() {
3013    ///        let &[a, b]: &[usize] = Zeroes.into() else {
3014    ///           ..
3015    ///        };
3016    ///    }
3017    /// ```
3018    ///
3019    /// If we're in an irrefutable pattern we prefer the array impl candidate given that
3020    /// the slice impl candidate would be rejected anyway (if no ambiguity existed).
3021    fn pat_is_irrefutable(&self, decl_origin: Option<DeclOrigin<'_>>) -> bool {
3022        match decl_origin {
3023            Some(DeclOrigin::LocalDecl { els: None }) => true,
3024            Some(DeclOrigin::LocalDecl { els: Some(_) } | DeclOrigin::LetExpr) | None => false,
3025        }
3026    }
3027
3028    /// Type check a slice pattern.
3029    ///
3030    /// Syntactically, these look like `[pat_0, ..., pat_n]`.
3031    /// Semantically, we are type checking a pattern with structure:
3032    /// ```ignore (not-rust)
3033    /// [before_0, ..., before_n, (slice, after_0, ... after_n)?]
3034    /// ```
3035    /// The type of `slice`, if it is present, depends on the `expected` type.
3036    /// If `slice` is missing, then so is `after_i`.
3037    /// If `slice` is present, it can still represent 0 elements.
3038    fn check_pat_slice(
3039        &self,
3040        span: Span,
3041        before: &'tcx [Pat<'tcx>],
3042        slice: Option<&'tcx Pat<'tcx>>,
3043        after: &'tcx [Pat<'tcx>],
3044        expected: Ty<'tcx>,
3045        pat_info: PatInfo<'tcx>,
3046    ) -> Ty<'tcx> {
3047        let expected = self.try_structurally_resolve_type(span, expected);
3048
3049        // If the pattern is irrefutable and `expected` is an infer ty, we try to equate it
3050        // to an array if the given pattern allows it. See issue #76342
3051        if self.pat_is_irrefutable(pat_info.decl_origin) && expected.is_ty_var() {
3052            if let Some(resolved_arr_ty) =
3053                self.try_resolve_slice_ty_to_array_ty(before, slice, span)
3054            {
3055                {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:3055",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(3055u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["resolved_arr_ty"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&debug(&resolved_arr_ty)
                                            as &dyn Value))])
            });
    } else { ; }
};debug!(?resolved_arr_ty);
3056                let _ = self.demand_eqtype(span, expected, resolved_arr_ty);
3057            }
3058        }
3059
3060        let expected = self.structurally_resolve_type(span, expected);
3061        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_hir_typeck/src/pat.rs:3061",
                        "rustc_hir_typeck::pat", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_hir_typeck/src/pat.rs"),
                        ::tracing_core::__macro_support::Option::Some(3061u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_hir_typeck::pat"),
                        ::tracing_core::field::FieldSet::new(&["expected"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&debug(&expected)
                                            as &dyn Value))])
            });
    } else { ; }
};debug!(?expected);
3062
3063        let (element_ty, opt_slice_ty, inferred) = match *expected.kind() {
3064            // An array, so we might have something like `let [a, b, c] = [0, 1, 2];`.
3065            ty::Array(element_ty, len) => {
3066                let min = before.len() as u64 + after.len() as u64;
3067                let (opt_slice_ty, expected) =
3068                    self.check_array_pat_len(span, element_ty, expected, slice, len, min);
3069                // `opt_slice_ty.is_none()` => `slice.is_none()`.
3070                // Note, though, that opt_slice_ty could be `Some(error_ty)`.
3071                if !(opt_slice_ty.is_some() || slice.is_none()) {
    ::core::panicking::panic("assertion failed: opt_slice_ty.is_some() || slice.is_none()")
};assert!(opt_slice_ty.is_some() || slice.is_none());
3072                (element_ty, opt_slice_ty, expected)
3073            }
3074            ty::Slice(element_ty) => (element_ty, Some(expected), expected),
3075            // The expected type must be an array or slice, but was neither, so error.
3076            _ => {
3077                let guar = expected.error_reported().err().unwrap_or_else(|| {
3078                    self.error_expected_array_or_slice(span, expected, pat_info)
3079                });
3080                let err = Ty::new_error(self.tcx, guar);
3081                (err, Some(err), err)
3082            }
3083        };
3084
3085        // Type check all the patterns before `slice`.
3086        for elt in before {
3087            self.check_pat(elt, element_ty, pat_info);
3088        }
3089        // Type check the `slice`, if present, against its expected type.
3090        if let Some(slice) = slice {
3091            self.check_pat(slice, opt_slice_ty.unwrap(), pat_info);
3092        }
3093        // Type check the elements after `slice`, if present.
3094        for elt in after {
3095            self.check_pat(elt, element_ty, pat_info);
3096        }
3097        inferred
3098    }
3099
3100    /// Type check the length of an array pattern.
3101    ///
3102    /// Returns both the type of the variable length pattern (or `None`), and the potentially
3103    /// inferred array type. We only return `None` for the slice type if `slice.is_none()`.
3104    fn check_array_pat_len(
3105        &self,
3106        span: Span,
3107        element_ty: Ty<'tcx>,
3108        arr_ty: Ty<'tcx>,
3109        slice: Option<&'tcx Pat<'tcx>>,
3110        len: ty::Const<'tcx>,
3111        min_len: u64,
3112    ) -> (Option<Ty<'tcx>>, Ty<'tcx>) {
3113        let len = self.try_structurally_resolve_const(span, len).try_to_target_usize(self.tcx);
3114
3115        let guar = if let Some(len) = len {
3116            // Now we know the length...
3117            if slice.is_none() {
3118                // ...and since there is no variable-length pattern,
3119                // we require an exact match between the number of elements
3120                // in the array pattern and as provided by the matched type.
3121                if min_len == len {
3122                    return (None, arr_ty);
3123                }
3124
3125                self.error_scrutinee_inconsistent_length(span, min_len, len)
3126            } else if let Some(pat_len) = len.checked_sub(min_len) {
3127                // The variable-length pattern was there,
3128                // so it has an array type with the remaining elements left as its size...
3129                return (Some(Ty::new_array(self.tcx, element_ty, pat_len)), arr_ty);
3130            } else {
3131                // ...however, in this case, there were no remaining elements.
3132                // That is, the slice pattern requires more than the array type offers.
3133                self.error_scrutinee_with_rest_inconsistent_length(span, min_len, len)
3134            }
3135        } else if slice.is_none() {
3136            // We have a pattern with a fixed length,
3137            // which we can use to infer the length of the array.
3138            let updated_arr_ty = Ty::new_array(self.tcx, element_ty, min_len);
3139            self.demand_eqtype(span, updated_arr_ty, arr_ty);
3140            return (None, updated_arr_ty);
3141        } else {
3142            // We have a variable-length pattern and don't know the array length.
3143            // This happens if we have e.g.,
3144            // `let [a, b, ..] = arr` where `arr: [T; N]` where `const N: usize`.
3145            self.error_scrutinee_unfixed_length(span)
3146        };
3147
3148        // If we get here, we must have emitted an error.
3149        (Some(Ty::new_error(self.tcx, guar)), arr_ty)
3150    }
3151
3152    fn error_scrutinee_inconsistent_length(
3153        &self,
3154        span: Span,
3155        min_len: u64,
3156        size: u64,
3157    ) -> ErrorGuaranteed {
3158        {
    self.dcx().struct_span_err(span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("pattern requires {0} element{1} but array has {2}",
                            min_len, if min_len == 1 { "" } else { "s" }, size))
                })).with_code(E0527)
}struct_span_code_err!(
3159            self.dcx(),
3160            span,
3161            E0527,
3162            "pattern requires {} element{} but array has {}",
3163            min_len,
3164            pluralize!(min_len),
3165            size,
3166        )
3167        .with_span_label(span, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("expected {0} element{1}", size,
                if size == 1 { "" } else { "s" }))
    })format!("expected {} element{}", size, pluralize!(size)))
3168        .emit()
3169    }
3170
3171    fn error_scrutinee_with_rest_inconsistent_length(
3172        &self,
3173        span: Span,
3174        min_len: u64,
3175        size: u64,
3176    ) -> ErrorGuaranteed {
3177        {
    self.dcx().struct_span_err(span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("pattern requires at least {0} element{1} but array has {2}",
                            min_len, if min_len == 1 { "" } else { "s" }, size))
                })).with_code(E0528)
}struct_span_code_err!(
3178            self.dcx(),
3179            span,
3180            E0528,
3181            "pattern requires at least {} element{} but array has {}",
3182            min_len,
3183            pluralize!(min_len),
3184            size,
3185        )
3186        .with_span_label(
3187            span,
3188            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("pattern cannot match array of {0} element{1}",
                size, if size == 1 { "" } else { "s" }))
    })format!("pattern cannot match array of {} element{}", size, pluralize!(size),),
3189        )
3190        .emit()
3191    }
3192
3193    fn error_scrutinee_unfixed_length(&self, span: Span) -> ErrorGuaranteed {
3194        {
    self.dcx().struct_span_err(span,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("cannot pattern-match on an array without a fixed length"))
                })).with_code(E0730)
}struct_span_code_err!(
3195            self.dcx(),
3196            span,
3197            E0730,
3198            "cannot pattern-match on an array without a fixed length",
3199        )
3200        .emit()
3201    }
3202
3203    fn error_expected_array_or_slice(
3204        &self,
3205        span: Span,
3206        expected_ty: Ty<'tcx>,
3207        pat_info: PatInfo<'tcx>,
3208    ) -> ErrorGuaranteed {
3209        let PatInfo { top_info: ti, current_depth, .. } = pat_info;
3210
3211        let mut slice_pat_semantics = false;
3212        let mut as_deref = None;
3213        let mut slicing = None;
3214        if let ty::Ref(_, ty, _) = expected_ty.kind()
3215            && let ty::Array(..) | ty::Slice(..) = ty.kind()
3216        {
3217            slice_pat_semantics = true;
3218        } else if self
3219            .autoderef(span, expected_ty)
3220            .silence_errors()
3221            .any(|(ty, _)| #[allow(non_exhaustive_omitted_patterns)] match ty.kind() {
    ty::Slice(..) | ty::Array(..) => true,
    _ => false,
}matches!(ty.kind(), ty::Slice(..) | ty::Array(..)))
3222            && let Some(span) = ti.span
3223            && let Some(_) = ti.origin_expr
3224        {
3225            let resolved_ty = self.resolve_vars_if_possible(ti.expected);
3226            let (is_slice_or_array_or_vector, resolved_ty) =
3227                self.is_slice_or_array_or_vector(resolved_ty);
3228            match resolved_ty.kind() {
3229                ty::Adt(adt_def, _)
3230                    if self.tcx.is_diagnostic_item(sym::Option, adt_def.did())
3231                        || self.tcx.is_diagnostic_item(sym::Result, adt_def.did()) =>
3232                {
3233                    // Slicing won't work here, but `.as_deref()` might (issue #91328).
3234                    as_deref = Some(errors::AsDerefSuggestion { span: span.shrink_to_hi() });
3235                }
3236                _ => (),
3237            }
3238
3239            let is_top_level = current_depth <= 1;
3240            if is_slice_or_array_or_vector && is_top_level {
3241                slicing = Some(errors::SlicingSuggestion { span: span.shrink_to_hi() });
3242            }
3243        }
3244        self.dcx().emit_err(errors::ExpectedArrayOrSlice {
3245            span,
3246            ty: expected_ty,
3247            slice_pat_semantics,
3248            as_deref,
3249            slicing,
3250        })
3251    }
3252
3253    fn is_slice_or_array_or_vector(&self, ty: Ty<'tcx>) -> (bool, Ty<'tcx>) {
3254        match ty.kind() {
3255            ty::Adt(adt_def, _) if self.tcx.is_diagnostic_item(sym::Vec, adt_def.did()) => {
3256                (true, ty)
3257            }
3258            ty::Ref(_, ty, _) => self.is_slice_or_array_or_vector(*ty),
3259            ty::Slice(..) | ty::Array(..) => (true, ty),
3260            _ => (false, ty),
3261        }
3262    }
3263
3264    /// Record a pattern that's invalid under Rust 2024 match ergonomics, along with a problematic
3265    /// span, so that the pattern migration lint can desugar it during THIR construction.
3266    fn add_rust_2024_migration_desugared_pat(
3267        &self,
3268        pat_id: HirId,
3269        subpat: &'tcx Pat<'tcx>,
3270        final_char: char,
3271        def_br_mutbl: Mutability,
3272    ) {
3273        // Try to trim the span we're labeling to just the `&` or binding mode that's an issue.
3274        let from_expansion = subpat.span.from_expansion();
3275        let trimmed_span = if from_expansion {
3276            // If the subpattern is from an expansion, highlight the whole macro call instead.
3277            subpat.span
3278        } else {
3279            let trimmed = self.tcx.sess.source_map().span_through_char(subpat.span, final_char);
3280            // The edition of the trimmed span should be the same as `subpat.span`; this will be a
3281            // a hard error if the subpattern is of edition >= 2024. We set it manually to be sure:
3282            trimmed.with_ctxt(subpat.span.ctxt())
3283        };
3284
3285        let mut typeck_results = self.typeck_results.borrow_mut();
3286        let mut table = typeck_results.rust_2024_migration_desugared_pats_mut();
3287        // FIXME(ref_pat_eat_one_layer_2024): The migration diagnostic doesn't know how to track the
3288        // default binding mode in the presence of Rule 3 or Rule 5. As a consequence, the labels it
3289        // gives for default binding modes are wrong, as well as suggestions based on the default
3290        // binding mode. This keeps it from making those suggestions, as doing so could panic.
3291        let info = table.entry(pat_id).or_insert_with(|| ty::Rust2024IncompatiblePatInfo {
3292            primary_labels: Vec::new(),
3293            bad_ref_modifiers: false,
3294            bad_mut_modifiers: false,
3295            bad_ref_pats: false,
3296            suggest_eliding_modes: !self.tcx.features().ref_pat_eat_one_layer_2024()
3297                && !self.tcx.features().ref_pat_eat_one_layer_2024_structural(),
3298        });
3299
3300        let pat_kind = if let PatKind::Binding(user_bind_annot, _, _, _) = subpat.kind {
3301            // If the user-provided binding modifier doesn't match the default binding mode, we'll
3302            // need to suggest reference patterns, which can affect other bindings.
3303            // For simplicity, we opt to suggest making the pattern fully explicit.
3304            info.suggest_eliding_modes &= #[allow(non_exhaustive_omitted_patterns)] match user_bind_annot {
    BindingMode(ByRef::Yes(_, mutbl), Mutability::Not) if
        mutbl == def_br_mutbl => true,
    _ => false,
}matches!(
3305                user_bind_annot,
3306                BindingMode(ByRef::Yes(_, mutbl), Mutability::Not) if mutbl == def_br_mutbl
3307            );
3308            if user_bind_annot == BindingMode(ByRef::No, Mutability::Mut) {
3309                info.bad_mut_modifiers = true;
3310                "`mut` binding modifier"
3311            } else {
3312                info.bad_ref_modifiers = true;
3313                match user_bind_annot.1 {
3314                    Mutability::Not => "explicit `ref` binding modifier",
3315                    Mutability::Mut => "explicit `ref mut` binding modifier",
3316                }
3317            }
3318        } else {
3319            info.bad_ref_pats = true;
3320            // For simplicity, we don't try to suggest eliding reference patterns. Thus, we'll
3321            // suggest adding them instead, which can affect the types assigned to bindings.
3322            // As such, we opt to suggest making the pattern fully explicit.
3323            info.suggest_eliding_modes = false;
3324            "reference pattern"
3325        };
3326        // Only provide a detailed label if the problematic subpattern isn't from an expansion.
3327        // In the case that it's from a macro, we'll add a more detailed note in the emitter.
3328        let primary_label = if from_expansion {
3329            // We can't suggest eliding modifiers within expansions.
3330            info.suggest_eliding_modes = false;
3331            // NB: This wording assumes the only expansions that can produce problematic reference
3332            // patterns and bindings are macros. If a desugaring or AST pass is added that can do
3333            // so, we may want to inspect the span's source callee or macro backtrace.
3334            "occurs within macro expansion".to_owned()
3335        } else {
3336            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0} not allowed when implicitly borrowing",
                pat_kind))
    })format!("{pat_kind} not allowed when implicitly borrowing")
3337        };
3338        info.primary_labels.push((trimmed_span, primary_label));
3339    }
3340}