Skip to main content

rustc_mir_build/thir/pattern/
check_match.rs

1use rustc_arena::{DroplessArena, TypedArena};
2use rustc_ast::Mutability;
3use rustc_data_structures::fx::FxIndexSet;
4use rustc_data_structures::stack::ensure_sufficient_stack;
5use rustc_errors::codes::*;
6use rustc_errors::{Applicability, ErrorGuaranteed, MultiSpan, msg, struct_span_code_err};
7use rustc_hir::def::*;
8use rustc_hir::def_id::{DefId, LocalDefId};
9use rustc_hir::{self as hir, BindingMode, ByRef, HirId, MatchSource};
10use rustc_infer::infer::TyCtxtInferExt;
11use rustc_lint::Level;
12use rustc_middle::bug;
13use rustc_middle::thir::visit::Visitor;
14use rustc_middle::thir::*;
15use rustc_middle::ty::print::with_no_trimmed_paths;
16use rustc_middle::ty::{self, AdtDef, Ty, TyCtxt};
17use rustc_pattern_analysis::errors::Uncovered;
18use rustc_pattern_analysis::rustc::{
19    Constructor, DeconstructedPat, MatchArm, RedundancyExplanation, RevealedTy,
20    RustcPatCtxt as PatCtxt, Usefulness, UsefulnessReport, WitnessPat,
21};
22use rustc_session::lint::builtin::{
23    BINDINGS_WITH_VARIANT_NAME, IRREFUTABLE_LET_PATTERNS, UNREACHABLE_PATTERNS,
24};
25use rustc_span::edit_distance::find_best_match_for_name;
26use rustc_span::hygiene::DesugaringKind;
27use rustc_span::{Ident, Span};
28use rustc_trait_selection::infer::InferCtxtExt;
29use tracing::instrument;
30
31use crate::errors::*;
32
33pub(crate) fn check_match(tcx: TyCtxt<'_>, def_id: LocalDefId) -> Result<(), ErrorGuaranteed> {
34    let typeck_results = tcx.typeck(def_id);
35    let (thir, expr) = tcx.thir_body(def_id)?;
36    let thir = thir.borrow();
37    let pattern_arena = TypedArena::default();
38    let dropless_arena = DroplessArena::default();
39    let mut visitor = MatchVisitor {
40        tcx,
41        thir: &*thir,
42        typeck_results,
43        // FIXME(#132279): We're in a body, should handle opaques.
44        typing_env: ty::TypingEnv::non_body_analysis(tcx, def_id),
45        hir_source: tcx.local_def_id_to_hir_id(def_id),
46        let_source: LetSource::None,
47        pattern_arena: &pattern_arena,
48        dropless_arena: &dropless_arena,
49        error: Ok(()),
50    };
51    visitor.visit_expr(&thir[expr]);
52
53    let origin = match tcx.def_kind(def_id) {
54        DefKind::AssocFn | DefKind::Fn => "function argument",
55        DefKind::Closure => "closure argument",
56        // other types of MIR don't have function parameters, and we don't need to
57        // categorize those for the irrefutable check.
58        _ if thir.params.is_empty() => "",
59        kind => ::rustc_middle::util::bug::bug_fmt(format_args!("unexpected function parameters in THIR: {0:?} {1:?}",
        kind, def_id))bug!("unexpected function parameters in THIR: {kind:?} {def_id:?}"),
60    };
61
62    for param in thir.params.iter() {
63        if let Some(box ref pattern) = param.pat {
64            visitor.check_binding_is_irrefutable(pattern, origin, None, None);
65        }
66    }
67    visitor.error
68}
69
70#[derive(#[automatically_derived]
impl ::core::fmt::Debug for RefutableFlag {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                RefutableFlag::Irrefutable => "Irrefutable",
                RefutableFlag::Refutable => "Refutable",
            })
    }
}Debug, #[automatically_derived]
impl ::core::marker::Copy for RefutableFlag { }Copy, #[automatically_derived]
impl ::core::clone::Clone for RefutableFlag {
    #[inline]
    fn clone(&self) -> RefutableFlag { *self }
}Clone, #[automatically_derived]
impl ::core::cmp::PartialEq for RefutableFlag {
    #[inline]
    fn eq(&self, other: &RefutableFlag) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq)]
71enum RefutableFlag {
72    Irrefutable,
73    Refutable,
74}
75use RefutableFlag::*;
76
77#[derive(#[automatically_derived]
impl ::core::clone::Clone for LetSource {
    #[inline]
    fn clone(&self) -> LetSource { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for LetSource { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for LetSource {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                LetSource::None => "None",
                LetSource::PlainLet => "PlainLet",
                LetSource::IfLet => "IfLet",
                LetSource::IfLetGuard => "IfLetGuard",
                LetSource::LetElse => "LetElse",
                LetSource::WhileLet => "WhileLet",
                LetSource::Else => "Else",
                LetSource::ElseIfLet => "ElseIfLet",
            })
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for LetSource {
    #[inline]
    fn eq(&self, other: &LetSource) -> 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 LetSource {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_receiver_is_total_eq(&self) {}
}Eq)]
78enum LetSource {
79    None,
80    PlainLet,
81    IfLet,
82    IfLetGuard,
83    LetElse,
84    WhileLet,
85    Else,
86    ElseIfLet,
87}
88
89struct MatchVisitor<'p, 'tcx> {
90    tcx: TyCtxt<'tcx>,
91    typing_env: ty::TypingEnv<'tcx>,
92    typeck_results: &'tcx ty::TypeckResults<'tcx>,
93    thir: &'p Thir<'tcx>,
94    hir_source: HirId,
95    let_source: LetSource,
96    pattern_arena: &'p TypedArena<DeconstructedPat<'p, 'tcx>>,
97    dropless_arena: &'p DroplessArena,
98    /// Tracks if we encountered an error while checking this body. That the first function to
99    /// report it stores it here. Some functions return `Result` to allow callers to short-circuit
100    /// on error, but callers don't need to store it here again.
101    error: Result<(), ErrorGuaranteed>,
102}
103
104// Visitor for a thir body. This calls `check_match`, `check_let` and `check_let_chain` as
105// appropriate.
106impl<'p, 'tcx> Visitor<'p, 'tcx> for MatchVisitor<'p, 'tcx> {
107    fn thir(&self) -> &'p Thir<'tcx> {
108        self.thir
109    }
110
111    #[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::TRACE <=
                    ::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("visit_arm",
                                    "rustc_mir_build::thir::pattern::check_match",
                                    ::tracing::Level::TRACE,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_build/src/thir/pattern/check_match.rs"),
                                    ::tracing_core::__macro_support::Option::Some(111u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_mir_build::thir::pattern::check_match"),
                                    ::tracing_core::field::FieldSet::new(&["arm"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::TRACE <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::TRACE <=
                                    ::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(&arm)
                                                            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;
        }
        {
            self.with_hir_source(arm.hir_id,
                |this|
                    {
                        if let Some(expr) = arm.guard {
                            this.with_let_source(LetSource::IfLetGuard,
                                |this| { this.visit_expr(&this.thir[expr]) });
                        }
                        this.visit_pat(&arm.pattern);
                        this.visit_expr(&self.thir[arm.body]);
                    });
        }
    }
}#[instrument(level = "trace", skip(self))]
112    fn visit_arm(&mut self, arm: &'p Arm<'tcx>) {
113        self.with_hir_source(arm.hir_id, |this| {
114            if let Some(expr) = arm.guard {
115                this.with_let_source(LetSource::IfLetGuard, |this| {
116                    this.visit_expr(&this.thir[expr])
117                });
118            }
119            this.visit_pat(&arm.pattern);
120            this.visit_expr(&self.thir[arm.body]);
121        });
122    }
123
124    #[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::TRACE <=
                    ::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("visit_expr",
                                    "rustc_mir_build::thir::pattern::check_match",
                                    ::tracing::Level::TRACE,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_build/src/thir/pattern/check_match.rs"),
                                    ::tracing_core::__macro_support::Option::Some(124u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_mir_build::thir::pattern::check_match"),
                                    ::tracing_core::field::FieldSet::new(&["ex"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::TRACE <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::TRACE <=
                                    ::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(&ex)
                                                            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;
        }
        {
            match ex.kind {
                ExprKind::Scope { value, hir_id, .. } => {
                    self.with_hir_source(hir_id,
                        |this| { this.visit_expr(&this.thir[value]); });
                    return;
                }
                ExprKind::If { cond, then, else_opt, if_then_scope: _ } => {
                    let let_source =
                        match ex.span.desugaring_kind() {
                            Some(DesugaringKind::WhileLoop) => LetSource::WhileLet,
                            _ =>
                                match self.let_source {
                                    LetSource::Else => LetSource::ElseIfLet,
                                    _ => LetSource::IfLet,
                                },
                        };
                    self.with_let_source(let_source,
                        |this| this.visit_expr(&self.thir[cond]));
                    self.with_let_source(LetSource::None,
                        |this| { this.visit_expr(&this.thir[then]); });
                    if let Some(else_) = else_opt {
                        self.with_let_source(LetSource::Else,
                            |this| { this.visit_expr(&this.thir[else_]) });
                    }
                    return;
                }
                ExprKind::Match { scrutinee, box ref arms, match_source } => {
                    self.check_match(scrutinee, arms, match_source, ex.span);
                }
                ExprKind::LoopMatch {
                    match_data: box LoopMatchMatchData {
                        scrutinee, box ref arms, span
                        }, .. } => {
                    self.check_match(scrutinee, arms, MatchSource::Normal,
                        span);
                }
                ExprKind::Let { box ref pat, expr } => {
                    self.check_let(pat, Some(expr), ex.span);
                }
                ExprKind::LogicalOp { op: LogicalOp::And, .. } if
                    !#[allow(non_exhaustive_omitted_patterns)] match self.let_source
                            {
                            LetSource::None => true,
                            _ => false,
                        } => {
                    let mut chain_refutabilities = Vec::new();
                    let Ok(()) =
                        self.visit_land(ex,
                            &mut chain_refutabilities) else { return };
                    if chain_refutabilities.iter().any(|x| x.is_some()) {
                        self.check_let_chain(chain_refutabilities, ex.span);
                    }
                    return;
                }
                _ => {}
            };
            self.with_let_source(LetSource::None,
                |this| visit::walk_expr(this, ex));
        }
    }
}#[instrument(level = "trace", skip(self))]
125    fn visit_expr(&mut self, ex: &'p Expr<'tcx>) {
126        match ex.kind {
127            ExprKind::Scope { value, hir_id, .. } => {
128                self.with_hir_source(hir_id, |this| {
129                    this.visit_expr(&this.thir[value]);
130                });
131                return;
132            }
133            ExprKind::If { cond, then, else_opt, if_then_scope: _ } => {
134                // Give a specific `let_source` for the condition.
135                let let_source = match ex.span.desugaring_kind() {
136                    Some(DesugaringKind::WhileLoop) => LetSource::WhileLet,
137                    _ => match self.let_source {
138                        LetSource::Else => LetSource::ElseIfLet,
139                        _ => LetSource::IfLet,
140                    },
141                };
142                self.with_let_source(let_source, |this| this.visit_expr(&self.thir[cond]));
143                self.with_let_source(LetSource::None, |this| {
144                    this.visit_expr(&this.thir[then]);
145                });
146                if let Some(else_) = else_opt {
147                    self.with_let_source(LetSource::Else, |this| {
148                        this.visit_expr(&this.thir[else_])
149                    });
150                }
151                return;
152            }
153            ExprKind::Match { scrutinee, box ref arms, match_source } => {
154                self.check_match(scrutinee, arms, match_source, ex.span);
155            }
156            ExprKind::LoopMatch {
157                match_data: box LoopMatchMatchData { scrutinee, box ref arms, span },
158                ..
159            } => {
160                self.check_match(scrutinee, arms, MatchSource::Normal, span);
161            }
162            ExprKind::Let { box ref pat, expr } => {
163                self.check_let(pat, Some(expr), ex.span);
164            }
165            ExprKind::LogicalOp { op: LogicalOp::And, .. }
166                if !matches!(self.let_source, LetSource::None) =>
167            {
168                let mut chain_refutabilities = Vec::new();
169                let Ok(()) = self.visit_land(ex, &mut chain_refutabilities) else { return };
170                // If at least one of the operands is a `let ... = ...`.
171                if chain_refutabilities.iter().any(|x| x.is_some()) {
172                    self.check_let_chain(chain_refutabilities, ex.span);
173                }
174                return;
175            }
176            _ => {}
177        };
178        self.with_let_source(LetSource::None, |this| visit::walk_expr(this, ex));
179    }
180
181    fn visit_stmt(&mut self, stmt: &'p Stmt<'tcx>) {
182        match stmt.kind {
183            StmtKind::Let { box ref pattern, initializer, else_block, hir_id, span, .. } => {
184                self.with_hir_source(hir_id, |this| {
185                    let let_source =
186                        if else_block.is_some() { LetSource::LetElse } else { LetSource::PlainLet };
187                    this.with_let_source(let_source, |this| {
188                        this.check_let(pattern, initializer, span)
189                    });
190                    visit::walk_stmt(this, stmt);
191                });
192            }
193            StmtKind::Expr { .. } => {
194                visit::walk_stmt(self, stmt);
195            }
196        }
197    }
198}
199
200impl<'p, 'tcx> MatchVisitor<'p, 'tcx> {
201    #[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::TRACE <=
                    ::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("with_let_source",
                                    "rustc_mir_build::thir::pattern::check_match",
                                    ::tracing::Level::TRACE,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_build/src/thir/pattern/check_match.rs"),
                                    ::tracing_core::__macro_support::Option::Some(201u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_mir_build::thir::pattern::check_match"),
                                    ::tracing_core::field::FieldSet::new(&["let_source"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::TRACE <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::TRACE <=
                                    ::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(&let_source)
                                                            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 old_let_source = self.let_source;
            self.let_source = let_source;
            ensure_sufficient_stack(|| f(self));
            self.let_source = old_let_source;
        }
    }
}#[instrument(level = "trace", skip(self, f))]
202    fn with_let_source(&mut self, let_source: LetSource, f: impl FnOnce(&mut Self)) {
203        let old_let_source = self.let_source;
204        self.let_source = let_source;
205        ensure_sufficient_stack(|| f(self));
206        self.let_source = old_let_source;
207    }
208
209    fn with_hir_source<T>(&mut self, new_hir_source: HirId, f: impl FnOnce(&mut Self) -> T) -> T {
210        let old_hir_source = self.hir_source;
211        self.hir_source = new_hir_source;
212        let ret = f(self);
213        self.hir_source = old_hir_source;
214        ret
215    }
216
217    /// Visit a nested chain of `&&`. Used for if-let chains. This must call `visit_expr` on the
218    /// subexpressions we are not handling ourselves.
219    fn visit_land(
220        &mut self,
221        ex: &'p Expr<'tcx>,
222        accumulator: &mut Vec<Option<(Span, RefutableFlag)>>,
223    ) -> Result<(), ErrorGuaranteed> {
224        match ex.kind {
225            ExprKind::Scope { value, hir_id, .. } => {
226                self.with_hir_source(hir_id, |this| this.visit_land(&this.thir[value], accumulator))
227            }
228            ExprKind::LogicalOp { op: LogicalOp::And, lhs, rhs } => {
229                // We recurse into the lhs only, because `&&` chains associate to the left.
230                let res_lhs = self.visit_land(&self.thir[lhs], accumulator);
231                let res_rhs = self.visit_land_rhs(&self.thir[rhs])?;
232                accumulator.push(res_rhs);
233                res_lhs
234            }
235            _ => {
236                let res = self.visit_land_rhs(ex)?;
237                accumulator.push(res);
238                Ok(())
239            }
240        }
241    }
242
243    /// Visit the right-hand-side of a `&&`. Used for if-let chains. Returns `Some` if the
244    /// expression was ultimately a `let ... = ...`, and `None` if it was a normal boolean
245    /// expression. This must call `visit_expr` on the subexpressions we are not handling ourselves.
246    fn visit_land_rhs(
247        &mut self,
248        ex: &'p Expr<'tcx>,
249    ) -> Result<Option<(Span, RefutableFlag)>, ErrorGuaranteed> {
250        match ex.kind {
251            ExprKind::Scope { value, hir_id, .. } => {
252                self.with_hir_source(hir_id, |this| this.visit_land_rhs(&this.thir[value]))
253            }
254            ExprKind::Let { box ref pat, expr } => {
255                let expr = &self.thir()[expr];
256                self.with_let_source(LetSource::None, |this| {
257                    this.visit_expr(expr);
258                });
259                Ok(Some((ex.span, self.is_let_irrefutable(pat, Some(expr))?)))
260            }
261            _ => {
262                self.with_let_source(LetSource::None, |this| {
263                    this.visit_expr(ex);
264                });
265                Ok(None)
266            }
267        }
268    }
269
270    fn lower_pattern(
271        &mut self,
272        cx: &PatCtxt<'p, 'tcx>,
273        pat: &'p Pat<'tcx>,
274    ) -> Result<&'p DeconstructedPat<'p, 'tcx>, ErrorGuaranteed> {
275        if let Err(err) = pat.pat_error_reported() {
276            self.error = Err(err);
277            Err(err)
278        } else {
279            // Check the pattern for some things unrelated to exhaustiveness.
280            let refutable = if cx.refutable { Refutable } else { Irrefutable };
281            let mut err = Ok(());
282            pat.walk_always(|pat| {
283                check_borrow_conflicts_in_at_patterns(self, pat);
284                check_for_bindings_named_same_as_variants(self, pat, refutable);
285                err = err.and(check_never_pattern(cx, pat));
286            });
287            err?;
288            Ok(self.pattern_arena.alloc(cx.lower_pat(pat)))
289        }
290    }
291
292    /// Inspects the match scrutinee expression to determine whether the place it evaluates to may
293    /// hold invalid data.
294    fn is_known_valid_scrutinee(&self, scrutinee: &Expr<'tcx>) -> bool {
295        use ExprKind::*;
296        match &scrutinee.kind {
297            // Pointers can validly point to a place with invalid data. It is undecided whether
298            // references can too, so we conservatively assume they can.
299            Deref { .. } => false,
300            // Inherit validity of the parent place, unless the parent is an union.
301            Field { lhs, .. } => {
302                let lhs = &self.thir()[*lhs];
303                match lhs.ty.kind() {
304                    ty::Adt(def, _) if def.is_union() => false,
305                    _ => self.is_known_valid_scrutinee(lhs),
306                }
307            }
308            // Essentially a field access.
309            Index { lhs, .. } => {
310                let lhs = &self.thir()[*lhs];
311                self.is_known_valid_scrutinee(lhs)
312            }
313
314            // No-op.
315            Scope { value, .. } => self.is_known_valid_scrutinee(&self.thir()[*value]),
316
317            // Casts don't cause a load.
318            NeverToAny { source }
319            | Cast { source }
320            | Use { source }
321            | PointerCoercion { source, .. }
322            | PlaceTypeAscription { source, .. }
323            | ValueTypeAscription { source, .. }
324            | PlaceUnwrapUnsafeBinder { source }
325            | ValueUnwrapUnsafeBinder { source }
326            | WrapUnsafeBinder { source } => self.is_known_valid_scrutinee(&self.thir()[*source]),
327
328            // These diverge.
329            Become { .. }
330            | Break { .. }
331            | Continue { .. }
332            | ConstContinue { .. }
333            | Return { .. } => true,
334
335            // These are statements that evaluate to `()`.
336            Assign { .. } | AssignOp { .. } | InlineAsm { .. } | Let { .. } => true,
337
338            // These evaluate to a value.
339            RawBorrow { .. }
340            | Adt { .. }
341            | Array { .. }
342            | Binary { .. }
343            | Block { .. }
344            | Borrow { .. }
345            | Call { .. }
346            | ByUse { .. }
347            | Closure { .. }
348            | ConstBlock { .. }
349            | ConstParam { .. }
350            | If { .. }
351            | Literal { .. }
352            | LogicalOp { .. }
353            | Loop { .. }
354            | LoopMatch { .. }
355            | Match { .. }
356            | NamedConst { .. }
357            | NonHirLiteral { .. }
358            | Repeat { .. }
359            | StaticRef { .. }
360            | ThreadLocalRef { .. }
361            | Tuple { .. }
362            | Unary { .. }
363            | UpvarRef { .. }
364            | VarRef { .. }
365            | ZstLiteral { .. }
366            | Yield { .. } => true,
367        }
368    }
369
370    fn new_cx(
371        &self,
372        refutability: RefutableFlag,
373        whole_match_span: Option<Span>,
374        scrutinee: Option<&Expr<'tcx>>,
375        scrut_span: Span,
376    ) -> PatCtxt<'p, 'tcx> {
377        let refutable = match refutability {
378            Irrefutable => false,
379            Refutable => true,
380        };
381        // If we don't have a scrutinee we're either a function parameter or a `let x;`. Both cases
382        // require validity.
383        let known_valid_scrutinee =
384            scrutinee.map(|scrut| self.is_known_valid_scrutinee(scrut)).unwrap_or(true);
385        PatCtxt {
386            tcx: self.tcx,
387            typeck_results: self.typeck_results,
388            typing_env: self.typing_env,
389            module: self.tcx.parent_module(self.hir_source).to_def_id(),
390            dropless_arena: self.dropless_arena,
391            match_lint_level: self.hir_source,
392            whole_match_span,
393            scrut_span,
394            refutable,
395            known_valid_scrutinee,
396            internal_state: Default::default(),
397        }
398    }
399
400    fn analyze_patterns(
401        &mut self,
402        cx: &PatCtxt<'p, 'tcx>,
403        arms: &[MatchArm<'p, 'tcx>],
404        scrut_ty: Ty<'tcx>,
405    ) -> Result<UsefulnessReport<'p, 'tcx>, ErrorGuaranteed> {
406        let report =
407            rustc_pattern_analysis::rustc::analyze_match(&cx, &arms, scrut_ty).map_err(|err| {
408                self.error = Err(err);
409                err
410            })?;
411
412        // Warn unreachable subpatterns.
413        for (arm, is_useful) in report.arm_usefulness.iter() {
414            if let Usefulness::Useful(redundant_subpats) = is_useful
415                && !redundant_subpats.is_empty()
416            {
417                let mut redundant_subpats = redundant_subpats.clone();
418                // Emit lints in the order in which they occur in the file.
419                redundant_subpats.sort_unstable_by_key(|(pat, _)| pat.data().span);
420                for (pat, explanation) in redundant_subpats {
421                    report_unreachable_pattern(cx, arm.arm_data, pat, &explanation, None)
422                }
423            }
424        }
425        Ok(report)
426    }
427
428    #[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::TRACE <=
                    ::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_let",
                                    "rustc_mir_build::thir::pattern::check_match",
                                    ::tracing::Level::TRACE,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_build/src/thir/pattern/check_match.rs"),
                                    ::tracing_core::__macro_support::Option::Some(428u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_mir_build::thir::pattern::check_match"),
                                    ::tracing_core::field::FieldSet::new(&["pat", "scrutinee",
                                                    "span"], ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::TRACE <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::TRACE <=
                                    ::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(&scrutinee)
                                                            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(&span)
                                                            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;
        }
        {
            if !(self.let_source != LetSource::None) {
                ::core::panicking::panic("assertion failed: self.let_source != LetSource::None")
            };
            let scrut = scrutinee.map(|id| &self.thir[id]);
            if let LetSource::PlainLet = self.let_source {
                self.check_binding_is_irrefutable(pat, "local binding", scrut,
                    Some(span))
            } else {
                let Ok(refutability) =
                    self.is_let_irrefutable(pat, scrut) else { return };
                if #[allow(non_exhaustive_omitted_patterns)] match refutability
                        {
                        Irrefutable => true,
                        _ => false,
                    } {
                    report_irrefutable_let_patterns(self.tcx, self.hir_source,
                        self.let_source, 1, span);
                }
            }
        }
    }
}#[instrument(level = "trace", skip(self))]
429    fn check_let(&mut self, pat: &'p Pat<'tcx>, scrutinee: Option<ExprId>, span: Span) {
430        assert!(self.let_source != LetSource::None);
431        let scrut = scrutinee.map(|id| &self.thir[id]);
432        if let LetSource::PlainLet = self.let_source {
433            self.check_binding_is_irrefutable(pat, "local binding", scrut, Some(span))
434        } else {
435            let Ok(refutability) = self.is_let_irrefutable(pat, scrut) else { return };
436            if matches!(refutability, Irrefutable) {
437                report_irrefutable_let_patterns(
438                    self.tcx,
439                    self.hir_source,
440                    self.let_source,
441                    1,
442                    span,
443                );
444            }
445        }
446    }
447
448    fn check_match(
449        &mut self,
450        scrut: ExprId,
451        arms: &[ArmId],
452        source: hir::MatchSource,
453        expr_span: Span,
454    ) {
455        let scrut = &self.thir[scrut];
456        let cx = self.new_cx(Refutable, Some(expr_span), Some(scrut), scrut.span);
457
458        let mut tarms = Vec::with_capacity(arms.len());
459        for &arm in arms {
460            let arm = &self.thir.arms[arm];
461            let got_error = self.with_hir_source(arm.hir_id, |this| {
462                let Ok(pat) = this.lower_pattern(&cx, &arm.pattern) else { return true };
463                let arm =
464                    MatchArm { pat, arm_data: this.hir_source, has_guard: arm.guard.is_some() };
465                tarms.push(arm);
466                false
467            });
468            if got_error {
469                return;
470            }
471        }
472
473        let Ok(report) = self.analyze_patterns(&cx, &tarms, scrut.ty) else { return };
474
475        match source {
476            // Don't report arm reachability of desugared `match $iter.into_iter() { iter => .. }`
477            // when the iterator is an uninhabited type. unreachable_code will trigger instead.
478            hir::MatchSource::ForLoopDesugar if arms.len() == 1 => {}
479            hir::MatchSource::ForLoopDesugar
480            | hir::MatchSource::Postfix
481            | hir::MatchSource::Normal
482            | hir::MatchSource::FormatArgs => {
483                let is_match_arm =
484                    #[allow(non_exhaustive_omitted_patterns)] match source {
    hir::MatchSource::Postfix | hir::MatchSource::Normal => true,
    _ => false,
}matches!(source, hir::MatchSource::Postfix | hir::MatchSource::Normal);
485                report_arm_reachability(&cx, &report, is_match_arm);
486            }
487            // Unreachable patterns in try and await expressions occur when one of
488            // the arms are an uninhabited type. Which is OK.
489            hir::MatchSource::AwaitDesugar | hir::MatchSource::TryDesugar(_) => {}
490        }
491
492        // Check if the match is exhaustive.
493        let witnesses = report.non_exhaustiveness_witnesses;
494        if !witnesses.is_empty() {
495            if source == hir::MatchSource::ForLoopDesugar
496                && let [_, snd_arm] = *arms
497            {
498                // the for loop pattern is not irrefutable
499                let pat = &self.thir[snd_arm].pattern;
500                // `pat` should be `Some(<pat_field>)` from a desugared for loop.
501                if true {
    match (&pat.span.desugaring_kind(), &Some(DesugaringKind::ForLoop)) {
        (left_val, right_val) => {
            if !(*left_val == *right_val) {
                let kind = ::core::panicking::AssertKind::Eq;
                ::core::panicking::assert_failed(kind, &*left_val,
                    &*right_val, ::core::option::Option::None);
            }
        }
    };
};debug_assert_eq!(pat.span.desugaring_kind(), Some(DesugaringKind::ForLoop));
502                let PatKind::Variant { ref subpatterns, .. } = pat.kind else { ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!() };
503                let [pat_field] = &subpatterns[..] else { ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!() };
504                self.check_binding_is_irrefutable(
505                    &pat_field.pattern,
506                    "`for` loop binding",
507                    None,
508                    None,
509                );
510            } else {
511                // span after scrutinee, or after `.match`. That is, the braces, arms,
512                // and any whitespace preceding the braces.
513                let braces_span = match source {
514                    hir::MatchSource::Normal => scrut
515                        .span
516                        .find_ancestor_in_same_ctxt(expr_span)
517                        .map(|scrut_span| scrut_span.shrink_to_hi().with_hi(expr_span.hi())),
518                    hir::MatchSource::Postfix => {
519                        // This is horrendous, and we should deal with it by just
520                        // stashing the span of the braces somewhere (like in the match source).
521                        scrut.span.find_ancestor_in_same_ctxt(expr_span).and_then(|scrut_span| {
522                            let sm = self.tcx.sess.source_map();
523                            let brace_span = sm.span_extend_to_next_char(scrut_span, '{', true);
524                            if sm.span_to_snippet(sm.next_point(brace_span)).as_deref() == Ok("{") {
525                                let sp = brace_span.shrink_to_hi().with_hi(expr_span.hi());
526                                // We also need to extend backwards for whitespace
527                                sm.span_extend_prev_while(sp, |c| c.is_whitespace()).ok()
528                            } else {
529                                None
530                            }
531                        })
532                    }
533                    hir::MatchSource::ForLoopDesugar
534                    | hir::MatchSource::TryDesugar(_)
535                    | hir::MatchSource::AwaitDesugar
536                    | hir::MatchSource::FormatArgs => None,
537                };
538                self.error = Err(report_non_exhaustive_match(
539                    &cx,
540                    self.thir,
541                    scrut.ty,
542                    scrut.span,
543                    witnesses,
544                    arms,
545                    braces_span,
546                ));
547            }
548        }
549    }
550
551    #[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::TRACE <=
                    ::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_let_chain",
                                    "rustc_mir_build::thir::pattern::check_match",
                                    ::tracing::Level::TRACE,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_build/src/thir/pattern/check_match.rs"),
                                    ::tracing_core::__macro_support::Option::Some(551u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_mir_build::thir::pattern::check_match"),
                                    ::tracing_core::field::FieldSet::new(&["chain_refutabilities",
                                                    "whole_chain_span"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::TRACE <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::TRACE <=
                                    ::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(&chain_refutabilities)
                                                            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(&whole_chain_span)
                                                            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;
        }
        {
            if !(self.let_source != LetSource::None) {
                ::core::panicking::panic("assertion failed: self.let_source != LetSource::None")
            };
            if chain_refutabilities.iter().all(|r|
                        #[allow(non_exhaustive_omitted_patterns)] match *r {
                            Some((_, Irrefutable)) => true,
                            _ => false,
                        }) {
                report_irrefutable_let_patterns(self.tcx, self.hir_source,
                    self.let_source, chain_refutabilities.len(),
                    whole_chain_span);
                return;
            }
            if let Some(until) =
                        chain_refutabilities.iter().position(|r|
                                !#[allow(non_exhaustive_omitted_patterns)] match *r {
                                        Some((_, Irrefutable)) => true,
                                        _ => false,
                                    }) && until > 0 {
                if !#[allow(non_exhaustive_omitted_patterns)] match self.let_source
                            {
                            LetSource::WhileLet | LetSource::IfLetGuard |
                                LetSource::ElseIfLet => true,
                            _ => false,
                        } {
                    let prefix = &chain_refutabilities[..until];
                    let span_start = prefix[0].unwrap().0;
                    let span_end = prefix.last().unwrap().unwrap().0;
                    let span = span_start.to(span_end);
                    let count = prefix.len();
                    self.tcx.emit_node_span_lint(IRREFUTABLE_LET_PATTERNS,
                        self.hir_source, span,
                        LeadingIrrefutableLetPatterns { count });
                }
            }
            if let Some(from) =
                        chain_refutabilities.iter().rposition(|r|
                                !#[allow(non_exhaustive_omitted_patterns)] match *r {
                                        Some((_, Irrefutable)) => true,
                                        _ => false,
                                    }) && from != (chain_refutabilities.len() - 1) {
                let suffix = &chain_refutabilities[from + 1..];
                let span_start = suffix[0].unwrap().0;
                let span_end = suffix.last().unwrap().unwrap().0;
                let span = span_start.to(span_end);
                let count = suffix.len();
                self.tcx.emit_node_span_lint(IRREFUTABLE_LET_PATTERNS,
                    self.hir_source, span,
                    TrailingIrrefutableLetPatterns { count });
            }
        }
    }
}#[instrument(level = "trace", skip(self))]
552    fn check_let_chain(
553        &mut self,
554        chain_refutabilities: Vec<Option<(Span, RefutableFlag)>>,
555        whole_chain_span: Span,
556    ) {
557        assert!(self.let_source != LetSource::None);
558
559        if chain_refutabilities.iter().all(|r| matches!(*r, Some((_, Irrefutable)))) {
560            // The entire chain is made up of irrefutable `let` statements
561            report_irrefutable_let_patterns(
562                self.tcx,
563                self.hir_source,
564                self.let_source,
565                chain_refutabilities.len(),
566                whole_chain_span,
567            );
568            return;
569        }
570
571        if let Some(until) =
572            chain_refutabilities.iter().position(|r| !matches!(*r, Some((_, Irrefutable))))
573            && until > 0
574        {
575            // The chain has a non-zero prefix of irrefutable `let` statements.
576
577            // Check if the let source is while, for there is no alternative place to put a prefix,
578            // and we shouldn't lint.
579            // For let guards inside a match, prefixes might use bindings of the match pattern,
580            // so can't always be moved out.
581            // For `else if let`, an extra indentation level would be required to move the bindings.
582            // FIXME: Add checking whether the bindings are actually used in the prefix,
583            // and lint if they are not.
584            if !matches!(
585                self.let_source,
586                LetSource::WhileLet | LetSource::IfLetGuard | LetSource::ElseIfLet
587            ) {
588                // Emit the lint
589                let prefix = &chain_refutabilities[..until];
590                let span_start = prefix[0].unwrap().0;
591                let span_end = prefix.last().unwrap().unwrap().0;
592                let span = span_start.to(span_end);
593                let count = prefix.len();
594                self.tcx.emit_node_span_lint(
595                    IRREFUTABLE_LET_PATTERNS,
596                    self.hir_source,
597                    span,
598                    LeadingIrrefutableLetPatterns { count },
599                );
600            }
601        }
602
603        if let Some(from) =
604            chain_refutabilities.iter().rposition(|r| !matches!(*r, Some((_, Irrefutable))))
605            && from != (chain_refutabilities.len() - 1)
606        {
607            // The chain has a non-empty suffix of irrefutable `let` statements
608            let suffix = &chain_refutabilities[from + 1..];
609            let span_start = suffix[0].unwrap().0;
610            let span_end = suffix.last().unwrap().unwrap().0;
611            let span = span_start.to(span_end);
612            let count = suffix.len();
613            self.tcx.emit_node_span_lint(
614                IRREFUTABLE_LET_PATTERNS,
615                self.hir_source,
616                span,
617                TrailingIrrefutableLetPatterns { count },
618            );
619        }
620    }
621
622    fn analyze_binding(
623        &mut self,
624        pat: &'p Pat<'tcx>,
625        refutability: RefutableFlag,
626        scrut: Option<&Expr<'tcx>>,
627    ) -> Result<(PatCtxt<'p, 'tcx>, UsefulnessReport<'p, 'tcx>), ErrorGuaranteed> {
628        let cx = self.new_cx(refutability, None, scrut, pat.span);
629        let pat = self.lower_pattern(&cx, pat)?;
630        let arms = [MatchArm { pat, arm_data: self.hir_source, has_guard: false }];
631        let report = self.analyze_patterns(&cx, &arms, pat.ty().inner())?;
632        Ok((cx, report))
633    }
634
635    fn is_let_irrefutable(
636        &mut self,
637        pat: &'p Pat<'tcx>,
638        scrut: Option<&Expr<'tcx>>,
639    ) -> Result<RefutableFlag, ErrorGuaranteed> {
640        let (cx, report) = self.analyze_binding(pat, Refutable, scrut)?;
641        // Report if the pattern is unreachable, which can only occur when the type is uninhabited.
642        report_arm_reachability(&cx, &report, false);
643        // If the list of witnesses is empty, the match is exhaustive, i.e. the `if let` pattern is
644        // irrefutable.
645        Ok(if report.non_exhaustiveness_witnesses.is_empty() { Irrefutable } else { Refutable })
646    }
647
648    #[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::TRACE <=
                    ::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_binding_is_irrefutable",
                                    "rustc_mir_build::thir::pattern::check_match",
                                    ::tracing::Level::TRACE,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_build/src/thir/pattern/check_match.rs"),
                                    ::tracing_core::__macro_support::Option::Some(648u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_mir_build::thir::pattern::check_match"),
                                    ::tracing_core::field::FieldSet::new(&["pat", "origin",
                                                    "scrut", "sp"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::TRACE <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::TRACE <=
                                    ::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(&origin 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(&scrut)
                                                            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(&sp)
                                                            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 pattern_ty = pat.ty;
            let Ok((cx, report)) =
                self.analyze_binding(pat, Irrefutable, scrut) else { return };
            let witnesses = report.non_exhaustiveness_witnesses;
            if witnesses.is_empty() { return; }
            let inform = sp.is_some().then_some(Inform);
            let mut let_suggestion = None;
            let mut misc_suggestion = None;
            let mut interpreted_as_const = None;
            let mut interpreted_as_const_sugg = None;
            if let Some(def_id) =
                    is_const_pat_that_looks_like_binding(self.tcx, pat) {
                let span = self.tcx.def_span(def_id);
                let variable = self.tcx.item_name(def_id).to_string();
                interpreted_as_const =
                    Some(InterpretedAsConst {
                            span,
                            variable: variable.clone(),
                        });
                interpreted_as_const_sugg =
                    Some(InterpretedAsConstSugg { span: pat.span, variable });
            } else if let PatKind::Constant { .. } = pat.kind &&
                    let Ok(snippet) =
                        self.tcx.sess.source_map().span_to_snippet(pat.span) {
                if snippet.chars().all(|c| c.is_digit(10)) {
                    misc_suggestion =
                        Some(MiscPatternSuggestion::AttemptedIntegerLiteral {
                                start_span: pat.span.shrink_to_lo(),
                            });
                }
            }
            if let Some(span) = sp &&
                            self.tcx.sess.source_map().is_span_accessible(span) &&
                        interpreted_as_const.is_none() && scrut.is_some() {
                let mut bindings = ::alloc::vec::Vec::new();
                pat.each_binding(|name, _, _, _| bindings.push(name));
                let semi_span = span.shrink_to_hi();
                let start_span = span.shrink_to_lo();
                let end_span = semi_span.shrink_to_lo();
                let count = witnesses.len();
                let_suggestion =
                    Some(if bindings.is_empty() {
                            SuggestLet::If { start_span, semi_span, count }
                        } else { SuggestLet::Else { end_span, count } });
            };
            let adt_defined_here =
                report_adt_defined_here(self.tcx, pattern_ty, &witnesses,
                    false);
            let witness_1_is_privately_uninhabited =
                if let Some(witness_1) = witnesses.get(0) &&
                                let ty::Adt(adt, args) = witness_1.ty().kind() &&
                            adt.is_enum() &&
                        let Constructor::Variant(variant_index) = witness_1.ctor() {
                    let variant_inhabited =
                        adt.variant(*variant_index).inhabited_predicate(self.tcx,
                                *adt).instantiate(self.tcx, args);
                    variant_inhabited.apply(self.tcx, cx.typing_env, cx.module)
                        &&
                        !variant_inhabited.apply_ignore_module(self.tcx,
                                cx.typing_env)
                } else { false };
            let witness_1 = cx.print_witness_pat(witnesses.get(0).unwrap());
            self.error =
                Err(self.tcx.dcx().emit_err(PatternNotCovered {
                            span: pat.span,
                            origin,
                            uncovered: Uncovered::new(pat.span, &cx, witnesses),
                            inform,
                            interpreted_as_const,
                            interpreted_as_const_sugg,
                            witness_1_is_privately_uninhabited,
                            witness_1,
                            _p: (),
                            pattern_ty,
                            let_suggestion,
                            misc_suggestion,
                            adt_defined_here,
                        }));
        }
    }
}#[instrument(level = "trace", skip(self))]
649    fn check_binding_is_irrefutable(
650        &mut self,
651        pat: &'p Pat<'tcx>,
652        origin: &str,
653        scrut: Option<&Expr<'tcx>>,
654        sp: Option<Span>,
655    ) {
656        let pattern_ty = pat.ty;
657
658        let Ok((cx, report)) = self.analyze_binding(pat, Irrefutable, scrut) else { return };
659        let witnesses = report.non_exhaustiveness_witnesses;
660        if witnesses.is_empty() {
661            // The pattern is irrefutable.
662            return;
663        }
664
665        let inform = sp.is_some().then_some(Inform);
666        let mut let_suggestion = None;
667        let mut misc_suggestion = None;
668        let mut interpreted_as_const = None;
669        let mut interpreted_as_const_sugg = None;
670
671        if let Some(def_id) = is_const_pat_that_looks_like_binding(self.tcx, pat) {
672            let span = self.tcx.def_span(def_id);
673            let variable = self.tcx.item_name(def_id).to_string();
674            // When we encounter a constant as the binding name, point at the `const` definition.
675            interpreted_as_const = Some(InterpretedAsConst { span, variable: variable.clone() });
676            interpreted_as_const_sugg = Some(InterpretedAsConstSugg { span: pat.span, variable });
677        } else if let PatKind::Constant { .. } = pat.kind
678            && let Ok(snippet) = self.tcx.sess.source_map().span_to_snippet(pat.span)
679        {
680            // If the pattern to match is an integer literal:
681            if snippet.chars().all(|c| c.is_digit(10)) {
682                // Then give a suggestion, the user might've meant to create a binding instead.
683                misc_suggestion = Some(MiscPatternSuggestion::AttemptedIntegerLiteral {
684                    start_span: pat.span.shrink_to_lo(),
685                });
686            }
687        }
688
689        if let Some(span) = sp
690            && self.tcx.sess.source_map().is_span_accessible(span)
691            && interpreted_as_const.is_none()
692            && scrut.is_some()
693        {
694            let mut bindings = vec![];
695            pat.each_binding(|name, _, _, _| bindings.push(name));
696
697            let semi_span = span.shrink_to_hi();
698            let start_span = span.shrink_to_lo();
699            let end_span = semi_span.shrink_to_lo();
700            let count = witnesses.len();
701
702            let_suggestion = Some(if bindings.is_empty() {
703                SuggestLet::If { start_span, semi_span, count }
704            } else {
705                SuggestLet::Else { end_span, count }
706            });
707        };
708
709        let adt_defined_here = report_adt_defined_here(self.tcx, pattern_ty, &witnesses, false);
710
711        // Emit an extra note if the first uncovered witness would be uninhabited
712        // if we disregard visibility.
713        let witness_1_is_privately_uninhabited = if let Some(witness_1) = witnesses.get(0)
714            && let ty::Adt(adt, args) = witness_1.ty().kind()
715            && adt.is_enum()
716            && let Constructor::Variant(variant_index) = witness_1.ctor()
717        {
718            let variant_inhabited = adt
719                .variant(*variant_index)
720                .inhabited_predicate(self.tcx, *adt)
721                .instantiate(self.tcx, args);
722            variant_inhabited.apply(self.tcx, cx.typing_env, cx.module)
723                && !variant_inhabited.apply_ignore_module(self.tcx, cx.typing_env)
724        } else {
725            false
726        };
727
728        let witness_1 = cx.print_witness_pat(witnesses.get(0).unwrap());
729
730        self.error = Err(self.tcx.dcx().emit_err(PatternNotCovered {
731            span: pat.span,
732            origin,
733            uncovered: Uncovered::new(pat.span, &cx, witnesses),
734            inform,
735            interpreted_as_const,
736            interpreted_as_const_sugg,
737            witness_1_is_privately_uninhabited,
738            witness_1,
739            _p: (),
740            pattern_ty,
741            let_suggestion,
742            misc_suggestion,
743            adt_defined_here,
744        }));
745    }
746}
747
748/// Check if a by-value binding is by-value. That is, check if the binding's type is not `Copy`.
749/// Check that there are no borrow or move conflicts in `binding @ subpat` patterns.
750///
751/// For example, this would reject:
752/// - `ref x @ Some(ref mut y)`,
753/// - `ref mut x @ Some(ref y)`,
754/// - `ref mut x @ Some(ref mut y)`,
755/// - `ref mut? x @ Some(y)`, and
756/// - `x @ Some(ref mut? y)`.
757///
758/// This analysis is *not* subsumed by NLL.
759fn check_borrow_conflicts_in_at_patterns<'tcx>(cx: &MatchVisitor<'_, 'tcx>, pat: &Pat<'tcx>) {
760    // Extract `sub` in `binding @ sub`.
761    let PatKind::Binding { name, mode, ty, subpattern: Some(box ref sub), .. } = pat.kind else {
762        return;
763    };
764
765    let is_binding_by_move = |ty: Ty<'tcx>| !cx.tcx.type_is_copy_modulo_regions(cx.typing_env, ty);
766
767    let sess = cx.tcx.sess;
768
769    // Get the binding move, extract the mutability if by-ref.
770    let mut_outer = match mode.0 {
771        ByRef::No if is_binding_by_move(ty) => {
772            // We have `x @ pat` where `x` is by-move. Reject all borrows in `pat`.
773            let mut conflicts_ref = Vec::new();
774            sub.each_binding(|_, mode, _, span| {
775                if #[allow(non_exhaustive_omitted_patterns)] match mode {
    ByRef::Yes(..) => true,
    _ => false,
}matches!(mode, ByRef::Yes(..)) {
776                    conflicts_ref.push(span)
777                }
778            });
779            if !conflicts_ref.is_empty() {
780                sess.dcx().emit_err(BorrowOfMovedValue {
781                    binding_span: pat.span,
782                    conflicts_ref,
783                    name: Ident::new(name, pat.span),
784                    ty,
785                    suggest_borrowing: Some(pat.span.shrink_to_lo()),
786                });
787            }
788            return;
789        }
790        ByRef::No => return,
791        ByRef::Yes(_, m) => m,
792    };
793
794    // We now have `ref $mut_outer binding @ sub` (semantically).
795    // Recurse into each binding in `sub` and find mutability or move conflicts.
796    let mut conflicts_move = Vec::new();
797    let mut conflicts_mut_mut = Vec::new();
798    let mut conflicts_mut_ref = Vec::new();
799    sub.each_binding(|name, mode, ty, span| {
800        match mode {
801            ByRef::Yes(_, mut_inner) => match (mut_outer, mut_inner) {
802                // Both sides are `ref`.
803                (Mutability::Not, Mutability::Not) => {}
804                // 2x `ref mut`.
805                (Mutability::Mut, Mutability::Mut) => {
806                    conflicts_mut_mut.push(Conflict::Mut { span, name })
807                }
808                (Mutability::Not, Mutability::Mut) => {
809                    conflicts_mut_ref.push(Conflict::Mut { span, name })
810                }
811                (Mutability::Mut, Mutability::Not) => {
812                    conflicts_mut_ref.push(Conflict::Ref { span, name })
813                }
814            },
815            ByRef::No if is_binding_by_move(ty) => {
816                conflicts_move.push(Conflict::Moved { span, name }) // `ref mut?` + by-move conflict.
817            }
818            ByRef::No => {} // `ref mut?` + by-copy is fine.
819        }
820    });
821
822    let report_mut_mut = !conflicts_mut_mut.is_empty();
823    let report_mut_ref = !conflicts_mut_ref.is_empty();
824    let report_move_conflict = !conflicts_move.is_empty();
825
826    let mut occurrences = match mut_outer {
827        Mutability::Mut => ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [Conflict::Mut { span: pat.span, name }]))vec![Conflict::Mut { span: pat.span, name }],
828        Mutability::Not => ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [Conflict::Ref { span: pat.span, name }]))vec![Conflict::Ref { span: pat.span, name }],
829    };
830    occurrences.extend(conflicts_mut_mut);
831    occurrences.extend(conflicts_mut_ref);
832    occurrences.extend(conflicts_move);
833
834    // Report errors if any.
835    if report_mut_mut {
836        // Report mutability conflicts for e.g. `ref mut x @ Some(ref mut y)`.
837        sess.dcx().emit_err(MultipleMutBorrows { span: pat.span, occurrences });
838    } else if report_mut_ref {
839        // Report mutability conflicts for e.g. `ref x @ Some(ref mut y)` or the converse.
840        match mut_outer {
841            Mutability::Mut => {
842                sess.dcx().emit_err(AlreadyMutBorrowed { span: pat.span, occurrences });
843            }
844            Mutability::Not => {
845                sess.dcx().emit_err(AlreadyBorrowed { span: pat.span, occurrences });
846            }
847        };
848    } else if report_move_conflict {
849        // Report by-ref and by-move conflicts, e.g. `ref x @ y`.
850        sess.dcx().emit_err(MovedWhileBorrowed { span: pat.span, occurrences });
851    }
852}
853
854fn check_for_bindings_named_same_as_variants(
855    cx: &MatchVisitor<'_, '_>,
856    pat: &Pat<'_>,
857    rf: RefutableFlag,
858) {
859    if let PatKind::Binding {
860        name,
861        mode: BindingMode(ByRef::No, Mutability::Not),
862        subpattern: None,
863        ty,
864        ..
865    } = pat.kind
866        && let ty::Adt(edef, _) = ty.peel_refs().kind()
867        && edef.is_enum()
868        && edef
869            .variants()
870            .iter()
871            .any(|variant| variant.name == name && variant.ctor_kind() == Some(CtorKind::Const))
872    {
873        let variant_count = edef.variants().len();
874        let ty_path = { let _guard = NoTrimmedGuard::new(); cx.tcx.def_path_str(edef.did()) }with_no_trimmed_paths!(cx.tcx.def_path_str(edef.did()));
875        cx.tcx.emit_node_span_lint(
876            BINDINGS_WITH_VARIANT_NAME,
877            cx.hir_source,
878            pat.span,
879            BindingsWithVariantName {
880                // If this is an irrefutable pattern, and there's > 1 variant,
881                // then we can't actually match on this. Applying the below
882                // suggestion would produce code that breaks on `check_binding_is_irrefutable`.
883                suggestion: if rf == Refutable || variant_count == 1 {
884                    Some(pat.span)
885                } else {
886                    None
887                },
888                ty_path,
889                name: Ident::new(name, pat.span),
890            },
891        )
892    }
893}
894
895/// Check that never patterns are only used on inhabited types.
896fn check_never_pattern<'tcx>(
897    cx: &PatCtxt<'_, 'tcx>,
898    pat: &Pat<'tcx>,
899) -> Result<(), ErrorGuaranteed> {
900    if let PatKind::Never = pat.kind {
901        if !cx.is_uninhabited(pat.ty) {
902            return Err(cx.tcx.dcx().emit_err(NonEmptyNeverPattern { span: pat.span, ty: pat.ty }));
903        }
904    }
905    Ok(())
906}
907
908fn report_irrefutable_let_patterns(
909    tcx: TyCtxt<'_>,
910    id: HirId,
911    source: LetSource,
912    count: usize,
913    span: Span,
914) {
915    macro_rules! emit_diag {
916        ($lint:tt) => {{
917            tcx.emit_node_span_lint(IRREFUTABLE_LET_PATTERNS, id, span, $lint { count });
918        }};
919    }
920
921    match source {
922        LetSource::None | LetSource::PlainLet | LetSource::Else => ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!(),
923        LetSource::IfLet | LetSource::ElseIfLet => {
    tcx.emit_node_span_lint(IRREFUTABLE_LET_PATTERNS, id, span,
        IrrefutableLetPatternsIfLet { count });
}emit_diag!(IrrefutableLetPatternsIfLet),
924        LetSource::IfLetGuard => {
    tcx.emit_node_span_lint(IRREFUTABLE_LET_PATTERNS, id, span,
        IrrefutableLetPatternsIfLetGuard { count });
}emit_diag!(IrrefutableLetPatternsIfLetGuard),
925        LetSource::LetElse => {
    tcx.emit_node_span_lint(IRREFUTABLE_LET_PATTERNS, id, span,
        IrrefutableLetPatternsLetElse { count });
}emit_diag!(IrrefutableLetPatternsLetElse),
926        LetSource::WhileLet => {
    tcx.emit_node_span_lint(IRREFUTABLE_LET_PATTERNS, id, span,
        IrrefutableLetPatternsWhileLet { count });
}emit_diag!(IrrefutableLetPatternsWhileLet),
927    }
928}
929
930/// Report unreachable arms, if any.
931fn report_unreachable_pattern<'p, 'tcx>(
932    cx: &PatCtxt<'p, 'tcx>,
933    hir_id: HirId,
934    pat: &DeconstructedPat<'p, 'tcx>,
935    explanation: &RedundancyExplanation<'p, 'tcx>,
936    whole_arm_span: Option<Span>,
937) {
938    static CAP_COVERED_BY_MANY: usize = 4;
939    let pat_span = pat.data().span;
940    let mut lint = UnreachablePattern {
941        span: Some(pat_span),
942        matches_no_values: None,
943        matches_no_values_ty: **pat.ty(),
944        uninhabited_note: None,
945        covered_by_catchall: None,
946        covered_by_one: None,
947        covered_by_many: None,
948        covered_by_many_n_more_count: 0,
949        wanted_constant: None,
950        accessible_constant: None,
951        inaccessible_constant: None,
952        pattern_let_binding: None,
953        suggest_remove: None,
954    };
955    match explanation.covered_by.as_slice() {
956        [] => {
957            // Empty pattern; we report the uninhabited type that caused the emptiness.
958            lint.span = None; // Don't label the pattern itself
959            lint.uninhabited_note = Some(()); // Give a link about empty types
960            lint.matches_no_values = Some(pat_span);
961            lint.suggest_remove = whole_arm_span; // Suggest to remove the match arm
962            pat.walk(&mut |subpat| {
963                let ty = **subpat.ty();
964                if cx.is_uninhabited(ty) {
965                    lint.matches_no_values_ty = ty;
966                    false // No need to dig further.
967                } else if #[allow(non_exhaustive_omitted_patterns)] match subpat.ctor() {
    Constructor::Ref | Constructor::UnionField => true,
    _ => false,
}matches!(subpat.ctor(), Constructor::Ref | Constructor::UnionField) {
968                    false // Don't explore further since they are not by-value.
969                } else {
970                    true
971                }
972            });
973        }
974        [covering_pat] if pat_is_catchall(covering_pat) => {
975            // A binding pattern that matches all, a single binding name.
976            let pat = covering_pat.data();
977            lint.covered_by_catchall = Some(pat.span);
978            find_fallback_pattern_typo(cx, hir_id, pat, &mut lint);
979        }
980        [covering_pat] => {
981            lint.covered_by_one = Some(covering_pat.data().span);
982        }
983        covering_pats => {
984            let mut iter = covering_pats.iter();
985            let mut multispan = MultiSpan::from_span(pat_span);
986            for p in iter.by_ref().take(CAP_COVERED_BY_MANY) {
987                multispan.push_span_label(p.data().span, rustc_errors::DiagMessage::Inline(std::borrow::Cow::Borrowed("matches some of the same values"))msg!("matches some of the same values"));
988            }
989            let remain = iter.count();
990            if remain == 0 {
991                multispan.push_span_label(pat_span, rustc_errors::DiagMessage::Inline(std::borrow::Cow::Borrowed("collectively making this unreachable"))msg!("collectively making this unreachable"));
992            } else {
993                lint.covered_by_many_n_more_count = remain;
994                multispan.push_span_label(
995                    pat_span,
996                    rustc_errors::DiagMessage::Inline(std::borrow::Cow::Borrowed("...and {$covered_by_many_n_more_count} other patterns collectively make this unreachable"))msg!("...and {$covered_by_many_n_more_count} other patterns collectively make this unreachable"),
997                );
998            }
999            lint.covered_by_many = Some(multispan);
1000        }
1001    }
1002    cx.tcx.emit_node_span_lint(UNREACHABLE_PATTERNS, hir_id, pat_span, lint);
1003}
1004
1005/// Detect typos that were meant to be a `const` but were interpreted as a new pattern binding.
1006fn find_fallback_pattern_typo<'tcx>(
1007    cx: &PatCtxt<'_, 'tcx>,
1008    hir_id: HirId,
1009    pat: &Pat<'tcx>,
1010    lint: &mut UnreachablePattern<'_>,
1011) {
1012    if let Level::Allow = cx.tcx.lint_level_at_node(UNREACHABLE_PATTERNS, hir_id).level {
1013        // This is because we use `with_no_trimmed_paths` later, so if we never emit the lint we'd
1014        // ICE. At the same time, we don't really need to do all of this if we won't emit anything.
1015        return;
1016    }
1017    if let PatKind::Binding { name, subpattern: None, ty, .. } = pat.kind {
1018        // See if the binding might have been a `const` that was mistyped or out of scope.
1019        let mut accessible = ::alloc::vec::Vec::new()vec![];
1020        let mut accessible_path = ::alloc::vec::Vec::new()vec![];
1021        let mut inaccessible = ::alloc::vec::Vec::new()vec![];
1022        let mut imported = ::alloc::vec::Vec::new()vec![];
1023        let mut imported_spans = ::alloc::vec::Vec::new()vec![];
1024        let (infcx, param_env) = cx.tcx.infer_ctxt().build_with_typing_env(cx.typing_env);
1025        let parent = cx.tcx.hir_get_parent_item(hir_id);
1026
1027        for item in cx.tcx.hir_crate_items(()).free_items() {
1028            if let DefKind::Use = cx.tcx.def_kind(item.owner_id) {
1029                // Look for consts being re-exported.
1030                let item = cx.tcx.hir_expect_item(item.owner_id.def_id);
1031                let hir::ItemKind::Use(path, _) = item.kind else {
1032                    continue;
1033                };
1034                if let Some(value_ns) = path.res.value_ns
1035                    && let Res::Def(DefKind::Const, id) = value_ns
1036                    && infcx.can_eq(param_env, ty, cx.tcx.type_of(id).instantiate_identity())
1037                {
1038                    if cx.tcx.visibility(id).is_accessible_from(parent, cx.tcx) {
1039                        // The original const is accessible, suggest using it directly.
1040                        let item_name = cx.tcx.item_name(id);
1041                        accessible.push(item_name);
1042                        accessible_path.push({ let _guard = NoTrimmedGuard::new(); cx.tcx.def_path_str(id) }with_no_trimmed_paths!(cx.tcx.def_path_str(id)));
1043                    } else if cx.tcx.visibility(item.owner_id).is_accessible_from(parent, cx.tcx) {
1044                        // The const is accessible only through the re-export, point at
1045                        // the `use`.
1046                        let ident = item.kind.ident().unwrap();
1047                        imported.push(ident.name);
1048                        imported_spans.push(ident.span);
1049                    }
1050                }
1051            }
1052            if let DefKind::Const = cx.tcx.def_kind(item.owner_id)
1053                && infcx.can_eq(param_env, ty, cx.tcx.type_of(item.owner_id).instantiate_identity())
1054            {
1055                // Look for local consts.
1056                let item_name = cx.tcx.item_name(item.owner_id);
1057                let vis = cx.tcx.visibility(item.owner_id);
1058                if vis.is_accessible_from(parent, cx.tcx) {
1059                    accessible.push(item_name);
1060                    // FIXME: the line below from PR #135310 is a workaround for the ICE in issue
1061                    // #135289, where a macro in a dependency can create unreachable patterns in the
1062                    // current crate. Path trimming expects diagnostics for a typoed const, but no
1063                    // diagnostics are emitted and we ICE. See
1064                    // `tests/ui/resolve/const-with-typo-in-pattern-binding-ice-135289.rs` for a
1065                    // test that reproduces the ICE if we don't use `with_no_trimmed_paths!`.
1066                    let path = { let _guard = NoTrimmedGuard::new(); cx.tcx.def_path_str(item.owner_id) }with_no_trimmed_paths!(cx.tcx.def_path_str(item.owner_id));
1067                    accessible_path.push(path);
1068                } else if name == item_name {
1069                    // The const exists somewhere in this crate, but it can't be imported
1070                    // from this pattern's scope. We'll just point at its definition.
1071                    inaccessible.push(cx.tcx.def_span(item.owner_id));
1072                }
1073            }
1074        }
1075        if let Some((i, &const_name)) =
1076            accessible.iter().enumerate().find(|&(_, &const_name)| const_name == name)
1077        {
1078            // The pattern name is an exact match, so the pattern needed to be imported.
1079            lint.wanted_constant = Some(WantedConstant {
1080                span: pat.span,
1081                is_typo: false,
1082                const_name: const_name.to_string(),
1083                const_path: accessible_path[i].clone(),
1084            });
1085        } else if let Some(name) = find_best_match_for_name(&accessible, name, None) {
1086            // The pattern name is likely a typo.
1087            lint.wanted_constant = Some(WantedConstant {
1088                span: pat.span,
1089                is_typo: true,
1090                const_name: name.to_string(),
1091                const_path: name.to_string(),
1092            });
1093        } else if let Some(i) =
1094            imported.iter().enumerate().find(|&(_, &const_name)| const_name == name).map(|(i, _)| i)
1095        {
1096            // The const with the exact name wasn't re-exported from an import in this
1097            // crate, we point at the import.
1098            lint.accessible_constant = Some(imported_spans[i]);
1099        } else if let Some(name) = find_best_match_for_name(&imported, name, None) {
1100            // The typoed const wasn't re-exported by an import in this crate, we suggest
1101            // the right name (which will likely require another follow up suggestion).
1102            lint.wanted_constant = Some(WantedConstant {
1103                span: pat.span,
1104                is_typo: true,
1105                const_path: name.to_string(),
1106                const_name: name.to_string(),
1107            });
1108        } else if !inaccessible.is_empty() {
1109            for span in inaccessible {
1110                // The const with the exact name match isn't accessible, we just point at it.
1111                lint.inaccessible_constant = Some(span);
1112            }
1113        } else {
1114            // Look for local bindings for people that might have gotten confused with how
1115            // `let` and `const` works.
1116            for (_, node) in cx.tcx.hir_parent_iter(hir_id) {
1117                match node {
1118                    hir::Node::Stmt(hir::Stmt { kind: hir::StmtKind::Let(let_stmt), .. }) => {
1119                        if let hir::PatKind::Binding(_, _, binding_name, _) = let_stmt.pat.kind {
1120                            if name == binding_name.name {
1121                                lint.pattern_let_binding = Some(binding_name.span);
1122                            }
1123                        }
1124                    }
1125                    hir::Node::Block(hir::Block { stmts, .. }) => {
1126                        for stmt in *stmts {
1127                            if let hir::StmtKind::Let(let_stmt) = stmt.kind
1128                                && let hir::PatKind::Binding(_, _, binding_name, _) =
1129                                    let_stmt.pat.kind
1130                                && name == binding_name.name
1131                            {
1132                                lint.pattern_let_binding = Some(binding_name.span);
1133                            }
1134                        }
1135                    }
1136                    hir::Node::Item(_) => break,
1137                    _ => {}
1138                }
1139            }
1140        }
1141    }
1142}
1143
1144/// Report unreachable arms, if any.
1145fn report_arm_reachability<'p, 'tcx>(
1146    cx: &PatCtxt<'p, 'tcx>,
1147    report: &UsefulnessReport<'p, 'tcx>,
1148    is_match_arm: bool,
1149) {
1150    let sm = cx.tcx.sess.source_map();
1151    for (arm, is_useful) in report.arm_usefulness.iter() {
1152        if let Usefulness::Redundant(explanation) = is_useful {
1153            let hir_id = arm.arm_data;
1154            let arm_span = cx.tcx.hir_span(hir_id);
1155            let whole_arm_span = if is_match_arm {
1156                // If the arm is followed by a comma, extend the span to include it.
1157                let with_whitespace = sm.span_extend_while_whitespace(arm_span);
1158                if let Some(comma) = sm.span_look_ahead(with_whitespace, ",", Some(1)) {
1159                    Some(arm_span.to(comma))
1160                } else {
1161                    Some(arm_span)
1162                }
1163            } else {
1164                None
1165            };
1166            report_unreachable_pattern(cx, hir_id, arm.pat, explanation, whole_arm_span)
1167        }
1168    }
1169}
1170
1171/// Checks for common cases of "catchall" patterns that may not be intended as such.
1172fn pat_is_catchall(pat: &DeconstructedPat<'_, '_>) -> bool {
1173    match pat.ctor() {
1174        Constructor::Wildcard => true,
1175        Constructor::Struct | Constructor::Ref => {
1176            pat.iter_fields().all(|ipat| pat_is_catchall(&ipat.pat))
1177        }
1178        _ => false,
1179    }
1180}
1181
1182/// If the given pattern is a named constant that looks like it could have been
1183/// intended to be a binding, returns the `DefId` of the named constant.
1184///
1185/// Diagnostics use this to give more detailed suggestions for non-exhaustive
1186/// matches.
1187fn is_const_pat_that_looks_like_binding<'tcx>(tcx: TyCtxt<'tcx>, pat: &Pat<'tcx>) -> Option<DefId> {
1188    // The pattern must be a named constant, and the name that appears in
1189    // the pattern's source text must resemble a plain identifier without any
1190    // `::` namespace separators or other non-identifier characters.
1191    if let Some(def_id) = try { pat.extra.as_deref()?.expanded_const? }
1192        && #[allow(non_exhaustive_omitted_patterns)] match tcx.def_kind(def_id) {
    DefKind::Const => true,
    _ => false,
}matches!(tcx.def_kind(def_id), DefKind::Const)
1193        && let Ok(snippet) = tcx.sess.source_map().span_to_snippet(pat.span)
1194        && snippet.chars().all(|c| c.is_alphanumeric() || c == '_')
1195    {
1196        Some(def_id)
1197    } else {
1198        None
1199    }
1200}
1201
1202/// Report that a match is not exhaustive.
1203fn report_non_exhaustive_match<'p, 'tcx>(
1204    cx: &PatCtxt<'p, 'tcx>,
1205    thir: &Thir<'tcx>,
1206    scrut_ty: Ty<'tcx>,
1207    sp: Span,
1208    witnesses: Vec<WitnessPat<'p, 'tcx>>,
1209    arms: &[ArmId],
1210    braces_span: Option<Span>,
1211) -> ErrorGuaranteed {
1212    let is_empty_match = arms.is_empty();
1213    let non_empty_enum = match scrut_ty.kind() {
1214        ty::Adt(def, _) => def.is_enum() && !def.variants().is_empty(),
1215        _ => false,
1216    };
1217    // In the case of an empty match, replace the '`_` not covered' diagnostic with something more
1218    // informative.
1219    if is_empty_match && !non_empty_enum {
1220        return cx.tcx.dcx().emit_err(NonExhaustivePatternsTypeNotEmpty {
1221            cx,
1222            scrut_span: sp,
1223            braces_span,
1224            ty: scrut_ty,
1225        });
1226    }
1227
1228    // FIXME: migration of this diagnostic will require list support
1229    let joined_patterns = joined_uncovered_patterns(cx, &witnesses);
1230    let mut err = {
    cx.tcx.dcx().struct_span_err(sp,
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("non-exhaustive patterns: {0} not covered",
                            joined_patterns))
                })).with_code(E0004)
}struct_span_code_err!(
1231        cx.tcx.dcx(),
1232        sp,
1233        E0004,
1234        "non-exhaustive patterns: {joined_patterns} not covered"
1235    );
1236    err.span_label(
1237        sp,
1238        ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("pattern{0} {1} not covered",
                if witnesses.len() == 1 { "" } else { "s" }, joined_patterns))
    })format!(
1239            "pattern{} {} not covered",
1240            rustc_errors::pluralize!(witnesses.len()),
1241            joined_patterns
1242        ),
1243    );
1244
1245    // Point at the definition of non-covered `enum` variants.
1246    if let Some(AdtDefinedHere { adt_def_span, ty, variants }) =
1247        report_adt_defined_here(cx.tcx, scrut_ty, &witnesses, true)
1248    {
1249        let mut multi_span = MultiSpan::from_span(adt_def_span);
1250        multi_span.push_span_label(adt_def_span, "");
1251        for Variant { span } in variants {
1252            multi_span.push_span_label(span, "not covered");
1253        }
1254        err.span_note(multi_span, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` defined here", ty))
    })format!("`{ty}` defined here"));
1255    }
1256    err.note(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("the matched value is of type `{0}`",
                scrut_ty))
    })format!("the matched value is of type `{}`", scrut_ty));
1257
1258    if !is_empty_match {
1259        let mut special_tys = FxIndexSet::default();
1260        // Look at the first witness.
1261        collect_special_tys(cx, &witnesses[0], &mut special_tys);
1262
1263        for ty in special_tys {
1264            if ty.is_ptr_sized_integral() {
1265                if ty.inner() == cx.tcx.types.usize {
1266                    err.note(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}::MAX` is not treated as exhaustive, so half-open ranges are necessary to match exhaustively",
                ty))
    })format!(
1267                        "`{ty}::MAX` is not treated as exhaustive, \
1268                        so half-open ranges are necessary to match exhaustively",
1269                    ));
1270                } else if ty.inner() == cx.tcx.types.isize {
1271                    err.note(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}::MIN` and `{0}::MAX` are not treated as exhaustive, so half-open ranges are necessary to match exhaustively",
                ty))
    })format!(
1272                        "`{ty}::MIN` and `{ty}::MAX` are not treated as exhaustive, \
1273                        so half-open ranges are necessary to match exhaustively",
1274                    ));
1275                }
1276            } else if ty.inner() == cx.tcx.types.str_ {
1277                err.note("`&str` cannot be matched exhaustively, so a wildcard `_` is necessary");
1278            } else if cx.is_foreign_non_exhaustive_enum(ty) {
1279                err.note(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` is marked as non-exhaustive, so a wildcard `_` is necessary to match exhaustively",
                ty))
    })format!("`{ty}` is marked as non-exhaustive, so a wildcard `_` is necessary to match exhaustively"));
1280            } else if cx.is_uninhabited(ty.inner()) {
1281                // The type is uninhabited yet there is a witness: we must be in the `MaybeInvalid`
1282                // case.
1283                err.note(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` is uninhabited but is not being matched by value, so a wildcard `_` is required",
                ty))
    })format!("`{ty}` is uninhabited but is not being matched by value, so a wildcard `_` is required"));
1284            }
1285        }
1286    }
1287
1288    if let ty::Ref(_, sub_ty, _) = scrut_ty.kind() {
1289        if !sub_ty.is_inhabited_from(cx.tcx, cx.module, cx.typing_env) {
1290            err.note("references are always considered inhabited");
1291        }
1292    }
1293
1294    for &arm in arms {
1295        let arm = &thir.arms[arm];
1296        if let Some(def_id) = is_const_pat_that_looks_like_binding(cx.tcx, &arm.pattern) {
1297            let const_name = cx.tcx.item_name(def_id);
1298            err.span_label(
1299                arm.pattern.span,
1300                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("this pattern doesn\'t introduce a new catch-all binding, but rather pattern matches against the value of constant `{0}`",
                const_name))
    })format!(
1301                    "this pattern doesn't introduce a new catch-all binding, but rather pattern \
1302                     matches against the value of constant `{const_name}`",
1303                ),
1304            );
1305            err.span_note(cx.tcx.def_span(def_id), ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("constant `{0}` defined here",
                const_name))
    })format!("constant `{const_name}` defined here"));
1306            err.span_suggestion_verbose(
1307                arm.pattern.span.shrink_to_hi(),
1308                "if you meant to introduce a binding, use a different name",
1309                "_var".to_string(),
1310                Applicability::MaybeIncorrect,
1311            );
1312        }
1313    }
1314
1315    // Whether we suggest the actual missing patterns or `_`.
1316    let suggest_the_witnesses = witnesses.len() < 4;
1317    let suggested_arm = if suggest_the_witnesses {
1318        let pattern = witnesses
1319            .iter()
1320            .map(|witness| cx.print_witness_pat(witness))
1321            .collect::<Vec<String>>()
1322            .join(" | ");
1323        if witnesses.iter().all(|p| p.is_never_pattern()) && cx.tcx.features().never_patterns() {
1324            // Arms with a never pattern don't take a body.
1325            pattern
1326        } else {
1327            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0} => todo!()", pattern))
    })format!("{pattern} => todo!()")
1328        }
1329    } else {
1330        ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("_ => todo!()"))
    })format!("_ => todo!()")
1331    };
1332    let mut suggestion = None;
1333    let sm = cx.tcx.sess.source_map();
1334    match arms {
1335        [] if let Some(braces_span) = braces_span => {
1336            // Get the span for the empty match body `{}`.
1337            let (indentation, more) = if let Some(snippet) = sm.indentation_before(sp) {
1338                (::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("\n{0}", snippet))
    })format!("\n{snippet}"), "    ")
1339            } else {
1340                (" ".to_string(), "")
1341            };
1342            suggestion = Some((
1343                braces_span,
1344                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!(" {{{0}{1}{2},{0}}}", indentation,
                more, suggested_arm))
    })format!(" {{{indentation}{more}{suggested_arm},{indentation}}}",),
1345            ));
1346        }
1347        [only] => {
1348            let only = &thir[*only];
1349            let (pre_indentation, is_multiline) = if let Some(snippet) =
1350                sm.indentation_before(only.span)
1351                && let Ok(with_trailing) =
1352                    sm.span_extend_while(only.span, |c| c.is_whitespace() || c == ',')
1353                && sm.is_multiline(with_trailing)
1354            {
1355                (::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("\n{0}", snippet))
    })format!("\n{snippet}"), true)
1356            } else {
1357                (" ".to_string(), false)
1358            };
1359            let only_body = &thir[only.body];
1360            let comma = if #[allow(non_exhaustive_omitted_patterns)] match only_body.kind {
    ExprKind::Block { .. } => true,
    _ => false,
}matches!(only_body.kind, ExprKind::Block { .. })
1361                && only.span.eq_ctxt(only_body.span)
1362                && is_multiline
1363            {
1364                ""
1365            } else {
1366                ","
1367            };
1368            suggestion = Some((
1369                only.span.shrink_to_hi(),
1370                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0}{1}{2}", comma, pre_indentation,
                suggested_arm))
    })format!("{comma}{pre_indentation}{suggested_arm}"),
1371            ));
1372        }
1373        [.., prev, last] => {
1374            let prev = &thir[*prev];
1375            let last = &thir[*last];
1376            if prev.span.eq_ctxt(last.span) {
1377                let last_body = &thir[last.body];
1378                let comma = if #[allow(non_exhaustive_omitted_patterns)] match last_body.kind {
    ExprKind::Block { .. } => true,
    _ => false,
}matches!(last_body.kind, ExprKind::Block { .. })
1379                    && last.span.eq_ctxt(last_body.span)
1380                {
1381                    ""
1382                } else {
1383                    ","
1384                };
1385                let spacing = if sm.is_multiline(prev.span.between(last.span)) {
1386                    sm.indentation_before(last.span).map(|indent| ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("\n{0}", indent))
    })format!("\n{indent}"))
1387                } else {
1388                    Some(" ".to_string())
1389                };
1390                if let Some(spacing) = spacing {
1391                    suggestion = Some((
1392                        last.span.shrink_to_hi(),
1393                        ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0}{1}{2}", comma, spacing,
                suggested_arm))
    })format!("{comma}{spacing}{suggested_arm}"),
1394                    ));
1395                }
1396            }
1397        }
1398        _ => {}
1399    }
1400
1401    let msg = ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("ensure that all possible cases are being handled by adding a match arm with a wildcard pattern{0}{1}",
                if witnesses.len() > 1 && suggest_the_witnesses &&
                        suggestion.is_some() {
                    ", a match arm with multiple or-patterns"
                } else { "" },
                match witnesses.len() {
                    0 if suggestion.is_some() => " as shown",
                    0 => "",
                    1 if suggestion.is_some() =>
                        " or an explicit pattern as shown",
                    1 => " or an explicit pattern",
                    _ if suggestion.is_some() =>
                        " as shown, or multiple match arms",
                    _ => " or multiple match arms",
                }))
    })format!(
1402        "ensure that all possible cases are being handled by adding a match arm with a wildcard \
1403         pattern{}{}",
1404        if witnesses.len() > 1 && suggest_the_witnesses && suggestion.is_some() {
1405            ", a match arm with multiple or-patterns"
1406        } else {
1407            // we are either not suggesting anything, or suggesting `_`
1408            ""
1409        },
1410        match witnesses.len() {
1411            // non-exhaustive enum case
1412            0 if suggestion.is_some() => " as shown",
1413            0 => "",
1414            1 if suggestion.is_some() => " or an explicit pattern as shown",
1415            1 => " or an explicit pattern",
1416            _ if suggestion.is_some() => " as shown, or multiple match arms",
1417            _ => " or multiple match arms",
1418        },
1419    );
1420
1421    let all_arms_have_guards = arms.iter().all(|arm_id| thir[*arm_id].guard.is_some());
1422    if !is_empty_match && all_arms_have_guards {
1423        err.subdiagnostic(NonExhaustiveMatchAllArmsGuarded);
1424    }
1425    if let Some((span, sugg)) = suggestion {
1426        err.span_suggestion_verbose(span, msg, sugg, Applicability::HasPlaceholders);
1427    } else {
1428        err.help(msg);
1429    }
1430    err.emit()
1431}
1432
1433fn joined_uncovered_patterns<'p, 'tcx>(
1434    cx: &PatCtxt<'p, 'tcx>,
1435    witnesses: &[WitnessPat<'p, 'tcx>],
1436) -> String {
1437    const LIMIT: usize = 3;
1438    let pat_to_str = |pat: &WitnessPat<'p, 'tcx>| cx.print_witness_pat(pat);
1439    match witnesses {
1440        [] => ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!(),
1441        [witness] => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}`",
                cx.print_witness_pat(witness)))
    })format!("`{}`", cx.print_witness_pat(witness)),
1442        [head @ .., tail] if head.len() < LIMIT => {
1443            let head: Vec<_> = head.iter().map(pat_to_str).collect();
1444            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` and `{1}`",
                head.join("`, `"), cx.print_witness_pat(tail)))
    })format!("`{}` and `{}`", head.join("`, `"), cx.print_witness_pat(tail))
1445        }
1446        _ => {
1447            let (head, tail) = witnesses.split_at(LIMIT);
1448            let head: Vec<_> = head.iter().map(pat_to_str).collect();
1449            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` and {1} more",
                head.join("`, `"), tail.len()))
    })format!("`{}` and {} more", head.join("`, `"), tail.len())
1450        }
1451    }
1452}
1453
1454/// Collect types that require specific explanations when they show up in witnesses.
1455fn collect_special_tys<'tcx>(
1456    cx: &PatCtxt<'_, 'tcx>,
1457    pat: &WitnessPat<'_, 'tcx>,
1458    special_tys: &mut FxIndexSet<RevealedTy<'tcx>>,
1459) {
1460    if #[allow(non_exhaustive_omitted_patterns)] match pat.ctor() {
    Constructor::NonExhaustive | Constructor::Never => true,
    _ => false,
}matches!(pat.ctor(), Constructor::NonExhaustive | Constructor::Never) {
1461        special_tys.insert(*pat.ty());
1462    }
1463    if let Constructor::IntRange(range) = pat.ctor() {
1464        if cx.is_range_beyond_boundaries(range, *pat.ty()) {
1465            // The range denotes the values before `isize::MIN` or the values after `usize::MAX`/`isize::MAX`.
1466            special_tys.insert(*pat.ty());
1467        }
1468    }
1469    pat.iter_fields().for_each(|field_pat| collect_special_tys(cx, field_pat, special_tys))
1470}
1471
1472fn report_adt_defined_here<'tcx>(
1473    tcx: TyCtxt<'tcx>,
1474    ty: Ty<'tcx>,
1475    witnesses: &[WitnessPat<'_, 'tcx>],
1476    point_at_non_local_ty: bool,
1477) -> Option<AdtDefinedHere<'tcx>> {
1478    let ty = ty.peel_refs();
1479    let ty::Adt(def, _) = ty.kind() else {
1480        return None;
1481    };
1482    let adt_def_span =
1483        tcx.hir_get_if_local(def.did()).and_then(|node| node.ident()).map(|ident| ident.span);
1484    let adt_def_span = if point_at_non_local_ty {
1485        adt_def_span.unwrap_or_else(|| tcx.def_span(def.did()))
1486    } else {
1487        adt_def_span?
1488    };
1489
1490    let mut variants = ::alloc::vec::Vec::new()vec![];
1491    for span in maybe_point_at_variant(tcx, *def, witnesses.iter().take(5)) {
1492        variants.push(Variant { span });
1493    }
1494    Some(AdtDefinedHere { adt_def_span, ty, variants })
1495}
1496
1497fn maybe_point_at_variant<'a, 'p: 'a, 'tcx: 'p>(
1498    tcx: TyCtxt<'tcx>,
1499    def: AdtDef<'tcx>,
1500    patterns: impl Iterator<Item = &'a WitnessPat<'p, 'tcx>>,
1501) -> Vec<Span> {
1502    let mut covered = ::alloc::vec::Vec::new()vec![];
1503    for pattern in patterns {
1504        if let Constructor::Variant(variant_index) = pattern.ctor() {
1505            if let ty::Adt(this_def, _) = pattern.ty().kind()
1506                && this_def.did() != def.did()
1507            {
1508                continue;
1509            }
1510            let sp = def.variant(*variant_index).ident(tcx).span;
1511            if covered.contains(&sp) {
1512                // Don't point at variants that have already been covered due to other patterns to avoid
1513                // visual clutter.
1514                continue;
1515            }
1516            covered.push(sp);
1517        }
1518        covered.extend(maybe_point_at_variant(tcx, def, pattern.iter_fields()));
1519    }
1520    covered
1521}