Skip to main content

rustc_trait_selection/traits/
mod.rs

1//! Trait Resolution. See the [rustc dev guide] for more information on how this works.
2//!
3//! [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/traits/resolution.html
4
5pub mod auto_trait;
6pub(crate) mod coherence;
7pub mod const_evaluatable;
8mod dyn_compatibility;
9pub mod effects;
10mod engine;
11mod fulfill;
12pub mod misc;
13pub mod normalize;
14pub mod outlives_bounds;
15pub mod project;
16pub mod query;
17#[allow(hidden_glob_reexports)]
18mod select;
19pub mod specialize;
20mod structural_normalize;
21#[allow(hidden_glob_reexports)]
22mod util;
23pub mod vtable;
24pub mod wf;
25
26use std::fmt::Debug;
27use std::ops::ControlFlow;
28
29use rustc_errors::ErrorGuaranteed;
30use rustc_hir::def::DefKind;
31pub use rustc_infer::traits::*;
32use rustc_macros::TypeVisitable;
33use rustc_middle::query::Providers;
34use rustc_middle::span_bug;
35use rustc_middle::ty::error::{ExpectedFound, TypeError};
36use rustc_middle::ty::{
37    self, Clause, GenericArgs, GenericArgsRef, Ty, TyCtxt, TypeFoldable, TypeFolder,
38    TypeSuperFoldable, TypeSuperVisitable, TypeVisitable, TypeVisitableExt, TypingMode, Upcast,
39};
40use rustc_span::Span;
41use rustc_span::def_id::DefId;
42use tracing::{debug, instrument};
43
44pub use self::coherence::{
45    InCrate, IsFirstInputType, OrphanCheckErr, OrphanCheckMode, OverlapResult, UncoveredTyParams,
46    add_placeholder_note, orphan_check_trait_ref, overlapping_inherent_impls,
47    overlapping_trait_impls,
48};
49pub use self::dyn_compatibility::{
50    DynCompatibilityViolation, dyn_compatibility_violations_for_assoc_item,
51    hir_ty_lowering_dyn_compatibility_violations, is_vtable_safe_method,
52};
53pub use self::engine::{ObligationCtxt, TraitEngineExt};
54pub use self::fulfill::{FulfillmentContext, OldSolverError, PendingPredicateObligation};
55pub use self::normalize::NormalizeExt;
56pub use self::project::{normalize_inherent_projection, normalize_projection_term};
57pub use self::select::{
58    EvaluationCache, EvaluationResult, IntercrateAmbiguityCause, OverflowError, SelectionCache,
59    SelectionContext,
60};
61pub use self::specialize::specialization_graph::{
62    FutureCompatOverlapError, FutureCompatOverlapErrorKind,
63};
64pub use self::specialize::{
65    OverlapError, specialization_graph, translate_args, translate_args_with_cause,
66};
67pub use self::structural_normalize::StructurallyNormalizeExt;
68pub use self::util::{
69    BoundVarReplacer, PlaceholderReplacer, elaborate, expand_trait_aliases, impl_item_is_final,
70    sizedness_fast_path, supertrait_def_ids, supertraits, transitive_bounds_that_define_assoc_item,
71    upcast_choices, with_replaced_escaping_bound_vars,
72};
73use crate::error_reporting::InferCtxtErrorExt;
74use crate::infer::outlives::env::OutlivesEnvironment;
75use crate::infer::{InferCtxt, TyCtxtInferExt};
76use crate::regions::InferCtxtRegionExt;
77use crate::traits::query::evaluate_obligation::InferCtxtExt as _;
78
79#[derive(#[automatically_derived]
impl<'tcx> ::core::fmt::Debug for FulfillmentError<'tcx> {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::debug_struct_field3_finish(f,
            "FulfillmentError", "obligation", &self.obligation, "code",
            &self.code, "root_obligation", &&self.root_obligation)
    }
}Debug, const _: () =
    {
        impl<'tcx>
            ::rustc_middle::ty::TypeVisitable<::rustc_middle::ty::TyCtxt<'tcx>>
            for FulfillmentError<'tcx> {
            fn visit_with<__V: ::rustc_middle::ty::TypeVisitor<::rustc_middle::ty::TyCtxt<'tcx>>>(&self,
                __visitor: &mut __V) -> __V::Result {
                match *self {
                    FulfillmentError {
                        obligation: ref __binding_0,
                        code: ref __binding_1,
                        root_obligation: ref __binding_2 } => {
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_0,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_1,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_2,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                    }
                }
                <__V::Result as ::rustc_middle::ty::VisitorResult>::output()
            }
        }
    };TypeVisitable)]
80pub struct FulfillmentError<'tcx> {
81    pub obligation: PredicateObligation<'tcx>,
82    pub code: FulfillmentErrorCode<'tcx>,
83    /// Diagnostics only: the 'root' obligation which resulted in
84    /// the failure to process `obligation`. This is the obligation
85    /// that was initially passed to `register_predicate_obligation`
86    pub root_obligation: PredicateObligation<'tcx>,
87}
88
89impl<'tcx> FulfillmentError<'tcx> {
90    pub fn new(
91        obligation: PredicateObligation<'tcx>,
92        code: FulfillmentErrorCode<'tcx>,
93        root_obligation: PredicateObligation<'tcx>,
94    ) -> FulfillmentError<'tcx> {
95        FulfillmentError { obligation, code, root_obligation }
96    }
97
98    pub fn is_true_error(&self) -> bool {
99        match self.code {
100            FulfillmentErrorCode::Select(_)
101            | FulfillmentErrorCode::Project(_)
102            | FulfillmentErrorCode::Subtype(_, _)
103            | FulfillmentErrorCode::ConstEquate(_, _) => true,
104            FulfillmentErrorCode::Cycle(_) | FulfillmentErrorCode::Ambiguity { overflow: _ } => {
105                false
106            }
107        }
108    }
109}
110
111#[derive(#[automatically_derived]
impl<'tcx> ::core::clone::Clone for FulfillmentErrorCode<'tcx> {
    #[inline]
    fn clone(&self) -> FulfillmentErrorCode<'tcx> {
        match self {
            FulfillmentErrorCode::Cycle(__self_0) =>
                FulfillmentErrorCode::Cycle(::core::clone::Clone::clone(__self_0)),
            FulfillmentErrorCode::Select(__self_0) =>
                FulfillmentErrorCode::Select(::core::clone::Clone::clone(__self_0)),
            FulfillmentErrorCode::Project(__self_0) =>
                FulfillmentErrorCode::Project(::core::clone::Clone::clone(__self_0)),
            FulfillmentErrorCode::Subtype(__self_0, __self_1) =>
                FulfillmentErrorCode::Subtype(::core::clone::Clone::clone(__self_0),
                    ::core::clone::Clone::clone(__self_1)),
            FulfillmentErrorCode::ConstEquate(__self_0, __self_1) =>
                FulfillmentErrorCode::ConstEquate(::core::clone::Clone::clone(__self_0),
                    ::core::clone::Clone::clone(__self_1)),
            FulfillmentErrorCode::Ambiguity { overflow: __self_0 } =>
                FulfillmentErrorCode::Ambiguity {
                    overflow: ::core::clone::Clone::clone(__self_0),
                },
        }
    }
}Clone, const _: () =
    {
        impl<'tcx>
            ::rustc_middle::ty::TypeVisitable<::rustc_middle::ty::TyCtxt<'tcx>>
            for FulfillmentErrorCode<'tcx> {
            fn visit_with<__V: ::rustc_middle::ty::TypeVisitor<::rustc_middle::ty::TyCtxt<'tcx>>>(&self,
                __visitor: &mut __V) -> __V::Result {
                match *self {
                    FulfillmentErrorCode::Cycle(ref __binding_0) => {
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_0,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                    }
                    FulfillmentErrorCode::Select(ref __binding_0) => {
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_0,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                    }
                    FulfillmentErrorCode::Project(ref __binding_0) => {
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_0,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                    }
                    FulfillmentErrorCode::Subtype(ref __binding_0,
                        ref __binding_1) => {
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_0,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_1,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                    }
                    FulfillmentErrorCode::ConstEquate(ref __binding_0,
                        ref __binding_1) => {
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_0,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_1,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                    }
                    FulfillmentErrorCode::Ambiguity { overflow: ref __binding_0
                        } => {
                        {
                            match ::rustc_middle::ty::VisitorResult::branch(::rustc_middle::ty::TypeVisitable::visit_with(__binding_0,
                                        __visitor)) {
                                ::core::ops::ControlFlow::Continue(()) => {}
                                ::core::ops::ControlFlow::Break(r) => {
                                    return ::rustc_middle::ty::VisitorResult::from_residual(r);
                                }
                            }
                        }
                    }
                }
                <__V::Result as ::rustc_middle::ty::VisitorResult>::output()
            }
        }
    };TypeVisitable)]
112pub enum FulfillmentErrorCode<'tcx> {
113    /// Inherently impossible to fulfill; this trait is implemented if and only
114    /// if it is already implemented.
115    Cycle(PredicateObligations<'tcx>),
116    Select(SelectionError<'tcx>),
117    Project(MismatchedProjectionTypes<'tcx>),
118    Subtype(ExpectedFound<Ty<'tcx>>, TypeError<'tcx>), // always comes from a SubtypePredicate
119    ConstEquate(ExpectedFound<ty::Const<'tcx>>, TypeError<'tcx>),
120    Ambiguity {
121        /// Overflow is only `Some(suggest_recursion_limit)` when using the next generation
122        /// trait solver `-Znext-solver`. With the old solver overflow is eagerly handled by
123        /// emitting a fatal error instead.
124        overflow: Option<bool>,
125    },
126}
127
128impl<'tcx> Debug for FulfillmentErrorCode<'tcx> {
129    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
130        match *self {
131            FulfillmentErrorCode::Select(ref e) => f.write_fmt(format_args!("{0:?}", e))write!(f, "{e:?}"),
132            FulfillmentErrorCode::Project(ref e) => f.write_fmt(format_args!("{0:?}", e))write!(f, "{e:?}"),
133            FulfillmentErrorCode::Subtype(ref a, ref b) => {
134                f.write_fmt(format_args!("CodeSubtypeError({0:?}, {1:?})", a, b))write!(f, "CodeSubtypeError({a:?}, {b:?})")
135            }
136            FulfillmentErrorCode::ConstEquate(ref a, ref b) => {
137                f.write_fmt(format_args!("CodeConstEquateError({0:?}, {1:?})", a, b))write!(f, "CodeConstEquateError({a:?}, {b:?})")
138            }
139            FulfillmentErrorCode::Ambiguity { overflow: None } => f.write_fmt(format_args!("Ambiguity"))write!(f, "Ambiguity"),
140            FulfillmentErrorCode::Ambiguity { overflow: Some(suggest_increasing_limit) } => {
141                f.write_fmt(format_args!("Overflow({0})", suggest_increasing_limit))write!(f, "Overflow({suggest_increasing_limit})")
142            }
143            FulfillmentErrorCode::Cycle(ref cycle) => f.write_fmt(format_args!("Cycle({0:?})", cycle))write!(f, "Cycle({cycle:?})"),
144        }
145    }
146}
147
148/// Whether to skip the leak check, as part of a future compatibility warning step.
149///
150/// The "default" for skip-leak-check corresponds to the current
151/// behavior (do not skip the leak check) -- not the behavior we are
152/// transitioning into.
153#[derive(#[automatically_derived]
impl ::core::marker::Copy for SkipLeakCheck { }Copy, #[automatically_derived]
impl ::core::clone::Clone for SkipLeakCheck {
    #[inline]
    fn clone(&self) -> SkipLeakCheck { *self }
}Clone, #[automatically_derived]
impl ::core::cmp::PartialEq for SkipLeakCheck {
    #[inline]
    fn eq(&self, other: &SkipLeakCheck) -> 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 SkipLeakCheck {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {}
}Eq, #[automatically_derived]
impl ::core::fmt::Debug for SkipLeakCheck {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                SkipLeakCheck::Yes => "Yes",
                SkipLeakCheck::No => "No",
            })
    }
}Debug, #[automatically_derived]
impl ::core::default::Default for SkipLeakCheck {
    #[inline]
    fn default() -> SkipLeakCheck { Self::No }
}Default)]
154pub enum SkipLeakCheck {
155    Yes,
156    #[default]
157    No,
158}
159
160impl SkipLeakCheck {
161    fn is_yes(self) -> bool {
162        self == SkipLeakCheck::Yes
163    }
164}
165
166/// The mode that trait queries run in.
167#[derive(#[automatically_derived]
impl ::core::marker::Copy for TraitQueryMode { }Copy, #[automatically_derived]
impl ::core::clone::Clone for TraitQueryMode {
    #[inline]
    fn clone(&self) -> TraitQueryMode { *self }
}Clone, #[automatically_derived]
impl ::core::cmp::PartialEq for TraitQueryMode {
    #[inline]
    fn eq(&self, other: &TraitQueryMode) -> 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 TraitQueryMode {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {}
}Eq, #[automatically_derived]
impl ::core::fmt::Debug for TraitQueryMode {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                TraitQueryMode::Standard => "Standard",
                TraitQueryMode::Canonical => "Canonical",
            })
    }
}Debug)]
168pub enum TraitQueryMode {
169    /// Standard/un-canonicalized queries get accurate
170    /// spans etc. passed in and hence can do reasonable
171    /// error reporting on their own.
172    Standard,
173    /// Canonical queries get dummy spans and hence
174    /// must generally propagate errors to
175    /// pre-canonicalization callsites.
176    Canonical,
177}
178
179/// Creates predicate obligations from the generic bounds.
180#[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() ||
            { false } {
        __tracing_attr_span =
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("predicates_for_generics",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(180u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["generic_bounds"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::LevelFilter::current() &&
                            { interest = __CALLSITE.interest(); !interest.is_never() }
                        &&
                        ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                            interest) {
                    let meta = __CALLSITE.metadata();
                    ::tracing::Span::new(meta,
                        &{
                                #[allow(unused_imports)]
                                use ::tracing::field::{debug, display, Value};
                                let mut iter = meta.fields().iter();
                                meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                    ::tracing::__macro_support::Option::Some(&::tracing::field::debug(&generic_bounds)
                                                            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;
        }
        {
            generic_bounds.into_iter().enumerate().map(move
                    |(idx, (clause, span))|
                    Obligation {
                        cause: cause(idx, span),
                        recursion_depth: 0,
                        param_env,
                        predicate: normalize_predicate(clause).as_predicate(),
                    })
        }
    }
}#[instrument(level = "debug", skip(cause, param_env, normalize_predicate))]
181pub fn predicates_for_generics<'tcx>(
182    cause: impl Fn(usize, Span) -> ObligationCause<'tcx>,
183    mut normalize_predicate: impl FnMut(Clause<'tcx>) -> Clause<'tcx>,
184    param_env: ty::ParamEnv<'tcx>,
185    generic_bounds: ty::InstantiatedPredicates<'tcx>,
186) -> impl Iterator<Item = PredicateObligation<'tcx>> {
187    generic_bounds.into_iter().enumerate().map(move |(idx, (clause, span))| Obligation {
188        cause: cause(idx, span),
189        recursion_depth: 0,
190        param_env,
191        predicate: normalize_predicate(clause).as_predicate(),
192    })
193}
194
195/// Determines whether the type `ty` is known to meet `bound` and
196/// returns true if so. Returns false if `ty` either does not meet
197/// `bound` or is not known to meet bound (note that this is
198/// conservative towards *no impl*, which is the opposite of the
199/// `evaluate` methods).
200pub fn type_known_to_meet_bound_modulo_regions<'tcx>(
201    infcx: &InferCtxt<'tcx>,
202    param_env: ty::ParamEnv<'tcx>,
203    ty: Ty<'tcx>,
204    def_id: DefId,
205) -> bool {
206    let trait_ref = ty::TraitRef::new(infcx.tcx, def_id, [ty]);
207    pred_known_to_hold_modulo_regions(infcx, param_env, trait_ref)
208}
209
210/// FIXME(@lcnr): this function doesn't seem right and shouldn't exist?
211///
212/// Ping me on zulip if you want to use this method and need help with finding
213/// an appropriate replacement.
214x;#[instrument(level = "debug", skip(infcx, param_env, pred), ret)]
215fn pred_known_to_hold_modulo_regions<'tcx>(
216    infcx: &InferCtxt<'tcx>,
217    param_env: ty::ParamEnv<'tcx>,
218    pred: impl Upcast<TyCtxt<'tcx>, ty::Predicate<'tcx>>,
219) -> bool {
220    let obligation = Obligation::new(infcx.tcx, ObligationCause::dummy(), param_env, pred);
221
222    let result = infcx.evaluate_obligation_no_overflow(&obligation);
223    debug!(?result);
224
225    if result.must_apply_modulo_regions() {
226        true
227    } else if result.may_apply() && !infcx.next_trait_solver() {
228        // Sometimes obligations are ambiguous because the recursive evaluator
229        // is not smart enough, so we fall back to fulfillment when we're not certain
230        // that an obligation holds or not. Even still, we must make sure that
231        // the we do no inference in the process of checking this obligation.
232        let goal = infcx.resolve_vars_if_possible((obligation.predicate, obligation.param_env));
233        infcx.probe(|_| {
234            let ocx = ObligationCtxt::new(infcx);
235            ocx.register_obligation(obligation);
236
237            let errors = ocx.evaluate_obligations_error_on_ambiguity();
238            match errors.as_slice() {
239                // Only known to hold if we did no inference.
240                [] => infcx.resolve_vars_if_possible(goal) == goal,
241
242                errors => {
243                    debug!(?errors);
244                    false
245                }
246            }
247        })
248    } else {
249        false
250    }
251}
252
253#[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() ||
            { false } {
        __tracing_attr_span =
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("do_normalize_predicates",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(253u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["cause",
                                                    "predicates"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::LevelFilter::current() &&
                            { interest = __CALLSITE.interest(); !interest.is_never() }
                        &&
                        ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                            interest) {
                    let meta = __CALLSITE.metadata();
                    ::tracing::Span::new(meta,
                        &{
                                #[allow(unused_imports)]
                                use ::tracing::field::{debug, display, Value};
                                let mut iter = meta.fields().iter();
                                meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                    ::tracing::__macro_support::Option::Some(&::tracing::field::debug(&cause)
                                                            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(&predicates)
                                                            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:
                    Result<Vec<ty::Clause<'tcx>>, ErrorGuaranteed> = loop {};
            return __tracing_attr_fake_return;
        }
        {
            let span = cause.span;
            let infcx =
                tcx.infer_ctxt().ignoring_regions().build(TypingMode::non_body_analysis());
            let ocx = ObligationCtxt::new_with_diagnostics(&infcx);
            let predicates =
                ocx.normalize(&cause, elaborated_env, predicates);
            let errors = ocx.evaluate_obligations_error_on_ambiguity();
            if !errors.is_empty() {
                let reported =
                    infcx.err_ctxt().report_fulfillment_errors(errors);
                return Err(reported);
            }
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:285",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(285u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["message"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::EVENT)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let enabled =
                    ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::STATIC_MAX_LEVEL &&
                            ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::LevelFilter::current() &&
                        {
                            let interest = __CALLSITE.interest();
                            !interest.is_never() &&
                                ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                    interest)
                        };
                if enabled {
                    (|value_set: ::tracing::field::ValueSet|
                                {
                                    let meta = __CALLSITE.metadata();
                                    ::tracing::Event::dispatch(meta, &value_set);
                                    ;
                                })({
                            #[allow(unused_imports)]
                            use ::tracing::field::{debug, display, Value};
                            let mut iter = __CALLSITE.metadata().fields().iter();
                            __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                ::tracing::__macro_support::Option::Some(&format_args!("do_normalize_predicates: normalized predicates = {0:?}",
                                                                predicates) as &dyn Value))])
                        });
                } else { ; }
            };
            let errors =
                infcx.resolve_regions(cause.body_id, elaborated_env, []);
            if !errors.is_empty() {
                tcx.dcx().span_delayed_bug(span,
                    ::alloc::__export::must_use({
                            ::alloc::fmt::format(format_args!("failed region resolution while normalizing {0:?}: {1:?}",
                                    elaborated_env, errors))
                        }));
            }
            match infcx.fully_resolve(predicates) {
                Ok(predicates) => Ok(predicates),
                Err(fixup_err) => {
                    Err(tcx.dcx().span_delayed_bug(span,
                            ::alloc::__export::must_use({
                                    ::alloc::fmt::format(format_args!("inference variables in normalized parameter environment: {0}",
                                            fixup_err))
                                })))
                }
            }
        }
    }
}#[instrument(level = "debug", skip(tcx, elaborated_env))]
254fn do_normalize_predicates<'tcx>(
255    tcx: TyCtxt<'tcx>,
256    cause: ObligationCause<'tcx>,
257    elaborated_env: ty::ParamEnv<'tcx>,
258    predicates: Vec<ty::Clause<'tcx>>,
259) -> Result<Vec<ty::Clause<'tcx>>, ErrorGuaranteed> {
260    let span = cause.span;
261
262    // FIXME. We should really... do something with these region
263    // obligations. But this call just continues the older
264    // behavior (i.e., doesn't cause any new bugs), and it would
265    // take some further refactoring to actually solve them. In
266    // particular, we would have to handle implied bounds
267    // properly, and that code is currently largely confined to
268    // regionck (though I made some efforts to extract it
269    // out). -nmatsakis
270    //
271    // @arielby: In any case, these obligations are checked
272    // by wfcheck anyway, so I'm not sure we have to check
273    // them here too, and we will remove this function when
274    // we move over to lazy normalization *anyway*.
275    let infcx = tcx.infer_ctxt().ignoring_regions().build(TypingMode::non_body_analysis());
276    let ocx = ObligationCtxt::new_with_diagnostics(&infcx);
277    let predicates = ocx.normalize(&cause, elaborated_env, predicates);
278
279    let errors = ocx.evaluate_obligations_error_on_ambiguity();
280    if !errors.is_empty() {
281        let reported = infcx.err_ctxt().report_fulfillment_errors(errors);
282        return Err(reported);
283    }
284
285    debug!("do_normalize_predicates: normalized predicates = {:?}", predicates);
286
287    // We can use the `elaborated_env` here; the region code only
288    // cares about declarations like `'a: 'b`.
289    // FIXME: It's very weird that we ignore region obligations but apparently
290    // still need to use `resolve_regions` as we need the resolved regions in
291    // the normalized predicates.
292    let errors = infcx.resolve_regions(cause.body_id, elaborated_env, []);
293    if !errors.is_empty() {
294        tcx.dcx().span_delayed_bug(
295            span,
296            format!("failed region resolution while normalizing {elaborated_env:?}: {errors:?}"),
297        );
298    }
299
300    match infcx.fully_resolve(predicates) {
301        Ok(predicates) => Ok(predicates),
302        Err(fixup_err) => {
303            // If we encounter a fixup error, it means that some type
304            // variable wound up unconstrained. That can happen for
305            // ill-formed impls, so we delay a bug here instead of
306            // immediately ICEing and let type checking report the
307            // actual user-facing errors.
308            Err(tcx.dcx().span_delayed_bug(
309                span,
310                format!("inference variables in normalized parameter environment: {fixup_err}"),
311            ))
312        }
313    }
314}
315
316// FIXME: this is gonna need to be removed ...
317/// Normalizes the parameter environment, reporting errors if they occur.
318#[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() ||
            { false } {
        __tracing_attr_span =
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("normalize_param_env_or_error",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(318u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["unnormalized_env",
                                                    "cause"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::LevelFilter::current() &&
                            { interest = __CALLSITE.interest(); !interest.is_never() }
                        &&
                        ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                            interest) {
                    let meta = __CALLSITE.metadata();
                    ::tracing::Span::new(meta,
                        &{
                                #[allow(unused_imports)]
                                use ::tracing::field::{debug, display, Value};
                                let mut iter = meta.fields().iter();
                                meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                    ::tracing::__macro_support::Option::Some(&::tracing::field::debug(&unnormalized_env)
                                                            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(&cause)
                                                            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: ty::ParamEnv<'tcx> = loop {};
            return __tracing_attr_fake_return;
        }
        {
            let mut predicates: Vec<_> =
                util::elaborate(tcx,
                        unnormalized_env.caller_bounds().into_iter().map(|predicate|
                                {
                                    if tcx.features().generic_const_exprs() ||
                                            tcx.next_trait_solver_globally() {
                                        return predicate;
                                    }
                                    struct ConstNormalizer<'tcx>(TyCtxt<'tcx>);
                                    impl<'tcx> TypeFolder<TyCtxt<'tcx>> for
                                        ConstNormalizer<'tcx> {
                                        fn cx(&self) -> TyCtxt<'tcx> { self.0 }
                                        fn fold_const(&mut self, c: ty::Const<'tcx>)
                                            -> ty::Const<'tcx> {
                                            if c.has_escaping_bound_vars() {
                                                return ty::Const::new_misc_error(self.0);
                                            }
                                            if let ty::ConstKind::Unevaluated(uv) = c.kind() &&
                                                    self.0.def_kind(uv.def) == DefKind::AnonConst {
                                                let infcx =
                                                    self.0.infer_ctxt().build(TypingMode::non_body_analysis());
                                                let c = evaluate_const(&infcx, c, ty::ParamEnv::empty());
                                                if !(!c.has_infer() && !c.has_placeholders()) {
                                                    ::core::panicking::panic("assertion failed: !c.has_infer() && !c.has_placeholders()")
                                                };
                                                return c;
                                            }
                                            c
                                        }
                                    }
                                    predicate.fold_with(&mut ConstNormalizer(tcx))
                                })).collect();
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:411",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(411u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["message"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::EVENT)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let enabled =
                    ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::STATIC_MAX_LEVEL &&
                            ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::LevelFilter::current() &&
                        {
                            let interest = __CALLSITE.interest();
                            !interest.is_never() &&
                                ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                    interest)
                        };
                if enabled {
                    (|value_set: ::tracing::field::ValueSet|
                                {
                                    let meta = __CALLSITE.metadata();
                                    ::tracing::Event::dispatch(meta, &value_set);
                                    ;
                                })({
                            #[allow(unused_imports)]
                            use ::tracing::field::{debug, display, Value};
                            let mut iter = __CALLSITE.metadata().fields().iter();
                            __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                ::tracing::__macro_support::Option::Some(&format_args!("normalize_param_env_or_error: elaborated-predicates={0:?}",
                                                                predicates) as &dyn Value))])
                        });
                } else { ; }
            };
            let elaborated_env =
                ty::ParamEnv::new(tcx.mk_clauses(&predicates));
            if !elaborated_env.has_aliases() { return elaborated_env; }
            let outlives_predicates: Vec<_> =
                predicates.extract_if(..,
                        |predicate|
                            {

                                #[allow(non_exhaustive_omitted_patterns)]
                                match predicate.kind().skip_binder() {
                                    ty::ClauseKind::TypeOutlives(..) => true,
                                    _ => false,
                                }
                            }).collect();
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:442",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(442u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["message"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::EVENT)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let enabled =
                    ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::STATIC_MAX_LEVEL &&
                            ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::LevelFilter::current() &&
                        {
                            let interest = __CALLSITE.interest();
                            !interest.is_never() &&
                                ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                    interest)
                        };
                if enabled {
                    (|value_set: ::tracing::field::ValueSet|
                                {
                                    let meta = __CALLSITE.metadata();
                                    ::tracing::Event::dispatch(meta, &value_set);
                                    ;
                                })({
                            #[allow(unused_imports)]
                            use ::tracing::field::{debug, display, Value};
                            let mut iter = __CALLSITE.metadata().fields().iter();
                            __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                ::tracing::__macro_support::Option::Some(&format_args!("normalize_param_env_or_error: predicates=(non-outlives={0:?}, outlives={1:?})",
                                                                predicates, outlives_predicates) as &dyn Value))])
                        });
                } else { ; }
            };
            let Ok(non_outlives_predicates) =
                do_normalize_predicates(tcx, cause.clone(), elaborated_env,
                    predicates) else {
                    {
                        use ::tracing::__macro_support::Callsite as _;
                        static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                            {
                                static META: ::tracing::Metadata<'static> =
                                    {
                                        ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:450",
                                            "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                            ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                            ::tracing_core::__macro_support::Option::Some(450u32),
                                            ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                            ::tracing_core::field::FieldSet::new(&["message"],
                                                ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                            ::tracing::metadata::Kind::EVENT)
                                    };
                                ::tracing::callsite::DefaultCallsite::new(&META)
                            };
                        let enabled =
                            ::tracing::Level::DEBUG <=
                                        ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                    ::tracing::Level::DEBUG <=
                                        ::tracing::level_filters::LevelFilter::current() &&
                                {
                                    let interest = __CALLSITE.interest();
                                    !interest.is_never() &&
                                        ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                            interest)
                                };
                        if enabled {
                            (|value_set: ::tracing::field::ValueSet|
                                        {
                                            let meta = __CALLSITE.metadata();
                                            ::tracing::Event::dispatch(meta, &value_set);
                                            ;
                                        })({
                                    #[allow(unused_imports)]
                                    use ::tracing::field::{debug, display, Value};
                                    let mut iter = __CALLSITE.metadata().fields().iter();
                                    __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                        ::tracing::__macro_support::Option::Some(&format_args!("normalize_param_env_or_error: errored resolving non-outlives predicates")
                                                                as &dyn Value))])
                                });
                        } else { ; }
                    };
                    return elaborated_env;
                };
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:454",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(454u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["message"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::EVENT)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let enabled =
                    ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::STATIC_MAX_LEVEL &&
                            ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::LevelFilter::current() &&
                        {
                            let interest = __CALLSITE.interest();
                            !interest.is_never() &&
                                ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                    interest)
                        };
                if enabled {
                    (|value_set: ::tracing::field::ValueSet|
                                {
                                    let meta = __CALLSITE.metadata();
                                    ::tracing::Event::dispatch(meta, &value_set);
                                    ;
                                })({
                            #[allow(unused_imports)]
                            use ::tracing::field::{debug, display, Value};
                            let mut iter = __CALLSITE.metadata().fields().iter();
                            __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                ::tracing::__macro_support::Option::Some(&format_args!("normalize_param_env_or_error: non-outlives predicates={0:?}",
                                                                non_outlives_predicates) as &dyn Value))])
                        });
                } else { ; }
            };
            let outlives_env =
                non_outlives_predicates.iter().chain(&outlives_predicates).cloned();
            let outlives_env =
                ty::ParamEnv::new(tcx.mk_clauses_from_iter(outlives_env));
            let Ok(outlives_predicates) =
                do_normalize_predicates(tcx, cause, outlives_env,
                    outlives_predicates) else {
                    {
                        use ::tracing::__macro_support::Callsite as _;
                        static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                            {
                                static META: ::tracing::Metadata<'static> =
                                    {
                                        ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:465",
                                            "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                            ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                            ::tracing_core::__macro_support::Option::Some(465u32),
                                            ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                            ::tracing_core::field::FieldSet::new(&["message"],
                                                ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                            ::tracing::metadata::Kind::EVENT)
                                    };
                                ::tracing::callsite::DefaultCallsite::new(&META)
                            };
                        let enabled =
                            ::tracing::Level::DEBUG <=
                                        ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                    ::tracing::Level::DEBUG <=
                                        ::tracing::level_filters::LevelFilter::current() &&
                                {
                                    let interest = __CALLSITE.interest();
                                    !interest.is_never() &&
                                        ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                            interest)
                                };
                        if enabled {
                            (|value_set: ::tracing::field::ValueSet|
                                        {
                                            let meta = __CALLSITE.metadata();
                                            ::tracing::Event::dispatch(meta, &value_set);
                                            ;
                                        })({
                                    #[allow(unused_imports)]
                                    use ::tracing::field::{debug, display, Value};
                                    let mut iter = __CALLSITE.metadata().fields().iter();
                                    __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                        ::tracing::__macro_support::Option::Some(&format_args!("normalize_param_env_or_error: errored resolving outlives predicates")
                                                                as &dyn Value))])
                                });
                        } else { ; }
                    };
                    return elaborated_env;
                };
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:468",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(468u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["message"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::EVENT)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let enabled =
                    ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::STATIC_MAX_LEVEL &&
                            ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::LevelFilter::current() &&
                        {
                            let interest = __CALLSITE.interest();
                            !interest.is_never() &&
                                ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                    interest)
                        };
                if enabled {
                    (|value_set: ::tracing::field::ValueSet|
                                {
                                    let meta = __CALLSITE.metadata();
                                    ::tracing::Event::dispatch(meta, &value_set);
                                    ;
                                })({
                            #[allow(unused_imports)]
                            use ::tracing::field::{debug, display, Value};
                            let mut iter = __CALLSITE.metadata().fields().iter();
                            __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                ::tracing::__macro_support::Option::Some(&format_args!("normalize_param_env_or_error: outlives predicates={0:?}",
                                                                outlives_predicates) as &dyn Value))])
                        });
                } else { ; }
            };
            let mut predicates = non_outlives_predicates;
            predicates.extend(outlives_predicates);
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:472",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(472u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["message"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::EVENT)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let enabled =
                    ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::STATIC_MAX_LEVEL &&
                            ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::LevelFilter::current() &&
                        {
                            let interest = __CALLSITE.interest();
                            !interest.is_never() &&
                                ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                    interest)
                        };
                if enabled {
                    (|value_set: ::tracing::field::ValueSet|
                                {
                                    let meta = __CALLSITE.metadata();
                                    ::tracing::Event::dispatch(meta, &value_set);
                                    ;
                                })({
                            #[allow(unused_imports)]
                            use ::tracing::field::{debug, display, Value};
                            let mut iter = __CALLSITE.metadata().fields().iter();
                            __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                ::tracing::__macro_support::Option::Some(&format_args!("normalize_param_env_or_error: final predicates={0:?}",
                                                                predicates) as &dyn Value))])
                        });
                } else { ; }
            };
            ty::ParamEnv::new(tcx.mk_clauses(&predicates))
        }
    }
}#[instrument(level = "debug", skip(tcx))]
319pub fn normalize_param_env_or_error<'tcx>(
320    tcx: TyCtxt<'tcx>,
321    unnormalized_env: ty::ParamEnv<'tcx>,
322    cause: ObligationCause<'tcx>,
323) -> ty::ParamEnv<'tcx> {
324    // I'm not wild about reporting errors here; I'd prefer to
325    // have the errors get reported at a defined place (e.g.,
326    // during typeck). Instead I have all parameter
327    // environments, in effect, going through this function
328    // and hence potentially reporting errors. This ensures of
329    // course that we never forget to normalize (the
330    // alternative seemed like it would involve a lot of
331    // manual invocations of this fn -- and then we'd have to
332    // deal with the errors at each of those sites).
333    //
334    // In any case, in practice, typeck constructs all the
335    // parameter environments once for every fn as it goes,
336    // and errors will get reported then; so outside of type inference we
337    // can be sure that no errors should occur.
338    let mut predicates: Vec<_> = util::elaborate(
339        tcx,
340        unnormalized_env.caller_bounds().into_iter().map(|predicate| {
341            if tcx.features().generic_const_exprs() || tcx.next_trait_solver_globally() {
342                return predicate;
343            }
344
345            struct ConstNormalizer<'tcx>(TyCtxt<'tcx>);
346
347            impl<'tcx> TypeFolder<TyCtxt<'tcx>> for ConstNormalizer<'tcx> {
348                fn cx(&self) -> TyCtxt<'tcx> {
349                    self.0
350                }
351
352                fn fold_const(&mut self, c: ty::Const<'tcx>) -> ty::Const<'tcx> {
353                    // FIXME(return_type_notation): track binders in this normalizer, as
354                    // `ty::Const::normalize` can only work with properly preserved binders.
355
356                    if c.has_escaping_bound_vars() {
357                        return ty::Const::new_misc_error(self.0);
358                    }
359
360                    // While it is pretty sus to be evaluating things with an empty param env, it
361                    // should actually be okay since without `feature(generic_const_exprs)` the only
362                    // const arguments that have a non-empty param env are array repeat counts. These
363                    // do not appear in the type system though.
364                    if let ty::ConstKind::Unevaluated(uv) = c.kind()
365                        && self.0.def_kind(uv.def) == DefKind::AnonConst
366                    {
367                        let infcx = self.0.infer_ctxt().build(TypingMode::non_body_analysis());
368                        let c = evaluate_const(&infcx, c, ty::ParamEnv::empty());
369                        // We should never wind up with any `infcx` local state when normalizing anon consts
370                        // under min const generics.
371                        assert!(!c.has_infer() && !c.has_placeholders());
372                        return c;
373                    }
374
375                    c
376                }
377            }
378
379            // This whole normalization step is a hack to work around the fact that
380            // `normalize_param_env_or_error` is fundamentally broken from using an
381            // unnormalized param env with a trait solver that expects the param env
382            // to be normalized.
383            //
384            // When normalizing the param env we can end up evaluating obligations
385            // that have been normalized but can only be proven via a where clause
386            // which is still in its unnormalized form. example:
387            //
388            // Attempting to prove `T: Trait<<u8 as Identity>::Assoc>` in a param env
389            // with a `T: Trait<<u8 as Identity>::Assoc>` where clause will fail because
390            // we first normalize obligations before proving them so we end up proving
391            // `T: Trait<u8>`. Since lazy normalization is not implemented equating `u8`
392            // with `<u8 as Identity>::Assoc` fails outright so we incorrectly believe that
393            // we cannot prove `T: Trait<u8>`.
394            //
395            // The same thing is true for const generics- attempting to prove
396            // `T: Trait<ConstKind::Unevaluated(...)>` with the same thing as a where clauses
397            // will fail. After normalization we may be attempting to prove `T: Trait<4>` with
398            // the unnormalized where clause `T: Trait<ConstKind::Unevaluated(...)>`. In order
399            // for the obligation to hold `4` must be equal to `ConstKind::Unevaluated(...)`
400            // but as we do not have lazy norm implemented, equating the two consts fails outright.
401            //
402            // Ideally we would not normalize consts here at all but it is required for backwards
403            // compatibility. Eventually when lazy norm is implemented this can just be removed.
404            // We do not normalize types here as there is no backwards compatibility requirement
405            // for us to do so.
406            predicate.fold_with(&mut ConstNormalizer(tcx))
407        }),
408    )
409    .collect();
410
411    debug!("normalize_param_env_or_error: elaborated-predicates={:?}", predicates);
412
413    let elaborated_env = ty::ParamEnv::new(tcx.mk_clauses(&predicates));
414    if !elaborated_env.has_aliases() {
415        return elaborated_env;
416    }
417
418    // HACK: we are trying to normalize the param-env inside *itself*. The problem is that
419    // normalization expects its param-env to be already normalized, which means we have
420    // a circularity.
421    //
422    // The way we handle this is by normalizing the param-env inside an unnormalized version
423    // of the param-env, which means that if the param-env contains unnormalized projections,
424    // we'll have some normalization failures. This is unfortunate.
425    //
426    // Lazy normalization would basically handle this by treating just the
427    // normalizing-a-trait-ref-requires-itself cycles as evaluation failures.
428    //
429    // Inferred outlives bounds can create a lot of `TypeOutlives` predicates for associated
430    // types, so to make the situation less bad, we normalize all the predicates *but*
431    // the `TypeOutlives` predicates first inside the unnormalized parameter environment, and
432    // then we normalize the `TypeOutlives` bounds inside the normalized parameter environment.
433    //
434    // This works fairly well because trait matching does not actually care about param-env
435    // TypeOutlives predicates - these are normally used by regionck.
436    let outlives_predicates: Vec<_> = predicates
437        .extract_if(.., |predicate| {
438            matches!(predicate.kind().skip_binder(), ty::ClauseKind::TypeOutlives(..))
439        })
440        .collect();
441
442    debug!(
443        "normalize_param_env_or_error: predicates=(non-outlives={:?}, outlives={:?})",
444        predicates, outlives_predicates
445    );
446    let Ok(non_outlives_predicates) =
447        do_normalize_predicates(tcx, cause.clone(), elaborated_env, predicates)
448    else {
449        // An unnormalized env is better than nothing.
450        debug!("normalize_param_env_or_error: errored resolving non-outlives predicates");
451        return elaborated_env;
452    };
453
454    debug!("normalize_param_env_or_error: non-outlives predicates={:?}", non_outlives_predicates);
455
456    // Not sure whether it is better to include the unnormalized TypeOutlives predicates
457    // here. I believe they should not matter, because we are ignoring TypeOutlives param-env
458    // predicates here anyway. Keeping them here anyway because it seems safer.
459    let outlives_env = non_outlives_predicates.iter().chain(&outlives_predicates).cloned();
460    let outlives_env = ty::ParamEnv::new(tcx.mk_clauses_from_iter(outlives_env));
461    let Ok(outlives_predicates) =
462        do_normalize_predicates(tcx, cause, outlives_env, outlives_predicates)
463    else {
464        // An unnormalized env is better than nothing.
465        debug!("normalize_param_env_or_error: errored resolving outlives predicates");
466        return elaborated_env;
467    };
468    debug!("normalize_param_env_or_error: outlives predicates={:?}", outlives_predicates);
469
470    let mut predicates = non_outlives_predicates;
471    predicates.extend(outlives_predicates);
472    debug!("normalize_param_env_or_error: final predicates={:?}", predicates);
473    ty::ParamEnv::new(tcx.mk_clauses(&predicates))
474}
475
476/// Deeply normalize the param env using the next solver ignoring
477/// region errors.
478///
479/// FIXME(-Zhigher-ranked-assumptions): this is a hack to work around
480/// the fact that we don't support placeholder assumptions right now
481/// and is necessary for `compare_method_predicate_entailment`, see the
482/// use of this function for more info. We should remove this once we
483/// have proper support for implied bounds on binders.
484#[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() ||
            { false } {
        __tracing_attr_span =
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("deeply_normalize_param_env_ignoring_regions",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(484u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["unnormalized_env",
                                                    "cause"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::LevelFilter::current() &&
                            { interest = __CALLSITE.interest(); !interest.is_never() }
                        &&
                        ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                            interest) {
                    let meta = __CALLSITE.metadata();
                    ::tracing::Span::new(meta,
                        &{
                                #[allow(unused_imports)]
                                use ::tracing::field::{debug, display, Value};
                                let mut iter = meta.fields().iter();
                                meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                    ::tracing::__macro_support::Option::Some(&::tracing::field::debug(&unnormalized_env)
                                                            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(&cause)
                                                            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: ty::ParamEnv<'tcx> = loop {};
            return __tracing_attr_fake_return;
        }
        {
            let predicates: Vec<_> =
                util::elaborate(tcx,
                        unnormalized_env.caller_bounds().into_iter()).collect();
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:493",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(493u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["message"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::EVENT)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let enabled =
                    ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::STATIC_MAX_LEVEL &&
                            ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::LevelFilter::current() &&
                        {
                            let interest = __CALLSITE.interest();
                            !interest.is_never() &&
                                ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                    interest)
                        };
                if enabled {
                    (|value_set: ::tracing::field::ValueSet|
                                {
                                    let meta = __CALLSITE.metadata();
                                    ::tracing::Event::dispatch(meta, &value_set);
                                    ;
                                })({
                            #[allow(unused_imports)]
                            use ::tracing::field::{debug, display, Value};
                            let mut iter = __CALLSITE.metadata().fields().iter();
                            __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                ::tracing::__macro_support::Option::Some(&format_args!("normalize_param_env_or_error: elaborated-predicates={0:?}",
                                                                predicates) as &dyn Value))])
                        });
                } else { ; }
            };
            let elaborated_env =
                ty::ParamEnv::new(tcx.mk_clauses(&predicates));
            if !elaborated_env.has_aliases() { return elaborated_env; }
            let span = cause.span;
            let infcx =
                tcx.infer_ctxt().with_next_trait_solver(true).ignoring_regions().build(TypingMode::non_body_analysis());
            let predicates =
                match crate::solve::deeply_normalize::<_,
                            FulfillmentError<'tcx>>(infcx.at(&cause, elaborated_env),
                        predicates) {
                    Ok(predicates) => predicates,
                    Err(errors) => {
                        infcx.err_ctxt().report_fulfillment_errors(errors);
                        {
                            use ::tracing::__macro_support::Callsite as _;
                            static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                                {
                                    static META: ::tracing::Metadata<'static> =
                                        {
                                            ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:514",
                                                "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                                ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                                ::tracing_core::__macro_support::Option::Some(514u32),
                                                ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                                ::tracing_core::field::FieldSet::new(&["message"],
                                                    ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                                ::tracing::metadata::Kind::EVENT)
                                        };
                                    ::tracing::callsite::DefaultCallsite::new(&META)
                                };
                            let enabled =
                                ::tracing::Level::DEBUG <=
                                            ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                        ::tracing::Level::DEBUG <=
                                            ::tracing::level_filters::LevelFilter::current() &&
                                    {
                                        let interest = __CALLSITE.interest();
                                        !interest.is_never() &&
                                            ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                                interest)
                                    };
                            if enabled {
                                (|value_set: ::tracing::field::ValueSet|
                                            {
                                                let meta = __CALLSITE.metadata();
                                                ::tracing::Event::dispatch(meta, &value_set);
                                                ;
                                            })({
                                        #[allow(unused_imports)]
                                        use ::tracing::field::{debug, display, Value};
                                        let mut iter = __CALLSITE.metadata().fields().iter();
                                        __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                            ::tracing::__macro_support::Option::Some(&format_args!("normalize_param_env_or_error: errored resolving predicates")
                                                                    as &dyn Value))])
                                    });
                            } else { ; }
                        };
                        return elaborated_env;
                    }
                };
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:519",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(519u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["message"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::EVENT)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let enabled =
                    ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::STATIC_MAX_LEVEL &&
                            ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::LevelFilter::current() &&
                        {
                            let interest = __CALLSITE.interest();
                            !interest.is_never() &&
                                ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                    interest)
                        };
                if enabled {
                    (|value_set: ::tracing::field::ValueSet|
                                {
                                    let meta = __CALLSITE.metadata();
                                    ::tracing::Event::dispatch(meta, &value_set);
                                    ;
                                })({
                            #[allow(unused_imports)]
                            use ::tracing::field::{debug, display, Value};
                            let mut iter = __CALLSITE.metadata().fields().iter();
                            __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                ::tracing::__macro_support::Option::Some(&format_args!("do_normalize_predicates: normalized predicates = {0:?}",
                                                                predicates) as &dyn Value))])
                        });
                } else { ; }
            };
            let _errors =
                infcx.resolve_regions(cause.body_id, elaborated_env, []);
            let predicates =
                match infcx.fully_resolve(predicates) {
                    Ok(predicates) => predicates,
                    Err(fixup_err) => {
                        ::rustc_middle::util::bug::span_bug_fmt(span,
                            format_args!("inference variables in normalized parameter environment: {0}",
                                fixup_err))
                    }
                };
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:535",
                                    "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                                    ::tracing_core::__macro_support::Option::Some(535u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                                    ::tracing_core::field::FieldSet::new(&["message"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::EVENT)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let enabled =
                    ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::STATIC_MAX_LEVEL &&
                            ::tracing::Level::DEBUG <=
                                ::tracing::level_filters::LevelFilter::current() &&
                        {
                            let interest = __CALLSITE.interest();
                            !interest.is_never() &&
                                ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                                    interest)
                        };
                if enabled {
                    (|value_set: ::tracing::field::ValueSet|
                                {
                                    let meta = __CALLSITE.metadata();
                                    ::tracing::Event::dispatch(meta, &value_set);
                                    ;
                                })({
                            #[allow(unused_imports)]
                            use ::tracing::field::{debug, display, Value};
                            let mut iter = __CALLSITE.metadata().fields().iter();
                            __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                ::tracing::__macro_support::Option::Some(&format_args!("normalize_param_env_or_error: final predicates={0:?}",
                                                                predicates) as &dyn Value))])
                        });
                } else { ; }
            };
            ty::ParamEnv::new(tcx.mk_clauses(&predicates))
        }
    }
}#[instrument(level = "debug", skip(tcx))]
485pub fn deeply_normalize_param_env_ignoring_regions<'tcx>(
486    tcx: TyCtxt<'tcx>,
487    unnormalized_env: ty::ParamEnv<'tcx>,
488    cause: ObligationCause<'tcx>,
489) -> ty::ParamEnv<'tcx> {
490    let predicates: Vec<_> =
491        util::elaborate(tcx, unnormalized_env.caller_bounds().into_iter()).collect();
492
493    debug!("normalize_param_env_or_error: elaborated-predicates={:?}", predicates);
494
495    let elaborated_env = ty::ParamEnv::new(tcx.mk_clauses(&predicates));
496    if !elaborated_env.has_aliases() {
497        return elaborated_env;
498    }
499
500    let span = cause.span;
501    let infcx = tcx
502        .infer_ctxt()
503        .with_next_trait_solver(true)
504        .ignoring_regions()
505        .build(TypingMode::non_body_analysis());
506    let predicates = match crate::solve::deeply_normalize::<_, FulfillmentError<'tcx>>(
507        infcx.at(&cause, elaborated_env),
508        predicates,
509    ) {
510        Ok(predicates) => predicates,
511        Err(errors) => {
512            infcx.err_ctxt().report_fulfillment_errors(errors);
513            // An unnormalized env is better than nothing.
514            debug!("normalize_param_env_or_error: errored resolving predicates");
515            return elaborated_env;
516        }
517    };
518
519    debug!("do_normalize_predicates: normalized predicates = {:?}", predicates);
520    // FIXME(-Zhigher-ranked-assumptions): We're ignoring region errors for now.
521    // There're placeholder constraints `leaking` out.
522    // See the fixme in the enclosing function's docs for more.
523    let _errors = infcx.resolve_regions(cause.body_id, elaborated_env, []);
524
525    let predicates = match infcx.fully_resolve(predicates) {
526        Ok(predicates) => predicates,
527        Err(fixup_err) => {
528            span_bug!(
529                span,
530                "inference variables in normalized parameter environment: {}",
531                fixup_err
532            )
533        }
534    };
535    debug!("normalize_param_env_or_error: final predicates={:?}", predicates);
536    ty::ParamEnv::new(tcx.mk_clauses(&predicates))
537}
538
539#[derive(#[automatically_derived]
impl ::core::fmt::Debug for EvaluateConstErr {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            EvaluateConstErr::HasGenericsOrInfers =>
                ::core::fmt::Formatter::write_str(f, "HasGenericsOrInfers"),
            EvaluateConstErr::InvalidConstParamTy(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "InvalidConstParamTy", &__self_0),
            EvaluateConstErr::EvaluationFailure(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "EvaluationFailure", &__self_0),
        }
    }
}Debug)]
540pub enum EvaluateConstErr {
541    /// The constant being evaluated was either a generic parameter or inference variable, *or*,
542    /// some unevaluated constant with either generic parameters or inference variables in its
543    /// generic arguments.
544    HasGenericsOrInfers,
545    /// The type this constant evaluated to is not valid for use in const generics. This should
546    /// always result in an error when checking the constant is correctly typed for the parameter
547    /// it is an argument to, so a bug is delayed when encountering this.
548    InvalidConstParamTy(ErrorGuaranteed),
549    /// CTFE failed to evaluate the constant in some unrecoverable way (e.g. encountered a `panic!`).
550    /// This is also used when the constant was already tainted by error.
551    EvaluationFailure(ErrorGuaranteed),
552}
553
554// FIXME(BoxyUwU): Private this once we `generic_const_exprs` isn't doing its own normalization routine
555// FIXME(generic_const_exprs): Consider accepting a `ty::UnevaluatedConst` when we are not rolling our own
556// normalization scheme
557/// Evaluates a type system constant returning a `ConstKind::Error` in cases where CTFE failed and
558/// returning the passed in constant if it was not fully concrete (i.e. depended on generic parameters
559/// or inference variables)
560///
561/// You should not call this function unless you are implementing normalization itself. Prefer to use
562/// `normalize_erasing_regions` or the `normalize` functions on `ObligationCtxt`/`FnCtxt`/`InferCtxt`.
563pub fn evaluate_const<'tcx>(
564    infcx: &InferCtxt<'tcx>,
565    ct: ty::Const<'tcx>,
566    param_env: ty::ParamEnv<'tcx>,
567) -> ty::Const<'tcx> {
568    match try_evaluate_const(infcx, ct, param_env) {
569        Ok(ct) => ct,
570        Err(EvaluateConstErr::EvaluationFailure(e) | EvaluateConstErr::InvalidConstParamTy(e)) => {
571            ty::Const::new_error(infcx.tcx, e)
572        }
573        Err(EvaluateConstErr::HasGenericsOrInfers) => ct,
574    }
575}
576
577// FIXME(BoxyUwU): Private this once we `generic_const_exprs` isn't doing its own normalization routine
578// FIXME(generic_const_exprs): Consider accepting a `ty::UnevaluatedConst` when we are not rolling our own
579// normalization scheme
580/// Evaluates a type system constant making sure to not allow constants that depend on generic parameters
581/// or inference variables to succeed in evaluating.
582///
583/// You should not call this function unless you are implementing normalization itself. Prefer to use
584/// `normalize_erasing_regions` or the `normalize` functions on `ObligationCtxt`/`FnCtxt`/`InferCtxt`.
585x;#[instrument(level = "debug", skip(infcx), ret)]
586pub fn try_evaluate_const<'tcx>(
587    infcx: &InferCtxt<'tcx>,
588    ct: ty::Const<'tcx>,
589    param_env: ty::ParamEnv<'tcx>,
590) -> Result<ty::Const<'tcx>, EvaluateConstErr> {
591    let tcx = infcx.tcx;
592    let ct = infcx.resolve_vars_if_possible(ct);
593    debug!(?ct);
594
595    match ct.kind() {
596        ty::ConstKind::Value(..) => Ok(ct),
597        ty::ConstKind::Error(e) => Err(EvaluateConstErr::EvaluationFailure(e)),
598        ty::ConstKind::Param(_)
599        | ty::ConstKind::Infer(_)
600        | ty::ConstKind::Bound(_, _)
601        | ty::ConstKind::Placeholder(_)
602        | ty::ConstKind::Expr(_) => Err(EvaluateConstErr::HasGenericsOrInfers),
603        ty::ConstKind::Unevaluated(uv) => {
604            let opt_anon_const_kind =
605                (tcx.def_kind(uv.def) == DefKind::AnonConst).then(|| tcx.anon_const_kind(uv.def));
606
607            // Postpone evaluation of constants that depend on generic parameters or
608            // inference variables.
609            //
610            // We use `TypingMode::PostAnalysis` here which is not *technically* correct
611            // to be revealing opaque types here as borrowcheck has not run yet. However,
612            // CTFE itself uses `TypingMode::PostAnalysis` unconditionally even during
613            // typeck and not doing so has a lot of (undesirable) fallout (#101478, #119821).
614            // As a result we always use a revealed env when resolving the instance to evaluate.
615            //
616            // FIXME: `const_eval_resolve_for_typeck` should probably just modify the env itself
617            // instead of having this logic here
618            let (args, typing_env) = match opt_anon_const_kind {
619                // We handle `generic_const_exprs` separately as reasonable ways of handling constants in the type system
620                // completely fall apart under `generic_const_exprs` and makes this whole function Really hard to reason
621                // about if you have to consider gce whatsoever.
622                Some(ty::AnonConstKind::GCE) => {
623                    if uv.has_non_region_infer() || uv.has_non_region_param() {
624                        // `feature(generic_const_exprs)` causes anon consts to inherit all parent generics. This can cause
625                        // inference variables and generic parameters to show up in `ty::Const` even though the anon const
626                        // does not actually make use of them. We handle this case specially and attempt to evaluate anyway.
627                        match tcx.thir_abstract_const(uv.def) {
628                            Ok(Some(ct)) => {
629                                let ct = tcx.expand_abstract_consts(ct.instantiate(tcx, uv.args));
630                                if let Err(e) = ct.error_reported() {
631                                    return Err(EvaluateConstErr::EvaluationFailure(e));
632                                } else if ct.has_non_region_infer() || ct.has_non_region_param() {
633                                    // If the anon const *does* actually use generic parameters or inference variables from
634                                    // the generic arguments provided for it, then we should *not* attempt to evaluate it.
635                                    return Err(EvaluateConstErr::HasGenericsOrInfers);
636                                } else {
637                                    let args =
638                                        replace_param_and_infer_args_with_placeholder(tcx, uv.args);
639                                    let typing_env = infcx
640                                        .typing_env(tcx.erase_and_anonymize_regions(param_env))
641                                        .with_post_analysis_normalized(tcx);
642                                    (args, typing_env)
643                                }
644                            }
645                            Err(_) | Ok(None) => {
646                                let args = GenericArgs::identity_for_item(tcx, uv.def);
647                                let typing_env = ty::TypingEnv::post_analysis(tcx, uv.def);
648                                (args, typing_env)
649                            }
650                        }
651                    } else {
652                        let typing_env = infcx
653                            .typing_env(tcx.erase_and_anonymize_regions(param_env))
654                            .with_post_analysis_normalized(tcx);
655                        (uv.args, typing_env)
656                    }
657                }
658                Some(ty::AnonConstKind::RepeatExprCount) => {
659                    if uv.has_non_region_infer() {
660                        // Diagnostics will sometimes replace the identity args of anon consts in
661                        // array repeat expr counts with inference variables so we have to handle this
662                        // even though it is not something we should ever actually encounter.
663                        //
664                        // Array repeat expr counts are allowed to syntactically use generic parameters
665                        // but must not actually depend on them in order to evalaute successfully. This means
666                        // that it is actually fine to evalaute them in their own environment rather than with
667                        // the actually provided generic arguments.
668                        tcx.dcx().delayed_bug("AnonConst with infer args but no error reported");
669                    }
670
671                    // The generic args of repeat expr counts under `min_const_generics` are not supposed to
672                    // affect evaluation of the constant as this would make it a "truly" generic const arg.
673                    // To prevent this we discard all the generic arguments and evalaute with identity args
674                    // and in its own environment instead of the current environment we are normalizing in.
675                    let args = GenericArgs::identity_for_item(tcx, uv.def);
676                    let typing_env = ty::TypingEnv::post_analysis(tcx, uv.def);
677
678                    (args, typing_env)
679                }
680                Some(ty::AnonConstKind::GCA)
681                | Some(ty::AnonConstKind::MCG)
682                | Some(ty::AnonConstKind::NonTypeSystem)
683                | None => {
684                    // We are only dealing with "truly" generic/uninferred constants here:
685                    // - GCEConsts have been handled separately
686                    // - Repeat expr count back compat consts have also been handled separately
687                    // So we are free to simply defer evaluation here.
688                    //
689                    // FIXME: This assumes that `args` are normalized which is not necessarily true
690                    //
691                    // Const patterns are converted to type system constants before being
692                    // evaluated. However, we don't care about them here as pattern evaluation
693                    // logic does not go through type system normalization. If it did this would
694                    // be a backwards compatibility problem as we do not enforce "syntactic" non-
695                    // usage of generic parameters like we do here.
696                    if uv.args.has_non_region_param() || uv.args.has_non_region_infer() {
697                        return Err(EvaluateConstErr::HasGenericsOrInfers);
698                    }
699
700                    // Since there is no generic parameter, we can just drop the environment
701                    // to prevent query cycle.
702                    let typing_env = ty::TypingEnv::fully_monomorphized();
703
704                    (uv.args, typing_env)
705                }
706            };
707
708            let uv = ty::UnevaluatedConst::new(uv.def, args);
709            let erased_uv = tcx.erase_and_anonymize_regions(uv);
710
711            use rustc_middle::mir::interpret::ErrorHandled;
712            // FIXME: `def_span` will point at the definition of this const; ideally, we'd point at
713            // where it gets used as a const generic.
714            match tcx.const_eval_resolve_for_typeck(typing_env, erased_uv, tcx.def_span(uv.def)) {
715                Ok(Ok(val)) => Ok(ty::Const::new_value(
716                    tcx,
717                    val,
718                    tcx.type_of(uv.def).instantiate(tcx, uv.args),
719                )),
720                Ok(Err(_)) => {
721                    let e = tcx.dcx().delayed_bug(
722                        "Type system constant with non valtree'able type evaluated but no error emitted",
723                    );
724                    Err(EvaluateConstErr::InvalidConstParamTy(e))
725                }
726                Err(ErrorHandled::Reported(info, _)) => {
727                    Err(EvaluateConstErr::EvaluationFailure(info.into()))
728                }
729                Err(ErrorHandled::TooGeneric(_)) => Err(EvaluateConstErr::HasGenericsOrInfers),
730            }
731        }
732    }
733}
734
735/// Replaces args that reference param or infer variables with suitable
736/// placeholders. This function is meant to remove these param and infer
737/// args when they're not actually needed to evaluate a constant.
738fn replace_param_and_infer_args_with_placeholder<'tcx>(
739    tcx: TyCtxt<'tcx>,
740    args: GenericArgsRef<'tcx>,
741) -> GenericArgsRef<'tcx> {
742    struct ReplaceParamAndInferWithPlaceholder<'tcx> {
743        tcx: TyCtxt<'tcx>,
744        idx: ty::BoundVar,
745    }
746
747    impl<'tcx> TypeFolder<TyCtxt<'tcx>> for ReplaceParamAndInferWithPlaceholder<'tcx> {
748        fn cx(&self) -> TyCtxt<'tcx> {
749            self.tcx
750        }
751
752        fn fold_ty(&mut self, t: Ty<'tcx>) -> Ty<'tcx> {
753            if let ty::Infer(_) = t.kind() {
754                let idx = self.idx;
755                self.idx += 1;
756                Ty::new_placeholder(
757                    self.tcx,
758                    ty::PlaceholderType::new(
759                        ty::UniverseIndex::ROOT,
760                        ty::BoundTy { var: idx, kind: ty::BoundTyKind::Anon },
761                    ),
762                )
763            } else {
764                t.super_fold_with(self)
765            }
766        }
767
768        fn fold_const(&mut self, c: ty::Const<'tcx>) -> ty::Const<'tcx> {
769            if let ty::ConstKind::Infer(_) = c.kind() {
770                let idx = self.idx;
771                self.idx += 1;
772                ty::Const::new_placeholder(
773                    self.tcx,
774                    ty::PlaceholderConst::new(ty::UniverseIndex::ROOT, ty::BoundConst::new(idx)),
775                )
776            } else {
777                c.super_fold_with(self)
778            }
779        }
780    }
781
782    args.fold_with(&mut ReplaceParamAndInferWithPlaceholder { tcx, idx: ty::BoundVar::ZERO })
783}
784
785/// Normalizes the predicates and checks whether they hold in an empty environment. If this
786/// returns true, then either normalize encountered an error or one of the predicates did not
787/// hold. Used when creating vtables to check for unsatisfiable methods. This should not be
788/// used during analysis.
789pub fn impossible_predicates<'tcx>(tcx: TyCtxt<'tcx>, predicates: Vec<ty::Clause<'tcx>>) -> bool {
790    {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:790",
                        "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                        ::tracing_core::__macro_support::Option::Some(790u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("impossible_predicates(predicates={0:?})",
                                                    predicates) as &dyn Value))])
            });
    } else { ; }
};debug!("impossible_predicates(predicates={:?})", predicates);
791    let (infcx, param_env) = tcx
792        .infer_ctxt()
793        .with_next_trait_solver(true)
794        .build_with_typing_env(ty::TypingEnv::fully_monomorphized());
795
796    let ocx = ObligationCtxt::new(&infcx);
797    let predicates = ocx.normalize(&ObligationCause::dummy(), param_env, predicates);
798    for predicate in predicates {
799        let obligation = Obligation::new(tcx, ObligationCause::dummy(), param_env, predicate);
800        ocx.register_obligation(obligation);
801    }
802
803    // Use `try_evaluate_obligations` to only return impossible for true errors,
804    // and not ambiguities or overflows. Since the new trait solver forces
805    // some currently undetected overlap between `dyn Trait: Trait` built-in
806    // vs user-written impls to AMBIGUOUS, this may return ambiguity even
807    // with no infer vars. There may also be ways to encounter ambiguity due
808    // to post-mono overflow.
809    let true_errors = ocx.try_evaluate_obligations();
810    if !true_errors.is_empty() {
811        return true;
812    }
813
814    false
815}
816
817fn instantiate_and_check_impossible_predicates<'tcx>(
818    tcx: TyCtxt<'tcx>,
819    key: (DefId, GenericArgsRef<'tcx>),
820) -> bool {
821    {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:821",
                        "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                        ::tracing_core::__macro_support::Option::Some(821u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("instantiate_and_check_impossible_predicates(key={0:?})",
                                                    key) as &dyn Value))])
            });
    } else { ; }
};debug!("instantiate_and_check_impossible_predicates(key={:?})", key);
822
823    let mut predicates = tcx.predicates_of(key.0).instantiate(tcx, key.1).predicates;
824
825    // Specifically check trait fulfillment to avoid an error when trying to resolve
826    // associated items.
827    if let Some(trait_def_id) = tcx.trait_of_assoc(key.0) {
828        let trait_ref = ty::TraitRef::from_assoc(tcx, trait_def_id, key.1);
829        predicates.push(trait_ref.upcast(tcx));
830    }
831
832    predicates.retain(|predicate| !predicate.has_param());
833    let result = impossible_predicates(tcx, predicates);
834
835    {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_trait_selection/src/traits/mod.rs:835",
                        "rustc_trait_selection::traits", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_trait_selection/src/traits/mod.rs"),
                        ::tracing_core::__macro_support::Option::Some(835u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_trait_selection::traits"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("instantiate_and_check_impossible_predicates(key={0:?}) = {1:?}",
                                                    key, result) as &dyn Value))])
            });
    } else { ; }
};debug!("instantiate_and_check_impossible_predicates(key={:?}) = {:?}", key, result);
836    result
837}
838
839/// Checks whether a trait's associated item is impossible to reference on a given impl.
840///
841/// This only considers predicates that reference the impl's generics, and not
842/// those that reference the method's generics.
843fn is_impossible_associated_item(
844    tcx: TyCtxt<'_>,
845    (impl_def_id, trait_item_def_id): (DefId, DefId),
846) -> bool {
847    struct ReferencesOnlyParentGenerics<'tcx> {
848        tcx: TyCtxt<'tcx>,
849        generics: &'tcx ty::Generics,
850        trait_item_def_id: DefId,
851    }
852    impl<'tcx> ty::TypeVisitor<TyCtxt<'tcx>> for ReferencesOnlyParentGenerics<'tcx> {
853        type Result = ControlFlow<()>;
854        fn visit_ty(&mut self, t: Ty<'tcx>) -> Self::Result {
855            // If this is a parameter from the trait item's own generics, then bail
856            if let ty::Param(param) = *t.kind()
857                && let param_def_id = self.generics.type_param(param, self.tcx).def_id
858                && self.tcx.parent(param_def_id) == self.trait_item_def_id
859            {
860                return ControlFlow::Break(());
861            }
862            t.super_visit_with(self)
863        }
864        fn visit_region(&mut self, r: ty::Region<'tcx>) -> Self::Result {
865            if let ty::ReEarlyParam(param) = r.kind()
866                && let param_def_id = self.generics.region_param(param, self.tcx).def_id
867                && self.tcx.parent(param_def_id) == self.trait_item_def_id
868            {
869                return ControlFlow::Break(());
870            }
871            ControlFlow::Continue(())
872        }
873        fn visit_const(&mut self, ct: ty::Const<'tcx>) -> Self::Result {
874            if let ty::ConstKind::Param(param) = ct.kind()
875                && let param_def_id = self.generics.const_param(param, self.tcx).def_id
876                && self.tcx.parent(param_def_id) == self.trait_item_def_id
877            {
878                return ControlFlow::Break(());
879            }
880            ct.super_visit_with(self)
881        }
882    }
883
884    let generics = tcx.generics_of(trait_item_def_id);
885    let predicates = tcx.predicates_of(trait_item_def_id);
886
887    // Be conservative in cases where we have `W<T: ?Sized>` and a method like `Self: Sized`,
888    // since that method *may* have some substitutions where the predicates hold.
889    //
890    // This replicates the logic we use in coherence.
891    let infcx = tcx
892        .infer_ctxt()
893        .ignoring_regions()
894        .with_next_trait_solver(true)
895        .build(TypingMode::Coherence);
896    let param_env = ty::ParamEnv::empty();
897    let fresh_args = infcx.fresh_args_for_item(tcx.def_span(impl_def_id), impl_def_id);
898
899    let impl_trait_ref = tcx.impl_trait_ref(impl_def_id).instantiate(tcx, fresh_args);
900
901    let mut visitor = ReferencesOnlyParentGenerics { tcx, generics, trait_item_def_id };
902    let predicates_for_trait = predicates.predicates.iter().filter_map(|(pred, span)| {
903        pred.visit_with(&mut visitor).is_continue().then(|| {
904            Obligation::new(
905                tcx,
906                ObligationCause::dummy_with_span(*span),
907                param_env,
908                ty::EarlyBinder::bind(*pred).instantiate(tcx, impl_trait_ref.args),
909            )
910        })
911    });
912
913    let ocx = ObligationCtxt::new(&infcx);
914    ocx.register_obligations(predicates_for_trait);
915    !ocx.try_evaluate_obligations().is_empty()
916}
917
918pub fn provide(providers: &mut Providers) {
919    dyn_compatibility::provide(providers);
920    vtable::provide(providers);
921    *providers = Providers {
922        specialization_graph_of: specialize::specialization_graph_provider,
923        specializes: specialize::specializes,
924        specialization_enabled_in: specialize::specialization_enabled_in,
925        instantiate_and_check_impossible_predicates,
926        is_impossible_associated_item,
927        ..*providers
928    };
929}