Skip to main content

rustc_middle/
queries.rs

1//!
2//! # The rustc Query System: Query Definitions and Modifiers
3//!
4//! The core processes in rustc are shipped as queries. Each query is a demand-driven function from some key to a value.
5//! The execution result of the function is cached and directly read during the next request, thereby improving compilation efficiency.
6//! Some results are saved locally and directly read during the next compilation, which are core of incremental compilation.
7//!
8//! ## How to Read This Module
9//!
10//! Each `query` block in this file defines a single query, specifying its key and value types, along with various modifiers.
11//! These query definitions are processed by the [`rustc_macros`], which expands them into the necessary boilerplate code
12//! for the query system—including the [`Providers`] struct (a function table for all query implementations, where each field is
13//! a function pointer to the actual provider), caching, and dependency graph integration.
14//! **Note:** The `Providers` struct is not a Rust trait, but a struct generated by the `rustc_macros` to hold all provider functions.
15//! The `rustc_macros` also supports a set of **query modifiers** (see below) that control the behavior of each query.
16//!
17//! The actual provider functions are implemented in various modules and registered into the `Providers` struct
18//! during compiler initialization (see [`rustc_interface::passes::DEFAULT_QUERY_PROVIDERS`]).
19//!
20//! [`rustc_macros`]: https://doc.rust-lang.org/nightly/nightly-rustc/rustc_macros/index.html
21//! [`rustc_interface::passes::DEFAULT_QUERY_PROVIDERS`]: ../../rustc_interface/passes/static.DEFAULT_QUERY_PROVIDERS.html
22//!
23//! ## Query Modifiers
24//!
25//! Query modifiers are special flags that alter the behavior of a query. They are parsed and processed by the `rustc_macros`
26//!
27//! For the list of modifiers, see [`rustc_middle::query::modifiers`].
28//!
29//! For more details on incremental compilation, see the
30//! [Query modifiers in incremental compilation](https://rustc-dev-guide.rust-lang.org/queries/incremental-compilation-in-detail.html#query-modifiers) section of the rustc-dev-guide.
31//!
32//! ## Query Expansion and Code Generation
33//!
34//! The [`rustc_macros::rustc_queries`] macro expands each query definition into:
35//! - A method on [`TyCtxt`] (and [`crate::query::TyCtxtAt`]) for invoking the query.
36//! - Provider traits and structs for supplying the query's value.
37//! - Caching and dependency graph integration.
38//! - Support for incremental compilation, disk caching, and arena allocation as controlled by the modifiers.
39//!
40//! [`rustc_macros::rustc_queries`]: ../../rustc_macros/macro.rustc_queries.html
41//!
42//! The macro-based approach allows the query system to be highly flexible and maintainable, while minimizing boilerplate.
43//!
44//! For more details, see the [rustc-dev-guide](https://rustc-dev-guide.rust-lang.org/query.html).
45
46#![allow(unused_parens)]
47
48use std::ffi::OsStr;
49use std::path::PathBuf;
50use std::sync::Arc;
51
52use rustc_abi as abi;
53use rustc_abi::Align;
54use rustc_arena::TypedArena;
55use rustc_ast as ast;
56use rustc_ast::expand::allocator::AllocatorKind;
57use rustc_ast::tokenstream::TokenStream;
58use rustc_data_structures::fx::{FxIndexMap, FxIndexSet};
59use rustc_data_structures::sorted_map::SortedMap;
60use rustc_data_structures::steal::Steal;
61use rustc_data_structures::svh::Svh;
62use rustc_data_structures::unord::{UnordMap, UnordSet};
63use rustc_errors::ErrorGuaranteed;
64use rustc_hir as hir;
65use rustc_hir::attrs::{EiiDecl, EiiImpl, StrippedCfgItem};
66use rustc_hir::def::{DefKind, DocLinkResMap};
67use rustc_hir::def_id::{
68    CrateNum, DefId, DefIdMap, LocalDefId, LocalDefIdMap, LocalDefIdSet, LocalModDefId,
69};
70use rustc_hir::lang_items::{LangItem, LanguageItems};
71use rustc_hir::{Crate, ItemLocalId, ItemLocalMap, PreciseCapturingArgKind, TraitCandidate};
72use rustc_index::IndexVec;
73use rustc_lint_defs::LintId;
74use rustc_macros::rustc_queries;
75use rustc_session::Limits;
76use rustc_session::config::{EntryFnType, OptLevel, OutputFilenames, SymbolManglingVersion};
77use rustc_session::cstore::{
78    CrateDepKind, CrateSource, ExternCrate, ForeignModule, LinkagePreference, NativeLib,
79};
80use rustc_session::lint::LintExpectationId;
81use rustc_span::def_id::LOCAL_CRATE;
82use rustc_span::{DUMMY_SP, LocalExpnId, Span, Spanned, Symbol};
83use rustc_target::spec::PanicStrategy;
84
85use crate::infer::canonical::{self, Canonical};
86use crate::lint::LintExpectation;
87use crate::metadata::ModChild;
88use crate::middle::codegen_fn_attrs::{CodegenFnAttrs, SanitizerFnAttrs};
89use crate::middle::debugger_visualizer::DebuggerVisualizerFile;
90use crate::middle::deduced_param_attrs::DeducedParamAttrs;
91use crate::middle::exported_symbols::{ExportedSymbol, SymbolExportInfo};
92use crate::middle::lib_features::LibFeatures;
93use crate::middle::privacy::EffectiveVisibilities;
94use crate::middle::resolve_bound_vars::{ObjectLifetimeDefault, ResolveBoundVars, ResolvedArg};
95use crate::middle::stability::DeprecationEntry;
96use crate::mir::interpret::{
97    EvalStaticInitializerRawResult, EvalToAllocationRawResult, EvalToConstValueResult,
98    EvalToValTreeResult, GlobalId,
99};
100use crate::mir::mono::{
101    CodegenUnit, CollectionMode, MonoItem, MonoItemPartitions, NormalizationErrorInMono,
102};
103use crate::query::describe_as_module;
104use crate::query::plumbing::{define_callbacks, maybe_into_query_key};
105use crate::traits::query::{
106    CanonicalAliasGoal, CanonicalDropckOutlivesGoal, CanonicalImpliedOutlivesBoundsGoal,
107    CanonicalMethodAutoderefStepsGoal, CanonicalPredicateGoal, CanonicalTypeOpAscribeUserTypeGoal,
108    CanonicalTypeOpNormalizeGoal, CanonicalTypeOpProvePredicateGoal, DropckConstraint,
109    DropckOutlivesResult, MethodAutoderefStepsResult, NoSolution, NormalizationResult,
110    OutlivesBound,
111};
112use crate::traits::{
113    CodegenObligationError, DynCompatibilityViolation, EvaluationResult, ImplSource,
114    ObligationCause, OverflowError, WellFormedLoc, solve, specialization_graph,
115};
116use crate::ty::fast_reject::SimplifiedType;
117use crate::ty::layout::ValidityRequirement;
118use crate::ty::print::PrintTraitRefExt;
119use crate::ty::util::AlwaysRequiresDrop;
120use crate::ty::{
121    self, CrateInherentImpls, GenericArg, GenericArgsRef, LitToConstInput, PseudoCanonicalInput,
122    SizedTraitKind, Ty, TyCtxt, TyCtxtFeed,
123};
124use crate::{mir, thir};
125
126// Each of these queries corresponds to a function pointer field in the
127// `Providers` struct for requesting a value of that type, and a method
128// on `tcx: TyCtxt` (and `tcx.at(span)`) for doing that request in a way
129// which memoizes and does dep-graph tracking, wrapping around the actual
130// `Providers` that the driver creates (using several `rustc_*` crates).
131//
132// The result type of each query must implement `Clone`. Additionally
133// `ty::query::from_cycle_error::FromCycleError` can be implemented which produces an appropriate
134// placeholder (error) value if the query resulted in a query cycle.
135// Queries without a `FromCycleError` implementation will raise a fatal error on query
136// cycles instead.
137pub mod _cache_on_disk_if_fns {
    use super::*;
    #[allow(unused_variables)]
    #[inline]
    pub fn derive_macro_expansion<'tcx>(tcx: TyCtxt<'tcx>,
        key: (LocalExpnId, &'tcx TokenStream)) -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn hir_module_items<'tcx>(tcx: TyCtxt<'tcx>, key: LocalModDefId)
        -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn const_param_default<'tcx>(tcx: TyCtxt<'tcx>, param: DefId)
        -> bool {
        param.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn const_of_item<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn type_of<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn collect_return_position_impl_trait_in_trait_tys<'tcx>(tcx:
            TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn generics_of<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn explicit_item_bounds<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn explicit_item_self_bounds<'tcx>(tcx: TyCtxt<'tcx>, key: DefId)
        -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn mir_const_qualif<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn mir_for_ctfe<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn mir_coroutine_witnesses<'tcx>(tcx: TyCtxt<'tcx>, key: DefId)
        -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn optimized_mir<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn promoted_mir<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn explicit_predicates_of<'tcx>(tcx: TyCtxt<'tcx>, key: DefId)
        -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn inferred_outlives_of<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn explicit_super_predicates_of<'tcx>(tcx: TyCtxt<'tcx>, key: DefId)
        -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn explicit_implied_predicates_of<'tcx>(tcx: TyCtxt<'tcx>, key: DefId)
        -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn trait_def<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn adt_def<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn adt_destructor<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn adt_async_destructor<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn variances_of<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn associated_item_def_ids<'tcx>(tcx: TyCtxt<'tcx>, key: DefId)
        -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn associated_item<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn impl_trait_header<'tcx>(tcx: TyCtxt<'tcx>, impl_id: DefId)
        -> bool {
        impl_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn inherent_impls<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn fn_sig<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn check_liveness<'tcx>(tcx: TyCtxt<'tcx>, key: LocalDefId) -> bool {
        tcx.is_typeck_child(key.to_def_id())
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn coerce_unsized_info<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn typeck<'tcx>(tcx: TyCtxt<'tcx>, key: LocalDefId) -> bool {
        !tcx.is_typeck_child(key.to_def_id())
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn used_trait_imports<'tcx>(tcx: TyCtxt<'tcx>, key: LocalDefId)
        -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn mir_callgraph_cyclic<'tcx>(tcx: TyCtxt<'tcx>, key: LocalDefId)
        -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn eval_to_allocation_raw<'tcx>(tcx: TyCtxt<'tcx>,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>) -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn eval_static_initializer<'tcx>(tcx: TyCtxt<'tcx>, key: DefId)
        -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn eval_to_const_value_raw<'tcx>(tcx: TyCtxt<'tcx>,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>) -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn reachable_set<'tcx>(tcx: TyCtxt<'tcx>, _: ()) -> bool { true }
    #[allow(unused_variables)]
    #[inline]
    pub fn symbol_name<'tcx>(tcx: TyCtxt<'tcx>, key: ty::Instance<'tcx>)
        -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn def_kind<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn def_span<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn def_ident_span<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn ty_span<'tcx>(tcx: TyCtxt<'tcx>, def_id: LocalDefId) -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn lookup_stability<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn lookup_const_stability<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId)
        -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn lookup_deprecation_entry<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId)
        -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn codegen_fn_attrs<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn is_mir_available<'tcx>(tcx: TyCtxt<'tcx>, key: DefId) -> bool {
        key.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn codegen_select_candidate<'tcx>(tcx: TyCtxt<'tcx>,
        key: PseudoCanonicalInput<'tcx, ty::TraitRef<'tcx>>) -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn specialization_graph_of<'tcx>(tcx: TyCtxt<'tcx>, trait_id: DefId)
        -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn adt_drop_tys<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn adt_async_drop_tys<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId)
        -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn has_ffi_unwind_calls<'tcx>(tcx: TyCtxt<'tcx>, key: LocalDefId)
        -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn is_reachable_non_generic<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId)
        -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn exported_non_generic_symbols<'tcx>(tcx: TyCtxt<'tcx>,
        cnum: CrateNum) -> bool {
        cnum == LOCAL_CRATE
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn exported_generic_symbols<'tcx>(tcx: TyCtxt<'tcx>, cnum: CrateNum)
        -> bool {
        cnum == LOCAL_CRATE
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn items_of_instance<'tcx>(tcx: TyCtxt<'tcx>,
        key: (ty::Instance<'tcx>, CollectionMode)) -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn size_estimate<'tcx>(tcx: TyCtxt<'tcx>, key: ty::Instance<'tcx>)
        -> bool {
        true
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn trivial_const<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
        def_id.is_local()
    }
    #[allow(unused_variables)]
    #[inline]
    pub fn externally_implementable_items<'tcx>(tcx: TyCtxt<'tcx>,
        cnum: CrateNum) -> bool {
        cnum == LOCAL_CRATE
    }
}rustc_queries! {
138    /// Caches the expansion of a derive proc macro, e.g. `#[derive(Serialize)]`.
139    /// The key is:
140    /// - A unique key corresponding to the invocation of a macro.
141    /// - Token stream which serves as an input to the macro.
142    ///
143    /// The output is the token stream generated by the proc macro.
144    query derive_macro_expansion(key: (LocalExpnId, &'tcx TokenStream)) -> Result<&'tcx TokenStream, ()> {
145        desc { "expanding a derive (proc) macro" }
146        cache_on_disk_if { true }
147    }
148
149    /// This exists purely for testing the interactions between delayed bugs and incremental.
150    query trigger_delayed_bug(key: DefId) {
151        desc { "triggering a delayed bug for testing incremental" }
152    }
153
154    /// Collects the list of all tools registered using `#![register_tool]`.
155    query registered_tools(_: ()) -> &'tcx ty::RegisteredTools {
156        arena_cache
157        desc { "compute registered tools for crate" }
158    }
159
160    query early_lint_checks(_: ()) {
161        desc { "perform lints prior to AST lowering" }
162    }
163
164    /// Tracked access to environment variables.
165    ///
166    /// Useful for the implementation of `std::env!`, `proc-macro`s change
167    /// detection and other changes in the compiler's behaviour that is easier
168    /// to control with an environment variable than a flag.
169    ///
170    /// NOTE: This currently does not work with dependency info in the
171    /// analysis, codegen and linking passes, place extra code at the top of
172    /// `rustc_interface::passes::write_dep_info` to make that work.
173    query env_var_os(key: &'tcx OsStr) -> Option<&'tcx OsStr> {
174        // Environment variables are global state
175        eval_always
176        desc { "get the value of an environment variable" }
177    }
178
179    query resolutions(_: ()) -> &'tcx ty::ResolverGlobalCtxt {
180        desc { "getting the resolver outputs" }
181    }
182
183    query resolver_for_lowering_raw(_: ()) -> (&'tcx Steal<(ty::ResolverAstLowering<'tcx>, Arc<ast::Crate>)>, &'tcx ty::ResolverGlobalCtxt) {
184        eval_always
185        no_hash
186        desc { "getting the resolver for lowering" }
187    }
188
189    /// Return the span for a definition.
190    ///
191    /// Contrary to `def_span` below, this query returns the full absolute span of the definition.
192    /// This span is meant for dep-tracking rather than diagnostics. It should not be used outside
193    /// of rustc_middle::hir::source_map.
194    query source_span(key: LocalDefId) -> Span {
195        // Accesses untracked data
196        eval_always
197        desc { "getting the source span" }
198    }
199
200    /// Represents crate as a whole (as distinct from the top-level crate module).
201    ///
202    /// If you call `tcx.hir_crate(())` we will have to assume that any change
203    /// means that you need to be recompiled. This is because the `hir_crate`
204    /// query gives you access to all other items. To avoid this fate, do not
205    /// call `tcx.hir_crate(())`; instead, prefer wrappers like
206    /// [`TyCtxt::hir_visit_all_item_likes_in_crate`].
207    query hir_crate(key: ()) -> &'tcx Crate<'tcx> {
208        arena_cache
209        eval_always
210        desc { "getting the crate HIR" }
211    }
212
213    /// All items in the crate.
214    query hir_crate_items(_: ()) -> &'tcx rustc_middle::hir::ModuleItems {
215        arena_cache
216        eval_always
217        desc { "getting HIR crate items" }
218    }
219
220    /// The items in a module.
221    ///
222    /// This can be conveniently accessed by `tcx.hir_visit_item_likes_in_module`.
223    /// Avoid calling this query directly.
224    query hir_module_items(key: LocalModDefId) -> &'tcx rustc_middle::hir::ModuleItems {
225        arena_cache
226        desc { "getting HIR module items in `{}`", tcx.def_path_str(key) }
227        cache_on_disk_if { true }
228    }
229
230    /// Returns HIR ID for the given `LocalDefId`.
231    query local_def_id_to_hir_id(key: LocalDefId) -> hir::HirId {
232        desc { "getting HIR ID of `{}`", tcx.def_path_str(key) }
233        feedable
234    }
235
236    /// Gives access to the HIR node's parent for the HIR owner `key`.
237    ///
238    /// This can be conveniently accessed by `tcx.hir_*` methods.
239    /// Avoid calling this query directly.
240    query hir_owner_parent_q(key: hir::OwnerId) -> hir::HirId {
241        desc { "getting HIR parent of `{}`", tcx.def_path_str(key) }
242    }
243
244    /// Gives access to the HIR nodes and bodies inside `key` if it's a HIR owner.
245    ///
246    /// This can be conveniently accessed by `tcx.hir_*` methods.
247    /// Avoid calling this query directly.
248    query opt_hir_owner_nodes(key: LocalDefId) -> Option<&'tcx hir::OwnerNodes<'tcx>> {
249        desc { "getting HIR owner items in `{}`", tcx.def_path_str(key) }
250        feedable
251    }
252
253    /// Gives access to the HIR attributes inside the HIR owner `key`.
254    ///
255    /// This can be conveniently accessed by `tcx.hir_*` methods.
256    /// Avoid calling this query directly.
257    query hir_attr_map(key: hir::OwnerId) -> &'tcx hir::AttributeMap<'tcx> {
258        desc { "getting HIR owner attributes in `{}`", tcx.def_path_str(key) }
259        feedable
260    }
261
262    /// Gives access to lints emitted during ast lowering.
263    ///
264    /// This can be conveniently accessed by `tcx.hir_*` methods.
265    /// Avoid calling this query directly.
266    query opt_ast_lowering_delayed_lints(key: hir::OwnerId) -> Option<&'tcx hir::lints::DelayedLints> {
267        desc { "getting AST lowering delayed lints in `{}`", tcx.def_path_str(key) }
268    }
269
270    /// Returns the *default* of the const pararameter given by `DefId`.
271    ///
272    /// E.g., given `struct Ty<const N: usize = 3>;` this returns `3` for `N`.
273    query const_param_default(param: DefId) -> ty::EarlyBinder<'tcx, ty::Const<'tcx>> {
274        desc { "computing the default for const parameter `{}`", tcx.def_path_str(param)  }
275        cache_on_disk_if { param.is_local() }
276        separate_provide_extern
277    }
278
279    /// Returns the const of the RHS of a (free or assoc) const item, if it is a `type const`.
280    ///
281    /// When a const item is used in a type-level expression, like in equality for an assoc const
282    /// projection, this allows us to retrieve the typesystem-appropriate representation of the
283    /// const value.
284    ///
285    /// This query will ICE if given a const that is not marked with `type const`.
286    query const_of_item(def_id: DefId) -> ty::EarlyBinder<'tcx, ty::Const<'tcx>> {
287        desc { "computing the type-level value for `{}`", tcx.def_path_str(def_id)  }
288        cache_on_disk_if { def_id.is_local() }
289        separate_provide_extern
290    }
291
292    /// Returns the *type* of the definition given by `DefId`.
293    ///
294    /// For type aliases (whether eager or lazy) and associated types, this returns
295    /// the underlying aliased type (not the corresponding [alias type]).
296    ///
297    /// For opaque types, this returns and thus reveals the hidden type! If you
298    /// want to detect cycle errors use `type_of_opaque` instead.
299    ///
300    /// To clarify, for type definitions, this does *not* return the "type of a type"
301    /// (aka *kind* or *sort*) in the type-theoretical sense! It merely returns
302    /// the type primarily *associated with* it.
303    ///
304    /// # Panics
305    ///
306    /// This query will panic if the given definition doesn't (and can't
307    /// conceptually) have an (underlying) type.
308    ///
309    /// [alias type]: rustc_middle::ty::AliasTy
310    query type_of(key: DefId) -> ty::EarlyBinder<'tcx, Ty<'tcx>> {
311        desc {
312            "{action} `{path}`",
313            action = match tcx.def_kind(key) {
314                DefKind::TyAlias => "expanding type alias",
315                DefKind::TraitAlias => "expanding trait alias",
316                _ => "computing type of",
317            },
318            path = tcx.def_path_str(key),
319        }
320        cache_on_disk_if { key.is_local() }
321        separate_provide_extern
322        feedable
323    }
324
325    /// Returns the *hidden type* of the opaque type given by `DefId`.
326    ///
327    /// # Panics
328    ///
329    /// This query will panic if the given definition is not an opaque type.
330    query type_of_opaque(key: DefId) -> ty::EarlyBinder<'tcx, Ty<'tcx>> {
331        desc {
332            "computing type of opaque `{path}`",
333            path = tcx.def_path_str(key),
334        }
335    }
336    query type_of_opaque_hir_typeck(key: LocalDefId) -> ty::EarlyBinder<'tcx, Ty<'tcx>> {
337        desc {
338            "computing type of opaque `{path}` via HIR typeck",
339            path = tcx.def_path_str(key),
340        }
341    }
342
343    /// Returns whether the type alias given by `DefId` is lazy.
344    ///
345    /// I.e., if the type alias expands / ought to expand to a [free] [alias type]
346    /// instead of the underlying aliased type.
347    ///
348    /// Relevant for features `lazy_type_alias` and `type_alias_impl_trait`.
349    ///
350    /// # Panics
351    ///
352    /// This query *may* panic if the given definition is not a type alias.
353    ///
354    /// [free]: rustc_middle::ty::Free
355    /// [alias type]: rustc_middle::ty::AliasTy
356    query type_alias_is_lazy(key: DefId) -> bool {
357        desc {
358            "computing whether the type alias `{path}` is lazy",
359            path = tcx.def_path_str(key),
360        }
361        separate_provide_extern
362    }
363
364    query collect_return_position_impl_trait_in_trait_tys(key: DefId)
365        -> Result<&'tcx DefIdMap<ty::EarlyBinder<'tcx, Ty<'tcx>>>, ErrorGuaranteed>
366    {
367        desc { "comparing an impl and trait method signature, inferring any hidden `impl Trait` types in the process" }
368        cache_on_disk_if { key.is_local() }
369        separate_provide_extern
370    }
371
372    query opaque_ty_origin(key: DefId) -> hir::OpaqueTyOrigin<DefId>
373    {
374        desc { "determine where the opaque originates from" }
375        separate_provide_extern
376    }
377
378    query unsizing_params_for_adt(key: DefId) -> &'tcx rustc_index::bit_set::DenseBitSet<u32>
379    {
380        arena_cache
381        desc {
382            "determining what parameters of `{}` can participate in unsizing",
383            tcx.def_path_str(key),
384        }
385    }
386
387    /// The root query triggering all analysis passes like typeck or borrowck.
388    query analysis(key: ()) {
389        eval_always
390        desc {
391            "running analysis passes on crate `{}`",
392            tcx.crate_name(LOCAL_CRATE),
393        }
394    }
395
396    /// This query checks the fulfillment of collected lint expectations.
397    /// All lint emitting queries have to be done before this is executed
398    /// to ensure that all expectations can be fulfilled.
399    ///
400    /// This is an extra query to enable other drivers (like rustdoc) to
401    /// only execute a small subset of the `analysis` query, while allowing
402    /// lints to be expected. In rustc, this query will be executed as part of
403    /// the `analysis` query and doesn't have to be called a second time.
404    ///
405    /// Tools can additionally pass in a tool filter. That will restrict the
406    /// expectations to only trigger for lints starting with the listed tool
407    /// name. This is useful for cases were not all linting code from rustc
408    /// was called. With the default `None` all registered lints will also
409    /// be checked for expectation fulfillment.
410    query check_expectations(key: Option<Symbol>) {
411        eval_always
412        desc { "checking lint expectations (RFC 2383)" }
413    }
414
415    /// Returns the *generics* of the definition given by `DefId`.
416    query generics_of(key: DefId) -> &'tcx ty::Generics {
417        desc { "computing generics of `{}`", tcx.def_path_str(key) }
418        arena_cache
419        cache_on_disk_if { key.is_local() }
420        separate_provide_extern
421        feedable
422    }
423
424    /// Returns the (elaborated) *predicates* of the definition given by `DefId`
425    /// that must be proven true at usage sites (and which can be assumed at definition site).
426    ///
427    /// This is almost always *the* "predicates query" that you want.
428    ///
429    /// **Tip**: You can use `#[rustc_dump_predicates]` on an item to basically print
430    /// the result of this query for use in UI tests or for debugging purposes.
431    query predicates_of(key: DefId) -> ty::GenericPredicates<'tcx> {
432        desc { "computing predicates of `{}`", tcx.def_path_str(key) }
433    }
434
435    query opaque_types_defined_by(
436        key: LocalDefId
437    ) -> &'tcx ty::List<LocalDefId> {
438        desc {
439            "computing the opaque types defined by `{}`",
440            tcx.def_path_str(key.to_def_id())
441        }
442    }
443
444    /// A list of all bodies inside of `key`, nested bodies are always stored
445    /// before their parent.
446    query nested_bodies_within(
447        key: LocalDefId
448    ) -> &'tcx ty::List<LocalDefId> {
449        desc {
450            "computing the coroutines defined within `{}`",
451            tcx.def_path_str(key.to_def_id())
452        }
453    }
454
455    /// Returns the explicitly user-written *bounds* on the associated or opaque type given by `DefId`
456    /// that must be proven true at definition site (and which can be assumed at usage sites).
457    ///
458    /// For associated types, these must be satisfied for an implementation
459    /// to be well-formed, and for opaque types, these are required to be
460    /// satisfied by the hidden type of the opaque.
461    ///
462    /// Bounds from the parent (e.g. with nested `impl Trait`) are not included.
463    ///
464    /// Syntactially, these are the bounds written on associated types in trait
465    /// definitions, or those after the `impl` keyword for an opaque:
466    ///
467    /// ```ignore (illustrative)
468    /// trait Trait { type X: Bound + 'lt; }
469    /// //                    ^^^^^^^^^^^
470    /// fn function() -> impl Debug + Display { /*...*/ }
471    /// //                    ^^^^^^^^^^^^^^^
472    /// ```
473    query explicit_item_bounds(key: DefId) -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
474        desc { "finding item bounds for `{}`", tcx.def_path_str(key) }
475        cache_on_disk_if { key.is_local() }
476        separate_provide_extern
477        feedable
478    }
479
480    /// Returns the explicitly user-written *bounds* that share the `Self` type of the item.
481    ///
482    /// These are a subset of the [explicit item bounds] that may explicitly be used for things
483    /// like closure signature deduction.
484    ///
485    /// [explicit item bounds]: Self::explicit_item_bounds
486    query explicit_item_self_bounds(key: DefId) -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
487        desc { "finding item bounds for `{}`", tcx.def_path_str(key) }
488        cache_on_disk_if { key.is_local() }
489        separate_provide_extern
490        feedable
491    }
492
493    /// Returns the (elaborated) *bounds* on the associated or opaque type given by `DefId`
494    /// that must be proven true at definition site (and which can be assumed at usage sites).
495    ///
496    /// Bounds from the parent (e.g. with nested `impl Trait`) are not included.
497    ///
498    /// **Tip**: You can use `#[rustc_dump_item_bounds]` on an item to basically print
499    /// the result of this query for use in UI tests or for debugging purposes.
500    ///
501    /// # Examples
502    ///
503    /// ```
504    /// trait Trait { type Assoc: Eq + ?Sized; }
505    /// ```
506    ///
507    /// While [`Self::explicit_item_bounds`] returns `[<Self as Trait>::Assoc: Eq]`
508    /// here, `item_bounds` returns:
509    ///
510    /// ```text
511    /// [
512    ///     <Self as Trait>::Assoc: Eq,
513    ///     <Self as Trait>::Assoc: PartialEq<<Self as Trait>::Assoc>
514    /// ]
515    /// ```
516    query item_bounds(key: DefId) -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
517        desc { "elaborating item bounds for `{}`", tcx.def_path_str(key) }
518    }
519
520    query item_self_bounds(key: DefId) -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
521        desc { "elaborating item assumptions for `{}`", tcx.def_path_str(key) }
522    }
523
524    query item_non_self_bounds(key: DefId) -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
525        desc { "elaborating item assumptions for `{}`", tcx.def_path_str(key) }
526    }
527
528    query impl_super_outlives(key: DefId) -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
529        desc { "elaborating supertrait outlives for trait of `{}`", tcx.def_path_str(key) }
530    }
531
532    /// Look up all native libraries this crate depends on.
533    /// These are assembled from the following places:
534    /// - `extern` blocks (depending on their `link` attributes)
535    /// - the `libs` (`-l`) option
536    query native_libraries(_: CrateNum) -> &'tcx Vec<NativeLib> {
537        arena_cache
538        desc { "looking up the native libraries of a linked crate" }
539        separate_provide_extern
540    }
541
542    query shallow_lint_levels_on(key: hir::OwnerId) -> &'tcx rustc_middle::lint::ShallowLintLevelMap {
543        arena_cache
544        desc { "looking up lint levels for `{}`", tcx.def_path_str(key) }
545    }
546
547    query lint_expectations(_: ()) -> &'tcx Vec<(LintExpectationId, LintExpectation)> {
548        arena_cache
549        desc { "computing `#[expect]`ed lints in this crate" }
550    }
551
552    query lints_that_dont_need_to_run(_: ()) -> &'tcx UnordSet<LintId> {
553        arena_cache
554        desc { "Computing all lints that are explicitly enabled or with a default level greater than Allow" }
555    }
556
557    query expn_that_defined(key: DefId) -> rustc_span::ExpnId {
558        desc { "getting the expansion that defined `{}`", tcx.def_path_str(key) }
559        separate_provide_extern
560    }
561
562    query is_panic_runtime(_: CrateNum) -> bool {
563        desc { "checking if the crate is_panic_runtime" }
564        separate_provide_extern
565    }
566
567    /// Checks whether a type is representable or infinitely sized
568    //
569    // Infinitely sized types will cause a cycle. The `value_from_cycle_error` impl will print
570    // a custom error about the infinite size and then abort compilation. (In the past we
571    // recovered and continued, but in practice that leads to confusing subsequent error
572    // messages about cycles that then abort.)
573    query check_representability(key: LocalDefId) {
574        desc { "checking if `{}` is representable", tcx.def_path_str(key) }
575        // We don't want recursive representability calls to be forced with
576        // incremental compilation because, if a cycle occurs, we need the
577        // entire cycle to be in memory for diagnostics. This means we can't
578        // use `ensure_ok()` with this query.
579        anon
580    }
581
582    /// An implementation detail for the `check_representability` query. See that query for more
583    /// details, particularly on the modifiers.
584    query check_representability_adt_ty(key: Ty<'tcx>) {
585        desc { "checking if `{}` is representable", key }
586        anon
587    }
588
589    /// Set of param indexes for type params that are in the type's representation
590    query params_in_repr(key: DefId) -> &'tcx rustc_index::bit_set::DenseBitSet<u32> {
591        desc { "finding type parameters in the representation" }
592        arena_cache
593        no_hash
594        separate_provide_extern
595    }
596
597    /// Fetch the THIR for a given body. The THIR body gets stolen by unsafety checking unless
598    /// `-Zno-steal-thir` is on.
599    query thir_body(key: LocalDefId) -> Result<(&'tcx Steal<thir::Thir<'tcx>>, thir::ExprId), ErrorGuaranteed> {
600        // Perf tests revealed that hashing THIR is inefficient (see #85729).
601        no_hash
602        desc { "building THIR for `{}`", tcx.def_path_str(key) }
603    }
604
605    /// Set of all the `DefId`s in this crate that have MIR associated with
606    /// them. This includes all the body owners, but also things like struct
607    /// constructors.
608    query mir_keys(_: ()) -> &'tcx rustc_data_structures::fx::FxIndexSet<LocalDefId> {
609        arena_cache
610        desc { "getting a list of all mir_keys" }
611    }
612
613    /// Maps DefId's that have an associated `mir::Body` to the result
614    /// of the MIR const-checking pass. This is the set of qualifs in
615    /// the final value of a `const`.
616    query mir_const_qualif(key: DefId) -> mir::ConstQualifs {
617        desc { "const checking `{}`", tcx.def_path_str(key) }
618        cache_on_disk_if { key.is_local() }
619        separate_provide_extern
620    }
621
622    /// Build the MIR for a given `DefId` and prepare it for const qualification.
623    ///
624    /// See the [rustc dev guide] for more info.
625    ///
626    /// [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/mir/construction.html
627    query mir_built(key: LocalDefId) -> &'tcx Steal<mir::Body<'tcx>> {
628        desc { "building MIR for `{}`", tcx.def_path_str(key) }
629        feedable
630    }
631
632    /// Try to build an abstract representation of the given constant.
633    query thir_abstract_const(
634        key: DefId
635    ) -> Result<Option<ty::EarlyBinder<'tcx, ty::Const<'tcx>>>, ErrorGuaranteed> {
636        desc {
637            "building an abstract representation for `{}`", tcx.def_path_str(key),
638        }
639        separate_provide_extern
640    }
641
642    query mir_drops_elaborated_and_const_checked(key: LocalDefId) -> &'tcx Steal<mir::Body<'tcx>> {
643        no_hash
644        desc { "elaborating drops for `{}`", tcx.def_path_str(key) }
645    }
646
647    query mir_for_ctfe(
648        key: DefId
649    ) -> &'tcx mir::Body<'tcx> {
650        desc { "caching mir of `{}` for CTFE", tcx.def_path_str(key) }
651        cache_on_disk_if { key.is_local() }
652        separate_provide_extern
653    }
654
655    query mir_promoted(key: LocalDefId) -> (
656        &'tcx Steal<mir::Body<'tcx>>,
657        &'tcx Steal<IndexVec<mir::Promoted, mir::Body<'tcx>>>
658    ) {
659        no_hash
660        desc { "promoting constants in MIR for `{}`", tcx.def_path_str(key) }
661    }
662
663    query closure_typeinfo(key: LocalDefId) -> ty::ClosureTypeInfo<'tcx> {
664        desc {
665            "finding symbols for captures of closure `{}`",
666            tcx.def_path_str(key)
667        }
668    }
669
670    /// Returns names of captured upvars for closures and coroutines.
671    ///
672    /// Here are some examples:
673    ///  - `name__field1__field2` when the upvar is captured by value.
674    ///  - `_ref__name__field` when the upvar is captured by reference.
675    ///
676    /// For coroutines this only contains upvars that are shared by all states.
677    query closure_saved_names_of_captured_variables(def_id: DefId) -> &'tcx IndexVec<abi::FieldIdx, Symbol> {
678        arena_cache
679        desc { "computing debuginfo for closure `{}`", tcx.def_path_str(def_id) }
680        separate_provide_extern
681    }
682
683    query mir_coroutine_witnesses(key: DefId) -> Option<&'tcx mir::CoroutineLayout<'tcx>> {
684        arena_cache
685        desc { "coroutine witness types for `{}`", tcx.def_path_str(key) }
686        cache_on_disk_if { key.is_local() }
687        separate_provide_extern
688    }
689
690    query check_coroutine_obligations(key: LocalDefId) -> Result<(), ErrorGuaranteed> {
691        desc { "verify auto trait bounds for coroutine interior type `{}`", tcx.def_path_str(key) }
692    }
693
694    /// Used in case `mir_borrowck` fails to prove an obligation. We generally assume that
695    /// all goals we prove in MIR type check hold as we've already checked them in HIR typeck.
696    ///
697    /// However, we replace each free region in the MIR body with a unique region inference
698    /// variable. As we may rely on structural identity when proving goals this may cause a
699    /// goal to no longer hold. We store obligations for which this may happen during HIR
700    /// typeck in the `TypeckResults`. We then uniquify and reprove them in case MIR typeck
701    /// encounters an unexpected error. We expect this to result in an error when used and
702    /// delay a bug if it does not.
703    query check_potentially_region_dependent_goals(key: LocalDefId) -> Result<(), ErrorGuaranteed> {
704        desc {
705            "reproving potentially region dependent HIR typeck goals for `{}",
706            tcx.def_path_str(key)
707        }
708    }
709
710    /// MIR after our optimization passes have run. This is MIR that is ready
711    /// for codegen. This is also the only query that can fetch non-local MIR, at present.
712    query optimized_mir(key: DefId) -> &'tcx mir::Body<'tcx> {
713        desc { "optimizing MIR for `{}`", tcx.def_path_str(key) }
714        cache_on_disk_if { key.is_local() }
715        separate_provide_extern
716    }
717
718    /// Checks for the nearest `#[coverage(off)]` or `#[coverage(on)]` on
719    /// this def and any enclosing defs, up to the crate root.
720    ///
721    /// Returns `false` if `#[coverage(off)]` was found, or `true` if
722    /// either `#[coverage(on)]` or no coverage attribute was found.
723    query coverage_attr_on(key: LocalDefId) -> bool {
724        desc { "checking for `#[coverage(..)]` on `{}`", tcx.def_path_str(key) }
725        feedable
726    }
727
728    /// Scans through a function's MIR after MIR optimizations, to prepare the
729    /// information needed by codegen when `-Cinstrument-coverage` is active.
730    ///
731    /// This includes the details of where to insert `llvm.instrprof.increment`
732    /// intrinsics, and the expression tables to be embedded in the function's
733    /// coverage metadata.
734    ///
735    /// FIXME(Zalathar): This query's purpose has drifted a bit and should
736    /// probably be renamed, but that can wait until after the potential
737    /// follow-ups to #136053 have settled down.
738    ///
739    /// Returns `None` for functions that were not instrumented.
740    query coverage_ids_info(key: ty::InstanceKind<'tcx>) -> Option<&'tcx mir::coverage::CoverageIdsInfo> {
741        desc { "retrieving coverage IDs info from MIR for `{}`", tcx.def_path_str(key.def_id()) }
742        arena_cache
743    }
744
745    /// The `DefId` is the `DefId` of the containing MIR body. Promoteds do not have their own
746    /// `DefId`. This function returns all promoteds in the specified body. The body references
747    /// promoteds by the `DefId` and the `mir::Promoted` index. This is necessary, because
748    /// after inlining a body may refer to promoteds from other bodies. In that case you still
749    /// need to use the `DefId` of the original body.
750    query promoted_mir(key: DefId) -> &'tcx IndexVec<mir::Promoted, mir::Body<'tcx>> {
751        desc { "optimizing promoted MIR for `{}`", tcx.def_path_str(key) }
752        cache_on_disk_if { key.is_local() }
753        separate_provide_extern
754    }
755
756    /// Erases regions from `ty` to yield a new type.
757    /// Normally you would just use `tcx.erase_and_anonymize_regions(value)`,
758    /// however, which uses this query as a kind of cache.
759    query erase_and_anonymize_regions_ty(ty: Ty<'tcx>) -> Ty<'tcx> {
760        // This query is not expected to have input -- as a result, it
761        // is not a good candidates for "replay" because it is essentially a
762        // pure function of its input (and hence the expectation is that
763        // no caller would be green **apart** from just these
764        // queries). Making it anonymous avoids hashing the result, which
765        // may save a bit of time.
766        anon
767        desc { "erasing regions from `{}`", ty }
768    }
769
770    query wasm_import_module_map(_: CrateNum) -> &'tcx DefIdMap<String> {
771        arena_cache
772        desc { "getting wasm import module map" }
773    }
774
775    /// Returns the explicitly user-written *predicates and bounds* of the trait given by `DefId`.
776    ///
777    /// Traits are unusual, because predicates on associated types are
778    /// converted into bounds on that type for backwards compatibility:
779    ///
780    /// ```
781    /// trait X where Self::U: Copy { type U; }
782    /// ```
783    ///
784    /// becomes
785    ///
786    /// ```
787    /// trait X { type U: Copy; }
788    /// ```
789    ///
790    /// [`Self::explicit_predicates_of`] and [`Self::explicit_item_bounds`] will
791    /// then take the appropriate subsets of the predicates here.
792    ///
793    /// # Panics
794    ///
795    /// This query will panic if the given definition is not a trait.
796    query trait_explicit_predicates_and_bounds(key: LocalDefId) -> ty::GenericPredicates<'tcx> {
797        desc { "computing explicit predicates of trait `{}`", tcx.def_path_str(key) }
798    }
799
800    /// Returns the explicitly user-written *predicates* of the definition given by `DefId`
801    /// that must be proven true at usage sites (and which can be assumed at definition site).
802    ///
803    /// You should probably use [`TyCtxt::predicates_of`] unless you're looking for
804    /// predicates with explicit spans for diagnostics purposes.
805    query explicit_predicates_of(key: DefId) -> ty::GenericPredicates<'tcx> {
806        desc { "computing explicit predicates of `{}`", tcx.def_path_str(key) }
807        cache_on_disk_if { key.is_local() }
808        separate_provide_extern
809        feedable
810    }
811
812    /// Returns the *inferred outlives-predicates* of the item given by `DefId`.
813    ///
814    /// E.g., for `struct Foo<'a, T> { x: &'a T }`, this would return `[T: 'a]`.
815    ///
816    /// **Tip**: You can use `#[rustc_dump_inferred_outlives]` on an item to basically
817    /// print the result of this query for use in UI tests or for debugging purposes.
818    query inferred_outlives_of(key: DefId) -> &'tcx [(ty::Clause<'tcx>, Span)] {
819        desc { "computing inferred outlives-predicates of `{}`", tcx.def_path_str(key) }
820        cache_on_disk_if { key.is_local() }
821        separate_provide_extern
822        feedable
823    }
824
825    /// Returns the explicitly user-written *super-predicates* of the trait given by `DefId`.
826    ///
827    /// These predicates are unelaborated and consequently don't contain transitive super-predicates.
828    ///
829    /// This is a subset of the full list of predicates. We store these in a separate map
830    /// because we must evaluate them even during type conversion, often before the full
831    /// predicates are available (note that super-predicates must not be cyclic).
832    query explicit_super_predicates_of(key: DefId) -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
833        desc { "computing the super predicates of `{}`", tcx.def_path_str(key) }
834        cache_on_disk_if { key.is_local() }
835        separate_provide_extern
836    }
837
838    /// The predicates of the trait that are implied during elaboration.
839    ///
840    /// This is a superset of the super-predicates of the trait, but a subset of the predicates
841    /// of the trait. For regular traits, this includes all super-predicates and their
842    /// associated type bounds. For trait aliases, currently, this includes all of the
843    /// predicates of the trait alias.
844    query explicit_implied_predicates_of(key: DefId) -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
845        desc { "computing the implied predicates of `{}`", tcx.def_path_str(key) }
846        cache_on_disk_if { key.is_local() }
847        separate_provide_extern
848    }
849
850    /// The Ident is the name of an associated type.The query returns only the subset
851    /// of supertraits that define the given associated type. This is used to avoid
852    /// cycles in resolving type-dependent associated item paths like `T::Item`.
853    query explicit_supertraits_containing_assoc_item(
854        key: (DefId, rustc_span::Ident)
855    ) -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
856        desc { "computing the super traits of `{}` with associated type name `{}`",
857            tcx.def_path_str(key.0),
858            key.1
859        }
860    }
861
862    /// Compute the conditions that need to hold for a conditionally-const item to be const.
863    /// That is, compute the set of `[const]` where clauses for a given item.
864    ///
865    /// This can be thought of as the `[const]` equivalent of `predicates_of`. These are the
866    /// predicates that need to be proven at usage sites, and can be assumed at definition.
867    ///
868    /// This query also computes the `[const]` where clauses for associated types, which are
869    /// not "const", but which have item bounds which may be `[const]`. These must hold for
870    /// the `[const]` item bound to hold.
871    query const_conditions(
872        key: DefId
873    ) -> ty::ConstConditions<'tcx> {
874        desc { "computing the conditions for `{}` to be considered const",
875            tcx.def_path_str(key)
876        }
877        separate_provide_extern
878    }
879
880    /// Compute the const bounds that are implied for a conditionally-const item.
881    ///
882    /// This can be though of as the `[const]` equivalent of `explicit_item_bounds`. These
883    /// are the predicates that need to proven at definition sites, and can be assumed at
884    /// usage sites.
885    query explicit_implied_const_bounds(
886        key: DefId
887    ) -> ty::EarlyBinder<'tcx, &'tcx [(ty::PolyTraitRef<'tcx>, Span)]> {
888        desc { "computing the implied `[const]` bounds for `{}`",
889            tcx.def_path_str(key)
890        }
891        separate_provide_extern
892    }
893
894    /// To avoid cycles within the predicates of a single item we compute
895    /// per-type-parameter predicates for resolving `T::AssocTy`.
896    query type_param_predicates(
897        key: (LocalDefId, LocalDefId, rustc_span::Ident)
898    ) -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
899        desc { "computing the bounds for type parameter `{}`", tcx.hir_ty_param_name(key.1) }
900    }
901
902    query trait_def(key: DefId) -> &'tcx ty::TraitDef {
903        desc { "computing trait definition for `{}`", tcx.def_path_str(key) }
904        arena_cache
905        cache_on_disk_if { key.is_local() }
906        separate_provide_extern
907    }
908    query adt_def(key: DefId) -> ty::AdtDef<'tcx> {
909        desc { "computing ADT definition for `{}`", tcx.def_path_str(key) }
910        cache_on_disk_if { key.is_local() }
911        separate_provide_extern
912    }
913    query adt_destructor(key: DefId) -> Option<ty::Destructor> {
914        desc { "computing `Drop` impl for `{}`", tcx.def_path_str(key) }
915        cache_on_disk_if { key.is_local() }
916        separate_provide_extern
917    }
918    query adt_async_destructor(key: DefId) -> Option<ty::AsyncDestructor> {
919        desc { "computing `AsyncDrop` impl for `{}`", tcx.def_path_str(key) }
920        cache_on_disk_if { key.is_local() }
921        separate_provide_extern
922    }
923    query adt_sizedness_constraint(
924        key: (DefId, SizedTraitKind)
925    ) -> Option<ty::EarlyBinder<'tcx, Ty<'tcx>>> {
926        desc { "computing the sizedness constraint for `{}`", tcx.def_path_str(key.0) }
927    }
928
929    query adt_dtorck_constraint(
930        key: DefId
931    ) -> &'tcx DropckConstraint<'tcx> {
932        desc { "computing drop-check constraints for `{}`", tcx.def_path_str(key) }
933    }
934
935    /// Returns the constness of the function-like[^1] definition given by `DefId`.
936    ///
937    /// Tuple struct/variant constructors are *always* const, foreign functions are
938    /// *never* const. The rest is const iff marked with keyword `const` (or rather
939    /// its parent in the case of associated functions).
940    ///
941    /// <div class="warning">
942    ///
943    /// **Do not call this query** directly. It is only meant to cache the base data for the
944    /// higher-level functions. Consider using `is_const_fn` or `is_const_trait_impl` instead.
945    ///
946    /// Also note that neither of them takes into account feature gates, stability and
947    /// const predicates/conditions!
948    ///
949    /// </div>
950    ///
951    /// # Panics
952    ///
953    /// This query will panic if the given definition is not function-like[^1].
954    ///
955    /// [^1]: Tuple struct/variant constructors, closures and free, associated and foreign functions.
956    query constness(key: DefId) -> hir::Constness {
957        desc { "checking if item is const: `{}`", tcx.def_path_str(key) }
958        separate_provide_extern
959        feedable
960    }
961
962    query asyncness(key: DefId) -> ty::Asyncness {
963        desc { "checking if the function is async: `{}`", tcx.def_path_str(key) }
964        separate_provide_extern
965    }
966
967    /// Returns `true` if calls to the function may be promoted.
968    ///
969    /// This is either because the function is e.g., a tuple-struct or tuple-variant
970    /// constructor, or because it has the `#[rustc_promotable]` attribute. The attribute should
971    /// be removed in the future in favour of some form of check which figures out whether the
972    /// function does not inspect the bits of any of its arguments (so is essentially just a
973    /// constructor function).
974    query is_promotable_const_fn(key: DefId) -> bool {
975        desc { "checking if item is promotable: `{}`", tcx.def_path_str(key) }
976    }
977
978    /// The body of the coroutine, modified to take its upvars by move rather than by ref.
979    ///
980    /// This is used by coroutine-closures, which must return a different flavor of coroutine
981    /// when called using `AsyncFnOnce::call_once`. It is produced by the `ByMoveBody` pass which
982    /// is run right after building the initial MIR, and will only be populated for coroutines
983    /// which come out of the async closure desugaring.
984    query coroutine_by_move_body_def_id(def_id: DefId) -> DefId {
985        desc { "looking up the coroutine by-move body for `{}`", tcx.def_path_str(def_id) }
986        separate_provide_extern
987    }
988
989    /// Returns `Some(coroutine_kind)` if the node pointed to by `def_id` is a coroutine.
990    query coroutine_kind(def_id: DefId) -> Option<hir::CoroutineKind> {
991        desc { "looking up coroutine kind of `{}`", tcx.def_path_str(def_id) }
992        separate_provide_extern
993        feedable
994    }
995
996    query coroutine_for_closure(def_id: DefId) -> DefId {
997        desc { "Given a coroutine-closure def id, return the def id of the coroutine returned by it" }
998        separate_provide_extern
999    }
1000
1001    query coroutine_hidden_types(
1002        def_id: DefId,
1003    ) -> ty::EarlyBinder<'tcx, ty::Binder<'tcx, ty::CoroutineWitnessTypes<TyCtxt<'tcx>>>> {
1004        desc { "looking up the hidden types stored across await points in a coroutine" }
1005    }
1006
1007    /// Gets a map with the variances of every item in the local crate.
1008    ///
1009    /// <div class="warning">
1010    ///
1011    /// **Do not call this query** directly, use [`Self::variances_of`] instead.
1012    ///
1013    /// </div>
1014    query crate_variances(_: ()) -> &'tcx ty::CrateVariancesMap<'tcx> {
1015        arena_cache
1016        desc { "computing the variances for items in this crate" }
1017    }
1018
1019    /// Returns the (inferred) variances of the item given by `DefId`.
1020    ///
1021    /// The list of variances corresponds to the list of (early-bound) generic
1022    /// parameters of the item (including its parents).
1023    ///
1024    /// **Tip**: You can use `#[rustc_dump_variances]` on an item to basically print
1025    /// the result of this query for use in UI tests or for debugging purposes.
1026    query variances_of(def_id: DefId) -> &'tcx [ty::Variance] {
1027        desc { "computing the variances of `{}`", tcx.def_path_str(def_id) }
1028        cache_on_disk_if { def_id.is_local() }
1029        separate_provide_extern
1030    }
1031
1032    /// Gets a map with the inferred outlives-predicates of every item in the local crate.
1033    ///
1034    /// <div class="warning">
1035    ///
1036    /// **Do not call this query** directly, use [`Self::inferred_outlives_of`] instead.
1037    ///
1038    /// </div>
1039    query inferred_outlives_crate(_: ()) -> &'tcx ty::CratePredicatesMap<'tcx> {
1040        arena_cache
1041        desc { "computing the inferred outlives-predicates for items in this crate" }
1042    }
1043
1044    /// Maps from an impl/trait or struct/variant `DefId`
1045    /// to a list of the `DefId`s of its associated items or fields.
1046    query associated_item_def_ids(key: DefId) -> &'tcx [DefId] {
1047        desc { "collecting associated items or fields of `{}`", tcx.def_path_str(key) }
1048        cache_on_disk_if { key.is_local() }
1049        separate_provide_extern
1050    }
1051
1052    /// Maps from a trait/impl item to the trait/impl item "descriptor".
1053    query associated_item(key: DefId) -> ty::AssocItem {
1054        desc { "computing associated item data for `{}`", tcx.def_path_str(key) }
1055        cache_on_disk_if { key.is_local() }
1056        separate_provide_extern
1057        feedable
1058    }
1059
1060    /// Collects the associated items defined on a trait or impl.
1061    query associated_items(key: DefId) -> &'tcx ty::AssocItems {
1062        arena_cache
1063        desc { "collecting associated items of `{}`", tcx.def_path_str(key) }
1064    }
1065
1066    /// Maps from associated items on a trait to the corresponding associated
1067    /// item on the impl specified by `impl_id`.
1068    ///
1069    /// For example, with the following code
1070    ///
1071    /// ```
1072    /// struct Type {}
1073    ///                         // DefId
1074    /// trait Trait {           // trait_id
1075    ///     fn f();             // trait_f
1076    ///     fn g() {}           // trait_g
1077    /// }
1078    ///
1079    /// impl Trait for Type {   // impl_id
1080    ///     fn f() {}           // impl_f
1081    ///     fn g() {}           // impl_g
1082    /// }
1083    /// ```
1084    ///
1085    /// The map returned for `tcx.impl_item_implementor_ids(impl_id)` would be
1086    ///`{ trait_f: impl_f, trait_g: impl_g }`
1087    query impl_item_implementor_ids(impl_id: DefId) -> &'tcx DefIdMap<DefId> {
1088        arena_cache
1089        desc { "comparing impl items against trait for `{}`", tcx.def_path_str(impl_id) }
1090    }
1091
1092    /// Given the `item_def_id` of a trait or impl, return a mapping from associated fn def id
1093    /// to its associated type items that correspond to the RPITITs in its signature.
1094    query associated_types_for_impl_traits_in_trait_or_impl(item_def_id: DefId) -> &'tcx DefIdMap<Vec<DefId>> {
1095        arena_cache
1096        desc { "synthesizing RPITIT items for the opaque types for methods in `{}`", tcx.def_path_str(item_def_id) }
1097        separate_provide_extern
1098    }
1099
1100    /// Given an `impl_id`, return the trait it implements along with some header information.
1101    query impl_trait_header(impl_id: DefId) -> ty::ImplTraitHeader<'tcx> {
1102        desc { "computing trait implemented by `{}`", tcx.def_path_str(impl_id) }
1103        cache_on_disk_if { impl_id.is_local() }
1104        separate_provide_extern
1105    }
1106
1107    /// Given an `impl_def_id`, return true if the self type is guaranteed to be unsized due
1108    /// to either being one of the built-in unsized types (str/slice/dyn) or to be a struct
1109    /// whose tail is one of those types.
1110    query impl_self_is_guaranteed_unsized(impl_def_id: DefId) -> bool {
1111        desc { "computing whether `{}` has a guaranteed unsized self type", tcx.def_path_str(impl_def_id) }
1112    }
1113
1114    /// Maps a `DefId` of a type to a list of its inherent impls.
1115    /// Contains implementations of methods that are inherent to a type.
1116    /// Methods in these implementations don't need to be exported.
1117    query inherent_impls(key: DefId) -> &'tcx [DefId] {
1118        desc { "collecting inherent impls for `{}`", tcx.def_path_str(key) }
1119        cache_on_disk_if { key.is_local() }
1120        separate_provide_extern
1121    }
1122
1123    query incoherent_impls(key: SimplifiedType) -> &'tcx [DefId] {
1124        desc { "collecting all inherent impls for `{:?}`", key }
1125    }
1126
1127    /// Unsafety-check this `LocalDefId`.
1128    query check_transmutes(key: LocalDefId) {
1129        desc { "check transmute calls inside `{}`", tcx.def_path_str(key) }
1130    }
1131
1132    /// Unsafety-check this `LocalDefId`.
1133    query check_unsafety(key: LocalDefId) {
1134        desc { "unsafety-checking `{}`", tcx.def_path_str(key) }
1135    }
1136
1137    /// Checks well-formedness of tail calls (`become f()`).
1138    query check_tail_calls(key: LocalDefId) -> Result<(), ErrorGuaranteed> {
1139        desc { "tail-call-checking `{}`", tcx.def_path_str(key) }
1140    }
1141
1142    /// Returns the types assumed to be well formed while "inside" of the given item.
1143    ///
1144    /// Note that we've liberated the late bound regions of function signatures, so
1145    /// this can not be used to check whether these types are well formed.
1146    query assumed_wf_types(key: LocalDefId) -> &'tcx [(Ty<'tcx>, Span)] {
1147        desc { "computing the implied bounds of `{}`", tcx.def_path_str(key) }
1148    }
1149
1150    /// We need to store the assumed_wf_types for an RPITIT so that impls of foreign
1151    /// traits with return-position impl trait in traits can inherit the right wf types.
1152    query assumed_wf_types_for_rpitit(key: DefId) -> &'tcx [(Ty<'tcx>, Span)] {
1153        desc { "computing the implied bounds of `{}`", tcx.def_path_str(key) }
1154        separate_provide_extern
1155    }
1156
1157    /// Computes the signature of the function.
1158    query fn_sig(key: DefId) -> ty::EarlyBinder<'tcx, ty::PolyFnSig<'tcx>> {
1159        desc { "computing function signature of `{}`", tcx.def_path_str(key) }
1160        cache_on_disk_if { key.is_local() }
1161        separate_provide_extern
1162    }
1163
1164    /// Performs lint checking for the module.
1165    query lint_mod(key: LocalModDefId) {
1166        desc { "linting {}", describe_as_module(key, tcx) }
1167    }
1168
1169    query check_unused_traits(_: ()) {
1170        desc { "checking unused trait imports in crate" }
1171    }
1172
1173    /// Checks the attributes in the module.
1174    query check_mod_attrs(key: LocalModDefId) {
1175        desc { "checking attributes in {}", describe_as_module(key, tcx) }
1176    }
1177
1178    /// Checks for uses of unstable APIs in the module.
1179    query check_mod_unstable_api_usage(key: LocalModDefId) {
1180        desc { "checking for unstable API usage in {}", describe_as_module(key, tcx) }
1181    }
1182
1183    query check_mod_privacy(key: LocalModDefId) {
1184        desc { "checking privacy in {}", describe_as_module(key.to_local_def_id(), tcx) }
1185    }
1186
1187    query check_liveness(key: LocalDefId) -> &'tcx rustc_index::bit_set::DenseBitSet<abi::FieldIdx> {
1188        arena_cache
1189        desc { "checking liveness of variables in `{}`", tcx.def_path_str(key.to_def_id()) }
1190        cache_on_disk_if { tcx.is_typeck_child(key.to_def_id()) }
1191    }
1192
1193    /// Return the live symbols in the crate for dead code check.
1194    ///
1195    /// The second return value maps from ADTs to ignored derived traits (e.g. Debug and Clone).
1196    query live_symbols_and_ignored_derived_traits(_: ()) -> &'tcx Result<(
1197        LocalDefIdSet,
1198        LocalDefIdMap<FxIndexSet<DefId>>,
1199    ), ErrorGuaranteed> {
1200        arena_cache
1201        desc { "finding live symbols in crate" }
1202    }
1203
1204    query check_mod_deathness(key: LocalModDefId) {
1205        desc { "checking deathness of variables in {}", describe_as_module(key, tcx) }
1206    }
1207
1208    query check_type_wf(key: ()) -> Result<(), ErrorGuaranteed> {
1209        desc { "checking that types are well-formed" }
1210    }
1211
1212    /// Caches `CoerceUnsized` kinds for impls on custom types.
1213    query coerce_unsized_info(key: DefId) -> Result<ty::adjustment::CoerceUnsizedInfo, ErrorGuaranteed> {
1214        desc { "computing CoerceUnsized info for `{}`", tcx.def_path_str(key) }
1215        cache_on_disk_if { key.is_local() }
1216        separate_provide_extern
1217    }
1218
1219    query typeck(key: LocalDefId) -> &'tcx ty::TypeckResults<'tcx> {
1220        desc { "type-checking `{}`", tcx.def_path_str(key) }
1221        cache_on_disk_if { !tcx.is_typeck_child(key.to_def_id()) }
1222    }
1223
1224    query used_trait_imports(key: LocalDefId) -> &'tcx UnordSet<LocalDefId> {
1225        desc { "finding used_trait_imports `{}`", tcx.def_path_str(key) }
1226        cache_on_disk_if { true }
1227    }
1228
1229    query coherent_trait(def_id: DefId) -> Result<(), ErrorGuaranteed> {
1230        desc { "coherence checking all impls of trait `{}`", tcx.def_path_str(def_id) }
1231    }
1232
1233    /// Borrow-checks the given typeck root, e.g. functions, const/static items,
1234    /// and its children, e.g. closures, inline consts.
1235    query mir_borrowck(key: LocalDefId) -> Result<
1236        &'tcx FxIndexMap<LocalDefId, ty::DefinitionSiteHiddenType<'tcx>>,
1237        ErrorGuaranteed
1238    > {
1239        desc { "borrow-checking `{}`", tcx.def_path_str(key) }
1240    }
1241
1242    /// Gets a complete map from all types to their inherent impls.
1243    ///
1244    /// <div class="warning">
1245    ///
1246    /// **Not meant to be used** directly outside of coherence.
1247    ///
1248    /// </div>
1249    query crate_inherent_impls(k: ()) -> (&'tcx CrateInherentImpls, Result<(), ErrorGuaranteed>) {
1250        desc { "finding all inherent impls defined in crate" }
1251    }
1252
1253    /// Checks all types in the crate for overlap in their inherent impls. Reports errors.
1254    ///
1255    /// <div class="warning">
1256    ///
1257    /// **Not meant to be used** directly outside of coherence.
1258    ///
1259    /// </div>
1260    query crate_inherent_impls_validity_check(_: ()) -> Result<(), ErrorGuaranteed> {
1261        desc { "check for inherent impls that should not be defined in crate" }
1262    }
1263
1264    /// Checks all types in the crate for overlap in their inherent impls. Reports errors.
1265    ///
1266    /// <div class="warning">
1267    ///
1268    /// **Not meant to be used** directly outside of coherence.
1269    ///
1270    /// </div>
1271    query crate_inherent_impls_overlap_check(_: ()) -> Result<(), ErrorGuaranteed> {
1272        desc { "check for overlap between inherent impls defined in this crate" }
1273    }
1274
1275    /// Checks whether all impls in the crate pass the overlap check, returning
1276    /// which impls fail it. If all impls are correct, the returned slice is empty.
1277    query orphan_check_impl(key: LocalDefId) -> Result<(), ErrorGuaranteed> {
1278        desc {
1279            "checking whether impl `{}` follows the orphan rules",
1280            tcx.def_path_str(key),
1281        }
1282    }
1283
1284    /// Return the set of (transitive) callees that may result in a recursive call to `key`,
1285    /// if we were able to walk all callees.
1286    query mir_callgraph_cyclic(key: LocalDefId) -> &'tcx Option<UnordSet<LocalDefId>> {
1287        arena_cache
1288        desc {
1289            "computing (transitive) callees of `{}` that may recurse",
1290            tcx.def_path_str(key),
1291        }
1292        cache_on_disk_if { true }
1293    }
1294
1295    /// Obtain all the calls into other local functions
1296    query mir_inliner_callees(key: ty::InstanceKind<'tcx>) -> &'tcx [(DefId, GenericArgsRef<'tcx>)] {
1297        desc {
1298            "computing all local function calls in `{}`",
1299            tcx.def_path_str(key.def_id()),
1300        }
1301    }
1302
1303    /// Computes the tag (if any) for a given type and variant.
1304    ///
1305    /// `None` means that the variant doesn't need a tag (because it is niched).
1306    ///
1307    /// # Panics
1308    ///
1309    /// This query will panic for uninhabited variants and if the passed type is not an enum.
1310    query tag_for_variant(
1311        key: PseudoCanonicalInput<'tcx, (Ty<'tcx>, abi::VariantIdx)>,
1312    ) -> Option<ty::ScalarInt> {
1313        desc { "computing variant tag for enum" }
1314    }
1315
1316    /// Evaluates a constant and returns the computed allocation.
1317    ///
1318    /// <div class="warning">
1319    ///
1320    /// **Do not call this query** directly, use [`Self::eval_to_const_value_raw`] or
1321    /// [`Self::eval_to_valtree`] instead.
1322    ///
1323    /// </div>
1324    query eval_to_allocation_raw(key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>)
1325        -> EvalToAllocationRawResult<'tcx> {
1326        desc {
1327            "const-evaluating + checking `{}`",
1328            key.value.display(tcx)
1329        }
1330        cache_on_disk_if { true }
1331    }
1332
1333    /// Evaluate a static's initializer, returning the allocation of the initializer's memory.
1334    query eval_static_initializer(key: DefId) -> EvalStaticInitializerRawResult<'tcx> {
1335        desc {
1336            "evaluating initializer of static `{}`",
1337            tcx.def_path_str(key)
1338        }
1339        cache_on_disk_if { key.is_local() }
1340        separate_provide_extern
1341        feedable
1342    }
1343
1344    /// Evaluates const items or anonymous constants[^1] into a representation
1345    /// suitable for the type system and const generics.
1346    ///
1347    /// <div class="warning">
1348    ///
1349    /// **Do not call this** directly, use one of the following wrappers:
1350    /// [`TyCtxt::const_eval_poly`], [`TyCtxt::const_eval_resolve`],
1351    /// [`TyCtxt::const_eval_instance`], or [`TyCtxt::const_eval_global_id`].
1352    ///
1353    /// </div>
1354    ///
1355    /// [^1]: Such as enum variant explicit discriminants or array lengths.
1356    query eval_to_const_value_raw(key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>)
1357        -> EvalToConstValueResult<'tcx> {
1358        desc {
1359            "simplifying constant for the type system `{}`",
1360            key.value.display(tcx)
1361        }
1362        depth_limit
1363        cache_on_disk_if { true }
1364    }
1365
1366    /// Evaluate a constant and convert it to a type level constant or
1367    /// return `None` if that is not possible.
1368    query eval_to_valtree(
1369        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>
1370    ) -> EvalToValTreeResult<'tcx> {
1371        desc { "evaluating type-level constant" }
1372    }
1373
1374    /// Converts a type-level constant value into a MIR constant value.
1375    query valtree_to_const_val(key: ty::Value<'tcx>) -> mir::ConstValue {
1376        desc { "converting type-level constant value to MIR constant value"}
1377    }
1378
1379    // FIXME get rid of this with valtrees
1380    query lit_to_const(
1381        key: LitToConstInput<'tcx>
1382    ) -> Option<ty::Value<'tcx>> {
1383        desc { "converting literal to const" }
1384    }
1385
1386    query check_match(key: LocalDefId) -> Result<(), ErrorGuaranteed> {
1387        desc { "match-checking `{}`", tcx.def_path_str(key) }
1388    }
1389
1390    /// Performs part of the privacy check and computes effective visibilities.
1391    query effective_visibilities(_: ()) -> &'tcx EffectiveVisibilities {
1392        eval_always
1393        desc { "checking effective visibilities" }
1394    }
1395    query check_private_in_public(module_def_id: LocalModDefId) {
1396        desc {
1397            "checking for private elements in public interfaces for {}",
1398            describe_as_module(module_def_id, tcx)
1399        }
1400    }
1401
1402    query reachable_set(_: ()) -> &'tcx LocalDefIdSet {
1403        arena_cache
1404        desc { "reachability" }
1405        cache_on_disk_if { true }
1406    }
1407
1408    /// Per-body `region::ScopeTree`. The `DefId` should be the owner `DefId` for the body;
1409    /// in the case of closures, this will be redirected to the enclosing function.
1410    query region_scope_tree(def_id: DefId) -> &'tcx crate::middle::region::ScopeTree {
1411        desc { "computing drop scopes for `{}`", tcx.def_path_str(def_id) }
1412    }
1413
1414    /// Generates a MIR body for the shim.
1415    query mir_shims(key: ty::InstanceKind<'tcx>) -> &'tcx mir::Body<'tcx> {
1416        arena_cache
1417        desc {
1418            "generating MIR shim for `{}`, instance={:?}",
1419            tcx.def_path_str(key.def_id()),
1420            key
1421        }
1422    }
1423
1424    /// The `symbol_name` query provides the symbol name for calling a
1425    /// given instance from the local crate. In particular, it will also
1426    /// look up the correct symbol name of instances from upstream crates.
1427    query symbol_name(key: ty::Instance<'tcx>) -> ty::SymbolName<'tcx> {
1428        desc { "computing the symbol for `{}`", key }
1429        cache_on_disk_if { true }
1430    }
1431
1432    query def_kind(def_id: DefId) -> DefKind {
1433        desc { "looking up definition kind of `{}`", tcx.def_path_str(def_id) }
1434        cache_on_disk_if { def_id.is_local() }
1435        separate_provide_extern
1436        feedable
1437    }
1438
1439    /// Gets the span for the definition.
1440    query def_span(def_id: DefId) -> Span {
1441        desc { "looking up span for `{}`", tcx.def_path_str(def_id) }
1442        cache_on_disk_if { def_id.is_local() }
1443        separate_provide_extern
1444        feedable
1445    }
1446
1447    /// Gets the span for the identifier of the definition.
1448    query def_ident_span(def_id: DefId) -> Option<Span> {
1449        desc { "looking up span for `{}`'s identifier", tcx.def_path_str(def_id) }
1450        cache_on_disk_if { def_id.is_local() }
1451        separate_provide_extern
1452        feedable
1453    }
1454
1455    /// Gets the span for the type of the definition.
1456    /// Panics if it is not a definition that has a single type.
1457    query ty_span(def_id: LocalDefId) -> Span {
1458        desc { "looking up span for `{}`'s type", tcx.def_path_str(def_id) }
1459        cache_on_disk_if { true }
1460    }
1461
1462    query lookup_stability(def_id: DefId) -> Option<hir::Stability> {
1463        desc { "looking up stability of `{}`", tcx.def_path_str(def_id) }
1464        cache_on_disk_if { def_id.is_local() }
1465        separate_provide_extern
1466    }
1467
1468    query lookup_const_stability(def_id: DefId) -> Option<hir::ConstStability> {
1469        desc { "looking up const stability of `{}`", tcx.def_path_str(def_id) }
1470        cache_on_disk_if { def_id.is_local() }
1471        separate_provide_extern
1472    }
1473
1474    query lookup_default_body_stability(def_id: DefId) -> Option<hir::DefaultBodyStability> {
1475        desc { "looking up default body stability of `{}`", tcx.def_path_str(def_id) }
1476        separate_provide_extern
1477    }
1478
1479    query should_inherit_track_caller(def_id: DefId) -> bool {
1480        desc { "computing should_inherit_track_caller of `{}`", tcx.def_path_str(def_id) }
1481    }
1482
1483    query inherited_align(def_id: DefId) -> Option<Align> {
1484        desc { "computing inherited_align of `{}`", tcx.def_path_str(def_id) }
1485    }
1486
1487    query lookup_deprecation_entry(def_id: DefId) -> Option<DeprecationEntry> {
1488        desc { "checking whether `{}` is deprecated", tcx.def_path_str(def_id) }
1489        cache_on_disk_if { def_id.is_local() }
1490        separate_provide_extern
1491    }
1492
1493    /// Determines whether an item is annotated with `#[doc(hidden)]`.
1494    query is_doc_hidden(def_id: DefId) -> bool {
1495        desc { "checking whether `{}` is `doc(hidden)`", tcx.def_path_str(def_id) }
1496        separate_provide_extern
1497    }
1498
1499    /// Determines whether an item is annotated with `#[doc(notable_trait)]`.
1500    query is_doc_notable_trait(def_id: DefId) -> bool {
1501        desc { "checking whether `{}` is `doc(notable_trait)`", tcx.def_path_str(def_id) }
1502    }
1503
1504    /// Returns the attributes on the item at `def_id`.
1505    ///
1506    /// Do not use this directly, use `tcx.get_attrs` instead.
1507    query attrs_for_def(def_id: DefId) -> &'tcx [hir::Attribute] {
1508        desc { "collecting attributes of `{}`", tcx.def_path_str(def_id) }
1509        separate_provide_extern
1510    }
1511
1512    /// Returns the `CodegenFnAttrs` for the item at `def_id`.
1513    ///
1514    /// If possible, use `tcx.codegen_instance_attrs` instead. That function takes the
1515    /// instance kind into account.
1516    ///
1517    /// For example, the `#[naked]` attribute should be applied for `InstanceKind::Item`,
1518    /// but should not be applied if the instance kind is `InstanceKind::ReifyShim`.
1519    /// Using this query would include the attribute regardless of the actual instance
1520    /// kind at the call site.
1521    query codegen_fn_attrs(def_id: DefId) -> &'tcx CodegenFnAttrs {
1522        desc { "computing codegen attributes of `{}`", tcx.def_path_str(def_id) }
1523        arena_cache
1524        cache_on_disk_if { def_id.is_local() }
1525        separate_provide_extern
1526        feedable
1527    }
1528
1529    query asm_target_features(def_id: DefId) -> &'tcx FxIndexSet<Symbol> {
1530        desc { "computing target features for inline asm of `{}`", tcx.def_path_str(def_id) }
1531    }
1532
1533    query fn_arg_idents(def_id: DefId) -> &'tcx [Option<rustc_span::Ident>] {
1534        desc { "looking up function parameter identifiers for `{}`", tcx.def_path_str(def_id) }
1535        separate_provide_extern
1536    }
1537
1538    /// Gets the rendered value of the specified constant or associated constant.
1539    /// Used by rustdoc.
1540    query rendered_const(def_id: DefId) -> &'tcx String {
1541        arena_cache
1542        desc { "rendering constant initializer of `{}`", tcx.def_path_str(def_id) }
1543        separate_provide_extern
1544    }
1545
1546    /// Gets the rendered precise capturing args for an opaque for use in rustdoc.
1547    query rendered_precise_capturing_args(def_id: DefId) -> Option<&'tcx [PreciseCapturingArgKind<Symbol, Symbol>]> {
1548        desc { "rendering precise capturing args for `{}`", tcx.def_path_str(def_id) }
1549        separate_provide_extern
1550    }
1551
1552    query impl_parent(def_id: DefId) -> Option<DefId> {
1553        desc { "computing specialization parent impl of `{}`", tcx.def_path_str(def_id) }
1554        separate_provide_extern
1555    }
1556
1557    query is_mir_available(key: DefId) -> bool {
1558        desc { "checking if item has MIR available: `{}`", tcx.def_path_str(key) }
1559        cache_on_disk_if { key.is_local() }
1560        separate_provide_extern
1561    }
1562
1563    query own_existential_vtable_entries(
1564        key: DefId
1565    ) -> &'tcx [DefId] {
1566        desc { "finding all existential vtable entries for trait `{}`", tcx.def_path_str(key) }
1567    }
1568
1569    query vtable_entries(key: ty::TraitRef<'tcx>)
1570                        -> &'tcx [ty::VtblEntry<'tcx>] {
1571        desc { "finding all vtable entries for trait `{}`", tcx.def_path_str(key.def_id) }
1572    }
1573
1574    query first_method_vtable_slot(key: ty::TraitRef<'tcx>) -> usize {
1575        desc { "finding the slot within the vtable of `{}` for the implementation of `{}`", key.self_ty(), key.print_only_trait_name() }
1576    }
1577
1578    query supertrait_vtable_slot(key: (Ty<'tcx>, Ty<'tcx>)) -> Option<usize> {
1579        desc { "finding the slot within vtable for trait object `{}` vtable ptr during trait upcasting coercion from `{}` vtable",
1580            key.1, key.0 }
1581    }
1582
1583    query vtable_allocation(key: (Ty<'tcx>, Option<ty::ExistentialTraitRef<'tcx>>)) -> mir::interpret::AllocId {
1584        desc { "vtable const allocation for <{} as {}>",
1585            key.0,
1586            key.1.map(|trait_ref| format!("{trait_ref}")).unwrap_or_else(|| "_".to_owned())
1587        }
1588    }
1589
1590    query codegen_select_candidate(
1591        key: PseudoCanonicalInput<'tcx, ty::TraitRef<'tcx>>
1592    ) -> Result<&'tcx ImplSource<'tcx, ()>, CodegenObligationError> {
1593        cache_on_disk_if { true }
1594        desc { "computing candidate for `{}`", key.value }
1595    }
1596
1597    /// Return all `impl` blocks in the current crate.
1598    query all_local_trait_impls(_: ()) -> &'tcx rustc_data_structures::fx::FxIndexMap<DefId, Vec<LocalDefId>> {
1599        desc { "finding local trait impls" }
1600    }
1601
1602    /// Return all `impl` blocks of the given trait in the current crate.
1603    query local_trait_impls(trait_id: DefId) -> &'tcx [LocalDefId] {
1604        desc { "finding local trait impls of `{}`", tcx.def_path_str(trait_id) }
1605    }
1606
1607    /// Given a trait `trait_id`, return all known `impl` blocks.
1608    query trait_impls_of(trait_id: DefId) -> &'tcx ty::trait_def::TraitImpls {
1609        arena_cache
1610        desc { "finding trait impls of `{}`", tcx.def_path_str(trait_id) }
1611    }
1612
1613    query specialization_graph_of(trait_id: DefId) -> Result<&'tcx specialization_graph::Graph, ErrorGuaranteed> {
1614        desc { "building specialization graph of trait `{}`", tcx.def_path_str(trait_id) }
1615        cache_on_disk_if { true }
1616    }
1617    query dyn_compatibility_violations(trait_id: DefId) -> &'tcx [DynCompatibilityViolation] {
1618        desc { "determining dyn-compatibility of trait `{}`", tcx.def_path_str(trait_id) }
1619    }
1620    query is_dyn_compatible(trait_id: DefId) -> bool {
1621        desc { "checking if trait `{}` is dyn-compatible", tcx.def_path_str(trait_id) }
1622    }
1623
1624    /// Gets the ParameterEnvironment for a given item; this environment
1625    /// will be in "user-facing" mode, meaning that it is suitable for
1626    /// type-checking etc, and it does not normalize specializable
1627    /// associated types.
1628    ///
1629    /// You should almost certainly not use this. If you already have an InferCtxt, then
1630    /// you should also probably have a `ParamEnv` from when it was built. If you don't,
1631    /// then you should take a `TypingEnv` to ensure that you handle opaque types correctly.
1632    query param_env(def_id: DefId) -> ty::ParamEnv<'tcx> {
1633        desc { "computing normalized predicates of `{}`", tcx.def_path_str(def_id) }
1634        feedable
1635    }
1636
1637    /// Like `param_env`, but returns the `ParamEnv` after all opaque types have been
1638    /// replaced with their hidden type. This is used in the old trait solver
1639    /// when in `PostAnalysis` mode and should not be called directly.
1640    query typing_env_normalized_for_post_analysis(def_id: DefId) -> ty::TypingEnv<'tcx> {
1641        desc { "computing revealed normalized predicates of `{}`", tcx.def_path_str(def_id) }
1642    }
1643
1644    /// Trait selection queries. These are best used by invoking `ty.is_copy_modulo_regions()`,
1645    /// `ty.is_copy()`, etc, since that will prune the environment where possible.
1646    query is_copy_raw(env: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
1647        desc { "computing whether `{}` is `Copy`", env.value }
1648    }
1649    /// Trait selection queries. These are best used by invoking `ty.is_use_cloned_modulo_regions()`,
1650    /// `ty.is_use_cloned()`, etc, since that will prune the environment where possible.
1651    query is_use_cloned_raw(env: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
1652        desc { "computing whether `{}` is `UseCloned`", env.value }
1653    }
1654    /// Query backing `Ty::is_sized`.
1655    query is_sized_raw(env: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
1656        desc { "computing whether `{}` is `Sized`", env.value }
1657    }
1658    /// Query backing `Ty::is_freeze`.
1659    query is_freeze_raw(env: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
1660        desc { "computing whether `{}` is freeze", env.value }
1661    }
1662    /// Query backing `Ty::is_unsafe_unpin`.
1663    query is_unsafe_unpin_raw(env: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
1664        desc { "computing whether `{}` is `UnsafeUnpin`", env.value }
1665    }
1666    /// Query backing `Ty::is_unpin`.
1667    query is_unpin_raw(env: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
1668        desc { "computing whether `{}` is `Unpin`", env.value }
1669    }
1670    /// Query backing `Ty::is_async_drop`.
1671    query is_async_drop_raw(env: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
1672        desc { "computing whether `{}` is `AsyncDrop`", env.value }
1673    }
1674    /// Query backing `Ty::needs_drop`.
1675    query needs_drop_raw(env: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
1676        desc { "computing whether `{}` needs drop", env.value }
1677    }
1678    /// Query backing `Ty::needs_async_drop`.
1679    query needs_async_drop_raw(env: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
1680        desc { "computing whether `{}` needs async drop", env.value }
1681    }
1682    /// Query backing `Ty::has_significant_drop_raw`.
1683    query has_significant_drop_raw(env: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
1684        desc { "computing whether `{}` has a significant drop", env.value }
1685    }
1686
1687    /// Query backing `Ty::is_structural_eq_shallow`.
1688    ///
1689    /// This is only correct for ADTs. Call `is_structural_eq_shallow` to handle all types
1690    /// correctly.
1691    query has_structural_eq_impl(ty: Ty<'tcx>) -> bool {
1692        desc {
1693            "computing whether `{}` implements `StructuralPartialEq`",
1694            ty
1695        }
1696    }
1697
1698    /// A list of types where the ADT requires drop if and only if any of
1699    /// those types require drop. If the ADT is known to always need drop
1700    /// then `Err(AlwaysRequiresDrop)` is returned.
1701    query adt_drop_tys(def_id: DefId) -> Result<&'tcx ty::List<Ty<'tcx>>, AlwaysRequiresDrop> {
1702        desc { "computing when `{}` needs drop", tcx.def_path_str(def_id) }
1703        cache_on_disk_if { true }
1704    }
1705
1706    /// A list of types where the ADT requires async drop if and only if any of
1707    /// those types require async drop. If the ADT is known to always need async drop
1708    /// then `Err(AlwaysRequiresDrop)` is returned.
1709    query adt_async_drop_tys(def_id: DefId) -> Result<&'tcx ty::List<Ty<'tcx>>, AlwaysRequiresDrop> {
1710        desc { "computing when `{}` needs async drop", tcx.def_path_str(def_id) }
1711        cache_on_disk_if { true }
1712    }
1713
1714    /// A list of types where the ADT requires drop if and only if any of those types
1715    /// has significant drop. A type marked with the attribute `rustc_insignificant_dtor`
1716    /// is considered to not be significant. A drop is significant if it is implemented
1717    /// by the user or does anything that will have any observable behavior (other than
1718    /// freeing up memory). If the ADT is known to have a significant destructor then
1719    /// `Err(AlwaysRequiresDrop)` is returned.
1720    query adt_significant_drop_tys(def_id: DefId) -> Result<&'tcx ty::List<Ty<'tcx>>, AlwaysRequiresDrop> {
1721        desc { "computing when `{}` has a significant destructor", tcx.def_path_str(def_id) }
1722    }
1723
1724    /// Returns a list of types which (a) have a potentially significant destructor
1725    /// and (b) may be dropped as a result of dropping a value of some type `ty`
1726    /// (in the given environment).
1727    ///
1728    /// The idea of "significant" drop is somewhat informal and is used only for
1729    /// diagnostics and edition migrations. The idea is that a significant drop may have
1730    /// some visible side-effect on execution; freeing memory is NOT considered a side-effect.
1731    /// The rules are as follows:
1732    /// * Type with no explicit drop impl do not have significant drop.
1733    /// * Types with a drop impl are assumed to have significant drop unless they have a `#[rustc_insignificant_dtor]` annotation.
1734    ///
1735    /// Note that insignificant drop is a "shallow" property. A type like `Vec<LockGuard>` does not
1736    /// have significant drop but the type `LockGuard` does, and so if `ty  = Vec<LockGuard>`
1737    /// then the return value would be `&[LockGuard]`.
1738    /// *IMPORTANT*: *DO NOT* run this query before promoted MIR body is constructed,
1739    /// because this query partially depends on that query.
1740    /// Otherwise, there is a risk of query cycles.
1741    query list_significant_drop_tys(ty: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> &'tcx ty::List<Ty<'tcx>> {
1742        desc { "computing when `{}` has a significant destructor", ty.value }
1743    }
1744
1745    /// Computes the layout of a type. Note that this implicitly
1746    /// executes in `TypingMode::PostAnalysis`, and will normalize the input type.
1747    query layout_of(
1748        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>
1749    ) -> Result<ty::layout::TyAndLayout<'tcx>, &'tcx ty::layout::LayoutError<'tcx>> {
1750        depth_limit
1751        desc { "computing layout of `{}`", key.value }
1752    }
1753
1754    /// Compute a `FnAbi` suitable for indirect calls, i.e. to `fn` pointers.
1755    ///
1756    /// NB: this doesn't handle virtual calls - those should use `fn_abi_of_instance`
1757    /// instead, where the instance is an `InstanceKind::Virtual`.
1758    query fn_abi_of_fn_ptr(
1759        key: ty::PseudoCanonicalInput<'tcx, (ty::PolyFnSig<'tcx>, &'tcx ty::List<Ty<'tcx>>)>
1760    ) -> Result<&'tcx rustc_target::callconv::FnAbi<'tcx, Ty<'tcx>>, &'tcx ty::layout::FnAbiError<'tcx>> {
1761        desc { "computing call ABI of `{}` function pointers", key.value.0 }
1762    }
1763
1764    /// Compute a `FnAbi` suitable for declaring/defining an `fn` instance, and for direct calls*
1765    /// to an `fn`. Indirectly-passed parameters in the returned ABI might not include all possible
1766    /// codegen optimization attributes (such as `ReadOnly` or `CapturesNone`), as deducing these
1767    /// requires inspection of function bodies that can lead to cycles when performed during typeck.
1768    /// Post typeck, you should prefer the optimized ABI returned by `TyCtxt::fn_abi_of_instance`.
1769    ///
1770    /// NB: the ABI returned by this query must not differ from that returned by
1771    ///     `fn_abi_of_instance_raw` in any other way.
1772    ///
1773    /// * that includes virtual calls, which are represented by "direct calls" to an
1774    ///   `InstanceKind::Virtual` instance (of `<dyn Trait as Trait>::fn`).
1775    query fn_abi_of_instance_no_deduced_attrs(
1776        key: ty::PseudoCanonicalInput<'tcx, (ty::Instance<'tcx>, &'tcx ty::List<Ty<'tcx>>)>
1777    ) -> Result<&'tcx rustc_target::callconv::FnAbi<'tcx, Ty<'tcx>>, &'tcx ty::layout::FnAbiError<'tcx>> {
1778        desc { "computing unadjusted call ABI of `{}`", key.value.0 }
1779    }
1780
1781    /// Compute a `FnAbi` suitable for declaring/defining an `fn` instance, and for direct calls*
1782    /// to an `fn`. Indirectly-passed parameters in the returned ABI will include applicable
1783    /// codegen optimization attributes, including `ReadOnly` and `CapturesNone` -- deduction of
1784    /// which requires inspection of function bodies that can lead to cycles when performed during
1785    /// typeck. During typeck, you should therefore use instead the unoptimized ABI returned by
1786    /// `fn_abi_of_instance_no_deduced_attrs`.
1787    ///
1788    /// For performance reasons, you should prefer to call the inherent `TyCtxt::fn_abi_of_instance`
1789    /// method rather than invoke this query: it delegates to this query if necessary, but where
1790    /// possible delegates instead to the `fn_abi_of_instance_no_deduced_attrs` query (thus avoiding
1791    /// unnecessary query system overhead).
1792    ///
1793    /// * that includes virtual calls, which are represented by "direct calls" to an
1794    ///   `InstanceKind::Virtual` instance (of `<dyn Trait as Trait>::fn`).
1795    query fn_abi_of_instance_raw(
1796        key: ty::PseudoCanonicalInput<'tcx, (ty::Instance<'tcx>, &'tcx ty::List<Ty<'tcx>>)>
1797    ) -> Result<&'tcx rustc_target::callconv::FnAbi<'tcx, Ty<'tcx>>, &'tcx ty::layout::FnAbiError<'tcx>> {
1798        desc { "computing call ABI of `{}`", key.value.0 }
1799    }
1800
1801    query dylib_dependency_formats(_: CrateNum)
1802                                    -> &'tcx [(CrateNum, LinkagePreference)] {
1803        desc { "getting dylib dependency formats of crate" }
1804        separate_provide_extern
1805    }
1806
1807    query dependency_formats(_: ()) -> &'tcx Arc<crate::middle::dependency_format::Dependencies> {
1808        arena_cache
1809        desc { "getting the linkage format of all dependencies" }
1810    }
1811
1812    query is_compiler_builtins(_: CrateNum) -> bool {
1813        desc { "checking if the crate is_compiler_builtins" }
1814        separate_provide_extern
1815    }
1816    query has_global_allocator(_: CrateNum) -> bool {
1817        // This query depends on untracked global state in CStore
1818        eval_always
1819        desc { "checking if the crate has_global_allocator" }
1820        separate_provide_extern
1821    }
1822    query has_alloc_error_handler(_: CrateNum) -> bool {
1823        // This query depends on untracked global state in CStore
1824        eval_always
1825        desc { "checking if the crate has_alloc_error_handler" }
1826        separate_provide_extern
1827    }
1828    query has_panic_handler(_: CrateNum) -> bool {
1829        desc { "checking if the crate has_panic_handler" }
1830        separate_provide_extern
1831    }
1832    query is_profiler_runtime(_: CrateNum) -> bool {
1833        desc { "checking if a crate is `#![profiler_runtime]`" }
1834        separate_provide_extern
1835    }
1836    query has_ffi_unwind_calls(key: LocalDefId) -> bool {
1837        desc { "checking if `{}` contains FFI-unwind calls", tcx.def_path_str(key) }
1838        cache_on_disk_if { true }
1839    }
1840    query required_panic_strategy(_: CrateNum) -> Option<PanicStrategy> {
1841        desc { "getting a crate's required panic strategy" }
1842        separate_provide_extern
1843    }
1844    query panic_in_drop_strategy(_: CrateNum) -> PanicStrategy {
1845        desc { "getting a crate's configured panic-in-drop strategy" }
1846        separate_provide_extern
1847    }
1848    query is_no_builtins(_: CrateNum) -> bool {
1849        desc { "getting whether a crate has `#![no_builtins]`" }
1850        separate_provide_extern
1851    }
1852    query symbol_mangling_version(_: CrateNum) -> SymbolManglingVersion {
1853        desc { "getting a crate's symbol mangling version" }
1854        separate_provide_extern
1855    }
1856
1857    query extern_crate(def_id: CrateNum) -> Option<&'tcx ExternCrate> {
1858        eval_always
1859        desc { "getting crate's ExternCrateData" }
1860        separate_provide_extern
1861    }
1862
1863    query specialization_enabled_in(cnum: CrateNum) -> bool {
1864        desc { "checking whether the crate enabled `specialization`/`min_specialization`" }
1865        separate_provide_extern
1866    }
1867
1868    query specializes(_: (DefId, DefId)) -> bool {
1869        desc { "computing whether impls specialize one another" }
1870    }
1871    query in_scope_traits_map(_: hir::OwnerId)
1872        -> Option<&'tcx ItemLocalMap<&'tcx [TraitCandidate<'tcx>]>> {
1873        desc { "getting traits in scope at a block" }
1874    }
1875
1876    /// Returns whether the impl or associated function has the `default` keyword.
1877    /// Note: This will ICE on inherent impl items. Consider using `AssocItem::defaultness`.
1878    query defaultness(def_id: DefId) -> hir::Defaultness {
1879        desc { "looking up whether `{}` has `default`", tcx.def_path_str(def_id) }
1880        separate_provide_extern
1881        feedable
1882    }
1883
1884    /// Returns whether the field corresponding to the `DefId` has a default field value.
1885    query default_field(def_id: DefId) -> Option<DefId> {
1886        desc { "looking up the `const` corresponding to the default for `{}`", tcx.def_path_str(def_id) }
1887        separate_provide_extern
1888    }
1889
1890    query check_well_formed(key: LocalDefId) -> Result<(), ErrorGuaranteed> {
1891        desc { "checking that `{}` is well-formed", tcx.def_path_str(key) }
1892    }
1893
1894    query enforce_impl_non_lifetime_params_are_constrained(key: LocalDefId) -> Result<(), ErrorGuaranteed> {
1895        desc { "checking that `{}`'s generics are constrained by the impl header", tcx.def_path_str(key) }
1896    }
1897
1898    // The `DefId`s of all non-generic functions and statics in the given crate
1899    // that can be reached from outside the crate.
1900    //
1901    // We expect this items to be available for being linked to.
1902    //
1903    // This query can also be called for `LOCAL_CRATE`. In this case it will
1904    // compute which items will be reachable to other crates, taking into account
1905    // the kind of crate that is currently compiled. Crates with only a
1906    // C interface have fewer reachable things.
1907    //
1908    // Does not include external symbols that don't have a corresponding DefId,
1909    // like the compiler-generated `main` function and so on.
1910    query reachable_non_generics(_: CrateNum)
1911        -> &'tcx DefIdMap<SymbolExportInfo> {
1912        arena_cache
1913        desc { "looking up the exported symbols of a crate" }
1914        separate_provide_extern
1915    }
1916    query is_reachable_non_generic(def_id: DefId) -> bool {
1917        desc { "checking whether `{}` is an exported symbol", tcx.def_path_str(def_id) }
1918        cache_on_disk_if { def_id.is_local() }
1919        separate_provide_extern
1920    }
1921    query is_unreachable_local_definition(def_id: LocalDefId) -> bool {
1922        desc {
1923            "checking whether `{}` is reachable from outside the crate",
1924            tcx.def_path_str(def_id),
1925        }
1926    }
1927
1928    /// The entire set of monomorphizations the local crate can safely
1929    /// link to because they are exported from upstream crates. Do
1930    /// not depend on this directly, as its value changes anytime
1931    /// a monomorphization gets added or removed in any upstream
1932    /// crate. Instead use the narrower `upstream_monomorphizations_for`,
1933    /// `upstream_drop_glue_for`, `upstream_async_drop_glue_for`, or,
1934    /// even better, `Instance::upstream_monomorphization()`.
1935    query upstream_monomorphizations(_: ()) -> &'tcx DefIdMap<UnordMap<GenericArgsRef<'tcx>, CrateNum>> {
1936        arena_cache
1937        desc { "collecting available upstream monomorphizations" }
1938    }
1939
1940    /// Returns the set of upstream monomorphizations available for the
1941    /// generic function identified by the given `def_id`. The query makes
1942    /// sure to make a stable selection if the same monomorphization is
1943    /// available in multiple upstream crates.
1944    ///
1945    /// You likely want to call `Instance::upstream_monomorphization()`
1946    /// instead of invoking this query directly.
1947    query upstream_monomorphizations_for(def_id: DefId)
1948        -> Option<&'tcx UnordMap<GenericArgsRef<'tcx>, CrateNum>>
1949    {
1950        desc {
1951            "collecting available upstream monomorphizations for `{}`",
1952            tcx.def_path_str(def_id),
1953        }
1954        separate_provide_extern
1955    }
1956
1957    /// Returns the upstream crate that exports drop-glue for the given
1958    /// type (`args` is expected to be a single-item list containing the
1959    /// type one wants drop-glue for).
1960    ///
1961    /// This is a subset of `upstream_monomorphizations_for` in order to
1962    /// increase dep-tracking granularity. Otherwise adding or removing any
1963    /// type with drop-glue in any upstream crate would invalidate all
1964    /// functions calling drop-glue of an upstream type.
1965    ///
1966    /// You likely want to call `Instance::upstream_monomorphization()`
1967    /// instead of invoking this query directly.
1968    ///
1969    /// NOTE: This query could easily be extended to also support other
1970    ///       common functions that have are large set of monomorphizations
1971    ///       (like `Clone::clone` for example).
1972    query upstream_drop_glue_for(args: GenericArgsRef<'tcx>) -> Option<CrateNum> {
1973        desc { "available upstream drop-glue for `{:?}`", args }
1974    }
1975
1976    /// Returns the upstream crate that exports async-drop-glue for
1977    /// the given type (`args` is expected to be a single-item list
1978    /// containing the type one wants async-drop-glue for).
1979    ///
1980    /// This is a subset of `upstream_monomorphizations_for` in order
1981    /// to increase dep-tracking granularity. Otherwise adding or
1982    /// removing any type with async-drop-glue in any upstream crate
1983    /// would invalidate all functions calling async-drop-glue of an
1984    /// upstream type.
1985    ///
1986    /// You likely want to call `Instance::upstream_monomorphization()`
1987    /// instead of invoking this query directly.
1988    ///
1989    /// NOTE: This query could easily be extended to also support other
1990    ///       common functions that have are large set of monomorphizations
1991    ///       (like `Clone::clone` for example).
1992    query upstream_async_drop_glue_for(args: GenericArgsRef<'tcx>) -> Option<CrateNum> {
1993        desc { "available upstream async-drop-glue for `{:?}`", args }
1994    }
1995
1996    /// Returns a list of all `extern` blocks of a crate.
1997    query foreign_modules(_: CrateNum) -> &'tcx FxIndexMap<DefId, ForeignModule> {
1998        arena_cache
1999        desc { "looking up the foreign modules of a linked crate" }
2000        separate_provide_extern
2001    }
2002
2003    /// Lint against `extern fn` declarations having incompatible types.
2004    query clashing_extern_declarations(_: ()) {
2005        desc { "checking `extern fn` declarations are compatible" }
2006    }
2007
2008    /// Identifies the entry-point (e.g., the `main` function) for a given
2009    /// crate, returning `None` if there is no entry point (such as for library crates).
2010    query entry_fn(_: ()) -> Option<(DefId, EntryFnType)> {
2011        desc { "looking up the entry function of a crate" }
2012    }
2013
2014    /// Finds the `rustc_proc_macro_decls` item of a crate.
2015    query proc_macro_decls_static(_: ()) -> Option<LocalDefId> {
2016        desc { "looking up the proc macro declarations for a crate" }
2017    }
2018
2019    // The macro which defines `rustc_metadata::provide_extern` depends on this query's name.
2020    // Changing the name should cause a compiler error, but in case that changes, be aware.
2021    //
2022    // The hash should not be calculated before the `analysis` pass is complete, specifically
2023    // until `tcx.untracked().definitions.freeze()` has been called, otherwise if incremental
2024    // compilation is enabled calculating this hash can freeze this structure too early in
2025    // compilation and cause subsequent crashes when attempting to write to `definitions`
2026    query crate_hash(_: CrateNum) -> Svh {
2027        eval_always
2028        desc { "looking up the hash a crate" }
2029        separate_provide_extern
2030    }
2031
2032    /// Gets the hash for the host proc macro. Used to support -Z dual-proc-macro.
2033    query crate_host_hash(_: CrateNum) -> Option<Svh> {
2034        eval_always
2035        desc { "looking up the hash of a host version of a crate" }
2036        separate_provide_extern
2037    }
2038
2039    /// Gets the extra data to put in each output filename for a crate.
2040    /// For example, compiling the `foo` crate with `extra-filename=-a` creates a `libfoo-b.rlib` file.
2041    query extra_filename(_: CrateNum) -> &'tcx String {
2042        arena_cache
2043        eval_always
2044        desc { "looking up the extra filename for a crate" }
2045        separate_provide_extern
2046    }
2047
2048    /// Gets the paths where the crate came from in the file system.
2049    query crate_extern_paths(_: CrateNum) -> &'tcx Vec<PathBuf> {
2050        arena_cache
2051        eval_always
2052        desc { "looking up the paths for extern crates" }
2053        separate_provide_extern
2054    }
2055
2056    /// Given a crate and a trait, look up all impls of that trait in the crate.
2057    /// Return `(impl_id, self_ty)`.
2058    query implementations_of_trait(_: (CrateNum, DefId)) -> &'tcx [(DefId, Option<SimplifiedType>)] {
2059        desc { "looking up implementations of a trait in a crate" }
2060        separate_provide_extern
2061    }
2062
2063    /// Collects all incoherent impls for the given crate and type.
2064    ///
2065    /// Do not call this directly, but instead use the `incoherent_impls` query.
2066    /// This query is only used to get the data necessary for that query.
2067    query crate_incoherent_impls(key: (CrateNum, SimplifiedType)) -> &'tcx [DefId] {
2068        desc { "collecting all impls for a type in a crate" }
2069        separate_provide_extern
2070    }
2071
2072    /// Get the corresponding native library from the `native_libraries` query
2073    query native_library(def_id: DefId) -> Option<&'tcx NativeLib> {
2074        desc { "getting the native library for `{}`", tcx.def_path_str(def_id) }
2075    }
2076
2077    query inherit_sig_for_delegation_item(def_id: LocalDefId) -> &'tcx [Ty<'tcx>] {
2078        desc { "inheriting delegation signature" }
2079    }
2080
2081    /// Does lifetime resolution on items. Importantly, we can't resolve
2082    /// lifetimes directly on things like trait methods, because of trait params.
2083    /// See `rustc_resolve::late::lifetimes` for details.
2084    query resolve_bound_vars(owner_id: hir::OwnerId) -> &'tcx ResolveBoundVars<'tcx> {
2085        arena_cache
2086        desc { "resolving lifetimes for `{}`", tcx.def_path_str(owner_id) }
2087    }
2088    query named_variable_map(owner_id: hir::OwnerId) -> &'tcx SortedMap<ItemLocalId, ResolvedArg> {
2089        desc { "looking up a named region inside `{}`", tcx.def_path_str(owner_id) }
2090    }
2091    query is_late_bound_map(owner_id: hir::OwnerId) -> Option<&'tcx FxIndexSet<ItemLocalId>> {
2092        desc { "testing if a region is late bound inside `{}`", tcx.def_path_str(owner_id) }
2093    }
2094    /// Returns the *default lifetime* to be used if a trait object type were to be passed for
2095    /// the type parameter given by `DefId`.
2096    ///
2097    /// **Tip**: You can use `#[rustc_dump_object_lifetime_defaults]` on an item to basically
2098    /// print the result of this query for use in UI tests or for debugging purposes.
2099    ///
2100    /// # Examples
2101    ///
2102    /// - For `T` in `struct Foo<'a, T: 'a>(&'a T);`, this would be `Param('a)`
2103    /// - For `T` in `struct Bar<'a, T>(&'a T);`, this would be `Empty`
2104    ///
2105    /// # Panics
2106    ///
2107    /// This query will panic if the given definition is not a type parameter.
2108    query object_lifetime_default(def_id: DefId) -> ObjectLifetimeDefault {
2109        desc { "looking up lifetime defaults for type parameter `{}`", tcx.def_path_str(def_id) }
2110        separate_provide_extern
2111    }
2112    query late_bound_vars_map(owner_id: hir::OwnerId)
2113        -> &'tcx SortedMap<ItemLocalId, Vec<ty::BoundVariableKind<'tcx>>> {
2114        desc { "looking up late bound vars inside `{}`", tcx.def_path_str(owner_id) }
2115    }
2116    /// For an opaque type, return the list of (captured lifetime, inner generic param).
2117    /// ```ignore (illustrative)
2118    /// fn foo<'a: 'a, 'b, T>(&'b u8) -> impl Into<Self> + 'b { ... }
2119    /// ```
2120    ///
2121    /// We would return `[('a, '_a), ('b, '_b)]`, with `'a` early-bound and `'b` late-bound.
2122    ///
2123    /// After hir_ty_lowering, we get:
2124    /// ```ignore (pseudo-code)
2125    /// opaque foo::<'a>::opaque<'_a, '_b>: Into<Foo<'_a>> + '_b;
2126    ///                          ^^^^^^^^ inner generic params
2127    /// fn foo<'a>: for<'b> fn(&'b u8) -> foo::<'a>::opaque::<'a, 'b>
2128    ///                                                       ^^^^^^ captured lifetimes
2129    /// ```
2130    query opaque_captured_lifetimes(def_id: LocalDefId) -> &'tcx [(ResolvedArg, LocalDefId)] {
2131        desc { "listing captured lifetimes for opaque `{}`", tcx.def_path_str(def_id) }
2132    }
2133
2134    /// Computes the visibility of the provided `def_id`.
2135    ///
2136    /// If the item from the `def_id` doesn't have a visibility, it will panic. For example
2137    /// a generic type parameter will panic if you call this method on it:
2138    ///
2139    /// ```
2140    /// use std::fmt::Debug;
2141    ///
2142    /// pub trait Foo<T: Debug> {}
2143    /// ```
2144    ///
2145    /// In here, if you call `visibility` on `T`, it'll panic.
2146    query visibility(def_id: DefId) -> ty::Visibility<DefId> {
2147        desc { "computing visibility of `{}`", tcx.def_path_str(def_id) }
2148        separate_provide_extern
2149        feedable
2150    }
2151
2152    query inhabited_predicate_adt(key: DefId) -> ty::inhabitedness::InhabitedPredicate<'tcx> {
2153        desc { "computing the uninhabited predicate of `{:?}`", key }
2154    }
2155
2156    /// Do not call this query directly: invoke `Ty::inhabited_predicate` instead.
2157    query inhabited_predicate_type(key: Ty<'tcx>) -> ty::inhabitedness::InhabitedPredicate<'tcx> {
2158        desc { "computing the uninhabited predicate of `{}`", key }
2159    }
2160
2161    query crate_dep_kind(_: CrateNum) -> CrateDepKind {
2162        eval_always
2163        desc { "fetching what a dependency looks like" }
2164        separate_provide_extern
2165    }
2166
2167    /// Gets the name of the crate.
2168    query crate_name(_: CrateNum) -> Symbol {
2169        feedable
2170        desc { "fetching what a crate is named" }
2171        separate_provide_extern
2172    }
2173    query module_children(def_id: DefId) -> &'tcx [ModChild] {
2174        desc { "collecting child items of module `{}`", tcx.def_path_str(def_id) }
2175        separate_provide_extern
2176    }
2177
2178    /// Gets the number of definitions in a foreign crate.
2179    ///
2180    /// This allows external tools to iterate over all definitions in a foreign crate.
2181    ///
2182    /// This should never be used for the local crate, instead use `iter_local_def_id`.
2183    query num_extern_def_ids(_: CrateNum) -> usize {
2184        desc { "fetching the number of definitions in a crate" }
2185        separate_provide_extern
2186    }
2187
2188    query lib_features(_: CrateNum) -> &'tcx LibFeatures {
2189        desc { "calculating the lib features defined in a crate" }
2190        separate_provide_extern
2191        arena_cache
2192    }
2193    /// Mapping from feature name to feature name based on the `implied_by` field of `#[unstable]`
2194    /// attributes. If a `#[unstable(feature = "implier", implied_by = "impliee")]` attribute
2195    /// exists, then this map will have a `impliee -> implier` entry.
2196    ///
2197    /// This mapping is necessary unless both the `#[stable]` and `#[unstable]` attributes should
2198    /// specify their implications (both `implies` and `implied_by`). If only one of the two
2199    /// attributes do (as in the current implementation, `implied_by` in `#[unstable]`), then this
2200    /// mapping is necessary for diagnostics. When a "unnecessary feature attribute" error is
2201    /// reported, only the `#[stable]` attribute information is available, so the map is necessary
2202    /// to know that the feature implies another feature. If it were reversed, and the `#[stable]`
2203    /// attribute had an `implies` meta item, then a map would be necessary when avoiding a "use of
2204    /// unstable feature" error for a feature that was implied.
2205    query stability_implications(_: CrateNum) -> &'tcx UnordMap<Symbol, Symbol> {
2206        arena_cache
2207        desc { "calculating the implications between `#[unstable]` features defined in a crate" }
2208        separate_provide_extern
2209    }
2210    /// Whether the function is an intrinsic
2211    query intrinsic_raw(def_id: DefId) -> Option<rustc_middle::ty::IntrinsicDef> {
2212        desc { "fetch intrinsic name if `{}` is an intrinsic", tcx.def_path_str(def_id) }
2213        separate_provide_extern
2214    }
2215    /// Returns the lang items defined in another crate by loading it from metadata.
2216    query get_lang_items(_: ()) -> &'tcx LanguageItems {
2217        arena_cache
2218        eval_always
2219        desc { "calculating the lang items map" }
2220    }
2221
2222    /// Returns all diagnostic items defined in all crates.
2223    query all_diagnostic_items(_: ()) -> &'tcx rustc_hir::diagnostic_items::DiagnosticItems {
2224        arena_cache
2225        eval_always
2226        desc { "calculating the diagnostic items map" }
2227    }
2228
2229    /// Returns the lang items defined in another crate by loading it from metadata.
2230    query defined_lang_items(_: CrateNum) -> &'tcx [(DefId, LangItem)] {
2231        desc { "calculating the lang items defined in a crate" }
2232        separate_provide_extern
2233    }
2234
2235    /// Returns the diagnostic items defined in a crate.
2236    query diagnostic_items(_: CrateNum) -> &'tcx rustc_hir::diagnostic_items::DiagnosticItems {
2237        arena_cache
2238        desc { "calculating the diagnostic items map in a crate" }
2239        separate_provide_extern
2240    }
2241
2242    query missing_lang_items(_: CrateNum) -> &'tcx [LangItem] {
2243        desc { "calculating the missing lang items in a crate" }
2244        separate_provide_extern
2245    }
2246
2247    /// The visible parent map is a map from every item to a visible parent.
2248    /// It prefers the shortest visible path to an item.
2249    /// Used for diagnostics, for example path trimming.
2250    /// The parents are modules, enums or traits.
2251    query visible_parent_map(_: ()) -> &'tcx DefIdMap<DefId> {
2252        arena_cache
2253        desc { "calculating the visible parent map" }
2254    }
2255    /// Collects the "trimmed", shortest accessible paths to all items for diagnostics.
2256    /// See the [provider docs](`rustc_middle::ty::print::trimmed_def_paths`) for more info.
2257    query trimmed_def_paths(_: ()) -> &'tcx DefIdMap<Symbol> {
2258        arena_cache
2259        desc { "calculating trimmed def paths" }
2260    }
2261    query missing_extern_crate_item(_: CrateNum) -> bool {
2262        eval_always
2263        desc { "seeing if we're missing an `extern crate` item for this crate" }
2264        separate_provide_extern
2265    }
2266    query used_crate_source(_: CrateNum) -> &'tcx Arc<CrateSource> {
2267        arena_cache
2268        eval_always
2269        desc { "looking at the source for a crate" }
2270        separate_provide_extern
2271    }
2272
2273    /// Returns the debugger visualizers defined for this crate.
2274    /// NOTE: This query has to be marked `eval_always` because it reads data
2275    ///       directly from disk that is not tracked anywhere else. I.e. it
2276    ///       represents a genuine input to the query system.
2277    query debugger_visualizers(_: CrateNum) -> &'tcx Vec<DebuggerVisualizerFile> {
2278        arena_cache
2279        desc { "looking up the debugger visualizers for this crate" }
2280        separate_provide_extern
2281        eval_always
2282    }
2283
2284    query postorder_cnums(_: ()) -> &'tcx [CrateNum] {
2285        eval_always
2286        desc { "generating a postorder list of CrateNums" }
2287    }
2288    /// Returns whether or not the crate with CrateNum 'cnum'
2289    /// is marked as a private dependency
2290    query is_private_dep(c: CrateNum) -> bool {
2291        eval_always
2292        desc { "checking whether crate `{}` is a private dependency", c }
2293        separate_provide_extern
2294    }
2295    query allocator_kind(_: ()) -> Option<AllocatorKind> {
2296        eval_always
2297        desc { "getting the allocator kind for the current crate" }
2298    }
2299    query alloc_error_handler_kind(_: ()) -> Option<AllocatorKind> {
2300        eval_always
2301        desc { "alloc error handler kind for the current crate" }
2302    }
2303
2304    query upvars_mentioned(def_id: DefId) -> Option<&'tcx FxIndexMap<hir::HirId, hir::Upvar>> {
2305        desc { "collecting upvars mentioned in `{}`", tcx.def_path_str(def_id) }
2306    }
2307
2308    /// All available crates in the graph, including those that should not be user-facing
2309    /// (such as private crates).
2310    query crates(_: ()) -> &'tcx [CrateNum] {
2311        eval_always
2312        desc { "fetching all foreign CrateNum instances" }
2313    }
2314
2315    // Crates that are loaded non-speculatively (not for diagnostics or doc links).
2316    // FIXME: This is currently only used for collecting lang items, but should be used instead of
2317    // `crates` in most other cases too.
2318    query used_crates(_: ()) -> &'tcx [CrateNum] {
2319        eval_always
2320        desc { "fetching `CrateNum`s for all crates loaded non-speculatively" }
2321    }
2322
2323    /// All crates that share the same name as crate `c`.
2324    ///
2325    /// This normally occurs when multiple versions of the same dependency are present in the
2326    /// dependency tree.
2327    query duplicate_crate_names(c: CrateNum) -> &'tcx [CrateNum] {
2328        desc { "fetching `CrateNum`s with same name as `{c:?}`" }
2329    }
2330
2331    /// A list of all traits in a crate, used by rustdoc and error reporting.
2332    query traits(_: CrateNum) -> &'tcx [DefId] {
2333        desc { "fetching all traits in a crate" }
2334        separate_provide_extern
2335    }
2336
2337    query trait_impls_in_crate(_: CrateNum) -> &'tcx [DefId] {
2338        desc { "fetching all trait impls in a crate" }
2339        separate_provide_extern
2340    }
2341
2342    query stable_order_of_exportable_impls(_: CrateNum) -> &'tcx FxIndexMap<DefId, usize> {
2343        desc { "fetching the stable impl's order" }
2344        separate_provide_extern
2345    }
2346
2347    query exportable_items(_: CrateNum) -> &'tcx [DefId] {
2348        desc { "fetching all exportable items in a crate" }
2349        separate_provide_extern
2350    }
2351
2352    /// The list of non-generic symbols exported from the given crate.
2353    ///
2354    /// This is separate from exported_generic_symbols to avoid having
2355    /// to deserialize all non-generic symbols too for upstream crates
2356    /// in the upstream_monomorphizations query.
2357    ///
2358    /// - All names contained in `exported_non_generic_symbols(cnum)` are
2359    ///   guaranteed to correspond to a publicly visible symbol in `cnum`
2360    ///   machine code.
2361    /// - The `exported_non_generic_symbols` and `exported_generic_symbols`
2362    ///   sets of different crates do not intersect.
2363    query exported_non_generic_symbols(cnum: CrateNum) -> &'tcx [(ExportedSymbol<'tcx>, SymbolExportInfo)] {
2364        desc { "collecting exported non-generic symbols for crate `{}`", cnum}
2365        cache_on_disk_if { cnum == LOCAL_CRATE }
2366        separate_provide_extern
2367    }
2368
2369    /// The list of generic symbols exported from the given crate.
2370    ///
2371    /// - All names contained in `exported_generic_symbols(cnum)` are
2372    ///   guaranteed to correspond to a publicly visible symbol in `cnum`
2373    ///   machine code.
2374    /// - The `exported_non_generic_symbols` and `exported_generic_symbols`
2375    ///   sets of different crates do not intersect.
2376    query exported_generic_symbols(cnum: CrateNum) -> &'tcx [(ExportedSymbol<'tcx>, SymbolExportInfo)] {
2377        desc { "collecting exported generic symbols for crate `{}`", cnum}
2378        cache_on_disk_if { cnum == LOCAL_CRATE }
2379        separate_provide_extern
2380    }
2381
2382    query collect_and_partition_mono_items(_: ()) -> MonoItemPartitions<'tcx> {
2383        eval_always
2384        desc { "collect_and_partition_mono_items" }
2385    }
2386
2387    query is_codegened_item(def_id: DefId) -> bool {
2388        desc { "determining whether `{}` needs codegen", tcx.def_path_str(def_id) }
2389    }
2390
2391    query codegen_unit(sym: Symbol) -> &'tcx CodegenUnit<'tcx> {
2392        desc { "getting codegen unit `{sym}`" }
2393    }
2394
2395    query backend_optimization_level(_: ()) -> OptLevel {
2396        desc { "optimization level used by backend" }
2397    }
2398
2399    /// Return the filenames where output artefacts shall be stored.
2400    ///
2401    /// This query returns an `&Arc` because codegen backends need the value even after the `TyCtxt`
2402    /// has been destroyed.
2403    query output_filenames(_: ()) -> &'tcx Arc<OutputFilenames> {
2404        feedable
2405        desc { "getting output filenames" }
2406        arena_cache
2407    }
2408
2409    /// <div class="warning">
2410    ///
2411    /// Do not call this query directly: Invoke `normalize` instead.
2412    ///
2413    /// </div>
2414    query normalize_canonicalized_projection(
2415        goal: CanonicalAliasGoal<'tcx>
2416    ) -> Result<
2417        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
2418        NoSolution,
2419    > {
2420        desc { "normalizing `{}`", goal.canonical.value.value }
2421    }
2422
2423    /// <div class="warning">
2424    ///
2425    /// Do not call this query directly: Invoke `normalize` instead.
2426    ///
2427    /// </div>
2428    query normalize_canonicalized_free_alias(
2429        goal: CanonicalAliasGoal<'tcx>
2430    ) -> Result<
2431        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
2432        NoSolution,
2433    > {
2434        desc { "normalizing `{}`", goal.canonical.value.value }
2435    }
2436
2437    /// <div class="warning">
2438    ///
2439    /// Do not call this query directly: Invoke `normalize` instead.
2440    ///
2441    /// </div>
2442    query normalize_canonicalized_inherent_projection(
2443        goal: CanonicalAliasGoal<'tcx>
2444    ) -> Result<
2445        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
2446        NoSolution,
2447    > {
2448        desc { "normalizing `{}`", goal.canonical.value.value }
2449    }
2450
2451    /// Do not call this query directly: invoke `try_normalize_erasing_regions` instead.
2452    query try_normalize_generic_arg_after_erasing_regions(
2453        goal: PseudoCanonicalInput<'tcx, GenericArg<'tcx>>
2454    ) -> Result<GenericArg<'tcx>, NoSolution> {
2455        desc { "normalizing `{}`", goal.value }
2456    }
2457
2458    query implied_outlives_bounds(
2459        key: (CanonicalImpliedOutlivesBoundsGoal<'tcx>, bool)
2460    ) -> Result<
2461        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, Vec<OutlivesBound<'tcx>>>>,
2462        NoSolution,
2463    > {
2464        desc { "computing implied outlives bounds for `{}` (hack disabled = {:?})", key.0.canonical.value.value.ty, key.1 }
2465    }
2466
2467    /// Do not call this query directly:
2468    /// invoke `DropckOutlives::new(dropped_ty)).fully_perform(typeck.infcx)` instead.
2469    query dropck_outlives(
2470        goal: CanonicalDropckOutlivesGoal<'tcx>
2471    ) -> Result<
2472        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, DropckOutlivesResult<'tcx>>>,
2473        NoSolution,
2474    > {
2475        desc { "computing dropck types for `{}`", goal.canonical.value.value.dropped_ty }
2476    }
2477
2478    /// Do not call this query directly: invoke `infcx.predicate_may_hold()` or
2479    /// `infcx.predicate_must_hold()` instead.
2480    query evaluate_obligation(
2481        goal: CanonicalPredicateGoal<'tcx>
2482    ) -> Result<EvaluationResult, OverflowError> {
2483        desc { "evaluating trait selection obligation `{}`", goal.canonical.value.value }
2484    }
2485
2486    /// Do not call this query directly: part of the `Eq` type-op
2487    query type_op_ascribe_user_type(
2488        goal: CanonicalTypeOpAscribeUserTypeGoal<'tcx>
2489    ) -> Result<
2490        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, ()>>,
2491        NoSolution,
2492    > {
2493        desc { "evaluating `type_op_ascribe_user_type` `{:?}`", goal.canonical.value.value }
2494    }
2495
2496    /// Do not call this query directly: part of the `ProvePredicate` type-op
2497    query type_op_prove_predicate(
2498        goal: CanonicalTypeOpProvePredicateGoal<'tcx>
2499    ) -> Result<
2500        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, ()>>,
2501        NoSolution,
2502    > {
2503        desc { "evaluating `type_op_prove_predicate` `{:?}`", goal.canonical.value.value }
2504    }
2505
2506    /// Do not call this query directly: part of the `Normalize` type-op
2507    query type_op_normalize_ty(
2508        goal: CanonicalTypeOpNormalizeGoal<'tcx, Ty<'tcx>>
2509    ) -> Result<
2510        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, Ty<'tcx>>>,
2511        NoSolution,
2512    > {
2513        desc { "normalizing `{}`", goal.canonical.value.value.value }
2514    }
2515
2516    /// Do not call this query directly: part of the `Normalize` type-op
2517    query type_op_normalize_clause(
2518        goal: CanonicalTypeOpNormalizeGoal<'tcx, ty::Clause<'tcx>>
2519    ) -> Result<
2520        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, ty::Clause<'tcx>>>,
2521        NoSolution,
2522    > {
2523        desc { "normalizing `{:?}`", goal.canonical.value.value.value }
2524    }
2525
2526    /// Do not call this query directly: part of the `Normalize` type-op
2527    query type_op_normalize_poly_fn_sig(
2528        goal: CanonicalTypeOpNormalizeGoal<'tcx, ty::PolyFnSig<'tcx>>
2529    ) -> Result<
2530        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, ty::PolyFnSig<'tcx>>>,
2531        NoSolution,
2532    > {
2533        desc { "normalizing `{:?}`", goal.canonical.value.value.value }
2534    }
2535
2536    /// Do not call this query directly: part of the `Normalize` type-op
2537    query type_op_normalize_fn_sig(
2538        goal: CanonicalTypeOpNormalizeGoal<'tcx, ty::FnSig<'tcx>>
2539    ) -> Result<
2540        &'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, ty::FnSig<'tcx>>>,
2541        NoSolution,
2542    > {
2543        desc { "normalizing `{:?}`", goal.canonical.value.value.value }
2544    }
2545
2546    query instantiate_and_check_impossible_predicates(key: (DefId, GenericArgsRef<'tcx>)) -> bool {
2547        desc {
2548            "checking impossible instantiated predicates: `{}`",
2549            tcx.def_path_str(key.0)
2550        }
2551    }
2552
2553    query is_impossible_associated_item(key: (DefId, DefId)) -> bool {
2554        desc {
2555            "checking if `{}` is impossible to reference within `{}`",
2556            tcx.def_path_str(key.1),
2557            tcx.def_path_str(key.0),
2558        }
2559    }
2560
2561    query method_autoderef_steps(
2562        goal: CanonicalMethodAutoderefStepsGoal<'tcx>
2563    ) -> MethodAutoderefStepsResult<'tcx> {
2564        desc { "computing autoderef types for `{}`", goal.canonical.value.value.self_ty }
2565    }
2566
2567    /// Used by `-Znext-solver` to compute proof trees.
2568    query evaluate_root_goal_for_proof_tree_raw(
2569        goal: solve::CanonicalInput<'tcx>,
2570    ) -> (solve::QueryResult<'tcx>, &'tcx solve::inspect::Probe<TyCtxt<'tcx>>) {
2571        no_hash
2572        desc { "computing proof tree for `{}`", goal.canonical.value.goal.predicate }
2573    }
2574
2575    /// Returns the Rust target features for the current target. These are not always the same as LLVM target features!
2576    query rust_target_features(_: CrateNum) -> &'tcx UnordMap<String, rustc_target::target_features::Stability> {
2577        arena_cache
2578        eval_always
2579        desc { "looking up Rust target features" }
2580    }
2581
2582    query implied_target_features(feature: Symbol) -> &'tcx Vec<Symbol> {
2583        arena_cache
2584        eval_always
2585        desc { "looking up implied target features" }
2586    }
2587
2588    query features_query(_: ()) -> &'tcx rustc_feature::Features {
2589        feedable
2590        desc { "looking up enabled feature gates" }
2591    }
2592
2593    query crate_for_resolver((): ()) -> &'tcx Steal<(rustc_ast::Crate, rustc_ast::AttrVec)> {
2594        feedable
2595        no_hash
2596        desc { "the ast before macro expansion and name resolution" }
2597    }
2598
2599    /// Attempt to resolve the given `DefId` to an `Instance`, for the
2600    /// given generics args (`GenericArgsRef`), returning one of:
2601    ///  * `Ok(Some(instance))` on success
2602    ///  * `Ok(None)` when the `GenericArgsRef` are still too generic,
2603    ///    and therefore don't allow finding the final `Instance`
2604    ///  * `Err(ErrorGuaranteed)` when the `Instance` resolution process
2605    ///    couldn't complete due to errors elsewhere - this is distinct
2606    ///    from `Ok(None)` to avoid misleading diagnostics when an error
2607    ///    has already been/will be emitted, for the original cause.
2608    query resolve_instance_raw(
2609        key: ty::PseudoCanonicalInput<'tcx, (DefId, GenericArgsRef<'tcx>)>
2610    ) -> Result<Option<ty::Instance<'tcx>>, ErrorGuaranteed> {
2611        desc { "resolving instance `{}`", ty::Instance::new_raw(key.value.0, key.value.1) }
2612    }
2613
2614    query reveal_opaque_types_in_bounds(key: ty::Clauses<'tcx>) -> ty::Clauses<'tcx> {
2615        desc { "revealing opaque types in `{:?}`", key }
2616    }
2617
2618    query limits(key: ()) -> Limits {
2619        desc { "looking up limits" }
2620    }
2621
2622    /// Performs an HIR-based well-formed check on the item with the given `HirId`. If
2623    /// we get an `Unimplemented` error that matches the provided `Predicate`, return
2624    /// the cause of the newly created obligation.
2625    ///
2626    /// This is only used by error-reporting code to get a better cause (in particular, a better
2627    /// span) for an *existing* error. Therefore, it is best-effort, and may never handle
2628    /// all of the cases that the normal `ty::Ty`-based wfcheck does. This is fine,
2629    /// because the `ty::Ty`-based wfcheck is always run.
2630    query diagnostic_hir_wf_check(
2631        key: (ty::Predicate<'tcx>, WellFormedLoc)
2632    ) -> Option<&'tcx ObligationCause<'tcx>> {
2633        arena_cache
2634        eval_always
2635        no_hash
2636        desc { "performing HIR wf-checking for predicate `{:?}` at item `{:?}`", key.0, key.1 }
2637    }
2638
2639    /// The list of backend features computed from CLI flags (`-Ctarget-cpu`, `-Ctarget-feature`,
2640    /// `--target` and similar).
2641    query global_backend_features(_: ()) -> &'tcx Vec<String> {
2642        arena_cache
2643        eval_always
2644        desc { "computing the backend features for CLI flags" }
2645    }
2646
2647    query check_validity_requirement(key: (ValidityRequirement, ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)) -> Result<bool, &'tcx ty::layout::LayoutError<'tcx>> {
2648        desc { "checking validity requirement for `{}`: {}", key.1.value, key.0 }
2649    }
2650
2651    /// This takes the def-id of an associated item from a impl of a trait,
2652    /// and checks its validity against the trait item it corresponds to.
2653    ///
2654    /// Any other def id will ICE.
2655    query compare_impl_item(key: LocalDefId) -> Result<(), ErrorGuaranteed> {
2656        desc { "checking assoc item `{}` is compatible with trait definition", tcx.def_path_str(key) }
2657    }
2658
2659    query deduced_param_attrs(def_id: DefId) -> &'tcx [DeducedParamAttrs] {
2660        desc { "deducing parameter attributes for {}", tcx.def_path_str(def_id) }
2661        separate_provide_extern
2662    }
2663
2664    query doc_link_resolutions(def_id: DefId) -> &'tcx DocLinkResMap {
2665        eval_always
2666        desc { "resolutions for documentation links for a module" }
2667        separate_provide_extern
2668    }
2669
2670    query doc_link_traits_in_scope(def_id: DefId) -> &'tcx [DefId] {
2671        eval_always
2672        desc { "traits in scope for documentation links for a module" }
2673        separate_provide_extern
2674    }
2675
2676    /// Get all item paths that were stripped by a `#[cfg]` in a particular crate.
2677    /// Should not be called for the local crate before the resolver outputs are created, as it
2678    /// is only fed there.
2679    query stripped_cfg_items(cnum: CrateNum) -> &'tcx [StrippedCfgItem] {
2680        desc { "getting cfg-ed out item names" }
2681        separate_provide_extern
2682    }
2683
2684    query generics_require_sized_self(def_id: DefId) -> bool {
2685        desc { "check whether the item has a `where Self: Sized` bound" }
2686    }
2687
2688    query cross_crate_inlinable(def_id: DefId) -> bool {
2689        desc { "whether the item should be made inlinable across crates" }
2690        separate_provide_extern
2691    }
2692
2693    /// Perform monomorphization-time checking on this item.
2694    /// This is used for lints/errors that can only be checked once the instance is fully
2695    /// monomorphized.
2696    query check_mono_item(key: ty::Instance<'tcx>) {
2697        desc { "monomorphization-time checking" }
2698    }
2699
2700    /// Builds the set of functions that should be skipped for the move-size check.
2701    query skip_move_check_fns(_: ()) -> &'tcx FxIndexSet<DefId> {
2702        arena_cache
2703        desc { "functions to skip for move-size check" }
2704    }
2705
2706    query items_of_instance(key: (ty::Instance<'tcx>, CollectionMode)) -> Result<(&'tcx [Spanned<MonoItem<'tcx>>], &'tcx [Spanned<MonoItem<'tcx>>]), NormalizationErrorInMono> {
2707        desc { "collecting items used by `{}`", key.0 }
2708        cache_on_disk_if { true }
2709    }
2710
2711    query size_estimate(key: ty::Instance<'tcx>) -> usize {
2712        desc { "estimating codegen size of `{}`", key }
2713        cache_on_disk_if { true }
2714    }
2715
2716    query anon_const_kind(def_id: DefId) -> ty::AnonConstKind {
2717        desc { "looking up anon const kind of `{}`", tcx.def_path_str(def_id) }
2718        separate_provide_extern
2719    }
2720
2721    query trivial_const(def_id: DefId) -> Option<(mir::ConstValue, Ty<'tcx>)> {
2722        desc { "checking if `{}` is a trivial const", tcx.def_path_str(def_id) }
2723        cache_on_disk_if { def_id.is_local() }
2724        separate_provide_extern
2725    }
2726
2727    /// Checks for the nearest `#[sanitize(xyz = "off")]` or
2728    /// `#[sanitize(xyz = "on")]` on this def and any enclosing defs, up to the
2729    /// crate root.
2730    ///
2731    /// Returns the sanitizer settings for this def.
2732    query sanitizer_settings_for(key: LocalDefId) -> SanitizerFnAttrs {
2733        desc { "checking what set of sanitizers are enabled on `{}`", tcx.def_path_str(key) }
2734        feedable
2735    }
2736
2737    query check_externally_implementable_items(_: ()) {
2738        desc { "check externally implementable items" }
2739    }
2740
2741    /// Returns a list of all `externally implementable items` crate.
2742    query externally_implementable_items(cnum: CrateNum) -> &'tcx FxIndexMap<DefId, (EiiDecl, FxIndexMap<DefId, EiiImpl>)> {
2743        arena_cache
2744        desc { "looking up the externally implementable items of a crate" }
2745        cache_on_disk_if { cnum == LOCAL_CRATE }
2746        separate_provide_extern
2747    }
2748
2749    //-----------------------------------------------------------------------------
2750    // "Non-queries" are special dep kinds that are not queries.
2751    //-----------------------------------------------------------------------------
2752
2753    /// We use this for most things when incr. comp. is turned off.
2754    non_query Null
2755    /// We use this to create a forever-red node.
2756    non_query Red
2757    /// We use this to create a side effect node.
2758    non_query SideEffect
2759    /// We use this to create the anon node with zero dependencies.
2760    non_query AnonZeroDeps
2761    non_query TraitSelect
2762    non_query CompileCodegenUnit
2763    non_query CompileMonoItem
2764    non_query Metadata
2765}
2766
2767pub mod externally_implementable_items {
    use super::*;
    use crate::query::erase::{self, Erased};
    pub type Key<'tcx> = CrateNum;
    pub type Value<'tcx> =
        &'tcx FxIndexMap<DefId, (EiiDecl, FxIndexMap<DefId, EiiImpl>)>;
    /// Key type used by provider functions in `local_providers`.
    /// This query has the `separate_provide_extern` modifier.
    pub type LocalKey<'tcx> =
        <Key<'tcx> as crate::query::AsLocalQueryKey>::LocalQueryKey;
    /// Type returned from query providers and loaded from disk-cache.
    pub type ProvidedValue<'tcx> =
        <Value<'tcx> as
        crate::query::arena_cached::ArenaCached<'tcx>>::Provided;
    pub type Cache<'tcx> =
        <Key<'tcx> as crate::query::QueryKey>::Cache<Erased<Value<'tcx>>>;
    /// This helper function takes a value returned by the query provider
    /// (or loaded from disk, or supplied by query feeding), allocates
    /// it in an arena if requested by the `arena_cache` modifier, and
    /// then returns an erased copy of it.
    #[inline(always)]
    pub fn provided_to_erased<'tcx>(tcx: TyCtxt<'tcx>,
        provided_value: ProvidedValue<'tcx>) -> Erased<Value<'tcx>> {
        let value: Value<'tcx> =
            {
                use crate::query::arena_cached::ArenaCached;
                <Value<'tcx> as
                        ArenaCached>::alloc_in_arena(tcx,
                    &tcx.query_system.arenas.externally_implementable_items,
                    provided_value)
            };
        erase::erase_val(value)
    }
    const _: () =
        {
            if size_of::<Key<'static>>() > 88 {
                {
                    ::core::panicking::panic_display(&"the query `externally_implementable_items` has a key type `CrateNum` that is too large");
                };
            }
        };
    const _: () =
        {
            if size_of::<Value<'static>>() > 64 {
                {
                    ::core::panicking::panic_display(&"the query `externally_implementable_items` has a value type `& \'tcx FxIndexMap < DefId, (EiiDecl, FxIndexMap < DefId, EiiImpl >) >` that is too large");
                };
            }
        };
}
/// Identifies a query by kind and key. This is in contrast to `QueryJobId` which is just a
/// number.
#[allow(non_camel_case_types)]
pub enum TaggedQueryKey<'tcx> {
    derive_macro_expansion(derive_macro_expansion::Key<'tcx>),
    trigger_delayed_bug(trigger_delayed_bug::Key<'tcx>),
    registered_tools(registered_tools::Key<'tcx>),
    early_lint_checks(early_lint_checks::Key<'tcx>),
    env_var_os(env_var_os::Key<'tcx>),
    resolutions(resolutions::Key<'tcx>),
    resolver_for_lowering_raw(resolver_for_lowering_raw::Key<'tcx>),
    source_span(source_span::Key<'tcx>),
    hir_crate(hir_crate::Key<'tcx>),
    hir_crate_items(hir_crate_items::Key<'tcx>),
    hir_module_items(hir_module_items::Key<'tcx>),
    local_def_id_to_hir_id(local_def_id_to_hir_id::Key<'tcx>),
    hir_owner_parent_q(hir_owner_parent_q::Key<'tcx>),
    opt_hir_owner_nodes(opt_hir_owner_nodes::Key<'tcx>),
    hir_attr_map(hir_attr_map::Key<'tcx>),
    opt_ast_lowering_delayed_lints(opt_ast_lowering_delayed_lints::Key<'tcx>),
    const_param_default(const_param_default::Key<'tcx>),
    const_of_item(const_of_item::Key<'tcx>),
    type_of(type_of::Key<'tcx>),
    type_of_opaque(type_of_opaque::Key<'tcx>),
    type_of_opaque_hir_typeck(type_of_opaque_hir_typeck::Key<'tcx>),
    type_alias_is_lazy(type_alias_is_lazy::Key<'tcx>),
    collect_return_position_impl_trait_in_trait_tys(collect_return_position_impl_trait_in_trait_tys::Key<'tcx>),
    opaque_ty_origin(opaque_ty_origin::Key<'tcx>),
    unsizing_params_for_adt(unsizing_params_for_adt::Key<'tcx>),
    analysis(analysis::Key<'tcx>),
    check_expectations(check_expectations::Key<'tcx>),
    generics_of(generics_of::Key<'tcx>),
    predicates_of(predicates_of::Key<'tcx>),
    opaque_types_defined_by(opaque_types_defined_by::Key<'tcx>),
    nested_bodies_within(nested_bodies_within::Key<'tcx>),
    explicit_item_bounds(explicit_item_bounds::Key<'tcx>),
    explicit_item_self_bounds(explicit_item_self_bounds::Key<'tcx>),
    item_bounds(item_bounds::Key<'tcx>),
    item_self_bounds(item_self_bounds::Key<'tcx>),
    item_non_self_bounds(item_non_self_bounds::Key<'tcx>),
    impl_super_outlives(impl_super_outlives::Key<'tcx>),
    native_libraries(native_libraries::Key<'tcx>),
    shallow_lint_levels_on(shallow_lint_levels_on::Key<'tcx>),
    lint_expectations(lint_expectations::Key<'tcx>),
    lints_that_dont_need_to_run(lints_that_dont_need_to_run::Key<'tcx>),
    expn_that_defined(expn_that_defined::Key<'tcx>),
    is_panic_runtime(is_panic_runtime::Key<'tcx>),
    check_representability(check_representability::Key<'tcx>),
    check_representability_adt_ty(check_representability_adt_ty::Key<'tcx>),
    params_in_repr(params_in_repr::Key<'tcx>),
    thir_body(thir_body::Key<'tcx>),
    mir_keys(mir_keys::Key<'tcx>),
    mir_const_qualif(mir_const_qualif::Key<'tcx>),
    mir_built(mir_built::Key<'tcx>),
    thir_abstract_const(thir_abstract_const::Key<'tcx>),
    mir_drops_elaborated_and_const_checked(mir_drops_elaborated_and_const_checked::Key<'tcx>),
    mir_for_ctfe(mir_for_ctfe::Key<'tcx>),
    mir_promoted(mir_promoted::Key<'tcx>),
    closure_typeinfo(closure_typeinfo::Key<'tcx>),
    closure_saved_names_of_captured_variables(closure_saved_names_of_captured_variables::Key<'tcx>),
    mir_coroutine_witnesses(mir_coroutine_witnesses::Key<'tcx>),
    check_coroutine_obligations(check_coroutine_obligations::Key<'tcx>),
    check_potentially_region_dependent_goals(check_potentially_region_dependent_goals::Key<'tcx>),
    optimized_mir(optimized_mir::Key<'tcx>),
    coverage_attr_on(coverage_attr_on::Key<'tcx>),
    coverage_ids_info(coverage_ids_info::Key<'tcx>),
    promoted_mir(promoted_mir::Key<'tcx>),
    erase_and_anonymize_regions_ty(erase_and_anonymize_regions_ty::Key<'tcx>),
    wasm_import_module_map(wasm_import_module_map::Key<'tcx>),
    trait_explicit_predicates_and_bounds(trait_explicit_predicates_and_bounds::Key<'tcx>),
    explicit_predicates_of(explicit_predicates_of::Key<'tcx>),
    inferred_outlives_of(inferred_outlives_of::Key<'tcx>),
    explicit_super_predicates_of(explicit_super_predicates_of::Key<'tcx>),
    explicit_implied_predicates_of(explicit_implied_predicates_of::Key<'tcx>),
    explicit_supertraits_containing_assoc_item(explicit_supertraits_containing_assoc_item::Key<'tcx>),
    const_conditions(const_conditions::Key<'tcx>),
    explicit_implied_const_bounds(explicit_implied_const_bounds::Key<'tcx>),
    type_param_predicates(type_param_predicates::Key<'tcx>),
    trait_def(trait_def::Key<'tcx>),
    adt_def(adt_def::Key<'tcx>),
    adt_destructor(adt_destructor::Key<'tcx>),
    adt_async_destructor(adt_async_destructor::Key<'tcx>),
    adt_sizedness_constraint(adt_sizedness_constraint::Key<'tcx>),
    adt_dtorck_constraint(adt_dtorck_constraint::Key<'tcx>),
    constness(constness::Key<'tcx>),
    asyncness(asyncness::Key<'tcx>),
    is_promotable_const_fn(is_promotable_const_fn::Key<'tcx>),
    coroutine_by_move_body_def_id(coroutine_by_move_body_def_id::Key<'tcx>),
    coroutine_kind(coroutine_kind::Key<'tcx>),
    coroutine_for_closure(coroutine_for_closure::Key<'tcx>),
    coroutine_hidden_types(coroutine_hidden_types::Key<'tcx>),
    crate_variances(crate_variances::Key<'tcx>),
    variances_of(variances_of::Key<'tcx>),
    inferred_outlives_crate(inferred_outlives_crate::Key<'tcx>),
    associated_item_def_ids(associated_item_def_ids::Key<'tcx>),
    associated_item(associated_item::Key<'tcx>),
    associated_items(associated_items::Key<'tcx>),
    impl_item_implementor_ids(impl_item_implementor_ids::Key<'tcx>),
    associated_types_for_impl_traits_in_trait_or_impl(associated_types_for_impl_traits_in_trait_or_impl::Key<'tcx>),
    impl_trait_header(impl_trait_header::Key<'tcx>),
    impl_self_is_guaranteed_unsized(impl_self_is_guaranteed_unsized::Key<'tcx>),
    inherent_impls(inherent_impls::Key<'tcx>),
    incoherent_impls(incoherent_impls::Key<'tcx>),
    check_transmutes(check_transmutes::Key<'tcx>),
    check_unsafety(check_unsafety::Key<'tcx>),
    check_tail_calls(check_tail_calls::Key<'tcx>),
    assumed_wf_types(assumed_wf_types::Key<'tcx>),
    assumed_wf_types_for_rpitit(assumed_wf_types_for_rpitit::Key<'tcx>),
    fn_sig(fn_sig::Key<'tcx>),
    lint_mod(lint_mod::Key<'tcx>),
    check_unused_traits(check_unused_traits::Key<'tcx>),
    check_mod_attrs(check_mod_attrs::Key<'tcx>),
    check_mod_unstable_api_usage(check_mod_unstable_api_usage::Key<'tcx>),
    check_mod_privacy(check_mod_privacy::Key<'tcx>),
    check_liveness(check_liveness::Key<'tcx>),
    live_symbols_and_ignored_derived_traits(live_symbols_and_ignored_derived_traits::Key<'tcx>),
    check_mod_deathness(check_mod_deathness::Key<'tcx>),
    check_type_wf(check_type_wf::Key<'tcx>),
    coerce_unsized_info(coerce_unsized_info::Key<'tcx>),
    typeck(typeck::Key<'tcx>),
    used_trait_imports(used_trait_imports::Key<'tcx>),
    coherent_trait(coherent_trait::Key<'tcx>),
    mir_borrowck(mir_borrowck::Key<'tcx>),
    crate_inherent_impls(crate_inherent_impls::Key<'tcx>),
    crate_inherent_impls_validity_check(crate_inherent_impls_validity_check::Key<'tcx>),
    crate_inherent_impls_overlap_check(crate_inherent_impls_overlap_check::Key<'tcx>),
    orphan_check_impl(orphan_check_impl::Key<'tcx>),
    mir_callgraph_cyclic(mir_callgraph_cyclic::Key<'tcx>),
    mir_inliner_callees(mir_inliner_callees::Key<'tcx>),
    tag_for_variant(tag_for_variant::Key<'tcx>),
    eval_to_allocation_raw(eval_to_allocation_raw::Key<'tcx>),
    eval_static_initializer(eval_static_initializer::Key<'tcx>),
    eval_to_const_value_raw(eval_to_const_value_raw::Key<'tcx>),
    eval_to_valtree(eval_to_valtree::Key<'tcx>),
    valtree_to_const_val(valtree_to_const_val::Key<'tcx>),
    lit_to_const(lit_to_const::Key<'tcx>),
    check_match(check_match::Key<'tcx>),
    effective_visibilities(effective_visibilities::Key<'tcx>),
    check_private_in_public(check_private_in_public::Key<'tcx>),
    reachable_set(reachable_set::Key<'tcx>),
    region_scope_tree(region_scope_tree::Key<'tcx>),
    mir_shims(mir_shims::Key<'tcx>),
    symbol_name(symbol_name::Key<'tcx>),
    def_kind(def_kind::Key<'tcx>),
    def_span(def_span::Key<'tcx>),
    def_ident_span(def_ident_span::Key<'tcx>),
    ty_span(ty_span::Key<'tcx>),
    lookup_stability(lookup_stability::Key<'tcx>),
    lookup_const_stability(lookup_const_stability::Key<'tcx>),
    lookup_default_body_stability(lookup_default_body_stability::Key<'tcx>),
    should_inherit_track_caller(should_inherit_track_caller::Key<'tcx>),
    inherited_align(inherited_align::Key<'tcx>),
    lookup_deprecation_entry(lookup_deprecation_entry::Key<'tcx>),
    is_doc_hidden(is_doc_hidden::Key<'tcx>),
    is_doc_notable_trait(is_doc_notable_trait::Key<'tcx>),
    attrs_for_def(attrs_for_def::Key<'tcx>),
    codegen_fn_attrs(codegen_fn_attrs::Key<'tcx>),
    asm_target_features(asm_target_features::Key<'tcx>),
    fn_arg_idents(fn_arg_idents::Key<'tcx>),
    rendered_const(rendered_const::Key<'tcx>),
    rendered_precise_capturing_args(rendered_precise_capturing_args::Key<'tcx>),
    impl_parent(impl_parent::Key<'tcx>),
    is_mir_available(is_mir_available::Key<'tcx>),
    own_existential_vtable_entries(own_existential_vtable_entries::Key<'tcx>),
    vtable_entries(vtable_entries::Key<'tcx>),
    first_method_vtable_slot(first_method_vtable_slot::Key<'tcx>),
    supertrait_vtable_slot(supertrait_vtable_slot::Key<'tcx>),
    vtable_allocation(vtable_allocation::Key<'tcx>),
    codegen_select_candidate(codegen_select_candidate::Key<'tcx>),
    all_local_trait_impls(all_local_trait_impls::Key<'tcx>),
    local_trait_impls(local_trait_impls::Key<'tcx>),
    trait_impls_of(trait_impls_of::Key<'tcx>),
    specialization_graph_of(specialization_graph_of::Key<'tcx>),
    dyn_compatibility_violations(dyn_compatibility_violations::Key<'tcx>),
    is_dyn_compatible(is_dyn_compatible::Key<'tcx>),
    param_env(param_env::Key<'tcx>),
    typing_env_normalized_for_post_analysis(typing_env_normalized_for_post_analysis::Key<'tcx>),
    is_copy_raw(is_copy_raw::Key<'tcx>),
    is_use_cloned_raw(is_use_cloned_raw::Key<'tcx>),
    is_sized_raw(is_sized_raw::Key<'tcx>),
    is_freeze_raw(is_freeze_raw::Key<'tcx>),
    is_unsafe_unpin_raw(is_unsafe_unpin_raw::Key<'tcx>),
    is_unpin_raw(is_unpin_raw::Key<'tcx>),
    is_async_drop_raw(is_async_drop_raw::Key<'tcx>),
    needs_drop_raw(needs_drop_raw::Key<'tcx>),
    needs_async_drop_raw(needs_async_drop_raw::Key<'tcx>),
    has_significant_drop_raw(has_significant_drop_raw::Key<'tcx>),
    has_structural_eq_impl(has_structural_eq_impl::Key<'tcx>),
    adt_drop_tys(adt_drop_tys::Key<'tcx>),
    adt_async_drop_tys(adt_async_drop_tys::Key<'tcx>),
    adt_significant_drop_tys(adt_significant_drop_tys::Key<'tcx>),
    list_significant_drop_tys(list_significant_drop_tys::Key<'tcx>),
    layout_of(layout_of::Key<'tcx>),
    fn_abi_of_fn_ptr(fn_abi_of_fn_ptr::Key<'tcx>),
    fn_abi_of_instance_no_deduced_attrs(fn_abi_of_instance_no_deduced_attrs::Key<'tcx>),
    fn_abi_of_instance_raw(fn_abi_of_instance_raw::Key<'tcx>),
    dylib_dependency_formats(dylib_dependency_formats::Key<'tcx>),
    dependency_formats(dependency_formats::Key<'tcx>),
    is_compiler_builtins(is_compiler_builtins::Key<'tcx>),
    has_global_allocator(has_global_allocator::Key<'tcx>),
    has_alloc_error_handler(has_alloc_error_handler::Key<'tcx>),
    has_panic_handler(has_panic_handler::Key<'tcx>),
    is_profiler_runtime(is_profiler_runtime::Key<'tcx>),
    has_ffi_unwind_calls(has_ffi_unwind_calls::Key<'tcx>),
    required_panic_strategy(required_panic_strategy::Key<'tcx>),
    panic_in_drop_strategy(panic_in_drop_strategy::Key<'tcx>),
    is_no_builtins(is_no_builtins::Key<'tcx>),
    symbol_mangling_version(symbol_mangling_version::Key<'tcx>),
    extern_crate(extern_crate::Key<'tcx>),
    specialization_enabled_in(specialization_enabled_in::Key<'tcx>),
    specializes(specializes::Key<'tcx>),
    in_scope_traits_map(in_scope_traits_map::Key<'tcx>),
    defaultness(defaultness::Key<'tcx>),
    default_field(default_field::Key<'tcx>),
    check_well_formed(check_well_formed::Key<'tcx>),
    enforce_impl_non_lifetime_params_are_constrained(enforce_impl_non_lifetime_params_are_constrained::Key<'tcx>),
    reachable_non_generics(reachable_non_generics::Key<'tcx>),
    is_reachable_non_generic(is_reachable_non_generic::Key<'tcx>),
    is_unreachable_local_definition(is_unreachable_local_definition::Key<'tcx>),
    upstream_monomorphizations(upstream_monomorphizations::Key<'tcx>),
    upstream_monomorphizations_for(upstream_monomorphizations_for::Key<'tcx>),
    upstream_drop_glue_for(upstream_drop_glue_for::Key<'tcx>),
    upstream_async_drop_glue_for(upstream_async_drop_glue_for::Key<'tcx>),
    foreign_modules(foreign_modules::Key<'tcx>),
    clashing_extern_declarations(clashing_extern_declarations::Key<'tcx>),
    entry_fn(entry_fn::Key<'tcx>),
    proc_macro_decls_static(proc_macro_decls_static::Key<'tcx>),
    crate_hash(crate_hash::Key<'tcx>),
    crate_host_hash(crate_host_hash::Key<'tcx>),
    extra_filename(extra_filename::Key<'tcx>),
    crate_extern_paths(crate_extern_paths::Key<'tcx>),
    implementations_of_trait(implementations_of_trait::Key<'tcx>),
    crate_incoherent_impls(crate_incoherent_impls::Key<'tcx>),
    native_library(native_library::Key<'tcx>),
    inherit_sig_for_delegation_item(inherit_sig_for_delegation_item::Key<'tcx>),
    resolve_bound_vars(resolve_bound_vars::Key<'tcx>),
    named_variable_map(named_variable_map::Key<'tcx>),
    is_late_bound_map(is_late_bound_map::Key<'tcx>),
    object_lifetime_default(object_lifetime_default::Key<'tcx>),
    late_bound_vars_map(late_bound_vars_map::Key<'tcx>),
    opaque_captured_lifetimes(opaque_captured_lifetimes::Key<'tcx>),
    visibility(visibility::Key<'tcx>),
    inhabited_predicate_adt(inhabited_predicate_adt::Key<'tcx>),
    inhabited_predicate_type(inhabited_predicate_type::Key<'tcx>),
    crate_dep_kind(crate_dep_kind::Key<'tcx>),
    crate_name(crate_name::Key<'tcx>),
    module_children(module_children::Key<'tcx>),
    num_extern_def_ids(num_extern_def_ids::Key<'tcx>),
    lib_features(lib_features::Key<'tcx>),
    stability_implications(stability_implications::Key<'tcx>),
    intrinsic_raw(intrinsic_raw::Key<'tcx>),
    get_lang_items(get_lang_items::Key<'tcx>),
    all_diagnostic_items(all_diagnostic_items::Key<'tcx>),
    defined_lang_items(defined_lang_items::Key<'tcx>),
    diagnostic_items(diagnostic_items::Key<'tcx>),
    missing_lang_items(missing_lang_items::Key<'tcx>),
    visible_parent_map(visible_parent_map::Key<'tcx>),
    trimmed_def_paths(trimmed_def_paths::Key<'tcx>),
    missing_extern_crate_item(missing_extern_crate_item::Key<'tcx>),
    used_crate_source(used_crate_source::Key<'tcx>),
    debugger_visualizers(debugger_visualizers::Key<'tcx>),
    postorder_cnums(postorder_cnums::Key<'tcx>),
    is_private_dep(is_private_dep::Key<'tcx>),
    allocator_kind(allocator_kind::Key<'tcx>),
    alloc_error_handler_kind(alloc_error_handler_kind::Key<'tcx>),
    upvars_mentioned(upvars_mentioned::Key<'tcx>),
    crates(crates::Key<'tcx>),
    used_crates(used_crates::Key<'tcx>),
    duplicate_crate_names(duplicate_crate_names::Key<'tcx>),
    traits(traits::Key<'tcx>),
    trait_impls_in_crate(trait_impls_in_crate::Key<'tcx>),
    stable_order_of_exportable_impls(stable_order_of_exportable_impls::Key<'tcx>),
    exportable_items(exportable_items::Key<'tcx>),
    exported_non_generic_symbols(exported_non_generic_symbols::Key<'tcx>),
    exported_generic_symbols(exported_generic_symbols::Key<'tcx>),
    collect_and_partition_mono_items(collect_and_partition_mono_items::Key<'tcx>),
    is_codegened_item(is_codegened_item::Key<'tcx>),
    codegen_unit(codegen_unit::Key<'tcx>),
    backend_optimization_level(backend_optimization_level::Key<'tcx>),
    output_filenames(output_filenames::Key<'tcx>),
    normalize_canonicalized_projection(normalize_canonicalized_projection::Key<'tcx>),
    normalize_canonicalized_free_alias(normalize_canonicalized_free_alias::Key<'tcx>),
    normalize_canonicalized_inherent_projection(normalize_canonicalized_inherent_projection::Key<'tcx>),
    try_normalize_generic_arg_after_erasing_regions(try_normalize_generic_arg_after_erasing_regions::Key<'tcx>),
    implied_outlives_bounds(implied_outlives_bounds::Key<'tcx>),
    dropck_outlives(dropck_outlives::Key<'tcx>),
    evaluate_obligation(evaluate_obligation::Key<'tcx>),
    type_op_ascribe_user_type(type_op_ascribe_user_type::Key<'tcx>),
    type_op_prove_predicate(type_op_prove_predicate::Key<'tcx>),
    type_op_normalize_ty(type_op_normalize_ty::Key<'tcx>),
    type_op_normalize_clause(type_op_normalize_clause::Key<'tcx>),
    type_op_normalize_poly_fn_sig(type_op_normalize_poly_fn_sig::Key<'tcx>),
    type_op_normalize_fn_sig(type_op_normalize_fn_sig::Key<'tcx>),
    instantiate_and_check_impossible_predicates(instantiate_and_check_impossible_predicates::Key<'tcx>),
    is_impossible_associated_item(is_impossible_associated_item::Key<'tcx>),
    method_autoderef_steps(method_autoderef_steps::Key<'tcx>),
    evaluate_root_goal_for_proof_tree_raw(evaluate_root_goal_for_proof_tree_raw::Key<'tcx>),
    rust_target_features(rust_target_features::Key<'tcx>),
    implied_target_features(implied_target_features::Key<'tcx>),
    features_query(features_query::Key<'tcx>),
    crate_for_resolver(crate_for_resolver::Key<'tcx>),
    resolve_instance_raw(resolve_instance_raw::Key<'tcx>),
    reveal_opaque_types_in_bounds(reveal_opaque_types_in_bounds::Key<'tcx>),
    limits(limits::Key<'tcx>),
    diagnostic_hir_wf_check(diagnostic_hir_wf_check::Key<'tcx>),
    global_backend_features(global_backend_features::Key<'tcx>),
    check_validity_requirement(check_validity_requirement::Key<'tcx>),
    compare_impl_item(compare_impl_item::Key<'tcx>),
    deduced_param_attrs(deduced_param_attrs::Key<'tcx>),
    doc_link_resolutions(doc_link_resolutions::Key<'tcx>),
    doc_link_traits_in_scope(doc_link_traits_in_scope::Key<'tcx>),
    stripped_cfg_items(stripped_cfg_items::Key<'tcx>),
    generics_require_sized_self(generics_require_sized_self::Key<'tcx>),
    cross_crate_inlinable(cross_crate_inlinable::Key<'tcx>),
    check_mono_item(check_mono_item::Key<'tcx>),
    skip_move_check_fns(skip_move_check_fns::Key<'tcx>),
    items_of_instance(items_of_instance::Key<'tcx>),
    size_estimate(size_estimate::Key<'tcx>),
    anon_const_kind(anon_const_kind::Key<'tcx>),
    trivial_const(trivial_const::Key<'tcx>),
    sanitizer_settings_for(sanitizer_settings_for::Key<'tcx>),
    check_externally_implementable_items(check_externally_implementable_items::Key<'tcx>),
    externally_implementable_items(externally_implementable_items::Key<'tcx>),
}
#[automatically_derived]
#[doc(hidden)]
#[allow(non_camel_case_types)]
unsafe impl<'tcx> ::core::clone::TrivialClone for TaggedQueryKey<'tcx> { }
#[automatically_derived]
#[allow(non_camel_case_types)]
impl<'tcx> ::core::clone::Clone for TaggedQueryKey<'tcx> {
    #[inline]
    fn clone(&self) -> TaggedQueryKey<'tcx> {
        let _:
                ::core::clone::AssertParamIsClone<derive_macro_expansion::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<trigger_delayed_bug::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<registered_tools::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<early_lint_checks::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<env_var_os::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<resolutions::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<resolver_for_lowering_raw::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<source_span::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<hir_crate::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<hir_crate_items::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<hir_module_items::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<local_def_id_to_hir_id::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<hir_owner_parent_q::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<opt_hir_owner_nodes::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<hir_attr_map::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<opt_ast_lowering_delayed_lints::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<const_param_default::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<const_of_item::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<type_of::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<type_of_opaque::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<type_of_opaque_hir_typeck::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<type_alias_is_lazy::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<collect_return_position_impl_trait_in_trait_tys::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<opaque_ty_origin::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<unsizing_params_for_adt::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<analysis::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_expectations::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<generics_of::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<predicates_of::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<opaque_types_defined_by::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<nested_bodies_within::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<explicit_item_bounds::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<explicit_item_self_bounds::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<item_bounds::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<item_self_bounds::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<item_non_self_bounds::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<impl_super_outlives::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<native_libraries::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<shallow_lint_levels_on::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<lint_expectations::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<lints_that_dont_need_to_run::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<expn_that_defined::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<is_panic_runtime::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_representability::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_representability_adt_ty::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<params_in_repr::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<thir_body::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<mir_keys::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<mir_const_qualif::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<mir_built::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<thir_abstract_const::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<mir_drops_elaborated_and_const_checked::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<mir_for_ctfe::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<mir_promoted::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<closure_typeinfo::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<closure_saved_names_of_captured_variables::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<mir_coroutine_witnesses::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_coroutine_obligations::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_potentially_region_dependent_goals::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<optimized_mir::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<coverage_attr_on::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<coverage_ids_info::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<promoted_mir::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<erase_and_anonymize_regions_ty::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<wasm_import_module_map::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<trait_explicit_predicates_and_bounds::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<explicit_predicates_of::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<inferred_outlives_of::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<explicit_super_predicates_of::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<explicit_implied_predicates_of::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<explicit_supertraits_containing_assoc_item::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<const_conditions::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<explicit_implied_const_bounds::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<type_param_predicates::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<trait_def::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<adt_def::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<adt_destructor::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<adt_async_destructor::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<adt_sizedness_constraint::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<adt_dtorck_constraint::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<constness::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<asyncness::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_promotable_const_fn::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<coroutine_by_move_body_def_id::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<coroutine_kind::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<coroutine_for_closure::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<coroutine_hidden_types::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<crate_variances::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<variances_of::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<inferred_outlives_crate::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<associated_item_def_ids::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<associated_item::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<associated_items::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<impl_item_implementor_ids::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<associated_types_for_impl_traits_in_trait_or_impl::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<impl_trait_header::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<impl_self_is_guaranteed_unsized::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<inherent_impls::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<incoherent_impls::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<check_transmutes::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<check_unsafety::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<check_tail_calls::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<assumed_wf_types::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<assumed_wf_types_for_rpitit::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<fn_sig::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<lint_mod::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_unused_traits::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<check_mod_attrs::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_mod_unstable_api_usage::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_mod_privacy::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<check_liveness::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<live_symbols_and_ignored_derived_traits::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_mod_deathness::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<check_type_wf::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<coerce_unsized_info::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<typeck::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<used_trait_imports::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<coherent_trait::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<mir_borrowck::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<crate_inherent_impls::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<crate_inherent_impls_validity_check::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<crate_inherent_impls_overlap_check::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<orphan_check_impl::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<mir_callgraph_cyclic::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<mir_inliner_callees::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<tag_for_variant::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<eval_to_allocation_raw::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<eval_static_initializer::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<eval_to_const_value_raw::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<eval_to_valtree::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<valtree_to_const_val::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<lit_to_const::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<check_match::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<effective_visibilities::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_private_in_public::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<reachable_set::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<region_scope_tree::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<mir_shims::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<symbol_name::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<def_kind::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<def_span::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<def_ident_span::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<ty_span::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<lookup_stability::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<lookup_const_stability::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<lookup_default_body_stability::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<should_inherit_track_caller::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<inherited_align::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<lookup_deprecation_entry::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<is_doc_hidden::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_doc_notable_trait::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<attrs_for_def::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<codegen_fn_attrs::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<asm_target_features::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<fn_arg_idents::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<rendered_const::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<rendered_precise_capturing_args::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<impl_parent::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<is_mir_available::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<own_existential_vtable_entries::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<vtable_entries::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<first_method_vtable_slot::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<supertrait_vtable_slot::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<vtable_allocation::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<codegen_select_candidate::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<all_local_trait_impls::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<local_trait_impls::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<trait_impls_of::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<specialization_graph_of::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<dyn_compatibility_violations::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_dyn_compatible::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<param_env::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<typing_env_normalized_for_post_analysis::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<is_copy_raw::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_use_cloned_raw::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<is_sized_raw::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<is_freeze_raw::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_unsafe_unpin_raw::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<is_unpin_raw::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_async_drop_raw::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<needs_drop_raw::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<needs_async_drop_raw::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<has_significant_drop_raw::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<has_structural_eq_impl::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<adt_drop_tys::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<adt_async_drop_tys::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<adt_significant_drop_tys::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<list_significant_drop_tys::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<layout_of::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<fn_abi_of_fn_ptr::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<fn_abi_of_instance_no_deduced_attrs::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<fn_abi_of_instance_raw::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<dylib_dependency_formats::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<dependency_formats::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_compiler_builtins::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<has_global_allocator::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<has_alloc_error_handler::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<has_panic_handler::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_profiler_runtime::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<has_ffi_unwind_calls::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<required_panic_strategy::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<panic_in_drop_strategy::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<is_no_builtins::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<symbol_mangling_version::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<extern_crate::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<specialization_enabled_in::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<specializes::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<in_scope_traits_map::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<defaultness::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<default_field::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_well_formed::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<enforce_impl_non_lifetime_params_are_constrained::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<reachable_non_generics::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_reachable_non_generic::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_unreachable_local_definition::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<upstream_monomorphizations::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<upstream_monomorphizations_for::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<upstream_drop_glue_for::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<upstream_async_drop_glue_for::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<foreign_modules::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<clashing_extern_declarations::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<entry_fn::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<proc_macro_decls_static::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<crate_hash::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<crate_host_hash::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<extra_filename::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<crate_extern_paths::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<implementations_of_trait::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<crate_incoherent_impls::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<native_library::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<inherit_sig_for_delegation_item::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<resolve_bound_vars::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<named_variable_map::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_late_bound_map::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<object_lifetime_default::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<late_bound_vars_map::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<opaque_captured_lifetimes::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<visibility::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<inhabited_predicate_adt::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<inhabited_predicate_type::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<crate_dep_kind::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<crate_name::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<module_children::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<num_extern_def_ids::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<lib_features::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<stability_implications::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<intrinsic_raw::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<get_lang_items::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<all_diagnostic_items::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<defined_lang_items::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<diagnostic_items::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<missing_lang_items::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<visible_parent_map::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<trimmed_def_paths::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<missing_extern_crate_item::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<used_crate_source::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<debugger_visualizers::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<postorder_cnums::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<is_private_dep::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<allocator_kind::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<alloc_error_handler_kind::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<upvars_mentioned::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<crates::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<used_crates::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<duplicate_crate_names::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<traits::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<trait_impls_in_crate::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<stable_order_of_exportable_impls::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<exportable_items::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<exported_non_generic_symbols::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<exported_generic_symbols::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<collect_and_partition_mono_items::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_codegened_item::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<codegen_unit::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<backend_optimization_level::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<output_filenames::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<normalize_canonicalized_projection::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<normalize_canonicalized_free_alias::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<normalize_canonicalized_inherent_projection::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<try_normalize_generic_arg_after_erasing_regions::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<implied_outlives_bounds::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<dropck_outlives::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<evaluate_obligation::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<type_op_ascribe_user_type::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<type_op_prove_predicate::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<type_op_normalize_ty::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<type_op_normalize_clause::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<type_op_normalize_poly_fn_sig::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<type_op_normalize_fn_sig::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<instantiate_and_check_impossible_predicates::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<is_impossible_associated_item::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<method_autoderef_steps::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<evaluate_root_goal_for_proof_tree_raw::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<rust_target_features::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<implied_target_features::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<features_query::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<crate_for_resolver::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<resolve_instance_raw::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<reveal_opaque_types_in_bounds::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<limits::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<diagnostic_hir_wf_check::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<global_backend_features::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_validity_requirement::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<compare_impl_item::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<deduced_param_attrs::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<doc_link_resolutions::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<doc_link_traits_in_scope::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<stripped_cfg_items::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<generics_require_sized_self::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<cross_crate_inlinable::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<check_mono_item::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<skip_move_check_fns::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<items_of_instance::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<size_estimate::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<anon_const_kind::Key<'tcx>>;
        let _: ::core::clone::AssertParamIsClone<trivial_const::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<sanitizer_settings_for::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<check_externally_implementable_items::Key<'tcx>>;
        let _:
                ::core::clone::AssertParamIsClone<externally_implementable_items::Key<'tcx>>;
        *self
    }
}
#[automatically_derived]
#[allow(non_camel_case_types)]
impl<'tcx> ::core::marker::Copy for TaggedQueryKey<'tcx> { }
#[automatically_derived]
#[allow(non_camel_case_types)]
impl<'tcx> ::core::fmt::Debug for TaggedQueryKey<'tcx> {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            TaggedQueryKey::derive_macro_expansion(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "derive_macro_expansion", &__self_0),
            TaggedQueryKey::trigger_delayed_bug(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "trigger_delayed_bug", &__self_0),
            TaggedQueryKey::registered_tools(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "registered_tools", &__self_0),
            TaggedQueryKey::early_lint_checks(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "early_lint_checks", &__self_0),
            TaggedQueryKey::env_var_os(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "env_var_os", &__self_0),
            TaggedQueryKey::resolutions(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "resolutions", &__self_0),
            TaggedQueryKey::resolver_for_lowering_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "resolver_for_lowering_raw", &__self_0),
            TaggedQueryKey::source_span(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "source_span", &__self_0),
            TaggedQueryKey::hir_crate(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "hir_crate", &__self_0),
            TaggedQueryKey::hir_crate_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "hir_crate_items", &__self_0),
            TaggedQueryKey::hir_module_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "hir_module_items", &__self_0),
            TaggedQueryKey::local_def_id_to_hir_id(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "local_def_id_to_hir_id", &__self_0),
            TaggedQueryKey::hir_owner_parent_q(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "hir_owner_parent_q", &__self_0),
            TaggedQueryKey::opt_hir_owner_nodes(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "opt_hir_owner_nodes", &__self_0),
            TaggedQueryKey::hir_attr_map(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "hir_attr_map", &__self_0),
            TaggedQueryKey::opt_ast_lowering_delayed_lints(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "opt_ast_lowering_delayed_lints", &__self_0),
            TaggedQueryKey::const_param_default(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "const_param_default", &__self_0),
            TaggedQueryKey::const_of_item(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "const_of_item", &__self_0),
            TaggedQueryKey::type_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_of", &__self_0),
            TaggedQueryKey::type_of_opaque(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_of_opaque", &__self_0),
            TaggedQueryKey::type_of_opaque_hir_typeck(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_of_opaque_hir_typeck", &__self_0),
            TaggedQueryKey::type_alias_is_lazy(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_alias_is_lazy", &__self_0),
            TaggedQueryKey::collect_return_position_impl_trait_in_trait_tys(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "collect_return_position_impl_trait_in_trait_tys",
                    &__self_0),
            TaggedQueryKey::opaque_ty_origin(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "opaque_ty_origin", &__self_0),
            TaggedQueryKey::unsizing_params_for_adt(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "unsizing_params_for_adt", &__self_0),
            TaggedQueryKey::analysis(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "analysis", &__self_0),
            TaggedQueryKey::check_expectations(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_expectations", &__self_0),
            TaggedQueryKey::generics_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "generics_of", &__self_0),
            TaggedQueryKey::predicates_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "predicates_of", &__self_0),
            TaggedQueryKey::opaque_types_defined_by(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "opaque_types_defined_by", &__self_0),
            TaggedQueryKey::nested_bodies_within(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "nested_bodies_within", &__self_0),
            TaggedQueryKey::explicit_item_bounds(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "explicit_item_bounds", &__self_0),
            TaggedQueryKey::explicit_item_self_bounds(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "explicit_item_self_bounds", &__self_0),
            TaggedQueryKey::item_bounds(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "item_bounds", &__self_0),
            TaggedQueryKey::item_self_bounds(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "item_self_bounds", &__self_0),
            TaggedQueryKey::item_non_self_bounds(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "item_non_self_bounds", &__self_0),
            TaggedQueryKey::impl_super_outlives(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "impl_super_outlives", &__self_0),
            TaggedQueryKey::native_libraries(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "native_libraries", &__self_0),
            TaggedQueryKey::shallow_lint_levels_on(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "shallow_lint_levels_on", &__self_0),
            TaggedQueryKey::lint_expectations(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "lint_expectations", &__self_0),
            TaggedQueryKey::lints_that_dont_need_to_run(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "lints_that_dont_need_to_run", &__self_0),
            TaggedQueryKey::expn_that_defined(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "expn_that_defined", &__self_0),
            TaggedQueryKey::is_panic_runtime(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_panic_runtime", &__self_0),
            TaggedQueryKey::check_representability(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_representability", &__self_0),
            TaggedQueryKey::check_representability_adt_ty(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_representability_adt_ty", &__self_0),
            TaggedQueryKey::params_in_repr(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "params_in_repr", &__self_0),
            TaggedQueryKey::thir_body(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "thir_body", &__self_0),
            TaggedQueryKey::mir_keys(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_keys", &__self_0),
            TaggedQueryKey::mir_const_qualif(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_const_qualif", &__self_0),
            TaggedQueryKey::mir_built(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_built", &__self_0),
            TaggedQueryKey::thir_abstract_const(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "thir_abstract_const", &__self_0),
            TaggedQueryKey::mir_drops_elaborated_and_const_checked(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_drops_elaborated_and_const_checked", &__self_0),
            TaggedQueryKey::mir_for_ctfe(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_for_ctfe", &__self_0),
            TaggedQueryKey::mir_promoted(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_promoted", &__self_0),
            TaggedQueryKey::closure_typeinfo(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "closure_typeinfo", &__self_0),
            TaggedQueryKey::closure_saved_names_of_captured_variables(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "closure_saved_names_of_captured_variables", &__self_0),
            TaggedQueryKey::mir_coroutine_witnesses(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_coroutine_witnesses", &__self_0),
            TaggedQueryKey::check_coroutine_obligations(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_coroutine_obligations", &__self_0),
            TaggedQueryKey::check_potentially_region_dependent_goals(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_potentially_region_dependent_goals", &__self_0),
            TaggedQueryKey::optimized_mir(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "optimized_mir", &__self_0),
            TaggedQueryKey::coverage_attr_on(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "coverage_attr_on", &__self_0),
            TaggedQueryKey::coverage_ids_info(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "coverage_ids_info", &__self_0),
            TaggedQueryKey::promoted_mir(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "promoted_mir", &__self_0),
            TaggedQueryKey::erase_and_anonymize_regions_ty(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "erase_and_anonymize_regions_ty", &__self_0),
            TaggedQueryKey::wasm_import_module_map(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "wasm_import_module_map", &__self_0),
            TaggedQueryKey::trait_explicit_predicates_and_bounds(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "trait_explicit_predicates_and_bounds", &__self_0),
            TaggedQueryKey::explicit_predicates_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "explicit_predicates_of", &__self_0),
            TaggedQueryKey::inferred_outlives_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "inferred_outlives_of", &__self_0),
            TaggedQueryKey::explicit_super_predicates_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "explicit_super_predicates_of", &__self_0),
            TaggedQueryKey::explicit_implied_predicates_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "explicit_implied_predicates_of", &__self_0),
            TaggedQueryKey::explicit_supertraits_containing_assoc_item(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "explicit_supertraits_containing_assoc_item", &__self_0),
            TaggedQueryKey::const_conditions(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "const_conditions", &__self_0),
            TaggedQueryKey::explicit_implied_const_bounds(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "explicit_implied_const_bounds", &__self_0),
            TaggedQueryKey::type_param_predicates(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_param_predicates", &__self_0),
            TaggedQueryKey::trait_def(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "trait_def", &__self_0),
            TaggedQueryKey::adt_def(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "adt_def", &__self_0),
            TaggedQueryKey::adt_destructor(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "adt_destructor", &__self_0),
            TaggedQueryKey::adt_async_destructor(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "adt_async_destructor", &__self_0),
            TaggedQueryKey::adt_sizedness_constraint(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "adt_sizedness_constraint", &__self_0),
            TaggedQueryKey::adt_dtorck_constraint(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "adt_dtorck_constraint", &__self_0),
            TaggedQueryKey::constness(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "constness", &__self_0),
            TaggedQueryKey::asyncness(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "asyncness", &__self_0),
            TaggedQueryKey::is_promotable_const_fn(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_promotable_const_fn", &__self_0),
            TaggedQueryKey::coroutine_by_move_body_def_id(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "coroutine_by_move_body_def_id", &__self_0),
            TaggedQueryKey::coroutine_kind(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "coroutine_kind", &__self_0),
            TaggedQueryKey::coroutine_for_closure(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "coroutine_for_closure", &__self_0),
            TaggedQueryKey::coroutine_hidden_types(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "coroutine_hidden_types", &__self_0),
            TaggedQueryKey::crate_variances(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_variances", &__self_0),
            TaggedQueryKey::variances_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "variances_of", &__self_0),
            TaggedQueryKey::inferred_outlives_crate(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "inferred_outlives_crate", &__self_0),
            TaggedQueryKey::associated_item_def_ids(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "associated_item_def_ids", &__self_0),
            TaggedQueryKey::associated_item(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "associated_item", &__self_0),
            TaggedQueryKey::associated_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "associated_items", &__self_0),
            TaggedQueryKey::impl_item_implementor_ids(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "impl_item_implementor_ids", &__self_0),
            TaggedQueryKey::associated_types_for_impl_traits_in_trait_or_impl(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "associated_types_for_impl_traits_in_trait_or_impl",
                    &__self_0),
            TaggedQueryKey::impl_trait_header(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "impl_trait_header", &__self_0),
            TaggedQueryKey::impl_self_is_guaranteed_unsized(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "impl_self_is_guaranteed_unsized", &__self_0),
            TaggedQueryKey::inherent_impls(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "inherent_impls", &__self_0),
            TaggedQueryKey::incoherent_impls(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "incoherent_impls", &__self_0),
            TaggedQueryKey::check_transmutes(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_transmutes", &__self_0),
            TaggedQueryKey::check_unsafety(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_unsafety", &__self_0),
            TaggedQueryKey::check_tail_calls(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_tail_calls", &__self_0),
            TaggedQueryKey::assumed_wf_types(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "assumed_wf_types", &__self_0),
            TaggedQueryKey::assumed_wf_types_for_rpitit(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "assumed_wf_types_for_rpitit", &__self_0),
            TaggedQueryKey::fn_sig(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "fn_sig",
                    &__self_0),
            TaggedQueryKey::lint_mod(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "lint_mod", &__self_0),
            TaggedQueryKey::check_unused_traits(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_unused_traits", &__self_0),
            TaggedQueryKey::check_mod_attrs(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_mod_attrs", &__self_0),
            TaggedQueryKey::check_mod_unstable_api_usage(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_mod_unstable_api_usage", &__self_0),
            TaggedQueryKey::check_mod_privacy(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_mod_privacy", &__self_0),
            TaggedQueryKey::check_liveness(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_liveness", &__self_0),
            TaggedQueryKey::live_symbols_and_ignored_derived_traits(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "live_symbols_and_ignored_derived_traits", &__self_0),
            TaggedQueryKey::check_mod_deathness(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_mod_deathness", &__self_0),
            TaggedQueryKey::check_type_wf(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_type_wf", &__self_0),
            TaggedQueryKey::coerce_unsized_info(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "coerce_unsized_info", &__self_0),
            TaggedQueryKey::typeck(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "typeck",
                    &__self_0),
            TaggedQueryKey::used_trait_imports(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "used_trait_imports", &__self_0),
            TaggedQueryKey::coherent_trait(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "coherent_trait", &__self_0),
            TaggedQueryKey::mir_borrowck(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_borrowck", &__self_0),
            TaggedQueryKey::crate_inherent_impls(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_inherent_impls", &__self_0),
            TaggedQueryKey::crate_inherent_impls_validity_check(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_inherent_impls_validity_check", &__self_0),
            TaggedQueryKey::crate_inherent_impls_overlap_check(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_inherent_impls_overlap_check", &__self_0),
            TaggedQueryKey::orphan_check_impl(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "orphan_check_impl", &__self_0),
            TaggedQueryKey::mir_callgraph_cyclic(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_callgraph_cyclic", &__self_0),
            TaggedQueryKey::mir_inliner_callees(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_inliner_callees", &__self_0),
            TaggedQueryKey::tag_for_variant(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "tag_for_variant", &__self_0),
            TaggedQueryKey::eval_to_allocation_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "eval_to_allocation_raw", &__self_0),
            TaggedQueryKey::eval_static_initializer(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "eval_static_initializer", &__self_0),
            TaggedQueryKey::eval_to_const_value_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "eval_to_const_value_raw", &__self_0),
            TaggedQueryKey::eval_to_valtree(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "eval_to_valtree", &__self_0),
            TaggedQueryKey::valtree_to_const_val(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "valtree_to_const_val", &__self_0),
            TaggedQueryKey::lit_to_const(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "lit_to_const", &__self_0),
            TaggedQueryKey::check_match(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_match", &__self_0),
            TaggedQueryKey::effective_visibilities(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "effective_visibilities", &__self_0),
            TaggedQueryKey::check_private_in_public(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_private_in_public", &__self_0),
            TaggedQueryKey::reachable_set(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "reachable_set", &__self_0),
            TaggedQueryKey::region_scope_tree(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "region_scope_tree", &__self_0),
            TaggedQueryKey::mir_shims(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "mir_shims", &__self_0),
            TaggedQueryKey::symbol_name(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "symbol_name", &__self_0),
            TaggedQueryKey::def_kind(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "def_kind", &__self_0),
            TaggedQueryKey::def_span(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "def_span", &__self_0),
            TaggedQueryKey::def_ident_span(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "def_ident_span", &__self_0),
            TaggedQueryKey::ty_span(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "ty_span", &__self_0),
            TaggedQueryKey::lookup_stability(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "lookup_stability", &__self_0),
            TaggedQueryKey::lookup_const_stability(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "lookup_const_stability", &__self_0),
            TaggedQueryKey::lookup_default_body_stability(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "lookup_default_body_stability", &__self_0),
            TaggedQueryKey::should_inherit_track_caller(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "should_inherit_track_caller", &__self_0),
            TaggedQueryKey::inherited_align(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "inherited_align", &__self_0),
            TaggedQueryKey::lookup_deprecation_entry(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "lookup_deprecation_entry", &__self_0),
            TaggedQueryKey::is_doc_hidden(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_doc_hidden", &__self_0),
            TaggedQueryKey::is_doc_notable_trait(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_doc_notable_trait", &__self_0),
            TaggedQueryKey::attrs_for_def(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "attrs_for_def", &__self_0),
            TaggedQueryKey::codegen_fn_attrs(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "codegen_fn_attrs", &__self_0),
            TaggedQueryKey::asm_target_features(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "asm_target_features", &__self_0),
            TaggedQueryKey::fn_arg_idents(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "fn_arg_idents", &__self_0),
            TaggedQueryKey::rendered_const(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "rendered_const", &__self_0),
            TaggedQueryKey::rendered_precise_capturing_args(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "rendered_precise_capturing_args", &__self_0),
            TaggedQueryKey::impl_parent(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "impl_parent", &__self_0),
            TaggedQueryKey::is_mir_available(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_mir_available", &__self_0),
            TaggedQueryKey::own_existential_vtable_entries(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "own_existential_vtable_entries", &__self_0),
            TaggedQueryKey::vtable_entries(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "vtable_entries", &__self_0),
            TaggedQueryKey::first_method_vtable_slot(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "first_method_vtable_slot", &__self_0),
            TaggedQueryKey::supertrait_vtable_slot(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "supertrait_vtable_slot", &__self_0),
            TaggedQueryKey::vtable_allocation(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "vtable_allocation", &__self_0),
            TaggedQueryKey::codegen_select_candidate(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "codegen_select_candidate", &__self_0),
            TaggedQueryKey::all_local_trait_impls(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "all_local_trait_impls", &__self_0),
            TaggedQueryKey::local_trait_impls(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "local_trait_impls", &__self_0),
            TaggedQueryKey::trait_impls_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "trait_impls_of", &__self_0),
            TaggedQueryKey::specialization_graph_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "specialization_graph_of", &__self_0),
            TaggedQueryKey::dyn_compatibility_violations(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "dyn_compatibility_violations", &__self_0),
            TaggedQueryKey::is_dyn_compatible(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_dyn_compatible", &__self_0),
            TaggedQueryKey::param_env(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "param_env", &__self_0),
            TaggedQueryKey::typing_env_normalized_for_post_analysis(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "typing_env_normalized_for_post_analysis", &__self_0),
            TaggedQueryKey::is_copy_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_copy_raw", &__self_0),
            TaggedQueryKey::is_use_cloned_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_use_cloned_raw", &__self_0),
            TaggedQueryKey::is_sized_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_sized_raw", &__self_0),
            TaggedQueryKey::is_freeze_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_freeze_raw", &__self_0),
            TaggedQueryKey::is_unsafe_unpin_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_unsafe_unpin_raw", &__self_0),
            TaggedQueryKey::is_unpin_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_unpin_raw", &__self_0),
            TaggedQueryKey::is_async_drop_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_async_drop_raw", &__self_0),
            TaggedQueryKey::needs_drop_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "needs_drop_raw", &__self_0),
            TaggedQueryKey::needs_async_drop_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "needs_async_drop_raw", &__self_0),
            TaggedQueryKey::has_significant_drop_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "has_significant_drop_raw", &__self_0),
            TaggedQueryKey::has_structural_eq_impl(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "has_structural_eq_impl", &__self_0),
            TaggedQueryKey::adt_drop_tys(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "adt_drop_tys", &__self_0),
            TaggedQueryKey::adt_async_drop_tys(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "adt_async_drop_tys", &__self_0),
            TaggedQueryKey::adt_significant_drop_tys(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "adt_significant_drop_tys", &__self_0),
            TaggedQueryKey::list_significant_drop_tys(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "list_significant_drop_tys", &__self_0),
            TaggedQueryKey::layout_of(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "layout_of", &__self_0),
            TaggedQueryKey::fn_abi_of_fn_ptr(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "fn_abi_of_fn_ptr", &__self_0),
            TaggedQueryKey::fn_abi_of_instance_no_deduced_attrs(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "fn_abi_of_instance_no_deduced_attrs", &__self_0),
            TaggedQueryKey::fn_abi_of_instance_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "fn_abi_of_instance_raw", &__self_0),
            TaggedQueryKey::dylib_dependency_formats(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "dylib_dependency_formats", &__self_0),
            TaggedQueryKey::dependency_formats(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "dependency_formats", &__self_0),
            TaggedQueryKey::is_compiler_builtins(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_compiler_builtins", &__self_0),
            TaggedQueryKey::has_global_allocator(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "has_global_allocator", &__self_0),
            TaggedQueryKey::has_alloc_error_handler(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "has_alloc_error_handler", &__self_0),
            TaggedQueryKey::has_panic_handler(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "has_panic_handler", &__self_0),
            TaggedQueryKey::is_profiler_runtime(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_profiler_runtime", &__self_0),
            TaggedQueryKey::has_ffi_unwind_calls(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "has_ffi_unwind_calls", &__self_0),
            TaggedQueryKey::required_panic_strategy(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "required_panic_strategy", &__self_0),
            TaggedQueryKey::panic_in_drop_strategy(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "panic_in_drop_strategy", &__self_0),
            TaggedQueryKey::is_no_builtins(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_no_builtins", &__self_0),
            TaggedQueryKey::symbol_mangling_version(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "symbol_mangling_version", &__self_0),
            TaggedQueryKey::extern_crate(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "extern_crate", &__self_0),
            TaggedQueryKey::specialization_enabled_in(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "specialization_enabled_in", &__self_0),
            TaggedQueryKey::specializes(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "specializes", &__self_0),
            TaggedQueryKey::in_scope_traits_map(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "in_scope_traits_map", &__self_0),
            TaggedQueryKey::defaultness(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "defaultness", &__self_0),
            TaggedQueryKey::default_field(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "default_field", &__self_0),
            TaggedQueryKey::check_well_formed(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_well_formed", &__self_0),
            TaggedQueryKey::enforce_impl_non_lifetime_params_are_constrained(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "enforce_impl_non_lifetime_params_are_constrained",
                    &__self_0),
            TaggedQueryKey::reachable_non_generics(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "reachable_non_generics", &__self_0),
            TaggedQueryKey::is_reachable_non_generic(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_reachable_non_generic", &__self_0),
            TaggedQueryKey::is_unreachable_local_definition(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_unreachable_local_definition", &__self_0),
            TaggedQueryKey::upstream_monomorphizations(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "upstream_monomorphizations", &__self_0),
            TaggedQueryKey::upstream_monomorphizations_for(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "upstream_monomorphizations_for", &__self_0),
            TaggedQueryKey::upstream_drop_glue_for(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "upstream_drop_glue_for", &__self_0),
            TaggedQueryKey::upstream_async_drop_glue_for(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "upstream_async_drop_glue_for", &__self_0),
            TaggedQueryKey::foreign_modules(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "foreign_modules", &__self_0),
            TaggedQueryKey::clashing_extern_declarations(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "clashing_extern_declarations", &__self_0),
            TaggedQueryKey::entry_fn(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "entry_fn", &__self_0),
            TaggedQueryKey::proc_macro_decls_static(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "proc_macro_decls_static", &__self_0),
            TaggedQueryKey::crate_hash(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_hash", &__self_0),
            TaggedQueryKey::crate_host_hash(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_host_hash", &__self_0),
            TaggedQueryKey::extra_filename(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "extra_filename", &__self_0),
            TaggedQueryKey::crate_extern_paths(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_extern_paths", &__self_0),
            TaggedQueryKey::implementations_of_trait(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "implementations_of_trait", &__self_0),
            TaggedQueryKey::crate_incoherent_impls(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_incoherent_impls", &__self_0),
            TaggedQueryKey::native_library(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "native_library", &__self_0),
            TaggedQueryKey::inherit_sig_for_delegation_item(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "inherit_sig_for_delegation_item", &__self_0),
            TaggedQueryKey::resolve_bound_vars(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "resolve_bound_vars", &__self_0),
            TaggedQueryKey::named_variable_map(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "named_variable_map", &__self_0),
            TaggedQueryKey::is_late_bound_map(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_late_bound_map", &__self_0),
            TaggedQueryKey::object_lifetime_default(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "object_lifetime_default", &__self_0),
            TaggedQueryKey::late_bound_vars_map(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "late_bound_vars_map", &__self_0),
            TaggedQueryKey::opaque_captured_lifetimes(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "opaque_captured_lifetimes", &__self_0),
            TaggedQueryKey::visibility(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "visibility", &__self_0),
            TaggedQueryKey::inhabited_predicate_adt(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "inhabited_predicate_adt", &__self_0),
            TaggedQueryKey::inhabited_predicate_type(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "inhabited_predicate_type", &__self_0),
            TaggedQueryKey::crate_dep_kind(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_dep_kind", &__self_0),
            TaggedQueryKey::crate_name(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_name", &__self_0),
            TaggedQueryKey::module_children(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "module_children", &__self_0),
            TaggedQueryKey::num_extern_def_ids(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "num_extern_def_ids", &__self_0),
            TaggedQueryKey::lib_features(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "lib_features", &__self_0),
            TaggedQueryKey::stability_implications(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "stability_implications", &__self_0),
            TaggedQueryKey::intrinsic_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "intrinsic_raw", &__self_0),
            TaggedQueryKey::get_lang_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "get_lang_items", &__self_0),
            TaggedQueryKey::all_diagnostic_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "all_diagnostic_items", &__self_0),
            TaggedQueryKey::defined_lang_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "defined_lang_items", &__self_0),
            TaggedQueryKey::diagnostic_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "diagnostic_items", &__self_0),
            TaggedQueryKey::missing_lang_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "missing_lang_items", &__self_0),
            TaggedQueryKey::visible_parent_map(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "visible_parent_map", &__self_0),
            TaggedQueryKey::trimmed_def_paths(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "trimmed_def_paths", &__self_0),
            TaggedQueryKey::missing_extern_crate_item(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "missing_extern_crate_item", &__self_0),
            TaggedQueryKey::used_crate_source(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "used_crate_source", &__self_0),
            TaggedQueryKey::debugger_visualizers(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "debugger_visualizers", &__self_0),
            TaggedQueryKey::postorder_cnums(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "postorder_cnums", &__self_0),
            TaggedQueryKey::is_private_dep(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_private_dep", &__self_0),
            TaggedQueryKey::allocator_kind(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "allocator_kind", &__self_0),
            TaggedQueryKey::alloc_error_handler_kind(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "alloc_error_handler_kind", &__self_0),
            TaggedQueryKey::upvars_mentioned(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "upvars_mentioned", &__self_0),
            TaggedQueryKey::crates(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "crates",
                    &__self_0),
            TaggedQueryKey::used_crates(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "used_crates", &__self_0),
            TaggedQueryKey::duplicate_crate_names(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "duplicate_crate_names", &__self_0),
            TaggedQueryKey::traits(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "traits",
                    &__self_0),
            TaggedQueryKey::trait_impls_in_crate(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "trait_impls_in_crate", &__self_0),
            TaggedQueryKey::stable_order_of_exportable_impls(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "stable_order_of_exportable_impls", &__self_0),
            TaggedQueryKey::exportable_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "exportable_items", &__self_0),
            TaggedQueryKey::exported_non_generic_symbols(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "exported_non_generic_symbols", &__self_0),
            TaggedQueryKey::exported_generic_symbols(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "exported_generic_symbols", &__self_0),
            TaggedQueryKey::collect_and_partition_mono_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "collect_and_partition_mono_items", &__self_0),
            TaggedQueryKey::is_codegened_item(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_codegened_item", &__self_0),
            TaggedQueryKey::codegen_unit(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "codegen_unit", &__self_0),
            TaggedQueryKey::backend_optimization_level(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "backend_optimization_level", &__self_0),
            TaggedQueryKey::output_filenames(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "output_filenames", &__self_0),
            TaggedQueryKey::normalize_canonicalized_projection(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "normalize_canonicalized_projection", &__self_0),
            TaggedQueryKey::normalize_canonicalized_free_alias(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "normalize_canonicalized_free_alias", &__self_0),
            TaggedQueryKey::normalize_canonicalized_inherent_projection(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "normalize_canonicalized_inherent_projection", &__self_0),
            TaggedQueryKey::try_normalize_generic_arg_after_erasing_regions(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "try_normalize_generic_arg_after_erasing_regions",
                    &__self_0),
            TaggedQueryKey::implied_outlives_bounds(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "implied_outlives_bounds", &__self_0),
            TaggedQueryKey::dropck_outlives(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "dropck_outlives", &__self_0),
            TaggedQueryKey::evaluate_obligation(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "evaluate_obligation", &__self_0),
            TaggedQueryKey::type_op_ascribe_user_type(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_op_ascribe_user_type", &__self_0),
            TaggedQueryKey::type_op_prove_predicate(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_op_prove_predicate", &__self_0),
            TaggedQueryKey::type_op_normalize_ty(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_op_normalize_ty", &__self_0),
            TaggedQueryKey::type_op_normalize_clause(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_op_normalize_clause", &__self_0),
            TaggedQueryKey::type_op_normalize_poly_fn_sig(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_op_normalize_poly_fn_sig", &__self_0),
            TaggedQueryKey::type_op_normalize_fn_sig(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "type_op_normalize_fn_sig", &__self_0),
            TaggedQueryKey::instantiate_and_check_impossible_predicates(__self_0)
                =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "instantiate_and_check_impossible_predicates", &__self_0),
            TaggedQueryKey::is_impossible_associated_item(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "is_impossible_associated_item", &__self_0),
            TaggedQueryKey::method_autoderef_steps(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "method_autoderef_steps", &__self_0),
            TaggedQueryKey::evaluate_root_goal_for_proof_tree_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "evaluate_root_goal_for_proof_tree_raw", &__self_0),
            TaggedQueryKey::rust_target_features(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "rust_target_features", &__self_0),
            TaggedQueryKey::implied_target_features(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "implied_target_features", &__self_0),
            TaggedQueryKey::features_query(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "features_query", &__self_0),
            TaggedQueryKey::crate_for_resolver(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "crate_for_resolver", &__self_0),
            TaggedQueryKey::resolve_instance_raw(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "resolve_instance_raw", &__self_0),
            TaggedQueryKey::reveal_opaque_types_in_bounds(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "reveal_opaque_types_in_bounds", &__self_0),
            TaggedQueryKey::limits(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "limits",
                    &__self_0),
            TaggedQueryKey::diagnostic_hir_wf_check(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "diagnostic_hir_wf_check", &__self_0),
            TaggedQueryKey::global_backend_features(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "global_backend_features", &__self_0),
            TaggedQueryKey::check_validity_requirement(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_validity_requirement", &__self_0),
            TaggedQueryKey::compare_impl_item(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "compare_impl_item", &__self_0),
            TaggedQueryKey::deduced_param_attrs(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "deduced_param_attrs", &__self_0),
            TaggedQueryKey::doc_link_resolutions(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "doc_link_resolutions", &__self_0),
            TaggedQueryKey::doc_link_traits_in_scope(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "doc_link_traits_in_scope", &__self_0),
            TaggedQueryKey::stripped_cfg_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "stripped_cfg_items", &__self_0),
            TaggedQueryKey::generics_require_sized_self(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "generics_require_sized_self", &__self_0),
            TaggedQueryKey::cross_crate_inlinable(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "cross_crate_inlinable", &__self_0),
            TaggedQueryKey::check_mono_item(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_mono_item", &__self_0),
            TaggedQueryKey::skip_move_check_fns(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "skip_move_check_fns", &__self_0),
            TaggedQueryKey::items_of_instance(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "items_of_instance", &__self_0),
            TaggedQueryKey::size_estimate(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "size_estimate", &__self_0),
            TaggedQueryKey::anon_const_kind(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "anon_const_kind", &__self_0),
            TaggedQueryKey::trivial_const(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "trivial_const", &__self_0),
            TaggedQueryKey::sanitizer_settings_for(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "sanitizer_settings_for", &__self_0),
            TaggedQueryKey::check_externally_implementable_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "check_externally_implementable_items", &__self_0),
            TaggedQueryKey::externally_implementable_items(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "externally_implementable_items", &__self_0),
        }
    }
}
impl<'tcx> TaggedQueryKey<'tcx> {
    /// Returns the name of the query this key is tagged with.
    ///
    /// This is useful for error/debug output, but don't use it to check for
    /// specific query names. Instead, match on the `TaggedQueryKey` variant.
    pub fn query_name(&self) -> &'static str {
        match self {
            TaggedQueryKey::derive_macro_expansion(_) =>
                "derive_macro_expansion",
            TaggedQueryKey::trigger_delayed_bug(_) => "trigger_delayed_bug",
            TaggedQueryKey::registered_tools(_) => "registered_tools",
            TaggedQueryKey::early_lint_checks(_) => "early_lint_checks",
            TaggedQueryKey::env_var_os(_) => "env_var_os",
            TaggedQueryKey::resolutions(_) => "resolutions",
            TaggedQueryKey::resolver_for_lowering_raw(_) =>
                "resolver_for_lowering_raw",
            TaggedQueryKey::source_span(_) => "source_span",
            TaggedQueryKey::hir_crate(_) => "hir_crate",
            TaggedQueryKey::hir_crate_items(_) => "hir_crate_items",
            TaggedQueryKey::hir_module_items(_) => "hir_module_items",
            TaggedQueryKey::local_def_id_to_hir_id(_) =>
                "local_def_id_to_hir_id",
            TaggedQueryKey::hir_owner_parent_q(_) => "hir_owner_parent_q",
            TaggedQueryKey::opt_hir_owner_nodes(_) => "opt_hir_owner_nodes",
            TaggedQueryKey::hir_attr_map(_) => "hir_attr_map",
            TaggedQueryKey::opt_ast_lowering_delayed_lints(_) =>
                "opt_ast_lowering_delayed_lints",
            TaggedQueryKey::const_param_default(_) => "const_param_default",
            TaggedQueryKey::const_of_item(_) => "const_of_item",
            TaggedQueryKey::type_of(_) => "type_of",
            TaggedQueryKey::type_of_opaque(_) => "type_of_opaque",
            TaggedQueryKey::type_of_opaque_hir_typeck(_) =>
                "type_of_opaque_hir_typeck",
            TaggedQueryKey::type_alias_is_lazy(_) => "type_alias_is_lazy",
            TaggedQueryKey::collect_return_position_impl_trait_in_trait_tys(_)
                => "collect_return_position_impl_trait_in_trait_tys",
            TaggedQueryKey::opaque_ty_origin(_) => "opaque_ty_origin",
            TaggedQueryKey::unsizing_params_for_adt(_) =>
                "unsizing_params_for_adt",
            TaggedQueryKey::analysis(_) => "analysis",
            TaggedQueryKey::check_expectations(_) => "check_expectations",
            TaggedQueryKey::generics_of(_) => "generics_of",
            TaggedQueryKey::predicates_of(_) => "predicates_of",
            TaggedQueryKey::opaque_types_defined_by(_) =>
                "opaque_types_defined_by",
            TaggedQueryKey::nested_bodies_within(_) => "nested_bodies_within",
            TaggedQueryKey::explicit_item_bounds(_) => "explicit_item_bounds",
            TaggedQueryKey::explicit_item_self_bounds(_) =>
                "explicit_item_self_bounds",
            TaggedQueryKey::item_bounds(_) => "item_bounds",
            TaggedQueryKey::item_self_bounds(_) => "item_self_bounds",
            TaggedQueryKey::item_non_self_bounds(_) => "item_non_self_bounds",
            TaggedQueryKey::impl_super_outlives(_) => "impl_super_outlives",
            TaggedQueryKey::native_libraries(_) => "native_libraries",
            TaggedQueryKey::shallow_lint_levels_on(_) =>
                "shallow_lint_levels_on",
            TaggedQueryKey::lint_expectations(_) => "lint_expectations",
            TaggedQueryKey::lints_that_dont_need_to_run(_) =>
                "lints_that_dont_need_to_run",
            TaggedQueryKey::expn_that_defined(_) => "expn_that_defined",
            TaggedQueryKey::is_panic_runtime(_) => "is_panic_runtime",
            TaggedQueryKey::check_representability(_) =>
                "check_representability",
            TaggedQueryKey::check_representability_adt_ty(_) =>
                "check_representability_adt_ty",
            TaggedQueryKey::params_in_repr(_) => "params_in_repr",
            TaggedQueryKey::thir_body(_) => "thir_body",
            TaggedQueryKey::mir_keys(_) => "mir_keys",
            TaggedQueryKey::mir_const_qualif(_) => "mir_const_qualif",
            TaggedQueryKey::mir_built(_) => "mir_built",
            TaggedQueryKey::thir_abstract_const(_) => "thir_abstract_const",
            TaggedQueryKey::mir_drops_elaborated_and_const_checked(_) =>
                "mir_drops_elaborated_and_const_checked",
            TaggedQueryKey::mir_for_ctfe(_) => "mir_for_ctfe",
            TaggedQueryKey::mir_promoted(_) => "mir_promoted",
            TaggedQueryKey::closure_typeinfo(_) => "closure_typeinfo",
            TaggedQueryKey::closure_saved_names_of_captured_variables(_) =>
                "closure_saved_names_of_captured_variables",
            TaggedQueryKey::mir_coroutine_witnesses(_) =>
                "mir_coroutine_witnesses",
            TaggedQueryKey::check_coroutine_obligations(_) =>
                "check_coroutine_obligations",
            TaggedQueryKey::check_potentially_region_dependent_goals(_) =>
                "check_potentially_region_dependent_goals",
            TaggedQueryKey::optimized_mir(_) => "optimized_mir",
            TaggedQueryKey::coverage_attr_on(_) => "coverage_attr_on",
            TaggedQueryKey::coverage_ids_info(_) => "coverage_ids_info",
            TaggedQueryKey::promoted_mir(_) => "promoted_mir",
            TaggedQueryKey::erase_and_anonymize_regions_ty(_) =>
                "erase_and_anonymize_regions_ty",
            TaggedQueryKey::wasm_import_module_map(_) =>
                "wasm_import_module_map",
            TaggedQueryKey::trait_explicit_predicates_and_bounds(_) =>
                "trait_explicit_predicates_and_bounds",
            TaggedQueryKey::explicit_predicates_of(_) =>
                "explicit_predicates_of",
            TaggedQueryKey::inferred_outlives_of(_) => "inferred_outlives_of",
            TaggedQueryKey::explicit_super_predicates_of(_) =>
                "explicit_super_predicates_of",
            TaggedQueryKey::explicit_implied_predicates_of(_) =>
                "explicit_implied_predicates_of",
            TaggedQueryKey::explicit_supertraits_containing_assoc_item(_) =>
                "explicit_supertraits_containing_assoc_item",
            TaggedQueryKey::const_conditions(_) => "const_conditions",
            TaggedQueryKey::explicit_implied_const_bounds(_) =>
                "explicit_implied_const_bounds",
            TaggedQueryKey::type_param_predicates(_) =>
                "type_param_predicates",
            TaggedQueryKey::trait_def(_) => "trait_def",
            TaggedQueryKey::adt_def(_) => "adt_def",
            TaggedQueryKey::adt_destructor(_) => "adt_destructor",
            TaggedQueryKey::adt_async_destructor(_) => "adt_async_destructor",
            TaggedQueryKey::adt_sizedness_constraint(_) =>
                "adt_sizedness_constraint",
            TaggedQueryKey::adt_dtorck_constraint(_) =>
                "adt_dtorck_constraint",
            TaggedQueryKey::constness(_) => "constness",
            TaggedQueryKey::asyncness(_) => "asyncness",
            TaggedQueryKey::is_promotable_const_fn(_) =>
                "is_promotable_const_fn",
            TaggedQueryKey::coroutine_by_move_body_def_id(_) =>
                "coroutine_by_move_body_def_id",
            TaggedQueryKey::coroutine_kind(_) => "coroutine_kind",
            TaggedQueryKey::coroutine_for_closure(_) =>
                "coroutine_for_closure",
            TaggedQueryKey::coroutine_hidden_types(_) =>
                "coroutine_hidden_types",
            TaggedQueryKey::crate_variances(_) => "crate_variances",
            TaggedQueryKey::variances_of(_) => "variances_of",
            TaggedQueryKey::inferred_outlives_crate(_) =>
                "inferred_outlives_crate",
            TaggedQueryKey::associated_item_def_ids(_) =>
                "associated_item_def_ids",
            TaggedQueryKey::associated_item(_) => "associated_item",
            TaggedQueryKey::associated_items(_) => "associated_items",
            TaggedQueryKey::impl_item_implementor_ids(_) =>
                "impl_item_implementor_ids",
            TaggedQueryKey::associated_types_for_impl_traits_in_trait_or_impl(_)
                => "associated_types_for_impl_traits_in_trait_or_impl",
            TaggedQueryKey::impl_trait_header(_) => "impl_trait_header",
            TaggedQueryKey::impl_self_is_guaranteed_unsized(_) =>
                "impl_self_is_guaranteed_unsized",
            TaggedQueryKey::inherent_impls(_) => "inherent_impls",
            TaggedQueryKey::incoherent_impls(_) => "incoherent_impls",
            TaggedQueryKey::check_transmutes(_) => "check_transmutes",
            TaggedQueryKey::check_unsafety(_) => "check_unsafety",
            TaggedQueryKey::check_tail_calls(_) => "check_tail_calls",
            TaggedQueryKey::assumed_wf_types(_) => "assumed_wf_types",
            TaggedQueryKey::assumed_wf_types_for_rpitit(_) =>
                "assumed_wf_types_for_rpitit",
            TaggedQueryKey::fn_sig(_) => "fn_sig",
            TaggedQueryKey::lint_mod(_) => "lint_mod",
            TaggedQueryKey::check_unused_traits(_) => "check_unused_traits",
            TaggedQueryKey::check_mod_attrs(_) => "check_mod_attrs",
            TaggedQueryKey::check_mod_unstable_api_usage(_) =>
                "check_mod_unstable_api_usage",
            TaggedQueryKey::check_mod_privacy(_) => "check_mod_privacy",
            TaggedQueryKey::check_liveness(_) => "check_liveness",
            TaggedQueryKey::live_symbols_and_ignored_derived_traits(_) =>
                "live_symbols_and_ignored_derived_traits",
            TaggedQueryKey::check_mod_deathness(_) => "check_mod_deathness",
            TaggedQueryKey::check_type_wf(_) => "check_type_wf",
            TaggedQueryKey::coerce_unsized_info(_) => "coerce_unsized_info",
            TaggedQueryKey::typeck(_) => "typeck",
            TaggedQueryKey::used_trait_imports(_) => "used_trait_imports",
            TaggedQueryKey::coherent_trait(_) => "coherent_trait",
            TaggedQueryKey::mir_borrowck(_) => "mir_borrowck",
            TaggedQueryKey::crate_inherent_impls(_) => "crate_inherent_impls",
            TaggedQueryKey::crate_inherent_impls_validity_check(_) =>
                "crate_inherent_impls_validity_check",
            TaggedQueryKey::crate_inherent_impls_overlap_check(_) =>
                "crate_inherent_impls_overlap_check",
            TaggedQueryKey::orphan_check_impl(_) => "orphan_check_impl",
            TaggedQueryKey::mir_callgraph_cyclic(_) => "mir_callgraph_cyclic",
            TaggedQueryKey::mir_inliner_callees(_) => "mir_inliner_callees",
            TaggedQueryKey::tag_for_variant(_) => "tag_for_variant",
            TaggedQueryKey::eval_to_allocation_raw(_) =>
                "eval_to_allocation_raw",
            TaggedQueryKey::eval_static_initializer(_) =>
                "eval_static_initializer",
            TaggedQueryKey::eval_to_const_value_raw(_) =>
                "eval_to_const_value_raw",
            TaggedQueryKey::eval_to_valtree(_) => "eval_to_valtree",
            TaggedQueryKey::valtree_to_const_val(_) => "valtree_to_const_val",
            TaggedQueryKey::lit_to_const(_) => "lit_to_const",
            TaggedQueryKey::check_match(_) => "check_match",
            TaggedQueryKey::effective_visibilities(_) =>
                "effective_visibilities",
            TaggedQueryKey::check_private_in_public(_) =>
                "check_private_in_public",
            TaggedQueryKey::reachable_set(_) => "reachable_set",
            TaggedQueryKey::region_scope_tree(_) => "region_scope_tree",
            TaggedQueryKey::mir_shims(_) => "mir_shims",
            TaggedQueryKey::symbol_name(_) => "symbol_name",
            TaggedQueryKey::def_kind(_) => "def_kind",
            TaggedQueryKey::def_span(_) => "def_span",
            TaggedQueryKey::def_ident_span(_) => "def_ident_span",
            TaggedQueryKey::ty_span(_) => "ty_span",
            TaggedQueryKey::lookup_stability(_) => "lookup_stability",
            TaggedQueryKey::lookup_const_stability(_) =>
                "lookup_const_stability",
            TaggedQueryKey::lookup_default_body_stability(_) =>
                "lookup_default_body_stability",
            TaggedQueryKey::should_inherit_track_caller(_) =>
                "should_inherit_track_caller",
            TaggedQueryKey::inherited_align(_) => "inherited_align",
            TaggedQueryKey::lookup_deprecation_entry(_) =>
                "lookup_deprecation_entry",
            TaggedQueryKey::is_doc_hidden(_) => "is_doc_hidden",
            TaggedQueryKey::is_doc_notable_trait(_) => "is_doc_notable_trait",
            TaggedQueryKey::attrs_for_def(_) => "attrs_for_def",
            TaggedQueryKey::codegen_fn_attrs(_) => "codegen_fn_attrs",
            TaggedQueryKey::asm_target_features(_) => "asm_target_features",
            TaggedQueryKey::fn_arg_idents(_) => "fn_arg_idents",
            TaggedQueryKey::rendered_const(_) => "rendered_const",
            TaggedQueryKey::rendered_precise_capturing_args(_) =>
                "rendered_precise_capturing_args",
            TaggedQueryKey::impl_parent(_) => "impl_parent",
            TaggedQueryKey::is_mir_available(_) => "is_mir_available",
            TaggedQueryKey::own_existential_vtable_entries(_) =>
                "own_existential_vtable_entries",
            TaggedQueryKey::vtable_entries(_) => "vtable_entries",
            TaggedQueryKey::first_method_vtable_slot(_) =>
                "first_method_vtable_slot",
            TaggedQueryKey::supertrait_vtable_slot(_) =>
                "supertrait_vtable_slot",
            TaggedQueryKey::vtable_allocation(_) => "vtable_allocation",
            TaggedQueryKey::codegen_select_candidate(_) =>
                "codegen_select_candidate",
            TaggedQueryKey::all_local_trait_impls(_) =>
                "all_local_trait_impls",
            TaggedQueryKey::local_trait_impls(_) => "local_trait_impls",
            TaggedQueryKey::trait_impls_of(_) => "trait_impls_of",
            TaggedQueryKey::specialization_graph_of(_) =>
                "specialization_graph_of",
            TaggedQueryKey::dyn_compatibility_violations(_) =>
                "dyn_compatibility_violations",
            TaggedQueryKey::is_dyn_compatible(_) => "is_dyn_compatible",
            TaggedQueryKey::param_env(_) => "param_env",
            TaggedQueryKey::typing_env_normalized_for_post_analysis(_) =>
                "typing_env_normalized_for_post_analysis",
            TaggedQueryKey::is_copy_raw(_) => "is_copy_raw",
            TaggedQueryKey::is_use_cloned_raw(_) => "is_use_cloned_raw",
            TaggedQueryKey::is_sized_raw(_) => "is_sized_raw",
            TaggedQueryKey::is_freeze_raw(_) => "is_freeze_raw",
            TaggedQueryKey::is_unsafe_unpin_raw(_) => "is_unsafe_unpin_raw",
            TaggedQueryKey::is_unpin_raw(_) => "is_unpin_raw",
            TaggedQueryKey::is_async_drop_raw(_) => "is_async_drop_raw",
            TaggedQueryKey::needs_drop_raw(_) => "needs_drop_raw",
            TaggedQueryKey::needs_async_drop_raw(_) => "needs_async_drop_raw",
            TaggedQueryKey::has_significant_drop_raw(_) =>
                "has_significant_drop_raw",
            TaggedQueryKey::has_structural_eq_impl(_) =>
                "has_structural_eq_impl",
            TaggedQueryKey::adt_drop_tys(_) => "adt_drop_tys",
            TaggedQueryKey::adt_async_drop_tys(_) => "adt_async_drop_tys",
            TaggedQueryKey::adt_significant_drop_tys(_) =>
                "adt_significant_drop_tys",
            TaggedQueryKey::list_significant_drop_tys(_) =>
                "list_significant_drop_tys",
            TaggedQueryKey::layout_of(_) => "layout_of",
            TaggedQueryKey::fn_abi_of_fn_ptr(_) => "fn_abi_of_fn_ptr",
            TaggedQueryKey::fn_abi_of_instance_no_deduced_attrs(_) =>
                "fn_abi_of_instance_no_deduced_attrs",
            TaggedQueryKey::fn_abi_of_instance_raw(_) =>
                "fn_abi_of_instance_raw",
            TaggedQueryKey::dylib_dependency_formats(_) =>
                "dylib_dependency_formats",
            TaggedQueryKey::dependency_formats(_) => "dependency_formats",
            TaggedQueryKey::is_compiler_builtins(_) => "is_compiler_builtins",
            TaggedQueryKey::has_global_allocator(_) => "has_global_allocator",
            TaggedQueryKey::has_alloc_error_handler(_) =>
                "has_alloc_error_handler",
            TaggedQueryKey::has_panic_handler(_) => "has_panic_handler",
            TaggedQueryKey::is_profiler_runtime(_) => "is_profiler_runtime",
            TaggedQueryKey::has_ffi_unwind_calls(_) => "has_ffi_unwind_calls",
            TaggedQueryKey::required_panic_strategy(_) =>
                "required_panic_strategy",
            TaggedQueryKey::panic_in_drop_strategy(_) =>
                "panic_in_drop_strategy",
            TaggedQueryKey::is_no_builtins(_) => "is_no_builtins",
            TaggedQueryKey::symbol_mangling_version(_) =>
                "symbol_mangling_version",
            TaggedQueryKey::extern_crate(_) => "extern_crate",
            TaggedQueryKey::specialization_enabled_in(_) =>
                "specialization_enabled_in",
            TaggedQueryKey::specializes(_) => "specializes",
            TaggedQueryKey::in_scope_traits_map(_) => "in_scope_traits_map",
            TaggedQueryKey::defaultness(_) => "defaultness",
            TaggedQueryKey::default_field(_) => "default_field",
            TaggedQueryKey::check_well_formed(_) => "check_well_formed",
            TaggedQueryKey::enforce_impl_non_lifetime_params_are_constrained(_)
                => "enforce_impl_non_lifetime_params_are_constrained",
            TaggedQueryKey::reachable_non_generics(_) =>
                "reachable_non_generics",
            TaggedQueryKey::is_reachable_non_generic(_) =>
                "is_reachable_non_generic",
            TaggedQueryKey::is_unreachable_local_definition(_) =>
                "is_unreachable_local_definition",
            TaggedQueryKey::upstream_monomorphizations(_) =>
                "upstream_monomorphizations",
            TaggedQueryKey::upstream_monomorphizations_for(_) =>
                "upstream_monomorphizations_for",
            TaggedQueryKey::upstream_drop_glue_for(_) =>
                "upstream_drop_glue_for",
            TaggedQueryKey::upstream_async_drop_glue_for(_) =>
                "upstream_async_drop_glue_for",
            TaggedQueryKey::foreign_modules(_) => "foreign_modules",
            TaggedQueryKey::clashing_extern_declarations(_) =>
                "clashing_extern_declarations",
            TaggedQueryKey::entry_fn(_) => "entry_fn",
            TaggedQueryKey::proc_macro_decls_static(_) =>
                "proc_macro_decls_static",
            TaggedQueryKey::crate_hash(_) => "crate_hash",
            TaggedQueryKey::crate_host_hash(_) => "crate_host_hash",
            TaggedQueryKey::extra_filename(_) => "extra_filename",
            TaggedQueryKey::crate_extern_paths(_) => "crate_extern_paths",
            TaggedQueryKey::implementations_of_trait(_) =>
                "implementations_of_trait",
            TaggedQueryKey::crate_incoherent_impls(_) =>
                "crate_incoherent_impls",
            TaggedQueryKey::native_library(_) => "native_library",
            TaggedQueryKey::inherit_sig_for_delegation_item(_) =>
                "inherit_sig_for_delegation_item",
            TaggedQueryKey::resolve_bound_vars(_) => "resolve_bound_vars",
            TaggedQueryKey::named_variable_map(_) => "named_variable_map",
            TaggedQueryKey::is_late_bound_map(_) => "is_late_bound_map",
            TaggedQueryKey::object_lifetime_default(_) =>
                "object_lifetime_default",
            TaggedQueryKey::late_bound_vars_map(_) => "late_bound_vars_map",
            TaggedQueryKey::opaque_captured_lifetimes(_) =>
                "opaque_captured_lifetimes",
            TaggedQueryKey::visibility(_) => "visibility",
            TaggedQueryKey::inhabited_predicate_adt(_) =>
                "inhabited_predicate_adt",
            TaggedQueryKey::inhabited_predicate_type(_) =>
                "inhabited_predicate_type",
            TaggedQueryKey::crate_dep_kind(_) => "crate_dep_kind",
            TaggedQueryKey::crate_name(_) => "crate_name",
            TaggedQueryKey::module_children(_) => "module_children",
            TaggedQueryKey::num_extern_def_ids(_) => "num_extern_def_ids",
            TaggedQueryKey::lib_features(_) => "lib_features",
            TaggedQueryKey::stability_implications(_) =>
                "stability_implications",
            TaggedQueryKey::intrinsic_raw(_) => "intrinsic_raw",
            TaggedQueryKey::get_lang_items(_) => "get_lang_items",
            TaggedQueryKey::all_diagnostic_items(_) => "all_diagnostic_items",
            TaggedQueryKey::defined_lang_items(_) => "defined_lang_items",
            TaggedQueryKey::diagnostic_items(_) => "diagnostic_items",
            TaggedQueryKey::missing_lang_items(_) => "missing_lang_items",
            TaggedQueryKey::visible_parent_map(_) => "visible_parent_map",
            TaggedQueryKey::trimmed_def_paths(_) => "trimmed_def_paths",
            TaggedQueryKey::missing_extern_crate_item(_) =>
                "missing_extern_crate_item",
            TaggedQueryKey::used_crate_source(_) => "used_crate_source",
            TaggedQueryKey::debugger_visualizers(_) => "debugger_visualizers",
            TaggedQueryKey::postorder_cnums(_) => "postorder_cnums",
            TaggedQueryKey::is_private_dep(_) => "is_private_dep",
            TaggedQueryKey::allocator_kind(_) => "allocator_kind",
            TaggedQueryKey::alloc_error_handler_kind(_) =>
                "alloc_error_handler_kind",
            TaggedQueryKey::upvars_mentioned(_) => "upvars_mentioned",
            TaggedQueryKey::crates(_) => "crates",
            TaggedQueryKey::used_crates(_) => "used_crates",
            TaggedQueryKey::duplicate_crate_names(_) =>
                "duplicate_crate_names",
            TaggedQueryKey::traits(_) => "traits",
            TaggedQueryKey::trait_impls_in_crate(_) => "trait_impls_in_crate",
            TaggedQueryKey::stable_order_of_exportable_impls(_) =>
                "stable_order_of_exportable_impls",
            TaggedQueryKey::exportable_items(_) => "exportable_items",
            TaggedQueryKey::exported_non_generic_symbols(_) =>
                "exported_non_generic_symbols",
            TaggedQueryKey::exported_generic_symbols(_) =>
                "exported_generic_symbols",
            TaggedQueryKey::collect_and_partition_mono_items(_) =>
                "collect_and_partition_mono_items",
            TaggedQueryKey::is_codegened_item(_) => "is_codegened_item",
            TaggedQueryKey::codegen_unit(_) => "codegen_unit",
            TaggedQueryKey::backend_optimization_level(_) =>
                "backend_optimization_level",
            TaggedQueryKey::output_filenames(_) => "output_filenames",
            TaggedQueryKey::normalize_canonicalized_projection(_) =>
                "normalize_canonicalized_projection",
            TaggedQueryKey::normalize_canonicalized_free_alias(_) =>
                "normalize_canonicalized_free_alias",
            TaggedQueryKey::normalize_canonicalized_inherent_projection(_) =>
                "normalize_canonicalized_inherent_projection",
            TaggedQueryKey::try_normalize_generic_arg_after_erasing_regions(_)
                => "try_normalize_generic_arg_after_erasing_regions",
            TaggedQueryKey::implied_outlives_bounds(_) =>
                "implied_outlives_bounds",
            TaggedQueryKey::dropck_outlives(_) => "dropck_outlives",
            TaggedQueryKey::evaluate_obligation(_) => "evaluate_obligation",
            TaggedQueryKey::type_op_ascribe_user_type(_) =>
                "type_op_ascribe_user_type",
            TaggedQueryKey::type_op_prove_predicate(_) =>
                "type_op_prove_predicate",
            TaggedQueryKey::type_op_normalize_ty(_) => "type_op_normalize_ty",
            TaggedQueryKey::type_op_normalize_clause(_) =>
                "type_op_normalize_clause",
            TaggedQueryKey::type_op_normalize_poly_fn_sig(_) =>
                "type_op_normalize_poly_fn_sig",
            TaggedQueryKey::type_op_normalize_fn_sig(_) =>
                "type_op_normalize_fn_sig",
            TaggedQueryKey::instantiate_and_check_impossible_predicates(_) =>
                "instantiate_and_check_impossible_predicates",
            TaggedQueryKey::is_impossible_associated_item(_) =>
                "is_impossible_associated_item",
            TaggedQueryKey::method_autoderef_steps(_) =>
                "method_autoderef_steps",
            TaggedQueryKey::evaluate_root_goal_for_proof_tree_raw(_) =>
                "evaluate_root_goal_for_proof_tree_raw",
            TaggedQueryKey::rust_target_features(_) => "rust_target_features",
            TaggedQueryKey::implied_target_features(_) =>
                "implied_target_features",
            TaggedQueryKey::features_query(_) => "features_query",
            TaggedQueryKey::crate_for_resolver(_) => "crate_for_resolver",
            TaggedQueryKey::resolve_instance_raw(_) => "resolve_instance_raw",
            TaggedQueryKey::reveal_opaque_types_in_bounds(_) =>
                "reveal_opaque_types_in_bounds",
            TaggedQueryKey::limits(_) => "limits",
            TaggedQueryKey::diagnostic_hir_wf_check(_) =>
                "diagnostic_hir_wf_check",
            TaggedQueryKey::global_backend_features(_) =>
                "global_backend_features",
            TaggedQueryKey::check_validity_requirement(_) =>
                "check_validity_requirement",
            TaggedQueryKey::compare_impl_item(_) => "compare_impl_item",
            TaggedQueryKey::deduced_param_attrs(_) => "deduced_param_attrs",
            TaggedQueryKey::doc_link_resolutions(_) => "doc_link_resolutions",
            TaggedQueryKey::doc_link_traits_in_scope(_) =>
                "doc_link_traits_in_scope",
            TaggedQueryKey::stripped_cfg_items(_) => "stripped_cfg_items",
            TaggedQueryKey::generics_require_sized_self(_) =>
                "generics_require_sized_self",
            TaggedQueryKey::cross_crate_inlinable(_) =>
                "cross_crate_inlinable",
            TaggedQueryKey::check_mono_item(_) => "check_mono_item",
            TaggedQueryKey::skip_move_check_fns(_) => "skip_move_check_fns",
            TaggedQueryKey::items_of_instance(_) => "items_of_instance",
            TaggedQueryKey::size_estimate(_) => "size_estimate",
            TaggedQueryKey::anon_const_kind(_) => "anon_const_kind",
            TaggedQueryKey::trivial_const(_) => "trivial_const",
            TaggedQueryKey::sanitizer_settings_for(_) =>
                "sanitizer_settings_for",
            TaggedQueryKey::check_externally_implementable_items(_) =>
                "check_externally_implementable_items",
            TaggedQueryKey::externally_implementable_items(_) =>
                "externally_implementable_items",
        }
    }
    /// Formats a human-readable description of this query and its key, as
    /// specified by the `desc` query modifier.
    ///
    /// Used when reporting query cycle errors and similar problems.
    pub fn description(&self, tcx: TyCtxt<'tcx>) -> String {
        let (name, description) =
            {
                {
                    let _guard = ReducedQueriesGuard::new();
                    {
                        let _guard = ForcedImplGuard::new();
                        {
                            let _guard = NoTrimmedGuard::new();
                            {
                                let _guard = NoVisibleGuard::new();
                                match self {
                                    TaggedQueryKey::derive_macro_expansion(key) =>
                                        ("derive_macro_expansion",
                                            _description_fns::derive_macro_expansion(tcx, *key)),
                                    TaggedQueryKey::trigger_delayed_bug(key) =>
                                        ("trigger_delayed_bug",
                                            _description_fns::trigger_delayed_bug(tcx, *key)),
                                    TaggedQueryKey::registered_tools(key) =>
                                        ("registered_tools",
                                            _description_fns::registered_tools(tcx, *key)),
                                    TaggedQueryKey::early_lint_checks(key) =>
                                        ("early_lint_checks",
                                            _description_fns::early_lint_checks(tcx, *key)),
                                    TaggedQueryKey::env_var_os(key) =>
                                        ("env_var_os", _description_fns::env_var_os(tcx, *key)),
                                    TaggedQueryKey::resolutions(key) =>
                                        ("resolutions", _description_fns::resolutions(tcx, *key)),
                                    TaggedQueryKey::resolver_for_lowering_raw(key) =>
                                        ("resolver_for_lowering_raw",
                                            _description_fns::resolver_for_lowering_raw(tcx, *key)),
                                    TaggedQueryKey::source_span(key) =>
                                        ("source_span", _description_fns::source_span(tcx, *key)),
                                    TaggedQueryKey::hir_crate(key) =>
                                        ("hir_crate", _description_fns::hir_crate(tcx, *key)),
                                    TaggedQueryKey::hir_crate_items(key) =>
                                        ("hir_crate_items",
                                            _description_fns::hir_crate_items(tcx, *key)),
                                    TaggedQueryKey::hir_module_items(key) =>
                                        ("hir_module_items",
                                            _description_fns::hir_module_items(tcx, *key)),
                                    TaggedQueryKey::local_def_id_to_hir_id(key) =>
                                        ("local_def_id_to_hir_id",
                                            _description_fns::local_def_id_to_hir_id(tcx, *key)),
                                    TaggedQueryKey::hir_owner_parent_q(key) =>
                                        ("hir_owner_parent_q",
                                            _description_fns::hir_owner_parent_q(tcx, *key)),
                                    TaggedQueryKey::opt_hir_owner_nodes(key) =>
                                        ("opt_hir_owner_nodes",
                                            _description_fns::opt_hir_owner_nodes(tcx, *key)),
                                    TaggedQueryKey::hir_attr_map(key) =>
                                        ("hir_attr_map", _description_fns::hir_attr_map(tcx, *key)),
                                    TaggedQueryKey::opt_ast_lowering_delayed_lints(key) =>
                                        ("opt_ast_lowering_delayed_lints",
                                            _description_fns::opt_ast_lowering_delayed_lints(tcx,
                                                *key)),
                                    TaggedQueryKey::const_param_default(key) =>
                                        ("const_param_default",
                                            _description_fns::const_param_default(tcx, *key)),
                                    TaggedQueryKey::const_of_item(key) =>
                                        ("const_of_item",
                                            _description_fns::const_of_item(tcx, *key)),
                                    TaggedQueryKey::type_of(key) =>
                                        ("type_of", _description_fns::type_of(tcx, *key)),
                                    TaggedQueryKey::type_of_opaque(key) =>
                                        ("type_of_opaque",
                                            _description_fns::type_of_opaque(tcx, *key)),
                                    TaggedQueryKey::type_of_opaque_hir_typeck(key) =>
                                        ("type_of_opaque_hir_typeck",
                                            _description_fns::type_of_opaque_hir_typeck(tcx, *key)),
                                    TaggedQueryKey::type_alias_is_lazy(key) =>
                                        ("type_alias_is_lazy",
                                            _description_fns::type_alias_is_lazy(tcx, *key)),
                                    TaggedQueryKey::collect_return_position_impl_trait_in_trait_tys(key)
                                        =>
                                        ("collect_return_position_impl_trait_in_trait_tys",
                                            _description_fns::collect_return_position_impl_trait_in_trait_tys(tcx,
                                                *key)),
                                    TaggedQueryKey::opaque_ty_origin(key) =>
                                        ("opaque_ty_origin",
                                            _description_fns::opaque_ty_origin(tcx, *key)),
                                    TaggedQueryKey::unsizing_params_for_adt(key) =>
                                        ("unsizing_params_for_adt",
                                            _description_fns::unsizing_params_for_adt(tcx, *key)),
                                    TaggedQueryKey::analysis(key) =>
                                        ("analysis", _description_fns::analysis(tcx, *key)),
                                    TaggedQueryKey::check_expectations(key) =>
                                        ("check_expectations",
                                            _description_fns::check_expectations(tcx, *key)),
                                    TaggedQueryKey::generics_of(key) =>
                                        ("generics_of", _description_fns::generics_of(tcx, *key)),
                                    TaggedQueryKey::predicates_of(key) =>
                                        ("predicates_of",
                                            _description_fns::predicates_of(tcx, *key)),
                                    TaggedQueryKey::opaque_types_defined_by(key) =>
                                        ("opaque_types_defined_by",
                                            _description_fns::opaque_types_defined_by(tcx, *key)),
                                    TaggedQueryKey::nested_bodies_within(key) =>
                                        ("nested_bodies_within",
                                            _description_fns::nested_bodies_within(tcx, *key)),
                                    TaggedQueryKey::explicit_item_bounds(key) =>
                                        ("explicit_item_bounds",
                                            _description_fns::explicit_item_bounds(tcx, *key)),
                                    TaggedQueryKey::explicit_item_self_bounds(key) =>
                                        ("explicit_item_self_bounds",
                                            _description_fns::explicit_item_self_bounds(tcx, *key)),
                                    TaggedQueryKey::item_bounds(key) =>
                                        ("item_bounds", _description_fns::item_bounds(tcx, *key)),
                                    TaggedQueryKey::item_self_bounds(key) =>
                                        ("item_self_bounds",
                                            _description_fns::item_self_bounds(tcx, *key)),
                                    TaggedQueryKey::item_non_self_bounds(key) =>
                                        ("item_non_self_bounds",
                                            _description_fns::item_non_self_bounds(tcx, *key)),
                                    TaggedQueryKey::impl_super_outlives(key) =>
                                        ("impl_super_outlives",
                                            _description_fns::impl_super_outlives(tcx, *key)),
                                    TaggedQueryKey::native_libraries(key) =>
                                        ("native_libraries",
                                            _description_fns::native_libraries(tcx, *key)),
                                    TaggedQueryKey::shallow_lint_levels_on(key) =>
                                        ("shallow_lint_levels_on",
                                            _description_fns::shallow_lint_levels_on(tcx, *key)),
                                    TaggedQueryKey::lint_expectations(key) =>
                                        ("lint_expectations",
                                            _description_fns::lint_expectations(tcx, *key)),
                                    TaggedQueryKey::lints_that_dont_need_to_run(key) =>
                                        ("lints_that_dont_need_to_run",
                                            _description_fns::lints_that_dont_need_to_run(tcx, *key)),
                                    TaggedQueryKey::expn_that_defined(key) =>
                                        ("expn_that_defined",
                                            _description_fns::expn_that_defined(tcx, *key)),
                                    TaggedQueryKey::is_panic_runtime(key) =>
                                        ("is_panic_runtime",
                                            _description_fns::is_panic_runtime(tcx, *key)),
                                    TaggedQueryKey::check_representability(key) =>
                                        ("check_representability",
                                            _description_fns::check_representability(tcx, *key)),
                                    TaggedQueryKey::check_representability_adt_ty(key) =>
                                        ("check_representability_adt_ty",
                                            _description_fns::check_representability_adt_ty(tcx, *key)),
                                    TaggedQueryKey::params_in_repr(key) =>
                                        ("params_in_repr",
                                            _description_fns::params_in_repr(tcx, *key)),
                                    TaggedQueryKey::thir_body(key) =>
                                        ("thir_body", _description_fns::thir_body(tcx, *key)),
                                    TaggedQueryKey::mir_keys(key) =>
                                        ("mir_keys", _description_fns::mir_keys(tcx, *key)),
                                    TaggedQueryKey::mir_const_qualif(key) =>
                                        ("mir_const_qualif",
                                            _description_fns::mir_const_qualif(tcx, *key)),
                                    TaggedQueryKey::mir_built(key) =>
                                        ("mir_built", _description_fns::mir_built(tcx, *key)),
                                    TaggedQueryKey::thir_abstract_const(key) =>
                                        ("thir_abstract_const",
                                            _description_fns::thir_abstract_const(tcx, *key)),
                                    TaggedQueryKey::mir_drops_elaborated_and_const_checked(key)
                                        =>
                                        ("mir_drops_elaborated_and_const_checked",
                                            _description_fns::mir_drops_elaborated_and_const_checked(tcx,
                                                *key)),
                                    TaggedQueryKey::mir_for_ctfe(key) =>
                                        ("mir_for_ctfe", _description_fns::mir_for_ctfe(tcx, *key)),
                                    TaggedQueryKey::mir_promoted(key) =>
                                        ("mir_promoted", _description_fns::mir_promoted(tcx, *key)),
                                    TaggedQueryKey::closure_typeinfo(key) =>
                                        ("closure_typeinfo",
                                            _description_fns::closure_typeinfo(tcx, *key)),
                                    TaggedQueryKey::closure_saved_names_of_captured_variables(key)
                                        =>
                                        ("closure_saved_names_of_captured_variables",
                                            _description_fns::closure_saved_names_of_captured_variables(tcx,
                                                *key)),
                                    TaggedQueryKey::mir_coroutine_witnesses(key) =>
                                        ("mir_coroutine_witnesses",
                                            _description_fns::mir_coroutine_witnesses(tcx, *key)),
                                    TaggedQueryKey::check_coroutine_obligations(key) =>
                                        ("check_coroutine_obligations",
                                            _description_fns::check_coroutine_obligations(tcx, *key)),
                                    TaggedQueryKey::check_potentially_region_dependent_goals(key)
                                        =>
                                        ("check_potentially_region_dependent_goals",
                                            _description_fns::check_potentially_region_dependent_goals(tcx,
                                                *key)),
                                    TaggedQueryKey::optimized_mir(key) =>
                                        ("optimized_mir",
                                            _description_fns::optimized_mir(tcx, *key)),
                                    TaggedQueryKey::coverage_attr_on(key) =>
                                        ("coverage_attr_on",
                                            _description_fns::coverage_attr_on(tcx, *key)),
                                    TaggedQueryKey::coverage_ids_info(key) =>
                                        ("coverage_ids_info",
                                            _description_fns::coverage_ids_info(tcx, *key)),
                                    TaggedQueryKey::promoted_mir(key) =>
                                        ("promoted_mir", _description_fns::promoted_mir(tcx, *key)),
                                    TaggedQueryKey::erase_and_anonymize_regions_ty(key) =>
                                        ("erase_and_anonymize_regions_ty",
                                            _description_fns::erase_and_anonymize_regions_ty(tcx,
                                                *key)),
                                    TaggedQueryKey::wasm_import_module_map(key) =>
                                        ("wasm_import_module_map",
                                            _description_fns::wasm_import_module_map(tcx, *key)),
                                    TaggedQueryKey::trait_explicit_predicates_and_bounds(key) =>
                                        ("trait_explicit_predicates_and_bounds",
                                            _description_fns::trait_explicit_predicates_and_bounds(tcx,
                                                *key)),
                                    TaggedQueryKey::explicit_predicates_of(key) =>
                                        ("explicit_predicates_of",
                                            _description_fns::explicit_predicates_of(tcx, *key)),
                                    TaggedQueryKey::inferred_outlives_of(key) =>
                                        ("inferred_outlives_of",
                                            _description_fns::inferred_outlives_of(tcx, *key)),
                                    TaggedQueryKey::explicit_super_predicates_of(key) =>
                                        ("explicit_super_predicates_of",
                                            _description_fns::explicit_super_predicates_of(tcx, *key)),
                                    TaggedQueryKey::explicit_implied_predicates_of(key) =>
                                        ("explicit_implied_predicates_of",
                                            _description_fns::explicit_implied_predicates_of(tcx,
                                                *key)),
                                    TaggedQueryKey::explicit_supertraits_containing_assoc_item(key)
                                        =>
                                        ("explicit_supertraits_containing_assoc_item",
                                            _description_fns::explicit_supertraits_containing_assoc_item(tcx,
                                                *key)),
                                    TaggedQueryKey::const_conditions(key) =>
                                        ("const_conditions",
                                            _description_fns::const_conditions(tcx, *key)),
                                    TaggedQueryKey::explicit_implied_const_bounds(key) =>
                                        ("explicit_implied_const_bounds",
                                            _description_fns::explicit_implied_const_bounds(tcx, *key)),
                                    TaggedQueryKey::type_param_predicates(key) =>
                                        ("type_param_predicates",
                                            _description_fns::type_param_predicates(tcx, *key)),
                                    TaggedQueryKey::trait_def(key) =>
                                        ("trait_def", _description_fns::trait_def(tcx, *key)),
                                    TaggedQueryKey::adt_def(key) =>
                                        ("adt_def", _description_fns::adt_def(tcx, *key)),
                                    TaggedQueryKey::adt_destructor(key) =>
                                        ("adt_destructor",
                                            _description_fns::adt_destructor(tcx, *key)),
                                    TaggedQueryKey::adt_async_destructor(key) =>
                                        ("adt_async_destructor",
                                            _description_fns::adt_async_destructor(tcx, *key)),
                                    TaggedQueryKey::adt_sizedness_constraint(key) =>
                                        ("adt_sizedness_constraint",
                                            _description_fns::adt_sizedness_constraint(tcx, *key)),
                                    TaggedQueryKey::adt_dtorck_constraint(key) =>
                                        ("adt_dtorck_constraint",
                                            _description_fns::adt_dtorck_constraint(tcx, *key)),
                                    TaggedQueryKey::constness(key) =>
                                        ("constness", _description_fns::constness(tcx, *key)),
                                    TaggedQueryKey::asyncness(key) =>
                                        ("asyncness", _description_fns::asyncness(tcx, *key)),
                                    TaggedQueryKey::is_promotable_const_fn(key) =>
                                        ("is_promotable_const_fn",
                                            _description_fns::is_promotable_const_fn(tcx, *key)),
                                    TaggedQueryKey::coroutine_by_move_body_def_id(key) =>
                                        ("coroutine_by_move_body_def_id",
                                            _description_fns::coroutine_by_move_body_def_id(tcx, *key)),
                                    TaggedQueryKey::coroutine_kind(key) =>
                                        ("coroutine_kind",
                                            _description_fns::coroutine_kind(tcx, *key)),
                                    TaggedQueryKey::coroutine_for_closure(key) =>
                                        ("coroutine_for_closure",
                                            _description_fns::coroutine_for_closure(tcx, *key)),
                                    TaggedQueryKey::coroutine_hidden_types(key) =>
                                        ("coroutine_hidden_types",
                                            _description_fns::coroutine_hidden_types(tcx, *key)),
                                    TaggedQueryKey::crate_variances(key) =>
                                        ("crate_variances",
                                            _description_fns::crate_variances(tcx, *key)),
                                    TaggedQueryKey::variances_of(key) =>
                                        ("variances_of", _description_fns::variances_of(tcx, *key)),
                                    TaggedQueryKey::inferred_outlives_crate(key) =>
                                        ("inferred_outlives_crate",
                                            _description_fns::inferred_outlives_crate(tcx, *key)),
                                    TaggedQueryKey::associated_item_def_ids(key) =>
                                        ("associated_item_def_ids",
                                            _description_fns::associated_item_def_ids(tcx, *key)),
                                    TaggedQueryKey::associated_item(key) =>
                                        ("associated_item",
                                            _description_fns::associated_item(tcx, *key)),
                                    TaggedQueryKey::associated_items(key) =>
                                        ("associated_items",
                                            _description_fns::associated_items(tcx, *key)),
                                    TaggedQueryKey::impl_item_implementor_ids(key) =>
                                        ("impl_item_implementor_ids",
                                            _description_fns::impl_item_implementor_ids(tcx, *key)),
                                    TaggedQueryKey::associated_types_for_impl_traits_in_trait_or_impl(key)
                                        =>
                                        ("associated_types_for_impl_traits_in_trait_or_impl",
                                            _description_fns::associated_types_for_impl_traits_in_trait_or_impl(tcx,
                                                *key)),
                                    TaggedQueryKey::impl_trait_header(key) =>
                                        ("impl_trait_header",
                                            _description_fns::impl_trait_header(tcx, *key)),
                                    TaggedQueryKey::impl_self_is_guaranteed_unsized(key) =>
                                        ("impl_self_is_guaranteed_unsized",
                                            _description_fns::impl_self_is_guaranteed_unsized(tcx,
                                                *key)),
                                    TaggedQueryKey::inherent_impls(key) =>
                                        ("inherent_impls",
                                            _description_fns::inherent_impls(tcx, *key)),
                                    TaggedQueryKey::incoherent_impls(key) =>
                                        ("incoherent_impls",
                                            _description_fns::incoherent_impls(tcx, *key)),
                                    TaggedQueryKey::check_transmutes(key) =>
                                        ("check_transmutes",
                                            _description_fns::check_transmutes(tcx, *key)),
                                    TaggedQueryKey::check_unsafety(key) =>
                                        ("check_unsafety",
                                            _description_fns::check_unsafety(tcx, *key)),
                                    TaggedQueryKey::check_tail_calls(key) =>
                                        ("check_tail_calls",
                                            _description_fns::check_tail_calls(tcx, *key)),
                                    TaggedQueryKey::assumed_wf_types(key) =>
                                        ("assumed_wf_types",
                                            _description_fns::assumed_wf_types(tcx, *key)),
                                    TaggedQueryKey::assumed_wf_types_for_rpitit(key) =>
                                        ("assumed_wf_types_for_rpitit",
                                            _description_fns::assumed_wf_types_for_rpitit(tcx, *key)),
                                    TaggedQueryKey::fn_sig(key) =>
                                        ("fn_sig", _description_fns::fn_sig(tcx, *key)),
                                    TaggedQueryKey::lint_mod(key) =>
                                        ("lint_mod", _description_fns::lint_mod(tcx, *key)),
                                    TaggedQueryKey::check_unused_traits(key) =>
                                        ("check_unused_traits",
                                            _description_fns::check_unused_traits(tcx, *key)),
                                    TaggedQueryKey::check_mod_attrs(key) =>
                                        ("check_mod_attrs",
                                            _description_fns::check_mod_attrs(tcx, *key)),
                                    TaggedQueryKey::check_mod_unstable_api_usage(key) =>
                                        ("check_mod_unstable_api_usage",
                                            _description_fns::check_mod_unstable_api_usage(tcx, *key)),
                                    TaggedQueryKey::check_mod_privacy(key) =>
                                        ("check_mod_privacy",
                                            _description_fns::check_mod_privacy(tcx, *key)),
                                    TaggedQueryKey::check_liveness(key) =>
                                        ("check_liveness",
                                            _description_fns::check_liveness(tcx, *key)),
                                    TaggedQueryKey::live_symbols_and_ignored_derived_traits(key)
                                        =>
                                        ("live_symbols_and_ignored_derived_traits",
                                            _description_fns::live_symbols_and_ignored_derived_traits(tcx,
                                                *key)),
                                    TaggedQueryKey::check_mod_deathness(key) =>
                                        ("check_mod_deathness",
                                            _description_fns::check_mod_deathness(tcx, *key)),
                                    TaggedQueryKey::check_type_wf(key) =>
                                        ("check_type_wf",
                                            _description_fns::check_type_wf(tcx, *key)),
                                    TaggedQueryKey::coerce_unsized_info(key) =>
                                        ("coerce_unsized_info",
                                            _description_fns::coerce_unsized_info(tcx, *key)),
                                    TaggedQueryKey::typeck(key) =>
                                        ("typeck", _description_fns::typeck(tcx, *key)),
                                    TaggedQueryKey::used_trait_imports(key) =>
                                        ("used_trait_imports",
                                            _description_fns::used_trait_imports(tcx, *key)),
                                    TaggedQueryKey::coherent_trait(key) =>
                                        ("coherent_trait",
                                            _description_fns::coherent_trait(tcx, *key)),
                                    TaggedQueryKey::mir_borrowck(key) =>
                                        ("mir_borrowck", _description_fns::mir_borrowck(tcx, *key)),
                                    TaggedQueryKey::crate_inherent_impls(key) =>
                                        ("crate_inherent_impls",
                                            _description_fns::crate_inherent_impls(tcx, *key)),
                                    TaggedQueryKey::crate_inherent_impls_validity_check(key) =>
                                        ("crate_inherent_impls_validity_check",
                                            _description_fns::crate_inherent_impls_validity_check(tcx,
                                                *key)),
                                    TaggedQueryKey::crate_inherent_impls_overlap_check(key) =>
                                        ("crate_inherent_impls_overlap_check",
                                            _description_fns::crate_inherent_impls_overlap_check(tcx,
                                                *key)),
                                    TaggedQueryKey::orphan_check_impl(key) =>
                                        ("orphan_check_impl",
                                            _description_fns::orphan_check_impl(tcx, *key)),
                                    TaggedQueryKey::mir_callgraph_cyclic(key) =>
                                        ("mir_callgraph_cyclic",
                                            _description_fns::mir_callgraph_cyclic(tcx, *key)),
                                    TaggedQueryKey::mir_inliner_callees(key) =>
                                        ("mir_inliner_callees",
                                            _description_fns::mir_inliner_callees(tcx, *key)),
                                    TaggedQueryKey::tag_for_variant(key) =>
                                        ("tag_for_variant",
                                            _description_fns::tag_for_variant(tcx, *key)),
                                    TaggedQueryKey::eval_to_allocation_raw(key) =>
                                        ("eval_to_allocation_raw",
                                            _description_fns::eval_to_allocation_raw(tcx, *key)),
                                    TaggedQueryKey::eval_static_initializer(key) =>
                                        ("eval_static_initializer",
                                            _description_fns::eval_static_initializer(tcx, *key)),
                                    TaggedQueryKey::eval_to_const_value_raw(key) =>
                                        ("eval_to_const_value_raw",
                                            _description_fns::eval_to_const_value_raw(tcx, *key)),
                                    TaggedQueryKey::eval_to_valtree(key) =>
                                        ("eval_to_valtree",
                                            _description_fns::eval_to_valtree(tcx, *key)),
                                    TaggedQueryKey::valtree_to_const_val(key) =>
                                        ("valtree_to_const_val",
                                            _description_fns::valtree_to_const_val(tcx, *key)),
                                    TaggedQueryKey::lit_to_const(key) =>
                                        ("lit_to_const", _description_fns::lit_to_const(tcx, *key)),
                                    TaggedQueryKey::check_match(key) =>
                                        ("check_match", _description_fns::check_match(tcx, *key)),
                                    TaggedQueryKey::effective_visibilities(key) =>
                                        ("effective_visibilities",
                                            _description_fns::effective_visibilities(tcx, *key)),
                                    TaggedQueryKey::check_private_in_public(key) =>
                                        ("check_private_in_public",
                                            _description_fns::check_private_in_public(tcx, *key)),
                                    TaggedQueryKey::reachable_set(key) =>
                                        ("reachable_set",
                                            _description_fns::reachable_set(tcx, *key)),
                                    TaggedQueryKey::region_scope_tree(key) =>
                                        ("region_scope_tree",
                                            _description_fns::region_scope_tree(tcx, *key)),
                                    TaggedQueryKey::mir_shims(key) =>
                                        ("mir_shims", _description_fns::mir_shims(tcx, *key)),
                                    TaggedQueryKey::symbol_name(key) =>
                                        ("symbol_name", _description_fns::symbol_name(tcx, *key)),
                                    TaggedQueryKey::def_kind(key) =>
                                        ("def_kind", _description_fns::def_kind(tcx, *key)),
                                    TaggedQueryKey::def_span(key) =>
                                        ("def_span", _description_fns::def_span(tcx, *key)),
                                    TaggedQueryKey::def_ident_span(key) =>
                                        ("def_ident_span",
                                            _description_fns::def_ident_span(tcx, *key)),
                                    TaggedQueryKey::ty_span(key) =>
                                        ("ty_span", _description_fns::ty_span(tcx, *key)),
                                    TaggedQueryKey::lookup_stability(key) =>
                                        ("lookup_stability",
                                            _description_fns::lookup_stability(tcx, *key)),
                                    TaggedQueryKey::lookup_const_stability(key) =>
                                        ("lookup_const_stability",
                                            _description_fns::lookup_const_stability(tcx, *key)),
                                    TaggedQueryKey::lookup_default_body_stability(key) =>
                                        ("lookup_default_body_stability",
                                            _description_fns::lookup_default_body_stability(tcx, *key)),
                                    TaggedQueryKey::should_inherit_track_caller(key) =>
                                        ("should_inherit_track_caller",
                                            _description_fns::should_inherit_track_caller(tcx, *key)),
                                    TaggedQueryKey::inherited_align(key) =>
                                        ("inherited_align",
                                            _description_fns::inherited_align(tcx, *key)),
                                    TaggedQueryKey::lookup_deprecation_entry(key) =>
                                        ("lookup_deprecation_entry",
                                            _description_fns::lookup_deprecation_entry(tcx, *key)),
                                    TaggedQueryKey::is_doc_hidden(key) =>
                                        ("is_doc_hidden",
                                            _description_fns::is_doc_hidden(tcx, *key)),
                                    TaggedQueryKey::is_doc_notable_trait(key) =>
                                        ("is_doc_notable_trait",
                                            _description_fns::is_doc_notable_trait(tcx, *key)),
                                    TaggedQueryKey::attrs_for_def(key) =>
                                        ("attrs_for_def",
                                            _description_fns::attrs_for_def(tcx, *key)),
                                    TaggedQueryKey::codegen_fn_attrs(key) =>
                                        ("codegen_fn_attrs",
                                            _description_fns::codegen_fn_attrs(tcx, *key)),
                                    TaggedQueryKey::asm_target_features(key) =>
                                        ("asm_target_features",
                                            _description_fns::asm_target_features(tcx, *key)),
                                    TaggedQueryKey::fn_arg_idents(key) =>
                                        ("fn_arg_idents",
                                            _description_fns::fn_arg_idents(tcx, *key)),
                                    TaggedQueryKey::rendered_const(key) =>
                                        ("rendered_const",
                                            _description_fns::rendered_const(tcx, *key)),
                                    TaggedQueryKey::rendered_precise_capturing_args(key) =>
                                        ("rendered_precise_capturing_args",
                                            _description_fns::rendered_precise_capturing_args(tcx,
                                                *key)),
                                    TaggedQueryKey::impl_parent(key) =>
                                        ("impl_parent", _description_fns::impl_parent(tcx, *key)),
                                    TaggedQueryKey::is_mir_available(key) =>
                                        ("is_mir_available",
                                            _description_fns::is_mir_available(tcx, *key)),
                                    TaggedQueryKey::own_existential_vtable_entries(key) =>
                                        ("own_existential_vtable_entries",
                                            _description_fns::own_existential_vtable_entries(tcx,
                                                *key)),
                                    TaggedQueryKey::vtable_entries(key) =>
                                        ("vtable_entries",
                                            _description_fns::vtable_entries(tcx, *key)),
                                    TaggedQueryKey::first_method_vtable_slot(key) =>
                                        ("first_method_vtable_slot",
                                            _description_fns::first_method_vtable_slot(tcx, *key)),
                                    TaggedQueryKey::supertrait_vtable_slot(key) =>
                                        ("supertrait_vtable_slot",
                                            _description_fns::supertrait_vtable_slot(tcx, *key)),
                                    TaggedQueryKey::vtable_allocation(key) =>
                                        ("vtable_allocation",
                                            _description_fns::vtable_allocation(tcx, *key)),
                                    TaggedQueryKey::codegen_select_candidate(key) =>
                                        ("codegen_select_candidate",
                                            _description_fns::codegen_select_candidate(tcx, *key)),
                                    TaggedQueryKey::all_local_trait_impls(key) =>
                                        ("all_local_trait_impls",
                                            _description_fns::all_local_trait_impls(tcx, *key)),
                                    TaggedQueryKey::local_trait_impls(key) =>
                                        ("local_trait_impls",
                                            _description_fns::local_trait_impls(tcx, *key)),
                                    TaggedQueryKey::trait_impls_of(key) =>
                                        ("trait_impls_of",
                                            _description_fns::trait_impls_of(tcx, *key)),
                                    TaggedQueryKey::specialization_graph_of(key) =>
                                        ("specialization_graph_of",
                                            _description_fns::specialization_graph_of(tcx, *key)),
                                    TaggedQueryKey::dyn_compatibility_violations(key) =>
                                        ("dyn_compatibility_violations",
                                            _description_fns::dyn_compatibility_violations(tcx, *key)),
                                    TaggedQueryKey::is_dyn_compatible(key) =>
                                        ("is_dyn_compatible",
                                            _description_fns::is_dyn_compatible(tcx, *key)),
                                    TaggedQueryKey::param_env(key) =>
                                        ("param_env", _description_fns::param_env(tcx, *key)),
                                    TaggedQueryKey::typing_env_normalized_for_post_analysis(key)
                                        =>
                                        ("typing_env_normalized_for_post_analysis",
                                            _description_fns::typing_env_normalized_for_post_analysis(tcx,
                                                *key)),
                                    TaggedQueryKey::is_copy_raw(key) =>
                                        ("is_copy_raw", _description_fns::is_copy_raw(tcx, *key)),
                                    TaggedQueryKey::is_use_cloned_raw(key) =>
                                        ("is_use_cloned_raw",
                                            _description_fns::is_use_cloned_raw(tcx, *key)),
                                    TaggedQueryKey::is_sized_raw(key) =>
                                        ("is_sized_raw", _description_fns::is_sized_raw(tcx, *key)),
                                    TaggedQueryKey::is_freeze_raw(key) =>
                                        ("is_freeze_raw",
                                            _description_fns::is_freeze_raw(tcx, *key)),
                                    TaggedQueryKey::is_unsafe_unpin_raw(key) =>
                                        ("is_unsafe_unpin_raw",
                                            _description_fns::is_unsafe_unpin_raw(tcx, *key)),
                                    TaggedQueryKey::is_unpin_raw(key) =>
                                        ("is_unpin_raw", _description_fns::is_unpin_raw(tcx, *key)),
                                    TaggedQueryKey::is_async_drop_raw(key) =>
                                        ("is_async_drop_raw",
                                            _description_fns::is_async_drop_raw(tcx, *key)),
                                    TaggedQueryKey::needs_drop_raw(key) =>
                                        ("needs_drop_raw",
                                            _description_fns::needs_drop_raw(tcx, *key)),
                                    TaggedQueryKey::needs_async_drop_raw(key) =>
                                        ("needs_async_drop_raw",
                                            _description_fns::needs_async_drop_raw(tcx, *key)),
                                    TaggedQueryKey::has_significant_drop_raw(key) =>
                                        ("has_significant_drop_raw",
                                            _description_fns::has_significant_drop_raw(tcx, *key)),
                                    TaggedQueryKey::has_structural_eq_impl(key) =>
                                        ("has_structural_eq_impl",
                                            _description_fns::has_structural_eq_impl(tcx, *key)),
                                    TaggedQueryKey::adt_drop_tys(key) =>
                                        ("adt_drop_tys", _description_fns::adt_drop_tys(tcx, *key)),
                                    TaggedQueryKey::adt_async_drop_tys(key) =>
                                        ("adt_async_drop_tys",
                                            _description_fns::adt_async_drop_tys(tcx, *key)),
                                    TaggedQueryKey::adt_significant_drop_tys(key) =>
                                        ("adt_significant_drop_tys",
                                            _description_fns::adt_significant_drop_tys(tcx, *key)),
                                    TaggedQueryKey::list_significant_drop_tys(key) =>
                                        ("list_significant_drop_tys",
                                            _description_fns::list_significant_drop_tys(tcx, *key)),
                                    TaggedQueryKey::layout_of(key) =>
                                        ("layout_of", _description_fns::layout_of(tcx, *key)),
                                    TaggedQueryKey::fn_abi_of_fn_ptr(key) =>
                                        ("fn_abi_of_fn_ptr",
                                            _description_fns::fn_abi_of_fn_ptr(tcx, *key)),
                                    TaggedQueryKey::fn_abi_of_instance_no_deduced_attrs(key) =>
                                        ("fn_abi_of_instance_no_deduced_attrs",
                                            _description_fns::fn_abi_of_instance_no_deduced_attrs(tcx,
                                                *key)),
                                    TaggedQueryKey::fn_abi_of_instance_raw(key) =>
                                        ("fn_abi_of_instance_raw",
                                            _description_fns::fn_abi_of_instance_raw(tcx, *key)),
                                    TaggedQueryKey::dylib_dependency_formats(key) =>
                                        ("dylib_dependency_formats",
                                            _description_fns::dylib_dependency_formats(tcx, *key)),
                                    TaggedQueryKey::dependency_formats(key) =>
                                        ("dependency_formats",
                                            _description_fns::dependency_formats(tcx, *key)),
                                    TaggedQueryKey::is_compiler_builtins(key) =>
                                        ("is_compiler_builtins",
                                            _description_fns::is_compiler_builtins(tcx, *key)),
                                    TaggedQueryKey::has_global_allocator(key) =>
                                        ("has_global_allocator",
                                            _description_fns::has_global_allocator(tcx, *key)),
                                    TaggedQueryKey::has_alloc_error_handler(key) =>
                                        ("has_alloc_error_handler",
                                            _description_fns::has_alloc_error_handler(tcx, *key)),
                                    TaggedQueryKey::has_panic_handler(key) =>
                                        ("has_panic_handler",
                                            _description_fns::has_panic_handler(tcx, *key)),
                                    TaggedQueryKey::is_profiler_runtime(key) =>
                                        ("is_profiler_runtime",
                                            _description_fns::is_profiler_runtime(tcx, *key)),
                                    TaggedQueryKey::has_ffi_unwind_calls(key) =>
                                        ("has_ffi_unwind_calls",
                                            _description_fns::has_ffi_unwind_calls(tcx, *key)),
                                    TaggedQueryKey::required_panic_strategy(key) =>
                                        ("required_panic_strategy",
                                            _description_fns::required_panic_strategy(tcx, *key)),
                                    TaggedQueryKey::panic_in_drop_strategy(key) =>
                                        ("panic_in_drop_strategy",
                                            _description_fns::panic_in_drop_strategy(tcx, *key)),
                                    TaggedQueryKey::is_no_builtins(key) =>
                                        ("is_no_builtins",
                                            _description_fns::is_no_builtins(tcx, *key)),
                                    TaggedQueryKey::symbol_mangling_version(key) =>
                                        ("symbol_mangling_version",
                                            _description_fns::symbol_mangling_version(tcx, *key)),
                                    TaggedQueryKey::extern_crate(key) =>
                                        ("extern_crate", _description_fns::extern_crate(tcx, *key)),
                                    TaggedQueryKey::specialization_enabled_in(key) =>
                                        ("specialization_enabled_in",
                                            _description_fns::specialization_enabled_in(tcx, *key)),
                                    TaggedQueryKey::specializes(key) =>
                                        ("specializes", _description_fns::specializes(tcx, *key)),
                                    TaggedQueryKey::in_scope_traits_map(key) =>
                                        ("in_scope_traits_map",
                                            _description_fns::in_scope_traits_map(tcx, *key)),
                                    TaggedQueryKey::defaultness(key) =>
                                        ("defaultness", _description_fns::defaultness(tcx, *key)),
                                    TaggedQueryKey::default_field(key) =>
                                        ("default_field",
                                            _description_fns::default_field(tcx, *key)),
                                    TaggedQueryKey::check_well_formed(key) =>
                                        ("check_well_formed",
                                            _description_fns::check_well_formed(tcx, *key)),
                                    TaggedQueryKey::enforce_impl_non_lifetime_params_are_constrained(key)
                                        =>
                                        ("enforce_impl_non_lifetime_params_are_constrained",
                                            _description_fns::enforce_impl_non_lifetime_params_are_constrained(tcx,
                                                *key)),
                                    TaggedQueryKey::reachable_non_generics(key) =>
                                        ("reachable_non_generics",
                                            _description_fns::reachable_non_generics(tcx, *key)),
                                    TaggedQueryKey::is_reachable_non_generic(key) =>
                                        ("is_reachable_non_generic",
                                            _description_fns::is_reachable_non_generic(tcx, *key)),
                                    TaggedQueryKey::is_unreachable_local_definition(key) =>
                                        ("is_unreachable_local_definition",
                                            _description_fns::is_unreachable_local_definition(tcx,
                                                *key)),
                                    TaggedQueryKey::upstream_monomorphizations(key) =>
                                        ("upstream_monomorphizations",
                                            _description_fns::upstream_monomorphizations(tcx, *key)),
                                    TaggedQueryKey::upstream_monomorphizations_for(key) =>
                                        ("upstream_monomorphizations_for",
                                            _description_fns::upstream_monomorphizations_for(tcx,
                                                *key)),
                                    TaggedQueryKey::upstream_drop_glue_for(key) =>
                                        ("upstream_drop_glue_for",
                                            _description_fns::upstream_drop_glue_for(tcx, *key)),
                                    TaggedQueryKey::upstream_async_drop_glue_for(key) =>
                                        ("upstream_async_drop_glue_for",
                                            _description_fns::upstream_async_drop_glue_for(tcx, *key)),
                                    TaggedQueryKey::foreign_modules(key) =>
                                        ("foreign_modules",
                                            _description_fns::foreign_modules(tcx, *key)),
                                    TaggedQueryKey::clashing_extern_declarations(key) =>
                                        ("clashing_extern_declarations",
                                            _description_fns::clashing_extern_declarations(tcx, *key)),
                                    TaggedQueryKey::entry_fn(key) =>
                                        ("entry_fn", _description_fns::entry_fn(tcx, *key)),
                                    TaggedQueryKey::proc_macro_decls_static(key) =>
                                        ("proc_macro_decls_static",
                                            _description_fns::proc_macro_decls_static(tcx, *key)),
                                    TaggedQueryKey::crate_hash(key) =>
                                        ("crate_hash", _description_fns::crate_hash(tcx, *key)),
                                    TaggedQueryKey::crate_host_hash(key) =>
                                        ("crate_host_hash",
                                            _description_fns::crate_host_hash(tcx, *key)),
                                    TaggedQueryKey::extra_filename(key) =>
                                        ("extra_filename",
                                            _description_fns::extra_filename(tcx, *key)),
                                    TaggedQueryKey::crate_extern_paths(key) =>
                                        ("crate_extern_paths",
                                            _description_fns::crate_extern_paths(tcx, *key)),
                                    TaggedQueryKey::implementations_of_trait(key) =>
                                        ("implementations_of_trait",
                                            _description_fns::implementations_of_trait(tcx, *key)),
                                    TaggedQueryKey::crate_incoherent_impls(key) =>
                                        ("crate_incoherent_impls",
                                            _description_fns::crate_incoherent_impls(tcx, *key)),
                                    TaggedQueryKey::native_library(key) =>
                                        ("native_library",
                                            _description_fns::native_library(tcx, *key)),
                                    TaggedQueryKey::inherit_sig_for_delegation_item(key) =>
                                        ("inherit_sig_for_delegation_item",
                                            _description_fns::inherit_sig_for_delegation_item(tcx,
                                                *key)),
                                    TaggedQueryKey::resolve_bound_vars(key) =>
                                        ("resolve_bound_vars",
                                            _description_fns::resolve_bound_vars(tcx, *key)),
                                    TaggedQueryKey::named_variable_map(key) =>
                                        ("named_variable_map",
                                            _description_fns::named_variable_map(tcx, *key)),
                                    TaggedQueryKey::is_late_bound_map(key) =>
                                        ("is_late_bound_map",
                                            _description_fns::is_late_bound_map(tcx, *key)),
                                    TaggedQueryKey::object_lifetime_default(key) =>
                                        ("object_lifetime_default",
                                            _description_fns::object_lifetime_default(tcx, *key)),
                                    TaggedQueryKey::late_bound_vars_map(key) =>
                                        ("late_bound_vars_map",
                                            _description_fns::late_bound_vars_map(tcx, *key)),
                                    TaggedQueryKey::opaque_captured_lifetimes(key) =>
                                        ("opaque_captured_lifetimes",
                                            _description_fns::opaque_captured_lifetimes(tcx, *key)),
                                    TaggedQueryKey::visibility(key) =>
                                        ("visibility", _description_fns::visibility(tcx, *key)),
                                    TaggedQueryKey::inhabited_predicate_adt(key) =>
                                        ("inhabited_predicate_adt",
                                            _description_fns::inhabited_predicate_adt(tcx, *key)),
                                    TaggedQueryKey::inhabited_predicate_type(key) =>
                                        ("inhabited_predicate_type",
                                            _description_fns::inhabited_predicate_type(tcx, *key)),
                                    TaggedQueryKey::crate_dep_kind(key) =>
                                        ("crate_dep_kind",
                                            _description_fns::crate_dep_kind(tcx, *key)),
                                    TaggedQueryKey::crate_name(key) =>
                                        ("crate_name", _description_fns::crate_name(tcx, *key)),
                                    TaggedQueryKey::module_children(key) =>
                                        ("module_children",
                                            _description_fns::module_children(tcx, *key)),
                                    TaggedQueryKey::num_extern_def_ids(key) =>
                                        ("num_extern_def_ids",
                                            _description_fns::num_extern_def_ids(tcx, *key)),
                                    TaggedQueryKey::lib_features(key) =>
                                        ("lib_features", _description_fns::lib_features(tcx, *key)),
                                    TaggedQueryKey::stability_implications(key) =>
                                        ("stability_implications",
                                            _description_fns::stability_implications(tcx, *key)),
                                    TaggedQueryKey::intrinsic_raw(key) =>
                                        ("intrinsic_raw",
                                            _description_fns::intrinsic_raw(tcx, *key)),
                                    TaggedQueryKey::get_lang_items(key) =>
                                        ("get_lang_items",
                                            _description_fns::get_lang_items(tcx, *key)),
                                    TaggedQueryKey::all_diagnostic_items(key) =>
                                        ("all_diagnostic_items",
                                            _description_fns::all_diagnostic_items(tcx, *key)),
                                    TaggedQueryKey::defined_lang_items(key) =>
                                        ("defined_lang_items",
                                            _description_fns::defined_lang_items(tcx, *key)),
                                    TaggedQueryKey::diagnostic_items(key) =>
                                        ("diagnostic_items",
                                            _description_fns::diagnostic_items(tcx, *key)),
                                    TaggedQueryKey::missing_lang_items(key) =>
                                        ("missing_lang_items",
                                            _description_fns::missing_lang_items(tcx, *key)),
                                    TaggedQueryKey::visible_parent_map(key) =>
                                        ("visible_parent_map",
                                            _description_fns::visible_parent_map(tcx, *key)),
                                    TaggedQueryKey::trimmed_def_paths(key) =>
                                        ("trimmed_def_paths",
                                            _description_fns::trimmed_def_paths(tcx, *key)),
                                    TaggedQueryKey::missing_extern_crate_item(key) =>
                                        ("missing_extern_crate_item",
                                            _description_fns::missing_extern_crate_item(tcx, *key)),
                                    TaggedQueryKey::used_crate_source(key) =>
                                        ("used_crate_source",
                                            _description_fns::used_crate_source(tcx, *key)),
                                    TaggedQueryKey::debugger_visualizers(key) =>
                                        ("debugger_visualizers",
                                            _description_fns::debugger_visualizers(tcx, *key)),
                                    TaggedQueryKey::postorder_cnums(key) =>
                                        ("postorder_cnums",
                                            _description_fns::postorder_cnums(tcx, *key)),
                                    TaggedQueryKey::is_private_dep(key) =>
                                        ("is_private_dep",
                                            _description_fns::is_private_dep(tcx, *key)),
                                    TaggedQueryKey::allocator_kind(key) =>
                                        ("allocator_kind",
                                            _description_fns::allocator_kind(tcx, *key)),
                                    TaggedQueryKey::alloc_error_handler_kind(key) =>
                                        ("alloc_error_handler_kind",
                                            _description_fns::alloc_error_handler_kind(tcx, *key)),
                                    TaggedQueryKey::upvars_mentioned(key) =>
                                        ("upvars_mentioned",
                                            _description_fns::upvars_mentioned(tcx, *key)),
                                    TaggedQueryKey::crates(key) =>
                                        ("crates", _description_fns::crates(tcx, *key)),
                                    TaggedQueryKey::used_crates(key) =>
                                        ("used_crates", _description_fns::used_crates(tcx, *key)),
                                    TaggedQueryKey::duplicate_crate_names(key) =>
                                        ("duplicate_crate_names",
                                            _description_fns::duplicate_crate_names(tcx, *key)),
                                    TaggedQueryKey::traits(key) =>
                                        ("traits", _description_fns::traits(tcx, *key)),
                                    TaggedQueryKey::trait_impls_in_crate(key) =>
                                        ("trait_impls_in_crate",
                                            _description_fns::trait_impls_in_crate(tcx, *key)),
                                    TaggedQueryKey::stable_order_of_exportable_impls(key) =>
                                        ("stable_order_of_exportable_impls",
                                            _description_fns::stable_order_of_exportable_impls(tcx,
                                                *key)),
                                    TaggedQueryKey::exportable_items(key) =>
                                        ("exportable_items",
                                            _description_fns::exportable_items(tcx, *key)),
                                    TaggedQueryKey::exported_non_generic_symbols(key) =>
                                        ("exported_non_generic_symbols",
                                            _description_fns::exported_non_generic_symbols(tcx, *key)),
                                    TaggedQueryKey::exported_generic_symbols(key) =>
                                        ("exported_generic_symbols",
                                            _description_fns::exported_generic_symbols(tcx, *key)),
                                    TaggedQueryKey::collect_and_partition_mono_items(key) =>
                                        ("collect_and_partition_mono_items",
                                            _description_fns::collect_and_partition_mono_items(tcx,
                                                *key)),
                                    TaggedQueryKey::is_codegened_item(key) =>
                                        ("is_codegened_item",
                                            _description_fns::is_codegened_item(tcx, *key)),
                                    TaggedQueryKey::codegen_unit(key) =>
                                        ("codegen_unit", _description_fns::codegen_unit(tcx, *key)),
                                    TaggedQueryKey::backend_optimization_level(key) =>
                                        ("backend_optimization_level",
                                            _description_fns::backend_optimization_level(tcx, *key)),
                                    TaggedQueryKey::output_filenames(key) =>
                                        ("output_filenames",
                                            _description_fns::output_filenames(tcx, *key)),
                                    TaggedQueryKey::normalize_canonicalized_projection(key) =>
                                        ("normalize_canonicalized_projection",
                                            _description_fns::normalize_canonicalized_projection(tcx,
                                                *key)),
                                    TaggedQueryKey::normalize_canonicalized_free_alias(key) =>
                                        ("normalize_canonicalized_free_alias",
                                            _description_fns::normalize_canonicalized_free_alias(tcx,
                                                *key)),
                                    TaggedQueryKey::normalize_canonicalized_inherent_projection(key)
                                        =>
                                        ("normalize_canonicalized_inherent_projection",
                                            _description_fns::normalize_canonicalized_inherent_projection(tcx,
                                                *key)),
                                    TaggedQueryKey::try_normalize_generic_arg_after_erasing_regions(key)
                                        =>
                                        ("try_normalize_generic_arg_after_erasing_regions",
                                            _description_fns::try_normalize_generic_arg_after_erasing_regions(tcx,
                                                *key)),
                                    TaggedQueryKey::implied_outlives_bounds(key) =>
                                        ("implied_outlives_bounds",
                                            _description_fns::implied_outlives_bounds(tcx, *key)),
                                    TaggedQueryKey::dropck_outlives(key) =>
                                        ("dropck_outlives",
                                            _description_fns::dropck_outlives(tcx, *key)),
                                    TaggedQueryKey::evaluate_obligation(key) =>
                                        ("evaluate_obligation",
                                            _description_fns::evaluate_obligation(tcx, *key)),
                                    TaggedQueryKey::type_op_ascribe_user_type(key) =>
                                        ("type_op_ascribe_user_type",
                                            _description_fns::type_op_ascribe_user_type(tcx, *key)),
                                    TaggedQueryKey::type_op_prove_predicate(key) =>
                                        ("type_op_prove_predicate",
                                            _description_fns::type_op_prove_predicate(tcx, *key)),
                                    TaggedQueryKey::type_op_normalize_ty(key) =>
                                        ("type_op_normalize_ty",
                                            _description_fns::type_op_normalize_ty(tcx, *key)),
                                    TaggedQueryKey::type_op_normalize_clause(key) =>
                                        ("type_op_normalize_clause",
                                            _description_fns::type_op_normalize_clause(tcx, *key)),
                                    TaggedQueryKey::type_op_normalize_poly_fn_sig(key) =>
                                        ("type_op_normalize_poly_fn_sig",
                                            _description_fns::type_op_normalize_poly_fn_sig(tcx, *key)),
                                    TaggedQueryKey::type_op_normalize_fn_sig(key) =>
                                        ("type_op_normalize_fn_sig",
                                            _description_fns::type_op_normalize_fn_sig(tcx, *key)),
                                    TaggedQueryKey::instantiate_and_check_impossible_predicates(key)
                                        =>
                                        ("instantiate_and_check_impossible_predicates",
                                            _description_fns::instantiate_and_check_impossible_predicates(tcx,
                                                *key)),
                                    TaggedQueryKey::is_impossible_associated_item(key) =>
                                        ("is_impossible_associated_item",
                                            _description_fns::is_impossible_associated_item(tcx, *key)),
                                    TaggedQueryKey::method_autoderef_steps(key) =>
                                        ("method_autoderef_steps",
                                            _description_fns::method_autoderef_steps(tcx, *key)),
                                    TaggedQueryKey::evaluate_root_goal_for_proof_tree_raw(key)
                                        =>
                                        ("evaluate_root_goal_for_proof_tree_raw",
                                            _description_fns::evaluate_root_goal_for_proof_tree_raw(tcx,
                                                *key)),
                                    TaggedQueryKey::rust_target_features(key) =>
                                        ("rust_target_features",
                                            _description_fns::rust_target_features(tcx, *key)),
                                    TaggedQueryKey::implied_target_features(key) =>
                                        ("implied_target_features",
                                            _description_fns::implied_target_features(tcx, *key)),
                                    TaggedQueryKey::features_query(key) =>
                                        ("features_query",
                                            _description_fns::features_query(tcx, *key)),
                                    TaggedQueryKey::crate_for_resolver(key) =>
                                        ("crate_for_resolver",
                                            _description_fns::crate_for_resolver(tcx, *key)),
                                    TaggedQueryKey::resolve_instance_raw(key) =>
                                        ("resolve_instance_raw",
                                            _description_fns::resolve_instance_raw(tcx, *key)),
                                    TaggedQueryKey::reveal_opaque_types_in_bounds(key) =>
                                        ("reveal_opaque_types_in_bounds",
                                            _description_fns::reveal_opaque_types_in_bounds(tcx, *key)),
                                    TaggedQueryKey::limits(key) =>
                                        ("limits", _description_fns::limits(tcx, *key)),
                                    TaggedQueryKey::diagnostic_hir_wf_check(key) =>
                                        ("diagnostic_hir_wf_check",
                                            _description_fns::diagnostic_hir_wf_check(tcx, *key)),
                                    TaggedQueryKey::global_backend_features(key) =>
                                        ("global_backend_features",
                                            _description_fns::global_backend_features(tcx, *key)),
                                    TaggedQueryKey::check_validity_requirement(key) =>
                                        ("check_validity_requirement",
                                            _description_fns::check_validity_requirement(tcx, *key)),
                                    TaggedQueryKey::compare_impl_item(key) =>
                                        ("compare_impl_item",
                                            _description_fns::compare_impl_item(tcx, *key)),
                                    TaggedQueryKey::deduced_param_attrs(key) =>
                                        ("deduced_param_attrs",
                                            _description_fns::deduced_param_attrs(tcx, *key)),
                                    TaggedQueryKey::doc_link_resolutions(key) =>
                                        ("doc_link_resolutions",
                                            _description_fns::doc_link_resolutions(tcx, *key)),
                                    TaggedQueryKey::doc_link_traits_in_scope(key) =>
                                        ("doc_link_traits_in_scope",
                                            _description_fns::doc_link_traits_in_scope(tcx, *key)),
                                    TaggedQueryKey::stripped_cfg_items(key) =>
                                        ("stripped_cfg_items",
                                            _description_fns::stripped_cfg_items(tcx, *key)),
                                    TaggedQueryKey::generics_require_sized_self(key) =>
                                        ("generics_require_sized_self",
                                            _description_fns::generics_require_sized_self(tcx, *key)),
                                    TaggedQueryKey::cross_crate_inlinable(key) =>
                                        ("cross_crate_inlinable",
                                            _description_fns::cross_crate_inlinable(tcx, *key)),
                                    TaggedQueryKey::check_mono_item(key) =>
                                        ("check_mono_item",
                                            _description_fns::check_mono_item(tcx, *key)),
                                    TaggedQueryKey::skip_move_check_fns(key) =>
                                        ("skip_move_check_fns",
                                            _description_fns::skip_move_check_fns(tcx, *key)),
                                    TaggedQueryKey::items_of_instance(key) =>
                                        ("items_of_instance",
                                            _description_fns::items_of_instance(tcx, *key)),
                                    TaggedQueryKey::size_estimate(key) =>
                                        ("size_estimate",
                                            _description_fns::size_estimate(tcx, *key)),
                                    TaggedQueryKey::anon_const_kind(key) =>
                                        ("anon_const_kind",
                                            _description_fns::anon_const_kind(tcx, *key)),
                                    TaggedQueryKey::trivial_const(key) =>
                                        ("trivial_const",
                                            _description_fns::trivial_const(tcx, *key)),
                                    TaggedQueryKey::sanitizer_settings_for(key) =>
                                        ("sanitizer_settings_for",
                                            _description_fns::sanitizer_settings_for(tcx, *key)),
                                    TaggedQueryKey::check_externally_implementable_items(key) =>
                                        ("check_externally_implementable_items",
                                            _description_fns::check_externally_implementable_items(tcx,
                                                *key)),
                                    TaggedQueryKey::externally_implementable_items(key) =>
                                        ("externally_implementable_items",
                                            _description_fns::externally_implementable_items(tcx,
                                                *key)),
                                }
                            }
                        }
                    }
                }
            };
        if tcx.sess.verbose_internals() {
            ::alloc::__export::must_use({
                    ::alloc::fmt::format(format_args!("{0} [{1:?}]",
                            description, name))
                })
        } else { description }
    }
    /// Returns the default span for this query if `span` is a dummy span.
    pub fn default_span(&self, tcx: TyCtxt<'tcx>, span: Span) -> Span {
        if !span.is_dummy() { return span }
        if let TaggedQueryKey::def_span(..) = self { return DUMMY_SP }
        match self {
            TaggedQueryKey::derive_macro_expansion(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::trigger_delayed_bug(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::registered_tools(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::early_lint_checks(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::env_var_os(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::resolutions(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::resolver_for_lowering_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::source_span(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::hir_crate(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::hir_crate_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::hir_module_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::local_def_id_to_hir_id(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::hir_owner_parent_q(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::opt_hir_owner_nodes(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::hir_attr_map(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::opt_ast_lowering_delayed_lints(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::const_param_default(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::const_of_item(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_of_opaque(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_of_opaque_hir_typeck(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_alias_is_lazy(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::collect_return_position_impl_trait_in_trait_tys(key)
                => crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::opaque_ty_origin(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::unsizing_params_for_adt(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::analysis(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_expectations(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::generics_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::predicates_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::opaque_types_defined_by(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::nested_bodies_within(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::explicit_item_bounds(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::explicit_item_self_bounds(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::item_bounds(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::item_self_bounds(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::item_non_self_bounds(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::impl_super_outlives(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::native_libraries(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::shallow_lint_levels_on(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::lint_expectations(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::lints_that_dont_need_to_run(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::expn_that_defined(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_panic_runtime(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_representability(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_representability_adt_ty(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::params_in_repr(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::thir_body(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_keys(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_const_qualif(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_built(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::thir_abstract_const(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_drops_elaborated_and_const_checked(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_for_ctfe(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_promoted(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::closure_typeinfo(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::closure_saved_names_of_captured_variables(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_coroutine_witnesses(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_coroutine_obligations(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_potentially_region_dependent_goals(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::optimized_mir(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::coverage_attr_on(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::coverage_ids_info(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::promoted_mir(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::erase_and_anonymize_regions_ty(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::wasm_import_module_map(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::trait_explicit_predicates_and_bounds(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::explicit_predicates_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::inferred_outlives_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::explicit_super_predicates_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::explicit_implied_predicates_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::explicit_supertraits_containing_assoc_item(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::const_conditions(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::explicit_implied_const_bounds(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_param_predicates(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::trait_def(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::adt_def(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::adt_destructor(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::adt_async_destructor(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::adt_sizedness_constraint(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::adt_dtorck_constraint(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::constness(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::asyncness(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_promotable_const_fn(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::coroutine_by_move_body_def_id(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::coroutine_kind(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::coroutine_for_closure(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::coroutine_hidden_types(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_variances(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::variances_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::inferred_outlives_crate(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::associated_item_def_ids(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::associated_item(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::associated_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::impl_item_implementor_ids(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::associated_types_for_impl_traits_in_trait_or_impl(key)
                => crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::impl_trait_header(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::impl_self_is_guaranteed_unsized(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::inherent_impls(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::incoherent_impls(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_transmutes(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_unsafety(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_tail_calls(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::assumed_wf_types(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::assumed_wf_types_for_rpitit(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::fn_sig(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::lint_mod(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_unused_traits(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_mod_attrs(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_mod_unstable_api_usage(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_mod_privacy(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_liveness(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::live_symbols_and_ignored_derived_traits(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_mod_deathness(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_type_wf(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::coerce_unsized_info(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::typeck(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::used_trait_imports(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::coherent_trait(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_borrowck(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_inherent_impls(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_inherent_impls_validity_check(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_inherent_impls_overlap_check(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::orphan_check_impl(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_callgraph_cyclic(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_inliner_callees(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::tag_for_variant(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::eval_to_allocation_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::eval_static_initializer(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::eval_to_const_value_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::eval_to_valtree(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::valtree_to_const_val(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::lit_to_const(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_match(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::effective_visibilities(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_private_in_public(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::reachable_set(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::region_scope_tree(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::mir_shims(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::symbol_name(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::def_kind(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::def_span(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::def_ident_span(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::ty_span(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::lookup_stability(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::lookup_const_stability(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::lookup_default_body_stability(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::should_inherit_track_caller(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::inherited_align(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::lookup_deprecation_entry(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_doc_hidden(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_doc_notable_trait(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::attrs_for_def(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::codegen_fn_attrs(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::asm_target_features(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::fn_arg_idents(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::rendered_const(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::rendered_precise_capturing_args(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::impl_parent(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_mir_available(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::own_existential_vtable_entries(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::vtable_entries(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::first_method_vtable_slot(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::supertrait_vtable_slot(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::vtable_allocation(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::codegen_select_candidate(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::all_local_trait_impls(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::local_trait_impls(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::trait_impls_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::specialization_graph_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::dyn_compatibility_violations(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_dyn_compatible(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::param_env(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::typing_env_normalized_for_post_analysis(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_copy_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_use_cloned_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_sized_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_freeze_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_unsafe_unpin_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_unpin_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_async_drop_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::needs_drop_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::needs_async_drop_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::has_significant_drop_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::has_structural_eq_impl(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::adt_drop_tys(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::adt_async_drop_tys(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::adt_significant_drop_tys(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::list_significant_drop_tys(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::layout_of(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::fn_abi_of_fn_ptr(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::fn_abi_of_instance_no_deduced_attrs(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::fn_abi_of_instance_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::dylib_dependency_formats(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::dependency_formats(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_compiler_builtins(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::has_global_allocator(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::has_alloc_error_handler(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::has_panic_handler(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_profiler_runtime(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::has_ffi_unwind_calls(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::required_panic_strategy(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::panic_in_drop_strategy(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_no_builtins(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::symbol_mangling_version(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::extern_crate(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::specialization_enabled_in(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::specializes(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::in_scope_traits_map(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::defaultness(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::default_field(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_well_formed(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::enforce_impl_non_lifetime_params_are_constrained(key)
                => crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::reachable_non_generics(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_reachable_non_generic(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_unreachable_local_definition(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::upstream_monomorphizations(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::upstream_monomorphizations_for(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::upstream_drop_glue_for(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::upstream_async_drop_glue_for(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::foreign_modules(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::clashing_extern_declarations(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::entry_fn(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::proc_macro_decls_static(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_hash(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_host_hash(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::extra_filename(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_extern_paths(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::implementations_of_trait(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_incoherent_impls(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::native_library(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::inherit_sig_for_delegation_item(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::resolve_bound_vars(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::named_variable_map(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_late_bound_map(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::object_lifetime_default(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::late_bound_vars_map(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::opaque_captured_lifetimes(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::visibility(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::inhabited_predicate_adt(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::inhabited_predicate_type(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_dep_kind(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_name(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::module_children(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::num_extern_def_ids(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::lib_features(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::stability_implications(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::intrinsic_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::get_lang_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::all_diagnostic_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::defined_lang_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::diagnostic_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::missing_lang_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::visible_parent_map(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::trimmed_def_paths(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::missing_extern_crate_item(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::used_crate_source(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::debugger_visualizers(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::postorder_cnums(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_private_dep(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::allocator_kind(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::alloc_error_handler_kind(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::upvars_mentioned(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crates(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::used_crates(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::duplicate_crate_names(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::traits(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::trait_impls_in_crate(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::stable_order_of_exportable_impls(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::exportable_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::exported_non_generic_symbols(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::exported_generic_symbols(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::collect_and_partition_mono_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_codegened_item(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::codegen_unit(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::backend_optimization_level(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::output_filenames(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::normalize_canonicalized_projection(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::normalize_canonicalized_free_alias(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::normalize_canonicalized_inherent_projection(key)
                => crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::try_normalize_generic_arg_after_erasing_regions(key)
                => crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::implied_outlives_bounds(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::dropck_outlives(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::evaluate_obligation(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_op_ascribe_user_type(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_op_prove_predicate(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_op_normalize_ty(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_op_normalize_clause(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_op_normalize_poly_fn_sig(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::type_op_normalize_fn_sig(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::instantiate_and_check_impossible_predicates(key)
                => crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::is_impossible_associated_item(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::method_autoderef_steps(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::evaluate_root_goal_for_proof_tree_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::rust_target_features(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::implied_target_features(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::features_query(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::crate_for_resolver(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::resolve_instance_raw(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::reveal_opaque_types_in_bounds(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::limits(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::diagnostic_hir_wf_check(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::global_backend_features(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_validity_requirement(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::compare_impl_item(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::deduced_param_attrs(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::doc_link_resolutions(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::doc_link_traits_in_scope(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::stripped_cfg_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::generics_require_sized_self(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::cross_crate_inlinable(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_mono_item(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::skip_move_check_fns(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::items_of_instance(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::size_estimate(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::anon_const_kind(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::trivial_const(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::sanitizer_settings_for(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::check_externally_implementable_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
            TaggedQueryKey::externally_implementable_items(key) =>
                crate::query::QueryKey::default_span(key, tcx),
        }
    }
    pub fn def_kind(&self, tcx: TyCtxt<'tcx>) -> Option<DefKind> {
        fn inner<'tcx>(key: &impl crate::query::QueryKey, tcx: TyCtxt<'tcx>)
            -> Option<DefKind> {
            key.key_as_def_id().and_then(|def_id|
                        def_id.as_local()).map(|def_id| tcx.def_kind(def_id))
        }
        if let TaggedQueryKey::def_kind(..) = self { return None }
        match self {
            TaggedQueryKey::derive_macro_expansion(key) => inner(key, tcx),
            TaggedQueryKey::trigger_delayed_bug(key) => inner(key, tcx),
            TaggedQueryKey::registered_tools(key) => inner(key, tcx),
            TaggedQueryKey::early_lint_checks(key) => inner(key, tcx),
            TaggedQueryKey::env_var_os(key) => inner(key, tcx),
            TaggedQueryKey::resolutions(key) => inner(key, tcx),
            TaggedQueryKey::resolver_for_lowering_raw(key) => inner(key, tcx),
            TaggedQueryKey::source_span(key) => inner(key, tcx),
            TaggedQueryKey::hir_crate(key) => inner(key, tcx),
            TaggedQueryKey::hir_crate_items(key) => inner(key, tcx),
            TaggedQueryKey::hir_module_items(key) => inner(key, tcx),
            TaggedQueryKey::local_def_id_to_hir_id(key) => inner(key, tcx),
            TaggedQueryKey::hir_owner_parent_q(key) => inner(key, tcx),
            TaggedQueryKey::opt_hir_owner_nodes(key) => inner(key, tcx),
            TaggedQueryKey::hir_attr_map(key) => inner(key, tcx),
            TaggedQueryKey::opt_ast_lowering_delayed_lints(key) =>
                inner(key, tcx),
            TaggedQueryKey::const_param_default(key) => inner(key, tcx),
            TaggedQueryKey::const_of_item(key) => inner(key, tcx),
            TaggedQueryKey::type_of(key) => inner(key, tcx),
            TaggedQueryKey::type_of_opaque(key) => inner(key, tcx),
            TaggedQueryKey::type_of_opaque_hir_typeck(key) => inner(key, tcx),
            TaggedQueryKey::type_alias_is_lazy(key) => inner(key, tcx),
            TaggedQueryKey::collect_return_position_impl_trait_in_trait_tys(key)
                => inner(key, tcx),
            TaggedQueryKey::opaque_ty_origin(key) => inner(key, tcx),
            TaggedQueryKey::unsizing_params_for_adt(key) => inner(key, tcx),
            TaggedQueryKey::analysis(key) => inner(key, tcx),
            TaggedQueryKey::check_expectations(key) => inner(key, tcx),
            TaggedQueryKey::generics_of(key) => inner(key, tcx),
            TaggedQueryKey::predicates_of(key) => inner(key, tcx),
            TaggedQueryKey::opaque_types_defined_by(key) => inner(key, tcx),
            TaggedQueryKey::nested_bodies_within(key) => inner(key, tcx),
            TaggedQueryKey::explicit_item_bounds(key) => inner(key, tcx),
            TaggedQueryKey::explicit_item_self_bounds(key) => inner(key, tcx),
            TaggedQueryKey::item_bounds(key) => inner(key, tcx),
            TaggedQueryKey::item_self_bounds(key) => inner(key, tcx),
            TaggedQueryKey::item_non_self_bounds(key) => inner(key, tcx),
            TaggedQueryKey::impl_super_outlives(key) => inner(key, tcx),
            TaggedQueryKey::native_libraries(key) => inner(key, tcx),
            TaggedQueryKey::shallow_lint_levels_on(key) => inner(key, tcx),
            TaggedQueryKey::lint_expectations(key) => inner(key, tcx),
            TaggedQueryKey::lints_that_dont_need_to_run(key) =>
                inner(key, tcx),
            TaggedQueryKey::expn_that_defined(key) => inner(key, tcx),
            TaggedQueryKey::is_panic_runtime(key) => inner(key, tcx),
            TaggedQueryKey::check_representability(key) => inner(key, tcx),
            TaggedQueryKey::check_representability_adt_ty(key) =>
                inner(key, tcx),
            TaggedQueryKey::params_in_repr(key) => inner(key, tcx),
            TaggedQueryKey::thir_body(key) => inner(key, tcx),
            TaggedQueryKey::mir_keys(key) => inner(key, tcx),
            TaggedQueryKey::mir_const_qualif(key) => inner(key, tcx),
            TaggedQueryKey::mir_built(key) => inner(key, tcx),
            TaggedQueryKey::thir_abstract_const(key) => inner(key, tcx),
            TaggedQueryKey::mir_drops_elaborated_and_const_checked(key) =>
                inner(key, tcx),
            TaggedQueryKey::mir_for_ctfe(key) => inner(key, tcx),
            TaggedQueryKey::mir_promoted(key) => inner(key, tcx),
            TaggedQueryKey::closure_typeinfo(key) => inner(key, tcx),
            TaggedQueryKey::closure_saved_names_of_captured_variables(key) =>
                inner(key, tcx),
            TaggedQueryKey::mir_coroutine_witnesses(key) => inner(key, tcx),
            TaggedQueryKey::check_coroutine_obligations(key) =>
                inner(key, tcx),
            TaggedQueryKey::check_potentially_region_dependent_goals(key) =>
                inner(key, tcx),
            TaggedQueryKey::optimized_mir(key) => inner(key, tcx),
            TaggedQueryKey::coverage_attr_on(key) => inner(key, tcx),
            TaggedQueryKey::coverage_ids_info(key) => inner(key, tcx),
            TaggedQueryKey::promoted_mir(key) => inner(key, tcx),
            TaggedQueryKey::erase_and_anonymize_regions_ty(key) =>
                inner(key, tcx),
            TaggedQueryKey::wasm_import_module_map(key) => inner(key, tcx),
            TaggedQueryKey::trait_explicit_predicates_and_bounds(key) =>
                inner(key, tcx),
            TaggedQueryKey::explicit_predicates_of(key) => inner(key, tcx),
            TaggedQueryKey::inferred_outlives_of(key) => inner(key, tcx),
            TaggedQueryKey::explicit_super_predicates_of(key) =>
                inner(key, tcx),
            TaggedQueryKey::explicit_implied_predicates_of(key) =>
                inner(key, tcx),
            TaggedQueryKey::explicit_supertraits_containing_assoc_item(key) =>
                inner(key, tcx),
            TaggedQueryKey::const_conditions(key) => inner(key, tcx),
            TaggedQueryKey::explicit_implied_const_bounds(key) =>
                inner(key, tcx),
            TaggedQueryKey::type_param_predicates(key) => inner(key, tcx),
            TaggedQueryKey::trait_def(key) => inner(key, tcx),
            TaggedQueryKey::adt_def(key) => inner(key, tcx),
            TaggedQueryKey::adt_destructor(key) => inner(key, tcx),
            TaggedQueryKey::adt_async_destructor(key) => inner(key, tcx),
            TaggedQueryKey::adt_sizedness_constraint(key) => inner(key, tcx),
            TaggedQueryKey::adt_dtorck_constraint(key) => inner(key, tcx),
            TaggedQueryKey::constness(key) => inner(key, tcx),
            TaggedQueryKey::asyncness(key) => inner(key, tcx),
            TaggedQueryKey::is_promotable_const_fn(key) => inner(key, tcx),
            TaggedQueryKey::coroutine_by_move_body_def_id(key) =>
                inner(key, tcx),
            TaggedQueryKey::coroutine_kind(key) => inner(key, tcx),
            TaggedQueryKey::coroutine_for_closure(key) => inner(key, tcx),
            TaggedQueryKey::coroutine_hidden_types(key) => inner(key, tcx),
            TaggedQueryKey::crate_variances(key) => inner(key, tcx),
            TaggedQueryKey::variances_of(key) => inner(key, tcx),
            TaggedQueryKey::inferred_outlives_crate(key) => inner(key, tcx),
            TaggedQueryKey::associated_item_def_ids(key) => inner(key, tcx),
            TaggedQueryKey::associated_item(key) => inner(key, tcx),
            TaggedQueryKey::associated_items(key) => inner(key, tcx),
            TaggedQueryKey::impl_item_implementor_ids(key) => inner(key, tcx),
            TaggedQueryKey::associated_types_for_impl_traits_in_trait_or_impl(key)
                => inner(key, tcx),
            TaggedQueryKey::impl_trait_header(key) => inner(key, tcx),
            TaggedQueryKey::impl_self_is_guaranteed_unsized(key) =>
                inner(key, tcx),
            TaggedQueryKey::inherent_impls(key) => inner(key, tcx),
            TaggedQueryKey::incoherent_impls(key) => inner(key, tcx),
            TaggedQueryKey::check_transmutes(key) => inner(key, tcx),
            TaggedQueryKey::check_unsafety(key) => inner(key, tcx),
            TaggedQueryKey::check_tail_calls(key) => inner(key, tcx),
            TaggedQueryKey::assumed_wf_types(key) => inner(key, tcx),
            TaggedQueryKey::assumed_wf_types_for_rpitit(key) =>
                inner(key, tcx),
            TaggedQueryKey::fn_sig(key) => inner(key, tcx),
            TaggedQueryKey::lint_mod(key) => inner(key, tcx),
            TaggedQueryKey::check_unused_traits(key) => inner(key, tcx),
            TaggedQueryKey::check_mod_attrs(key) => inner(key, tcx),
            TaggedQueryKey::check_mod_unstable_api_usage(key) =>
                inner(key, tcx),
            TaggedQueryKey::check_mod_privacy(key) => inner(key, tcx),
            TaggedQueryKey::check_liveness(key) => inner(key, tcx),
            TaggedQueryKey::live_symbols_and_ignored_derived_traits(key) =>
                inner(key, tcx),
            TaggedQueryKey::check_mod_deathness(key) => inner(key, tcx),
            TaggedQueryKey::check_type_wf(key) => inner(key, tcx),
            TaggedQueryKey::coerce_unsized_info(key) => inner(key, tcx),
            TaggedQueryKey::typeck(key) => inner(key, tcx),
            TaggedQueryKey::used_trait_imports(key) => inner(key, tcx),
            TaggedQueryKey::coherent_trait(key) => inner(key, tcx),
            TaggedQueryKey::mir_borrowck(key) => inner(key, tcx),
            TaggedQueryKey::crate_inherent_impls(key) => inner(key, tcx),
            TaggedQueryKey::crate_inherent_impls_validity_check(key) =>
                inner(key, tcx),
            TaggedQueryKey::crate_inherent_impls_overlap_check(key) =>
                inner(key, tcx),
            TaggedQueryKey::orphan_check_impl(key) => inner(key, tcx),
            TaggedQueryKey::mir_callgraph_cyclic(key) => inner(key, tcx),
            TaggedQueryKey::mir_inliner_callees(key) => inner(key, tcx),
            TaggedQueryKey::tag_for_variant(key) => inner(key, tcx),
            TaggedQueryKey::eval_to_allocation_raw(key) => inner(key, tcx),
            TaggedQueryKey::eval_static_initializer(key) => inner(key, tcx),
            TaggedQueryKey::eval_to_const_value_raw(key) => inner(key, tcx),
            TaggedQueryKey::eval_to_valtree(key) => inner(key, tcx),
            TaggedQueryKey::valtree_to_const_val(key) => inner(key, tcx),
            TaggedQueryKey::lit_to_const(key) => inner(key, tcx),
            TaggedQueryKey::check_match(key) => inner(key, tcx),
            TaggedQueryKey::effective_visibilities(key) => inner(key, tcx),
            TaggedQueryKey::check_private_in_public(key) => inner(key, tcx),
            TaggedQueryKey::reachable_set(key) => inner(key, tcx),
            TaggedQueryKey::region_scope_tree(key) => inner(key, tcx),
            TaggedQueryKey::mir_shims(key) => inner(key, tcx),
            TaggedQueryKey::symbol_name(key) => inner(key, tcx),
            TaggedQueryKey::def_kind(key) => inner(key, tcx),
            TaggedQueryKey::def_span(key) => inner(key, tcx),
            TaggedQueryKey::def_ident_span(key) => inner(key, tcx),
            TaggedQueryKey::ty_span(key) => inner(key, tcx),
            TaggedQueryKey::lookup_stability(key) => inner(key, tcx),
            TaggedQueryKey::lookup_const_stability(key) => inner(key, tcx),
            TaggedQueryKey::lookup_default_body_stability(key) =>
                inner(key, tcx),
            TaggedQueryKey::should_inherit_track_caller(key) =>
                inner(key, tcx),
            TaggedQueryKey::inherited_align(key) => inner(key, tcx),
            TaggedQueryKey::lookup_deprecation_entry(key) => inner(key, tcx),
            TaggedQueryKey::is_doc_hidden(key) => inner(key, tcx),
            TaggedQueryKey::is_doc_notable_trait(key) => inner(key, tcx),
            TaggedQueryKey::attrs_for_def(key) => inner(key, tcx),
            TaggedQueryKey::codegen_fn_attrs(key) => inner(key, tcx),
            TaggedQueryKey::asm_target_features(key) => inner(key, tcx),
            TaggedQueryKey::fn_arg_idents(key) => inner(key, tcx),
            TaggedQueryKey::rendered_const(key) => inner(key, tcx),
            TaggedQueryKey::rendered_precise_capturing_args(key) =>
                inner(key, tcx),
            TaggedQueryKey::impl_parent(key) => inner(key, tcx),
            TaggedQueryKey::is_mir_available(key) => inner(key, tcx),
            TaggedQueryKey::own_existential_vtable_entries(key) =>
                inner(key, tcx),
            TaggedQueryKey::vtable_entries(key) => inner(key, tcx),
            TaggedQueryKey::first_method_vtable_slot(key) => inner(key, tcx),
            TaggedQueryKey::supertrait_vtable_slot(key) => inner(key, tcx),
            TaggedQueryKey::vtable_allocation(key) => inner(key, tcx),
            TaggedQueryKey::codegen_select_candidate(key) => inner(key, tcx),
            TaggedQueryKey::all_local_trait_impls(key) => inner(key, tcx),
            TaggedQueryKey::local_trait_impls(key) => inner(key, tcx),
            TaggedQueryKey::trait_impls_of(key) => inner(key, tcx),
            TaggedQueryKey::specialization_graph_of(key) => inner(key, tcx),
            TaggedQueryKey::dyn_compatibility_violations(key) =>
                inner(key, tcx),
            TaggedQueryKey::is_dyn_compatible(key) => inner(key, tcx),
            TaggedQueryKey::param_env(key) => inner(key, tcx),
            TaggedQueryKey::typing_env_normalized_for_post_analysis(key) =>
                inner(key, tcx),
            TaggedQueryKey::is_copy_raw(key) => inner(key, tcx),
            TaggedQueryKey::is_use_cloned_raw(key) => inner(key, tcx),
            TaggedQueryKey::is_sized_raw(key) => inner(key, tcx),
            TaggedQueryKey::is_freeze_raw(key) => inner(key, tcx),
            TaggedQueryKey::is_unsafe_unpin_raw(key) => inner(key, tcx),
            TaggedQueryKey::is_unpin_raw(key) => inner(key, tcx),
            TaggedQueryKey::is_async_drop_raw(key) => inner(key, tcx),
            TaggedQueryKey::needs_drop_raw(key) => inner(key, tcx),
            TaggedQueryKey::needs_async_drop_raw(key) => inner(key, tcx),
            TaggedQueryKey::has_significant_drop_raw(key) => inner(key, tcx),
            TaggedQueryKey::has_structural_eq_impl(key) => inner(key, tcx),
            TaggedQueryKey::adt_drop_tys(key) => inner(key, tcx),
            TaggedQueryKey::adt_async_drop_tys(key) => inner(key, tcx),
            TaggedQueryKey::adt_significant_drop_tys(key) => inner(key, tcx),
            TaggedQueryKey::list_significant_drop_tys(key) => inner(key, tcx),
            TaggedQueryKey::layout_of(key) => inner(key, tcx),
            TaggedQueryKey::fn_abi_of_fn_ptr(key) => inner(key, tcx),
            TaggedQueryKey::fn_abi_of_instance_no_deduced_attrs(key) =>
                inner(key, tcx),
            TaggedQueryKey::fn_abi_of_instance_raw(key) => inner(key, tcx),
            TaggedQueryKey::dylib_dependency_formats(key) => inner(key, tcx),
            TaggedQueryKey::dependency_formats(key) => inner(key, tcx),
            TaggedQueryKey::is_compiler_builtins(key) => inner(key, tcx),
            TaggedQueryKey::has_global_allocator(key) => inner(key, tcx),
            TaggedQueryKey::has_alloc_error_handler(key) => inner(key, tcx),
            TaggedQueryKey::has_panic_handler(key) => inner(key, tcx),
            TaggedQueryKey::is_profiler_runtime(key) => inner(key, tcx),
            TaggedQueryKey::has_ffi_unwind_calls(key) => inner(key, tcx),
            TaggedQueryKey::required_panic_strategy(key) => inner(key, tcx),
            TaggedQueryKey::panic_in_drop_strategy(key) => inner(key, tcx),
            TaggedQueryKey::is_no_builtins(key) => inner(key, tcx),
            TaggedQueryKey::symbol_mangling_version(key) => inner(key, tcx),
            TaggedQueryKey::extern_crate(key) => inner(key, tcx),
            TaggedQueryKey::specialization_enabled_in(key) => inner(key, tcx),
            TaggedQueryKey::specializes(key) => inner(key, tcx),
            TaggedQueryKey::in_scope_traits_map(key) => inner(key, tcx),
            TaggedQueryKey::defaultness(key) => inner(key, tcx),
            TaggedQueryKey::default_field(key) => inner(key, tcx),
            TaggedQueryKey::check_well_formed(key) => inner(key, tcx),
            TaggedQueryKey::enforce_impl_non_lifetime_params_are_constrained(key)
                => inner(key, tcx),
            TaggedQueryKey::reachable_non_generics(key) => inner(key, tcx),
            TaggedQueryKey::is_reachable_non_generic(key) => inner(key, tcx),
            TaggedQueryKey::is_unreachable_local_definition(key) =>
                inner(key, tcx),
            TaggedQueryKey::upstream_monomorphizations(key) =>
                inner(key, tcx),
            TaggedQueryKey::upstream_monomorphizations_for(key) =>
                inner(key, tcx),
            TaggedQueryKey::upstream_drop_glue_for(key) => inner(key, tcx),
            TaggedQueryKey::upstream_async_drop_glue_for(key) =>
                inner(key, tcx),
            TaggedQueryKey::foreign_modules(key) => inner(key, tcx),
            TaggedQueryKey::clashing_extern_declarations(key) =>
                inner(key, tcx),
            TaggedQueryKey::entry_fn(key) => inner(key, tcx),
            TaggedQueryKey::proc_macro_decls_static(key) => inner(key, tcx),
            TaggedQueryKey::crate_hash(key) => inner(key, tcx),
            TaggedQueryKey::crate_host_hash(key) => inner(key, tcx),
            TaggedQueryKey::extra_filename(key) => inner(key, tcx),
            TaggedQueryKey::crate_extern_paths(key) => inner(key, tcx),
            TaggedQueryKey::implementations_of_trait(key) => inner(key, tcx),
            TaggedQueryKey::crate_incoherent_impls(key) => inner(key, tcx),
            TaggedQueryKey::native_library(key) => inner(key, tcx),
            TaggedQueryKey::inherit_sig_for_delegation_item(key) =>
                inner(key, tcx),
            TaggedQueryKey::resolve_bound_vars(key) => inner(key, tcx),
            TaggedQueryKey::named_variable_map(key) => inner(key, tcx),
            TaggedQueryKey::is_late_bound_map(key) => inner(key, tcx),
            TaggedQueryKey::object_lifetime_default(key) => inner(key, tcx),
            TaggedQueryKey::late_bound_vars_map(key) => inner(key, tcx),
            TaggedQueryKey::opaque_captured_lifetimes(key) => inner(key, tcx),
            TaggedQueryKey::visibility(key) => inner(key, tcx),
            TaggedQueryKey::inhabited_predicate_adt(key) => inner(key, tcx),
            TaggedQueryKey::inhabited_predicate_type(key) => inner(key, tcx),
            TaggedQueryKey::crate_dep_kind(key) => inner(key, tcx),
            TaggedQueryKey::crate_name(key) => inner(key, tcx),
            TaggedQueryKey::module_children(key) => inner(key, tcx),
            TaggedQueryKey::num_extern_def_ids(key) => inner(key, tcx),
            TaggedQueryKey::lib_features(key) => inner(key, tcx),
            TaggedQueryKey::stability_implications(key) => inner(key, tcx),
            TaggedQueryKey::intrinsic_raw(key) => inner(key, tcx),
            TaggedQueryKey::get_lang_items(key) => inner(key, tcx),
            TaggedQueryKey::all_diagnostic_items(key) => inner(key, tcx),
            TaggedQueryKey::defined_lang_items(key) => inner(key, tcx),
            TaggedQueryKey::diagnostic_items(key) => inner(key, tcx),
            TaggedQueryKey::missing_lang_items(key) => inner(key, tcx),
            TaggedQueryKey::visible_parent_map(key) => inner(key, tcx),
            TaggedQueryKey::trimmed_def_paths(key) => inner(key, tcx),
            TaggedQueryKey::missing_extern_crate_item(key) => inner(key, tcx),
            TaggedQueryKey::used_crate_source(key) => inner(key, tcx),
            TaggedQueryKey::debugger_visualizers(key) => inner(key, tcx),
            TaggedQueryKey::postorder_cnums(key) => inner(key, tcx),
            TaggedQueryKey::is_private_dep(key) => inner(key, tcx),
            TaggedQueryKey::allocator_kind(key) => inner(key, tcx),
            TaggedQueryKey::alloc_error_handler_kind(key) => inner(key, tcx),
            TaggedQueryKey::upvars_mentioned(key) => inner(key, tcx),
            TaggedQueryKey::crates(key) => inner(key, tcx),
            TaggedQueryKey::used_crates(key) => inner(key, tcx),
            TaggedQueryKey::duplicate_crate_names(key) => inner(key, tcx),
            TaggedQueryKey::traits(key) => inner(key, tcx),
            TaggedQueryKey::trait_impls_in_crate(key) => inner(key, tcx),
            TaggedQueryKey::stable_order_of_exportable_impls(key) =>
                inner(key, tcx),
            TaggedQueryKey::exportable_items(key) => inner(key, tcx),
            TaggedQueryKey::exported_non_generic_symbols(key) =>
                inner(key, tcx),
            TaggedQueryKey::exported_generic_symbols(key) => inner(key, tcx),
            TaggedQueryKey::collect_and_partition_mono_items(key) =>
                inner(key, tcx),
            TaggedQueryKey::is_codegened_item(key) => inner(key, tcx),
            TaggedQueryKey::codegen_unit(key) => inner(key, tcx),
            TaggedQueryKey::backend_optimization_level(key) =>
                inner(key, tcx),
            TaggedQueryKey::output_filenames(key) => inner(key, tcx),
            TaggedQueryKey::normalize_canonicalized_projection(key) =>
                inner(key, tcx),
            TaggedQueryKey::normalize_canonicalized_free_alias(key) =>
                inner(key, tcx),
            TaggedQueryKey::normalize_canonicalized_inherent_projection(key)
                => inner(key, tcx),
            TaggedQueryKey::try_normalize_generic_arg_after_erasing_regions(key)
                => inner(key, tcx),
            TaggedQueryKey::implied_outlives_bounds(key) => inner(key, tcx),
            TaggedQueryKey::dropck_outlives(key) => inner(key, tcx),
            TaggedQueryKey::evaluate_obligation(key) => inner(key, tcx),
            TaggedQueryKey::type_op_ascribe_user_type(key) => inner(key, tcx),
            TaggedQueryKey::type_op_prove_predicate(key) => inner(key, tcx),
            TaggedQueryKey::type_op_normalize_ty(key) => inner(key, tcx),
            TaggedQueryKey::type_op_normalize_clause(key) => inner(key, tcx),
            TaggedQueryKey::type_op_normalize_poly_fn_sig(key) =>
                inner(key, tcx),
            TaggedQueryKey::type_op_normalize_fn_sig(key) => inner(key, tcx),
            TaggedQueryKey::instantiate_and_check_impossible_predicates(key)
                => inner(key, tcx),
            TaggedQueryKey::is_impossible_associated_item(key) =>
                inner(key, tcx),
            TaggedQueryKey::method_autoderef_steps(key) => inner(key, tcx),
            TaggedQueryKey::evaluate_root_goal_for_proof_tree_raw(key) =>
                inner(key, tcx),
            TaggedQueryKey::rust_target_features(key) => inner(key, tcx),
            TaggedQueryKey::implied_target_features(key) => inner(key, tcx),
            TaggedQueryKey::features_query(key) => inner(key, tcx),
            TaggedQueryKey::crate_for_resolver(key) => inner(key, tcx),
            TaggedQueryKey::resolve_instance_raw(key) => inner(key, tcx),
            TaggedQueryKey::reveal_opaque_types_in_bounds(key) =>
                inner(key, tcx),
            TaggedQueryKey::limits(key) => inner(key, tcx),
            TaggedQueryKey::diagnostic_hir_wf_check(key) => inner(key, tcx),
            TaggedQueryKey::global_backend_features(key) => inner(key, tcx),
            TaggedQueryKey::check_validity_requirement(key) =>
                inner(key, tcx),
            TaggedQueryKey::compare_impl_item(key) => inner(key, tcx),
            TaggedQueryKey::deduced_param_attrs(key) => inner(key, tcx),
            TaggedQueryKey::doc_link_resolutions(key) => inner(key, tcx),
            TaggedQueryKey::doc_link_traits_in_scope(key) => inner(key, tcx),
            TaggedQueryKey::stripped_cfg_items(key) => inner(key, tcx),
            TaggedQueryKey::generics_require_sized_self(key) =>
                inner(key, tcx),
            TaggedQueryKey::cross_crate_inlinable(key) => inner(key, tcx),
            TaggedQueryKey::check_mono_item(key) => inner(key, tcx),
            TaggedQueryKey::skip_move_check_fns(key) => inner(key, tcx),
            TaggedQueryKey::items_of_instance(key) => inner(key, tcx),
            TaggedQueryKey::size_estimate(key) => inner(key, tcx),
            TaggedQueryKey::anon_const_kind(key) => inner(key, tcx),
            TaggedQueryKey::trivial_const(key) => inner(key, tcx),
            TaggedQueryKey::sanitizer_settings_for(key) => inner(key, tcx),
            TaggedQueryKey::check_externally_implementable_items(key) =>
                inner(key, tcx),
            TaggedQueryKey::externally_implementable_items(key) =>
                inner(key, tcx),
        }
    }
}
/// Holds a `QueryVTable` for each query.
pub struct QueryVTables<'tcx> {
    pub derive_macro_expansion: crate::query::QueryVTable<'tcx,
    derive_macro_expansion::Cache<'tcx>>,
    pub trigger_delayed_bug: crate::query::QueryVTable<'tcx,
    trigger_delayed_bug::Cache<'tcx>>,
    pub registered_tools: crate::query::QueryVTable<'tcx,
    registered_tools::Cache<'tcx>>,
    pub early_lint_checks: crate::query::QueryVTable<'tcx,
    early_lint_checks::Cache<'tcx>>,
    pub env_var_os: crate::query::QueryVTable<'tcx, env_var_os::Cache<'tcx>>,
    pub resolutions: crate::query::QueryVTable<'tcx,
    resolutions::Cache<'tcx>>,
    pub resolver_for_lowering_raw: crate::query::QueryVTable<'tcx,
    resolver_for_lowering_raw::Cache<'tcx>>,
    pub source_span: crate::query::QueryVTable<'tcx,
    source_span::Cache<'tcx>>,
    pub hir_crate: crate::query::QueryVTable<'tcx, hir_crate::Cache<'tcx>>,
    pub hir_crate_items: crate::query::QueryVTable<'tcx,
    hir_crate_items::Cache<'tcx>>,
    pub hir_module_items: crate::query::QueryVTable<'tcx,
    hir_module_items::Cache<'tcx>>,
    pub local_def_id_to_hir_id: crate::query::QueryVTable<'tcx,
    local_def_id_to_hir_id::Cache<'tcx>>,
    pub hir_owner_parent_q: crate::query::QueryVTable<'tcx,
    hir_owner_parent_q::Cache<'tcx>>,
    pub opt_hir_owner_nodes: crate::query::QueryVTable<'tcx,
    opt_hir_owner_nodes::Cache<'tcx>>,
    pub hir_attr_map: crate::query::QueryVTable<'tcx,
    hir_attr_map::Cache<'tcx>>,
    pub opt_ast_lowering_delayed_lints: crate::query::QueryVTable<'tcx,
    opt_ast_lowering_delayed_lints::Cache<'tcx>>,
    pub const_param_default: crate::query::QueryVTable<'tcx,
    const_param_default::Cache<'tcx>>,
    pub const_of_item: crate::query::QueryVTable<'tcx,
    const_of_item::Cache<'tcx>>,
    pub type_of: crate::query::QueryVTable<'tcx, type_of::Cache<'tcx>>,
    pub type_of_opaque: crate::query::QueryVTable<'tcx,
    type_of_opaque::Cache<'tcx>>,
    pub type_of_opaque_hir_typeck: crate::query::QueryVTable<'tcx,
    type_of_opaque_hir_typeck::Cache<'tcx>>,
    pub type_alias_is_lazy: crate::query::QueryVTable<'tcx,
    type_alias_is_lazy::Cache<'tcx>>,
    pub collect_return_position_impl_trait_in_trait_tys: crate::query::QueryVTable<'tcx,
    collect_return_position_impl_trait_in_trait_tys::Cache<'tcx>>,
    pub opaque_ty_origin: crate::query::QueryVTable<'tcx,
    opaque_ty_origin::Cache<'tcx>>,
    pub unsizing_params_for_adt: crate::query::QueryVTable<'tcx,
    unsizing_params_for_adt::Cache<'tcx>>,
    pub analysis: crate::query::QueryVTable<'tcx, analysis::Cache<'tcx>>,
    pub check_expectations: crate::query::QueryVTable<'tcx,
    check_expectations::Cache<'tcx>>,
    pub generics_of: crate::query::QueryVTable<'tcx,
    generics_of::Cache<'tcx>>,
    pub predicates_of: crate::query::QueryVTable<'tcx,
    predicates_of::Cache<'tcx>>,
    pub opaque_types_defined_by: crate::query::QueryVTable<'tcx,
    opaque_types_defined_by::Cache<'tcx>>,
    pub nested_bodies_within: crate::query::QueryVTable<'tcx,
    nested_bodies_within::Cache<'tcx>>,
    pub explicit_item_bounds: crate::query::QueryVTable<'tcx,
    explicit_item_bounds::Cache<'tcx>>,
    pub explicit_item_self_bounds: crate::query::QueryVTable<'tcx,
    explicit_item_self_bounds::Cache<'tcx>>,
    pub item_bounds: crate::query::QueryVTable<'tcx,
    item_bounds::Cache<'tcx>>,
    pub item_self_bounds: crate::query::QueryVTable<'tcx,
    item_self_bounds::Cache<'tcx>>,
    pub item_non_self_bounds: crate::query::QueryVTable<'tcx,
    item_non_self_bounds::Cache<'tcx>>,
    pub impl_super_outlives: crate::query::QueryVTable<'tcx,
    impl_super_outlives::Cache<'tcx>>,
    pub native_libraries: crate::query::QueryVTable<'tcx,
    native_libraries::Cache<'tcx>>,
    pub shallow_lint_levels_on: crate::query::QueryVTable<'tcx,
    shallow_lint_levels_on::Cache<'tcx>>,
    pub lint_expectations: crate::query::QueryVTable<'tcx,
    lint_expectations::Cache<'tcx>>,
    pub lints_that_dont_need_to_run: crate::query::QueryVTable<'tcx,
    lints_that_dont_need_to_run::Cache<'tcx>>,
    pub expn_that_defined: crate::query::QueryVTable<'tcx,
    expn_that_defined::Cache<'tcx>>,
    pub is_panic_runtime: crate::query::QueryVTable<'tcx,
    is_panic_runtime::Cache<'tcx>>,
    pub check_representability: crate::query::QueryVTable<'tcx,
    check_representability::Cache<'tcx>>,
    pub check_representability_adt_ty: crate::query::QueryVTable<'tcx,
    check_representability_adt_ty::Cache<'tcx>>,
    pub params_in_repr: crate::query::QueryVTable<'tcx,
    params_in_repr::Cache<'tcx>>,
    pub thir_body: crate::query::QueryVTable<'tcx, thir_body::Cache<'tcx>>,
    pub mir_keys: crate::query::QueryVTable<'tcx, mir_keys::Cache<'tcx>>,
    pub mir_const_qualif: crate::query::QueryVTable<'tcx,
    mir_const_qualif::Cache<'tcx>>,
    pub mir_built: crate::query::QueryVTable<'tcx, mir_built::Cache<'tcx>>,
    pub thir_abstract_const: crate::query::QueryVTable<'tcx,
    thir_abstract_const::Cache<'tcx>>,
    pub mir_drops_elaborated_and_const_checked: crate::query::QueryVTable<'tcx,
    mir_drops_elaborated_and_const_checked::Cache<'tcx>>,
    pub mir_for_ctfe: crate::query::QueryVTable<'tcx,
    mir_for_ctfe::Cache<'tcx>>,
    pub mir_promoted: crate::query::QueryVTable<'tcx,
    mir_promoted::Cache<'tcx>>,
    pub closure_typeinfo: crate::query::QueryVTable<'tcx,
    closure_typeinfo::Cache<'tcx>>,
    pub closure_saved_names_of_captured_variables: crate::query::QueryVTable<'tcx,
    closure_saved_names_of_captured_variables::Cache<'tcx>>,
    pub mir_coroutine_witnesses: crate::query::QueryVTable<'tcx,
    mir_coroutine_witnesses::Cache<'tcx>>,
    pub check_coroutine_obligations: crate::query::QueryVTable<'tcx,
    check_coroutine_obligations::Cache<'tcx>>,
    pub check_potentially_region_dependent_goals: crate::query::QueryVTable<'tcx,
    check_potentially_region_dependent_goals::Cache<'tcx>>,
    pub optimized_mir: crate::query::QueryVTable<'tcx,
    optimized_mir::Cache<'tcx>>,
    pub coverage_attr_on: crate::query::QueryVTable<'tcx,
    coverage_attr_on::Cache<'tcx>>,
    pub coverage_ids_info: crate::query::QueryVTable<'tcx,
    coverage_ids_info::Cache<'tcx>>,
    pub promoted_mir: crate::query::QueryVTable<'tcx,
    promoted_mir::Cache<'tcx>>,
    pub erase_and_anonymize_regions_ty: crate::query::QueryVTable<'tcx,
    erase_and_anonymize_regions_ty::Cache<'tcx>>,
    pub wasm_import_module_map: crate::query::QueryVTable<'tcx,
    wasm_import_module_map::Cache<'tcx>>,
    pub trait_explicit_predicates_and_bounds: crate::query::QueryVTable<'tcx,
    trait_explicit_predicates_and_bounds::Cache<'tcx>>,
    pub explicit_predicates_of: crate::query::QueryVTable<'tcx,
    explicit_predicates_of::Cache<'tcx>>,
    pub inferred_outlives_of: crate::query::QueryVTable<'tcx,
    inferred_outlives_of::Cache<'tcx>>,
    pub explicit_super_predicates_of: crate::query::QueryVTable<'tcx,
    explicit_super_predicates_of::Cache<'tcx>>,
    pub explicit_implied_predicates_of: crate::query::QueryVTable<'tcx,
    explicit_implied_predicates_of::Cache<'tcx>>,
    pub explicit_supertraits_containing_assoc_item: crate::query::QueryVTable<'tcx,
    explicit_supertraits_containing_assoc_item::Cache<'tcx>>,
    pub const_conditions: crate::query::QueryVTable<'tcx,
    const_conditions::Cache<'tcx>>,
    pub explicit_implied_const_bounds: crate::query::QueryVTable<'tcx,
    explicit_implied_const_bounds::Cache<'tcx>>,
    pub type_param_predicates: crate::query::QueryVTable<'tcx,
    type_param_predicates::Cache<'tcx>>,
    pub trait_def: crate::query::QueryVTable<'tcx, trait_def::Cache<'tcx>>,
    pub adt_def: crate::query::QueryVTable<'tcx, adt_def::Cache<'tcx>>,
    pub adt_destructor: crate::query::QueryVTable<'tcx,
    adt_destructor::Cache<'tcx>>,
    pub adt_async_destructor: crate::query::QueryVTable<'tcx,
    adt_async_destructor::Cache<'tcx>>,
    pub adt_sizedness_constraint: crate::query::QueryVTable<'tcx,
    adt_sizedness_constraint::Cache<'tcx>>,
    pub adt_dtorck_constraint: crate::query::QueryVTable<'tcx,
    adt_dtorck_constraint::Cache<'tcx>>,
    pub constness: crate::query::QueryVTable<'tcx, constness::Cache<'tcx>>,
    pub asyncness: crate::query::QueryVTable<'tcx, asyncness::Cache<'tcx>>,
    pub is_promotable_const_fn: crate::query::QueryVTable<'tcx,
    is_promotable_const_fn::Cache<'tcx>>,
    pub coroutine_by_move_body_def_id: crate::query::QueryVTable<'tcx,
    coroutine_by_move_body_def_id::Cache<'tcx>>,
    pub coroutine_kind: crate::query::QueryVTable<'tcx,
    coroutine_kind::Cache<'tcx>>,
    pub coroutine_for_closure: crate::query::QueryVTable<'tcx,
    coroutine_for_closure::Cache<'tcx>>,
    pub coroutine_hidden_types: crate::query::QueryVTable<'tcx,
    coroutine_hidden_types::Cache<'tcx>>,
    pub crate_variances: crate::query::QueryVTable<'tcx,
    crate_variances::Cache<'tcx>>,
    pub variances_of: crate::query::QueryVTable<'tcx,
    variances_of::Cache<'tcx>>,
    pub inferred_outlives_crate: crate::query::QueryVTable<'tcx,
    inferred_outlives_crate::Cache<'tcx>>,
    pub associated_item_def_ids: crate::query::QueryVTable<'tcx,
    associated_item_def_ids::Cache<'tcx>>,
    pub associated_item: crate::query::QueryVTable<'tcx,
    associated_item::Cache<'tcx>>,
    pub associated_items: crate::query::QueryVTable<'tcx,
    associated_items::Cache<'tcx>>,
    pub impl_item_implementor_ids: crate::query::QueryVTable<'tcx,
    impl_item_implementor_ids::Cache<'tcx>>,
    pub associated_types_for_impl_traits_in_trait_or_impl: crate::query::QueryVTable<'tcx,
    associated_types_for_impl_traits_in_trait_or_impl::Cache<'tcx>>,
    pub impl_trait_header: crate::query::QueryVTable<'tcx,
    impl_trait_header::Cache<'tcx>>,
    pub impl_self_is_guaranteed_unsized: crate::query::QueryVTable<'tcx,
    impl_self_is_guaranteed_unsized::Cache<'tcx>>,
    pub inherent_impls: crate::query::QueryVTable<'tcx,
    inherent_impls::Cache<'tcx>>,
    pub incoherent_impls: crate::query::QueryVTable<'tcx,
    incoherent_impls::Cache<'tcx>>,
    pub check_transmutes: crate::query::QueryVTable<'tcx,
    check_transmutes::Cache<'tcx>>,
    pub check_unsafety: crate::query::QueryVTable<'tcx,
    check_unsafety::Cache<'tcx>>,
    pub check_tail_calls: crate::query::QueryVTable<'tcx,
    check_tail_calls::Cache<'tcx>>,
    pub assumed_wf_types: crate::query::QueryVTable<'tcx,
    assumed_wf_types::Cache<'tcx>>,
    pub assumed_wf_types_for_rpitit: crate::query::QueryVTable<'tcx,
    assumed_wf_types_for_rpitit::Cache<'tcx>>,
    pub fn_sig: crate::query::QueryVTable<'tcx, fn_sig::Cache<'tcx>>,
    pub lint_mod: crate::query::QueryVTable<'tcx, lint_mod::Cache<'tcx>>,
    pub check_unused_traits: crate::query::QueryVTable<'tcx,
    check_unused_traits::Cache<'tcx>>,
    pub check_mod_attrs: crate::query::QueryVTable<'tcx,
    check_mod_attrs::Cache<'tcx>>,
    pub check_mod_unstable_api_usage: crate::query::QueryVTable<'tcx,
    check_mod_unstable_api_usage::Cache<'tcx>>,
    pub check_mod_privacy: crate::query::QueryVTable<'tcx,
    check_mod_privacy::Cache<'tcx>>,
    pub check_liveness: crate::query::QueryVTable<'tcx,
    check_liveness::Cache<'tcx>>,
    pub live_symbols_and_ignored_derived_traits: crate::query::QueryVTable<'tcx,
    live_symbols_and_ignored_derived_traits::Cache<'tcx>>,
    pub check_mod_deathness: crate::query::QueryVTable<'tcx,
    check_mod_deathness::Cache<'tcx>>,
    pub check_type_wf: crate::query::QueryVTable<'tcx,
    check_type_wf::Cache<'tcx>>,
    pub coerce_unsized_info: crate::query::QueryVTable<'tcx,
    coerce_unsized_info::Cache<'tcx>>,
    pub typeck: crate::query::QueryVTable<'tcx, typeck::Cache<'tcx>>,
    pub used_trait_imports: crate::query::QueryVTable<'tcx,
    used_trait_imports::Cache<'tcx>>,
    pub coherent_trait: crate::query::QueryVTable<'tcx,
    coherent_trait::Cache<'tcx>>,
    pub mir_borrowck: crate::query::QueryVTable<'tcx,
    mir_borrowck::Cache<'tcx>>,
    pub crate_inherent_impls: crate::query::QueryVTable<'tcx,
    crate_inherent_impls::Cache<'tcx>>,
    pub crate_inherent_impls_validity_check: crate::query::QueryVTable<'tcx,
    crate_inherent_impls_validity_check::Cache<'tcx>>,
    pub crate_inherent_impls_overlap_check: crate::query::QueryVTable<'tcx,
    crate_inherent_impls_overlap_check::Cache<'tcx>>,
    pub orphan_check_impl: crate::query::QueryVTable<'tcx,
    orphan_check_impl::Cache<'tcx>>,
    pub mir_callgraph_cyclic: crate::query::QueryVTable<'tcx,
    mir_callgraph_cyclic::Cache<'tcx>>,
    pub mir_inliner_callees: crate::query::QueryVTable<'tcx,
    mir_inliner_callees::Cache<'tcx>>,
    pub tag_for_variant: crate::query::QueryVTable<'tcx,
    tag_for_variant::Cache<'tcx>>,
    pub eval_to_allocation_raw: crate::query::QueryVTable<'tcx,
    eval_to_allocation_raw::Cache<'tcx>>,
    pub eval_static_initializer: crate::query::QueryVTable<'tcx,
    eval_static_initializer::Cache<'tcx>>,
    pub eval_to_const_value_raw: crate::query::QueryVTable<'tcx,
    eval_to_const_value_raw::Cache<'tcx>>,
    pub eval_to_valtree: crate::query::QueryVTable<'tcx,
    eval_to_valtree::Cache<'tcx>>,
    pub valtree_to_const_val: crate::query::QueryVTable<'tcx,
    valtree_to_const_val::Cache<'tcx>>,
    pub lit_to_const: crate::query::QueryVTable<'tcx,
    lit_to_const::Cache<'tcx>>,
    pub check_match: crate::query::QueryVTable<'tcx,
    check_match::Cache<'tcx>>,
    pub effective_visibilities: crate::query::QueryVTable<'tcx,
    effective_visibilities::Cache<'tcx>>,
    pub check_private_in_public: crate::query::QueryVTable<'tcx,
    check_private_in_public::Cache<'tcx>>,
    pub reachable_set: crate::query::QueryVTable<'tcx,
    reachable_set::Cache<'tcx>>,
    pub region_scope_tree: crate::query::QueryVTable<'tcx,
    region_scope_tree::Cache<'tcx>>,
    pub mir_shims: crate::query::QueryVTable<'tcx, mir_shims::Cache<'tcx>>,
    pub symbol_name: crate::query::QueryVTable<'tcx,
    symbol_name::Cache<'tcx>>,
    pub def_kind: crate::query::QueryVTable<'tcx, def_kind::Cache<'tcx>>,
    pub def_span: crate::query::QueryVTable<'tcx, def_span::Cache<'tcx>>,
    pub def_ident_span: crate::query::QueryVTable<'tcx,
    def_ident_span::Cache<'tcx>>,
    pub ty_span: crate::query::QueryVTable<'tcx, ty_span::Cache<'tcx>>,
    pub lookup_stability: crate::query::QueryVTable<'tcx,
    lookup_stability::Cache<'tcx>>,
    pub lookup_const_stability: crate::query::QueryVTable<'tcx,
    lookup_const_stability::Cache<'tcx>>,
    pub lookup_default_body_stability: crate::query::QueryVTable<'tcx,
    lookup_default_body_stability::Cache<'tcx>>,
    pub should_inherit_track_caller: crate::query::QueryVTable<'tcx,
    should_inherit_track_caller::Cache<'tcx>>,
    pub inherited_align: crate::query::QueryVTable<'tcx,
    inherited_align::Cache<'tcx>>,
    pub lookup_deprecation_entry: crate::query::QueryVTable<'tcx,
    lookup_deprecation_entry::Cache<'tcx>>,
    pub is_doc_hidden: crate::query::QueryVTable<'tcx,
    is_doc_hidden::Cache<'tcx>>,
    pub is_doc_notable_trait: crate::query::QueryVTable<'tcx,
    is_doc_notable_trait::Cache<'tcx>>,
    pub attrs_for_def: crate::query::QueryVTable<'tcx,
    attrs_for_def::Cache<'tcx>>,
    pub codegen_fn_attrs: crate::query::QueryVTable<'tcx,
    codegen_fn_attrs::Cache<'tcx>>,
    pub asm_target_features: crate::query::QueryVTable<'tcx,
    asm_target_features::Cache<'tcx>>,
    pub fn_arg_idents: crate::query::QueryVTable<'tcx,
    fn_arg_idents::Cache<'tcx>>,
    pub rendered_const: crate::query::QueryVTable<'tcx,
    rendered_const::Cache<'tcx>>,
    pub rendered_precise_capturing_args: crate::query::QueryVTable<'tcx,
    rendered_precise_capturing_args::Cache<'tcx>>,
    pub impl_parent: crate::query::QueryVTable<'tcx,
    impl_parent::Cache<'tcx>>,
    pub is_mir_available: crate::query::QueryVTable<'tcx,
    is_mir_available::Cache<'tcx>>,
    pub own_existential_vtable_entries: crate::query::QueryVTable<'tcx,
    own_existential_vtable_entries::Cache<'tcx>>,
    pub vtable_entries: crate::query::QueryVTable<'tcx,
    vtable_entries::Cache<'tcx>>,
    pub first_method_vtable_slot: crate::query::QueryVTable<'tcx,
    first_method_vtable_slot::Cache<'tcx>>,
    pub supertrait_vtable_slot: crate::query::QueryVTable<'tcx,
    supertrait_vtable_slot::Cache<'tcx>>,
    pub vtable_allocation: crate::query::QueryVTable<'tcx,
    vtable_allocation::Cache<'tcx>>,
    pub codegen_select_candidate: crate::query::QueryVTable<'tcx,
    codegen_select_candidate::Cache<'tcx>>,
    pub all_local_trait_impls: crate::query::QueryVTable<'tcx,
    all_local_trait_impls::Cache<'tcx>>,
    pub local_trait_impls: crate::query::QueryVTable<'tcx,
    local_trait_impls::Cache<'tcx>>,
    pub trait_impls_of: crate::query::QueryVTable<'tcx,
    trait_impls_of::Cache<'tcx>>,
    pub specialization_graph_of: crate::query::QueryVTable<'tcx,
    specialization_graph_of::Cache<'tcx>>,
    pub dyn_compatibility_violations: crate::query::QueryVTable<'tcx,
    dyn_compatibility_violations::Cache<'tcx>>,
    pub is_dyn_compatible: crate::query::QueryVTable<'tcx,
    is_dyn_compatible::Cache<'tcx>>,
    pub param_env: crate::query::QueryVTable<'tcx, param_env::Cache<'tcx>>,
    pub typing_env_normalized_for_post_analysis: crate::query::QueryVTable<'tcx,
    typing_env_normalized_for_post_analysis::Cache<'tcx>>,
    pub is_copy_raw: crate::query::QueryVTable<'tcx,
    is_copy_raw::Cache<'tcx>>,
    pub is_use_cloned_raw: crate::query::QueryVTable<'tcx,
    is_use_cloned_raw::Cache<'tcx>>,
    pub is_sized_raw: crate::query::QueryVTable<'tcx,
    is_sized_raw::Cache<'tcx>>,
    pub is_freeze_raw: crate::query::QueryVTable<'tcx,
    is_freeze_raw::Cache<'tcx>>,
    pub is_unsafe_unpin_raw: crate::query::QueryVTable<'tcx,
    is_unsafe_unpin_raw::Cache<'tcx>>,
    pub is_unpin_raw: crate::query::QueryVTable<'tcx,
    is_unpin_raw::Cache<'tcx>>,
    pub is_async_drop_raw: crate::query::QueryVTable<'tcx,
    is_async_drop_raw::Cache<'tcx>>,
    pub needs_drop_raw: crate::query::QueryVTable<'tcx,
    needs_drop_raw::Cache<'tcx>>,
    pub needs_async_drop_raw: crate::query::QueryVTable<'tcx,
    needs_async_drop_raw::Cache<'tcx>>,
    pub has_significant_drop_raw: crate::query::QueryVTable<'tcx,
    has_significant_drop_raw::Cache<'tcx>>,
    pub has_structural_eq_impl: crate::query::QueryVTable<'tcx,
    has_structural_eq_impl::Cache<'tcx>>,
    pub adt_drop_tys: crate::query::QueryVTable<'tcx,
    adt_drop_tys::Cache<'tcx>>,
    pub adt_async_drop_tys: crate::query::QueryVTable<'tcx,
    adt_async_drop_tys::Cache<'tcx>>,
    pub adt_significant_drop_tys: crate::query::QueryVTable<'tcx,
    adt_significant_drop_tys::Cache<'tcx>>,
    pub list_significant_drop_tys: crate::query::QueryVTable<'tcx,
    list_significant_drop_tys::Cache<'tcx>>,
    pub layout_of: crate::query::QueryVTable<'tcx, layout_of::Cache<'tcx>>,
    pub fn_abi_of_fn_ptr: crate::query::QueryVTable<'tcx,
    fn_abi_of_fn_ptr::Cache<'tcx>>,
    pub fn_abi_of_instance_no_deduced_attrs: crate::query::QueryVTable<'tcx,
    fn_abi_of_instance_no_deduced_attrs::Cache<'tcx>>,
    pub fn_abi_of_instance_raw: crate::query::QueryVTable<'tcx,
    fn_abi_of_instance_raw::Cache<'tcx>>,
    pub dylib_dependency_formats: crate::query::QueryVTable<'tcx,
    dylib_dependency_formats::Cache<'tcx>>,
    pub dependency_formats: crate::query::QueryVTable<'tcx,
    dependency_formats::Cache<'tcx>>,
    pub is_compiler_builtins: crate::query::QueryVTable<'tcx,
    is_compiler_builtins::Cache<'tcx>>,
    pub has_global_allocator: crate::query::QueryVTable<'tcx,
    has_global_allocator::Cache<'tcx>>,
    pub has_alloc_error_handler: crate::query::QueryVTable<'tcx,
    has_alloc_error_handler::Cache<'tcx>>,
    pub has_panic_handler: crate::query::QueryVTable<'tcx,
    has_panic_handler::Cache<'tcx>>,
    pub is_profiler_runtime: crate::query::QueryVTable<'tcx,
    is_profiler_runtime::Cache<'tcx>>,
    pub has_ffi_unwind_calls: crate::query::QueryVTable<'tcx,
    has_ffi_unwind_calls::Cache<'tcx>>,
    pub required_panic_strategy: crate::query::QueryVTable<'tcx,
    required_panic_strategy::Cache<'tcx>>,
    pub panic_in_drop_strategy: crate::query::QueryVTable<'tcx,
    panic_in_drop_strategy::Cache<'tcx>>,
    pub is_no_builtins: crate::query::QueryVTable<'tcx,
    is_no_builtins::Cache<'tcx>>,
    pub symbol_mangling_version: crate::query::QueryVTable<'tcx,
    symbol_mangling_version::Cache<'tcx>>,
    pub extern_crate: crate::query::QueryVTable<'tcx,
    extern_crate::Cache<'tcx>>,
    pub specialization_enabled_in: crate::query::QueryVTable<'tcx,
    specialization_enabled_in::Cache<'tcx>>,
    pub specializes: crate::query::QueryVTable<'tcx,
    specializes::Cache<'tcx>>,
    pub in_scope_traits_map: crate::query::QueryVTable<'tcx,
    in_scope_traits_map::Cache<'tcx>>,
    pub defaultness: crate::query::QueryVTable<'tcx,
    defaultness::Cache<'tcx>>,
    pub default_field: crate::query::QueryVTable<'tcx,
    default_field::Cache<'tcx>>,
    pub check_well_formed: crate::query::QueryVTable<'tcx,
    check_well_formed::Cache<'tcx>>,
    pub enforce_impl_non_lifetime_params_are_constrained: crate::query::QueryVTable<'tcx,
    enforce_impl_non_lifetime_params_are_constrained::Cache<'tcx>>,
    pub reachable_non_generics: crate::query::QueryVTable<'tcx,
    reachable_non_generics::Cache<'tcx>>,
    pub is_reachable_non_generic: crate::query::QueryVTable<'tcx,
    is_reachable_non_generic::Cache<'tcx>>,
    pub is_unreachable_local_definition: crate::query::QueryVTable<'tcx,
    is_unreachable_local_definition::Cache<'tcx>>,
    pub upstream_monomorphizations: crate::query::QueryVTable<'tcx,
    upstream_monomorphizations::Cache<'tcx>>,
    pub upstream_monomorphizations_for: crate::query::QueryVTable<'tcx,
    upstream_monomorphizations_for::Cache<'tcx>>,
    pub upstream_drop_glue_for: crate::query::QueryVTable<'tcx,
    upstream_drop_glue_for::Cache<'tcx>>,
    pub upstream_async_drop_glue_for: crate::query::QueryVTable<'tcx,
    upstream_async_drop_glue_for::Cache<'tcx>>,
    pub foreign_modules: crate::query::QueryVTable<'tcx,
    foreign_modules::Cache<'tcx>>,
    pub clashing_extern_declarations: crate::query::QueryVTable<'tcx,
    clashing_extern_declarations::Cache<'tcx>>,
    pub entry_fn: crate::query::QueryVTable<'tcx, entry_fn::Cache<'tcx>>,
    pub proc_macro_decls_static: crate::query::QueryVTable<'tcx,
    proc_macro_decls_static::Cache<'tcx>>,
    pub crate_hash: crate::query::QueryVTable<'tcx, crate_hash::Cache<'tcx>>,
    pub crate_host_hash: crate::query::QueryVTable<'tcx,
    crate_host_hash::Cache<'tcx>>,
    pub extra_filename: crate::query::QueryVTable<'tcx,
    extra_filename::Cache<'tcx>>,
    pub crate_extern_paths: crate::query::QueryVTable<'tcx,
    crate_extern_paths::Cache<'tcx>>,
    pub implementations_of_trait: crate::query::QueryVTable<'tcx,
    implementations_of_trait::Cache<'tcx>>,
    pub crate_incoherent_impls: crate::query::QueryVTable<'tcx,
    crate_incoherent_impls::Cache<'tcx>>,
    pub native_library: crate::query::QueryVTable<'tcx,
    native_library::Cache<'tcx>>,
    pub inherit_sig_for_delegation_item: crate::query::QueryVTable<'tcx,
    inherit_sig_for_delegation_item::Cache<'tcx>>,
    pub resolve_bound_vars: crate::query::QueryVTable<'tcx,
    resolve_bound_vars::Cache<'tcx>>,
    pub named_variable_map: crate::query::QueryVTable<'tcx,
    named_variable_map::Cache<'tcx>>,
    pub is_late_bound_map: crate::query::QueryVTable<'tcx,
    is_late_bound_map::Cache<'tcx>>,
    pub object_lifetime_default: crate::query::QueryVTable<'tcx,
    object_lifetime_default::Cache<'tcx>>,
    pub late_bound_vars_map: crate::query::QueryVTable<'tcx,
    late_bound_vars_map::Cache<'tcx>>,
    pub opaque_captured_lifetimes: crate::query::QueryVTable<'tcx,
    opaque_captured_lifetimes::Cache<'tcx>>,
    pub visibility: crate::query::QueryVTable<'tcx, visibility::Cache<'tcx>>,
    pub inhabited_predicate_adt: crate::query::QueryVTable<'tcx,
    inhabited_predicate_adt::Cache<'tcx>>,
    pub inhabited_predicate_type: crate::query::QueryVTable<'tcx,
    inhabited_predicate_type::Cache<'tcx>>,
    pub crate_dep_kind: crate::query::QueryVTable<'tcx,
    crate_dep_kind::Cache<'tcx>>,
    pub crate_name: crate::query::QueryVTable<'tcx, crate_name::Cache<'tcx>>,
    pub module_children: crate::query::QueryVTable<'tcx,
    module_children::Cache<'tcx>>,
    pub num_extern_def_ids: crate::query::QueryVTable<'tcx,
    num_extern_def_ids::Cache<'tcx>>,
    pub lib_features: crate::query::QueryVTable<'tcx,
    lib_features::Cache<'tcx>>,
    pub stability_implications: crate::query::QueryVTable<'tcx,
    stability_implications::Cache<'tcx>>,
    pub intrinsic_raw: crate::query::QueryVTable<'tcx,
    intrinsic_raw::Cache<'tcx>>,
    pub get_lang_items: crate::query::QueryVTable<'tcx,
    get_lang_items::Cache<'tcx>>,
    pub all_diagnostic_items: crate::query::QueryVTable<'tcx,
    all_diagnostic_items::Cache<'tcx>>,
    pub defined_lang_items: crate::query::QueryVTable<'tcx,
    defined_lang_items::Cache<'tcx>>,
    pub diagnostic_items: crate::query::QueryVTable<'tcx,
    diagnostic_items::Cache<'tcx>>,
    pub missing_lang_items: crate::query::QueryVTable<'tcx,
    missing_lang_items::Cache<'tcx>>,
    pub visible_parent_map: crate::query::QueryVTable<'tcx,
    visible_parent_map::Cache<'tcx>>,
    pub trimmed_def_paths: crate::query::QueryVTable<'tcx,
    trimmed_def_paths::Cache<'tcx>>,
    pub missing_extern_crate_item: crate::query::QueryVTable<'tcx,
    missing_extern_crate_item::Cache<'tcx>>,
    pub used_crate_source: crate::query::QueryVTable<'tcx,
    used_crate_source::Cache<'tcx>>,
    pub debugger_visualizers: crate::query::QueryVTable<'tcx,
    debugger_visualizers::Cache<'tcx>>,
    pub postorder_cnums: crate::query::QueryVTable<'tcx,
    postorder_cnums::Cache<'tcx>>,
    pub is_private_dep: crate::query::QueryVTable<'tcx,
    is_private_dep::Cache<'tcx>>,
    pub allocator_kind: crate::query::QueryVTable<'tcx,
    allocator_kind::Cache<'tcx>>,
    pub alloc_error_handler_kind: crate::query::QueryVTable<'tcx,
    alloc_error_handler_kind::Cache<'tcx>>,
    pub upvars_mentioned: crate::query::QueryVTable<'tcx,
    upvars_mentioned::Cache<'tcx>>,
    pub crates: crate::query::QueryVTable<'tcx, crates::Cache<'tcx>>,
    pub used_crates: crate::query::QueryVTable<'tcx,
    used_crates::Cache<'tcx>>,
    pub duplicate_crate_names: crate::query::QueryVTable<'tcx,
    duplicate_crate_names::Cache<'tcx>>,
    pub traits: crate::query::QueryVTable<'tcx, traits::Cache<'tcx>>,
    pub trait_impls_in_crate: crate::query::QueryVTable<'tcx,
    trait_impls_in_crate::Cache<'tcx>>,
    pub stable_order_of_exportable_impls: crate::query::QueryVTable<'tcx,
    stable_order_of_exportable_impls::Cache<'tcx>>,
    pub exportable_items: crate::query::QueryVTable<'tcx,
    exportable_items::Cache<'tcx>>,
    pub exported_non_generic_symbols: crate::query::QueryVTable<'tcx,
    exported_non_generic_symbols::Cache<'tcx>>,
    pub exported_generic_symbols: crate::query::QueryVTable<'tcx,
    exported_generic_symbols::Cache<'tcx>>,
    pub collect_and_partition_mono_items: crate::query::QueryVTable<'tcx,
    collect_and_partition_mono_items::Cache<'tcx>>,
    pub is_codegened_item: crate::query::QueryVTable<'tcx,
    is_codegened_item::Cache<'tcx>>,
    pub codegen_unit: crate::query::QueryVTable<'tcx,
    codegen_unit::Cache<'tcx>>,
    pub backend_optimization_level: crate::query::QueryVTable<'tcx,
    backend_optimization_level::Cache<'tcx>>,
    pub output_filenames: crate::query::QueryVTable<'tcx,
    output_filenames::Cache<'tcx>>,
    pub normalize_canonicalized_projection: crate::query::QueryVTable<'tcx,
    normalize_canonicalized_projection::Cache<'tcx>>,
    pub normalize_canonicalized_free_alias: crate::query::QueryVTable<'tcx,
    normalize_canonicalized_free_alias::Cache<'tcx>>,
    pub normalize_canonicalized_inherent_projection: crate::query::QueryVTable<'tcx,
    normalize_canonicalized_inherent_projection::Cache<'tcx>>,
    pub try_normalize_generic_arg_after_erasing_regions: crate::query::QueryVTable<'tcx,
    try_normalize_generic_arg_after_erasing_regions::Cache<'tcx>>,
    pub implied_outlives_bounds: crate::query::QueryVTable<'tcx,
    implied_outlives_bounds::Cache<'tcx>>,
    pub dropck_outlives: crate::query::QueryVTable<'tcx,
    dropck_outlives::Cache<'tcx>>,
    pub evaluate_obligation: crate::query::QueryVTable<'tcx,
    evaluate_obligation::Cache<'tcx>>,
    pub type_op_ascribe_user_type: crate::query::QueryVTable<'tcx,
    type_op_ascribe_user_type::Cache<'tcx>>,
    pub type_op_prove_predicate: crate::query::QueryVTable<'tcx,
    type_op_prove_predicate::Cache<'tcx>>,
    pub type_op_normalize_ty: crate::query::QueryVTable<'tcx,
    type_op_normalize_ty::Cache<'tcx>>,
    pub type_op_normalize_clause: crate::query::QueryVTable<'tcx,
    type_op_normalize_clause::Cache<'tcx>>,
    pub type_op_normalize_poly_fn_sig: crate::query::QueryVTable<'tcx,
    type_op_normalize_poly_fn_sig::Cache<'tcx>>,
    pub type_op_normalize_fn_sig: crate::query::QueryVTable<'tcx,
    type_op_normalize_fn_sig::Cache<'tcx>>,
    pub instantiate_and_check_impossible_predicates: crate::query::QueryVTable<'tcx,
    instantiate_and_check_impossible_predicates::Cache<'tcx>>,
    pub is_impossible_associated_item: crate::query::QueryVTable<'tcx,
    is_impossible_associated_item::Cache<'tcx>>,
    pub method_autoderef_steps: crate::query::QueryVTable<'tcx,
    method_autoderef_steps::Cache<'tcx>>,
    pub evaluate_root_goal_for_proof_tree_raw: crate::query::QueryVTable<'tcx,
    evaluate_root_goal_for_proof_tree_raw::Cache<'tcx>>,
    pub rust_target_features: crate::query::QueryVTable<'tcx,
    rust_target_features::Cache<'tcx>>,
    pub implied_target_features: crate::query::QueryVTable<'tcx,
    implied_target_features::Cache<'tcx>>,
    pub features_query: crate::query::QueryVTable<'tcx,
    features_query::Cache<'tcx>>,
    pub crate_for_resolver: crate::query::QueryVTable<'tcx,
    crate_for_resolver::Cache<'tcx>>,
    pub resolve_instance_raw: crate::query::QueryVTable<'tcx,
    resolve_instance_raw::Cache<'tcx>>,
    pub reveal_opaque_types_in_bounds: crate::query::QueryVTable<'tcx,
    reveal_opaque_types_in_bounds::Cache<'tcx>>,
    pub limits: crate::query::QueryVTable<'tcx, limits::Cache<'tcx>>,
    pub diagnostic_hir_wf_check: crate::query::QueryVTable<'tcx,
    diagnostic_hir_wf_check::Cache<'tcx>>,
    pub global_backend_features: crate::query::QueryVTable<'tcx,
    global_backend_features::Cache<'tcx>>,
    pub check_validity_requirement: crate::query::QueryVTable<'tcx,
    check_validity_requirement::Cache<'tcx>>,
    pub compare_impl_item: crate::query::QueryVTable<'tcx,
    compare_impl_item::Cache<'tcx>>,
    pub deduced_param_attrs: crate::query::QueryVTable<'tcx,
    deduced_param_attrs::Cache<'tcx>>,
    pub doc_link_resolutions: crate::query::QueryVTable<'tcx,
    doc_link_resolutions::Cache<'tcx>>,
    pub doc_link_traits_in_scope: crate::query::QueryVTable<'tcx,
    doc_link_traits_in_scope::Cache<'tcx>>,
    pub stripped_cfg_items: crate::query::QueryVTable<'tcx,
    stripped_cfg_items::Cache<'tcx>>,
    pub generics_require_sized_self: crate::query::QueryVTable<'tcx,
    generics_require_sized_self::Cache<'tcx>>,
    pub cross_crate_inlinable: crate::query::QueryVTable<'tcx,
    cross_crate_inlinable::Cache<'tcx>>,
    pub check_mono_item: crate::query::QueryVTable<'tcx,
    check_mono_item::Cache<'tcx>>,
    pub skip_move_check_fns: crate::query::QueryVTable<'tcx,
    skip_move_check_fns::Cache<'tcx>>,
    pub items_of_instance: crate::query::QueryVTable<'tcx,
    items_of_instance::Cache<'tcx>>,
    pub size_estimate: crate::query::QueryVTable<'tcx,
    size_estimate::Cache<'tcx>>,
    pub anon_const_kind: crate::query::QueryVTable<'tcx,
    anon_const_kind::Cache<'tcx>>,
    pub trivial_const: crate::query::QueryVTable<'tcx,
    trivial_const::Cache<'tcx>>,
    pub sanitizer_settings_for: crate::query::QueryVTable<'tcx,
    sanitizer_settings_for::Cache<'tcx>>,
    pub check_externally_implementable_items: crate::query::QueryVTable<'tcx,
    check_externally_implementable_items::Cache<'tcx>>,
    pub externally_implementable_items: crate::query::QueryVTable<'tcx,
    externally_implementable_items::Cache<'tcx>>,
}
/// Holds per-query arenas for queries with the `arena_cache` modifier.
pub struct QueryArenas<'tcx> {
    pub registered_tools: TypedArena<<&'tcx ty::RegisteredTools as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub hir_crate: TypedArena<<&'tcx Crate<'tcx> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub hir_crate_items: TypedArena<<&'tcx rustc_middle::hir::ModuleItems as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub hir_module_items: TypedArena<<&'tcx rustc_middle::hir::ModuleItems as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub unsizing_params_for_adt: TypedArena<<&'tcx rustc_index::bit_set::DenseBitSet<u32>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub generics_of: TypedArena<<&'tcx ty::Generics as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub native_libraries: TypedArena<<&'tcx Vec<NativeLib> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub shallow_lint_levels_on: TypedArena<<&'tcx rustc_middle::lint::ShallowLintLevelMap
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub lint_expectations: TypedArena<<&'tcx Vec<(LintExpectationId,
    LintExpectation)> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub lints_that_dont_need_to_run: TypedArena<<&'tcx UnordSet<LintId> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub params_in_repr: TypedArena<<&'tcx rustc_index::bit_set::DenseBitSet<u32>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub mir_keys: TypedArena<<&'tcx rustc_data_structures::fx::FxIndexSet<LocalDefId>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub closure_saved_names_of_captured_variables: TypedArena<<&'tcx IndexVec<abi::FieldIdx,
    Symbol> as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub mir_coroutine_witnesses: TypedArena<<Option<&'tcx mir::CoroutineLayout<'tcx>>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub coverage_ids_info: TypedArena<<Option<&'tcx mir::coverage::CoverageIdsInfo>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub wasm_import_module_map: TypedArena<<&'tcx DefIdMap<String> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub trait_def: TypedArena<<&'tcx ty::TraitDef as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub crate_variances: TypedArena<<&'tcx ty::CrateVariancesMap<'tcx> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub inferred_outlives_crate: TypedArena<<&'tcx ty::CratePredicatesMap<'tcx>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub associated_items: TypedArena<<&'tcx ty::AssocItems as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub impl_item_implementor_ids: TypedArena<<&'tcx DefIdMap<DefId> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub associated_types_for_impl_traits_in_trait_or_impl: TypedArena<<&'tcx DefIdMap<Vec<DefId>>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub check_liveness: TypedArena<<&'tcx rustc_index::bit_set::DenseBitSet<abi::FieldIdx>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub live_symbols_and_ignored_derived_traits: TypedArena<<&'tcx Result<(LocalDefIdSet,
    LocalDefIdMap<FxIndexSet<DefId>>), ErrorGuaranteed> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub mir_callgraph_cyclic: TypedArena<<&'tcx Option<UnordSet<LocalDefId>>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub reachable_set: TypedArena<<&'tcx LocalDefIdSet as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub mir_shims: TypedArena<<&'tcx mir::Body<'tcx> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub codegen_fn_attrs: TypedArena<<&'tcx CodegenFnAttrs as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub rendered_const: TypedArena<<&'tcx String as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub trait_impls_of: TypedArena<<&'tcx ty::trait_def::TraitImpls as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub dependency_formats: TypedArena<<&'tcx Arc<crate::middle::dependency_format::Dependencies>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub reachable_non_generics: TypedArena<<&'tcx DefIdMap<SymbolExportInfo>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub upstream_monomorphizations: TypedArena<<&'tcx DefIdMap<UnordMap<GenericArgsRef<'tcx>,
    CrateNum>> as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub foreign_modules: TypedArena<<&'tcx FxIndexMap<DefId, ForeignModule> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub extra_filename: TypedArena<<&'tcx String as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub crate_extern_paths: TypedArena<<&'tcx Vec<PathBuf> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub resolve_bound_vars: TypedArena<<&'tcx ResolveBoundVars<'tcx> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub lib_features: TypedArena<<&'tcx LibFeatures as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub stability_implications: TypedArena<<&'tcx UnordMap<Symbol, Symbol> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub get_lang_items: TypedArena<<&'tcx LanguageItems as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub all_diagnostic_items: TypedArena<<&'tcx rustc_hir::diagnostic_items::DiagnosticItems
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub diagnostic_items: TypedArena<<&'tcx rustc_hir::diagnostic_items::DiagnosticItems
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub visible_parent_map: TypedArena<<&'tcx DefIdMap<DefId> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub trimmed_def_paths: TypedArena<<&'tcx DefIdMap<Symbol> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub used_crate_source: TypedArena<<&'tcx Arc<CrateSource> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub debugger_visualizers: TypedArena<<&'tcx Vec<DebuggerVisualizerFile> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub output_filenames: TypedArena<<&'tcx Arc<OutputFilenames> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub rust_target_features: TypedArena<<&'tcx UnordMap<String,
    rustc_target::target_features::Stability> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub implied_target_features: TypedArena<<&'tcx Vec<Symbol> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub diagnostic_hir_wf_check: TypedArena<<Option<&'tcx ObligationCause<'tcx>>
    as crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub global_backend_features: TypedArena<<&'tcx Vec<String> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub skip_move_check_fns: TypedArena<<&'tcx FxIndexSet<DefId> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
    pub externally_implementable_items: TypedArena<<&'tcx FxIndexMap<DefId,
    (EiiDecl, FxIndexMap<DefId, EiiImpl>)> as
    crate::query::arena_cached::ArenaCached<'tcx>>::Allocated>,
}
#[automatically_derived]
impl<'tcx> ::core::default::Default for QueryArenas<'tcx> {
    #[inline]
    fn default() -> QueryArenas<'tcx> {
        QueryArenas {
            registered_tools: ::core::default::Default::default(),
            hir_crate: ::core::default::Default::default(),
            hir_crate_items: ::core::default::Default::default(),
            hir_module_items: ::core::default::Default::default(),
            unsizing_params_for_adt: ::core::default::Default::default(),
            generics_of: ::core::default::Default::default(),
            native_libraries: ::core::default::Default::default(),
            shallow_lint_levels_on: ::core::default::Default::default(),
            lint_expectations: ::core::default::Default::default(),
            lints_that_dont_need_to_run: ::core::default::Default::default(),
            params_in_repr: ::core::default::Default::default(),
            mir_keys: ::core::default::Default::default(),
            closure_saved_names_of_captured_variables: ::core::default::Default::default(),
            mir_coroutine_witnesses: ::core::default::Default::default(),
            coverage_ids_info: ::core::default::Default::default(),
            wasm_import_module_map: ::core::default::Default::default(),
            trait_def: ::core::default::Default::default(),
            crate_variances: ::core::default::Default::default(),
            inferred_outlives_crate: ::core::default::Default::default(),
            associated_items: ::core::default::Default::default(),
            impl_item_implementor_ids: ::core::default::Default::default(),
            associated_types_for_impl_traits_in_trait_or_impl: ::core::default::Default::default(),
            check_liveness: ::core::default::Default::default(),
            live_symbols_and_ignored_derived_traits: ::core::default::Default::default(),
            mir_callgraph_cyclic: ::core::default::Default::default(),
            reachable_set: ::core::default::Default::default(),
            mir_shims: ::core::default::Default::default(),
            codegen_fn_attrs: ::core::default::Default::default(),
            rendered_const: ::core::default::Default::default(),
            trait_impls_of: ::core::default::Default::default(),
            dependency_formats: ::core::default::Default::default(),
            reachable_non_generics: ::core::default::Default::default(),
            upstream_monomorphizations: ::core::default::Default::default(),
            foreign_modules: ::core::default::Default::default(),
            extra_filename: ::core::default::Default::default(),
            crate_extern_paths: ::core::default::Default::default(),
            resolve_bound_vars: ::core::default::Default::default(),
            lib_features: ::core::default::Default::default(),
            stability_implications: ::core::default::Default::default(),
            get_lang_items: ::core::default::Default::default(),
            all_diagnostic_items: ::core::default::Default::default(),
            diagnostic_items: ::core::default::Default::default(),
            visible_parent_map: ::core::default::Default::default(),
            trimmed_def_paths: ::core::default::Default::default(),
            used_crate_source: ::core::default::Default::default(),
            debugger_visualizers: ::core::default::Default::default(),
            output_filenames: ::core::default::Default::default(),
            rust_target_features: ::core::default::Default::default(),
            implied_target_features: ::core::default::Default::default(),
            diagnostic_hir_wf_check: ::core::default::Default::default(),
            global_backend_features: ::core::default::Default::default(),
            skip_move_check_fns: ::core::default::Default::default(),
            externally_implementable_items: ::core::default::Default::default(),
        }
    }
}
pub struct Providers {
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub derive_macro_expansion: for<'tcx> fn(TyCtxt<'tcx>,
        derive_macro_expansion::LocalKey<'tcx>)
        -> derive_macro_expansion::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub trigger_delayed_bug: for<'tcx> fn(TyCtxt<'tcx>,
        trigger_delayed_bug::LocalKey<'tcx>)
        -> trigger_delayed_bug::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub registered_tools: for<'tcx> fn(TyCtxt<'tcx>,
        registered_tools::LocalKey<'tcx>)
        -> registered_tools::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub early_lint_checks: for<'tcx> fn(TyCtxt<'tcx>,
        early_lint_checks::LocalKey<'tcx>)
        -> early_lint_checks::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub env_var_os: for<'tcx> fn(TyCtxt<'tcx>, env_var_os::LocalKey<'tcx>)
        -> env_var_os::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub resolutions: for<'tcx> fn(TyCtxt<'tcx>, resolutions::LocalKey<'tcx>)
        -> resolutions::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub resolver_for_lowering_raw: for<'tcx> fn(TyCtxt<'tcx>,
        resolver_for_lowering_raw::LocalKey<'tcx>)
        -> resolver_for_lowering_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub source_span: for<'tcx> fn(TyCtxt<'tcx>, source_span::LocalKey<'tcx>)
        -> source_span::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub hir_crate: for<'tcx> fn(TyCtxt<'tcx>, hir_crate::LocalKey<'tcx>)
        -> hir_crate::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub hir_crate_items: for<'tcx> fn(TyCtxt<'tcx>,
        hir_crate_items::LocalKey<'tcx>)
        -> hir_crate_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub hir_module_items: for<'tcx> fn(TyCtxt<'tcx>,
        hir_module_items::LocalKey<'tcx>)
        -> hir_module_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub local_def_id_to_hir_id: for<'tcx> fn(TyCtxt<'tcx>,
        local_def_id_to_hir_id::LocalKey<'tcx>)
        -> local_def_id_to_hir_id::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub hir_owner_parent_q: for<'tcx> fn(TyCtxt<'tcx>,
        hir_owner_parent_q::LocalKey<'tcx>)
        -> hir_owner_parent_q::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub opt_hir_owner_nodes: for<'tcx> fn(TyCtxt<'tcx>,
        opt_hir_owner_nodes::LocalKey<'tcx>)
        -> opt_hir_owner_nodes::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub hir_attr_map: for<'tcx> fn(TyCtxt<'tcx>, hir_attr_map::LocalKey<'tcx>)
        -> hir_attr_map::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub opt_ast_lowering_delayed_lints: for<'tcx> fn(TyCtxt<'tcx>,
        opt_ast_lowering_delayed_lints::LocalKey<'tcx>)
        -> opt_ast_lowering_delayed_lints::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub const_param_default: for<'tcx> fn(TyCtxt<'tcx>,
        const_param_default::LocalKey<'tcx>)
        -> const_param_default::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub const_of_item: for<'tcx> fn(TyCtxt<'tcx>,
        const_of_item::LocalKey<'tcx>) -> const_of_item::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_of: for<'tcx> fn(TyCtxt<'tcx>, type_of::LocalKey<'tcx>)
        -> type_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_of_opaque: for<'tcx> fn(TyCtxt<'tcx>,
        type_of_opaque::LocalKey<'tcx>)
        -> type_of_opaque::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_of_opaque_hir_typeck: for<'tcx> fn(TyCtxt<'tcx>,
        type_of_opaque_hir_typeck::LocalKey<'tcx>)
        -> type_of_opaque_hir_typeck::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_alias_is_lazy: for<'tcx> fn(TyCtxt<'tcx>,
        type_alias_is_lazy::LocalKey<'tcx>)
        -> type_alias_is_lazy::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub collect_return_position_impl_trait_in_trait_tys: for<'tcx> fn(TyCtxt<'tcx>,
        collect_return_position_impl_trait_in_trait_tys::LocalKey<'tcx>)
        ->
            collect_return_position_impl_trait_in_trait_tys::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub opaque_ty_origin: for<'tcx> fn(TyCtxt<'tcx>,
        opaque_ty_origin::LocalKey<'tcx>)
        -> opaque_ty_origin::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub unsizing_params_for_adt: for<'tcx> fn(TyCtxt<'tcx>,
        unsizing_params_for_adt::LocalKey<'tcx>)
        -> unsizing_params_for_adt::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub analysis: for<'tcx> fn(TyCtxt<'tcx>, analysis::LocalKey<'tcx>)
        -> analysis::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_expectations: for<'tcx> fn(TyCtxt<'tcx>,
        check_expectations::LocalKey<'tcx>)
        -> check_expectations::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub generics_of: for<'tcx> fn(TyCtxt<'tcx>, generics_of::LocalKey<'tcx>)
        -> generics_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub predicates_of: for<'tcx> fn(TyCtxt<'tcx>,
        predicates_of::LocalKey<'tcx>) -> predicates_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub opaque_types_defined_by: for<'tcx> fn(TyCtxt<'tcx>,
        opaque_types_defined_by::LocalKey<'tcx>)
        -> opaque_types_defined_by::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub nested_bodies_within: for<'tcx> fn(TyCtxt<'tcx>,
        nested_bodies_within::LocalKey<'tcx>)
        -> nested_bodies_within::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub explicit_item_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_item_bounds::LocalKey<'tcx>)
        -> explicit_item_bounds::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub explicit_item_self_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_item_self_bounds::LocalKey<'tcx>)
        -> explicit_item_self_bounds::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub item_bounds: for<'tcx> fn(TyCtxt<'tcx>, item_bounds::LocalKey<'tcx>)
        -> item_bounds::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub item_self_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        item_self_bounds::LocalKey<'tcx>)
        -> item_self_bounds::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub item_non_self_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        item_non_self_bounds::LocalKey<'tcx>)
        -> item_non_self_bounds::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub impl_super_outlives: for<'tcx> fn(TyCtxt<'tcx>,
        impl_super_outlives::LocalKey<'tcx>)
        -> impl_super_outlives::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub native_libraries: for<'tcx> fn(TyCtxt<'tcx>,
        native_libraries::LocalKey<'tcx>)
        -> native_libraries::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub shallow_lint_levels_on: for<'tcx> fn(TyCtxt<'tcx>,
        shallow_lint_levels_on::LocalKey<'tcx>)
        -> shallow_lint_levels_on::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub lint_expectations: for<'tcx> fn(TyCtxt<'tcx>,
        lint_expectations::LocalKey<'tcx>)
        -> lint_expectations::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub lints_that_dont_need_to_run: for<'tcx> fn(TyCtxt<'tcx>,
        lints_that_dont_need_to_run::LocalKey<'tcx>)
        -> lints_that_dont_need_to_run::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub expn_that_defined: for<'tcx> fn(TyCtxt<'tcx>,
        expn_that_defined::LocalKey<'tcx>)
        -> expn_that_defined::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_panic_runtime: for<'tcx> fn(TyCtxt<'tcx>,
        is_panic_runtime::LocalKey<'tcx>)
        -> is_panic_runtime::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_representability: for<'tcx> fn(TyCtxt<'tcx>,
        check_representability::LocalKey<'tcx>)
        -> check_representability::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_representability_adt_ty: for<'tcx> fn(TyCtxt<'tcx>,
        check_representability_adt_ty::LocalKey<'tcx>)
        -> check_representability_adt_ty::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub params_in_repr: for<'tcx> fn(TyCtxt<'tcx>,
        params_in_repr::LocalKey<'tcx>)
        -> params_in_repr::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub thir_body: for<'tcx> fn(TyCtxt<'tcx>, thir_body::LocalKey<'tcx>)
        -> thir_body::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_keys: for<'tcx> fn(TyCtxt<'tcx>, mir_keys::LocalKey<'tcx>)
        -> mir_keys::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_const_qualif: for<'tcx> fn(TyCtxt<'tcx>,
        mir_const_qualif::LocalKey<'tcx>)
        -> mir_const_qualif::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_built: for<'tcx> fn(TyCtxt<'tcx>, mir_built::LocalKey<'tcx>)
        -> mir_built::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub thir_abstract_const: for<'tcx> fn(TyCtxt<'tcx>,
        thir_abstract_const::LocalKey<'tcx>)
        -> thir_abstract_const::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_drops_elaborated_and_const_checked: for<'tcx> fn(TyCtxt<'tcx>,
        mir_drops_elaborated_and_const_checked::LocalKey<'tcx>)
        -> mir_drops_elaborated_and_const_checked::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_for_ctfe: for<'tcx> fn(TyCtxt<'tcx>, mir_for_ctfe::LocalKey<'tcx>)
        -> mir_for_ctfe::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_promoted: for<'tcx> fn(TyCtxt<'tcx>, mir_promoted::LocalKey<'tcx>)
        -> mir_promoted::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub closure_typeinfo: for<'tcx> fn(TyCtxt<'tcx>,
        closure_typeinfo::LocalKey<'tcx>)
        -> closure_typeinfo::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub closure_saved_names_of_captured_variables: for<'tcx> fn(TyCtxt<'tcx>,
        closure_saved_names_of_captured_variables::LocalKey<'tcx>)
        -> closure_saved_names_of_captured_variables::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_coroutine_witnesses: for<'tcx> fn(TyCtxt<'tcx>,
        mir_coroutine_witnesses::LocalKey<'tcx>)
        -> mir_coroutine_witnesses::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_coroutine_obligations: for<'tcx> fn(TyCtxt<'tcx>,
        check_coroutine_obligations::LocalKey<'tcx>)
        -> check_coroutine_obligations::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_potentially_region_dependent_goals: for<'tcx> fn(TyCtxt<'tcx>,
        check_potentially_region_dependent_goals::LocalKey<'tcx>)
        -> check_potentially_region_dependent_goals::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub optimized_mir: for<'tcx> fn(TyCtxt<'tcx>,
        optimized_mir::LocalKey<'tcx>) -> optimized_mir::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub coverage_attr_on: for<'tcx> fn(TyCtxt<'tcx>,
        coverage_attr_on::LocalKey<'tcx>)
        -> coverage_attr_on::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub coverage_ids_info: for<'tcx> fn(TyCtxt<'tcx>,
        coverage_ids_info::LocalKey<'tcx>)
        -> coverage_ids_info::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub promoted_mir: for<'tcx> fn(TyCtxt<'tcx>, promoted_mir::LocalKey<'tcx>)
        -> promoted_mir::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub erase_and_anonymize_regions_ty: for<'tcx> fn(TyCtxt<'tcx>,
        erase_and_anonymize_regions_ty::LocalKey<'tcx>)
        -> erase_and_anonymize_regions_ty::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub wasm_import_module_map: for<'tcx> fn(TyCtxt<'tcx>,
        wasm_import_module_map::LocalKey<'tcx>)
        -> wasm_import_module_map::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub trait_explicit_predicates_and_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        trait_explicit_predicates_and_bounds::LocalKey<'tcx>)
        -> trait_explicit_predicates_and_bounds::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub explicit_predicates_of: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_predicates_of::LocalKey<'tcx>)
        -> explicit_predicates_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub inferred_outlives_of: for<'tcx> fn(TyCtxt<'tcx>,
        inferred_outlives_of::LocalKey<'tcx>)
        -> inferred_outlives_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub explicit_super_predicates_of: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_super_predicates_of::LocalKey<'tcx>)
        -> explicit_super_predicates_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub explicit_implied_predicates_of: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_implied_predicates_of::LocalKey<'tcx>)
        -> explicit_implied_predicates_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub explicit_supertraits_containing_assoc_item: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_supertraits_containing_assoc_item::LocalKey<'tcx>)
        -> explicit_supertraits_containing_assoc_item::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub const_conditions: for<'tcx> fn(TyCtxt<'tcx>,
        const_conditions::LocalKey<'tcx>)
        -> const_conditions::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub explicit_implied_const_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_implied_const_bounds::LocalKey<'tcx>)
        -> explicit_implied_const_bounds::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_param_predicates: for<'tcx> fn(TyCtxt<'tcx>,
        type_param_predicates::LocalKey<'tcx>)
        -> type_param_predicates::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub trait_def: for<'tcx> fn(TyCtxt<'tcx>, trait_def::LocalKey<'tcx>)
        -> trait_def::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub adt_def: for<'tcx> fn(TyCtxt<'tcx>, adt_def::LocalKey<'tcx>)
        -> adt_def::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub adt_destructor: for<'tcx> fn(TyCtxt<'tcx>,
        adt_destructor::LocalKey<'tcx>)
        -> adt_destructor::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub adt_async_destructor: for<'tcx> fn(TyCtxt<'tcx>,
        adt_async_destructor::LocalKey<'tcx>)
        -> adt_async_destructor::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub adt_sizedness_constraint: for<'tcx> fn(TyCtxt<'tcx>,
        adt_sizedness_constraint::LocalKey<'tcx>)
        -> adt_sizedness_constraint::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub adt_dtorck_constraint: for<'tcx> fn(TyCtxt<'tcx>,
        adt_dtorck_constraint::LocalKey<'tcx>)
        -> adt_dtorck_constraint::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub constness: for<'tcx> fn(TyCtxt<'tcx>, constness::LocalKey<'tcx>)
        -> constness::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub asyncness: for<'tcx> fn(TyCtxt<'tcx>, asyncness::LocalKey<'tcx>)
        -> asyncness::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_promotable_const_fn: for<'tcx> fn(TyCtxt<'tcx>,
        is_promotable_const_fn::LocalKey<'tcx>)
        -> is_promotable_const_fn::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub coroutine_by_move_body_def_id: for<'tcx> fn(TyCtxt<'tcx>,
        coroutine_by_move_body_def_id::LocalKey<'tcx>)
        -> coroutine_by_move_body_def_id::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub coroutine_kind: for<'tcx> fn(TyCtxt<'tcx>,
        coroutine_kind::LocalKey<'tcx>)
        -> coroutine_kind::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub coroutine_for_closure: for<'tcx> fn(TyCtxt<'tcx>,
        coroutine_for_closure::LocalKey<'tcx>)
        -> coroutine_for_closure::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub coroutine_hidden_types: for<'tcx> fn(TyCtxt<'tcx>,
        coroutine_hidden_types::LocalKey<'tcx>)
        -> coroutine_hidden_types::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_variances: for<'tcx> fn(TyCtxt<'tcx>,
        crate_variances::LocalKey<'tcx>)
        -> crate_variances::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub variances_of: for<'tcx> fn(TyCtxt<'tcx>, variances_of::LocalKey<'tcx>)
        -> variances_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub inferred_outlives_crate: for<'tcx> fn(TyCtxt<'tcx>,
        inferred_outlives_crate::LocalKey<'tcx>)
        -> inferred_outlives_crate::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub associated_item_def_ids: for<'tcx> fn(TyCtxt<'tcx>,
        associated_item_def_ids::LocalKey<'tcx>)
        -> associated_item_def_ids::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub associated_item: for<'tcx> fn(TyCtxt<'tcx>,
        associated_item::LocalKey<'tcx>)
        -> associated_item::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub associated_items: for<'tcx> fn(TyCtxt<'tcx>,
        associated_items::LocalKey<'tcx>)
        -> associated_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub impl_item_implementor_ids: for<'tcx> fn(TyCtxt<'tcx>,
        impl_item_implementor_ids::LocalKey<'tcx>)
        -> impl_item_implementor_ids::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub associated_types_for_impl_traits_in_trait_or_impl: for<'tcx> fn(TyCtxt<'tcx>,
        associated_types_for_impl_traits_in_trait_or_impl::LocalKey<'tcx>)
        ->
            associated_types_for_impl_traits_in_trait_or_impl::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub impl_trait_header: for<'tcx> fn(TyCtxt<'tcx>,
        impl_trait_header::LocalKey<'tcx>)
        -> impl_trait_header::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub impl_self_is_guaranteed_unsized: for<'tcx> fn(TyCtxt<'tcx>,
        impl_self_is_guaranteed_unsized::LocalKey<'tcx>)
        -> impl_self_is_guaranteed_unsized::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub inherent_impls: for<'tcx> fn(TyCtxt<'tcx>,
        inherent_impls::LocalKey<'tcx>)
        -> inherent_impls::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub incoherent_impls: for<'tcx> fn(TyCtxt<'tcx>,
        incoherent_impls::LocalKey<'tcx>)
        -> incoherent_impls::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_transmutes: for<'tcx> fn(TyCtxt<'tcx>,
        check_transmutes::LocalKey<'tcx>)
        -> check_transmutes::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_unsafety: for<'tcx> fn(TyCtxt<'tcx>,
        check_unsafety::LocalKey<'tcx>)
        -> check_unsafety::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_tail_calls: for<'tcx> fn(TyCtxt<'tcx>,
        check_tail_calls::LocalKey<'tcx>)
        -> check_tail_calls::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub assumed_wf_types: for<'tcx> fn(TyCtxt<'tcx>,
        assumed_wf_types::LocalKey<'tcx>)
        -> assumed_wf_types::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub assumed_wf_types_for_rpitit: for<'tcx> fn(TyCtxt<'tcx>,
        assumed_wf_types_for_rpitit::LocalKey<'tcx>)
        -> assumed_wf_types_for_rpitit::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub fn_sig: for<'tcx> fn(TyCtxt<'tcx>, fn_sig::LocalKey<'tcx>)
        -> fn_sig::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub lint_mod: for<'tcx> fn(TyCtxt<'tcx>, lint_mod::LocalKey<'tcx>)
        -> lint_mod::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_unused_traits: for<'tcx> fn(TyCtxt<'tcx>,
        check_unused_traits::LocalKey<'tcx>)
        -> check_unused_traits::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_mod_attrs: for<'tcx> fn(TyCtxt<'tcx>,
        check_mod_attrs::LocalKey<'tcx>)
        -> check_mod_attrs::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_mod_unstable_api_usage: for<'tcx> fn(TyCtxt<'tcx>,
        check_mod_unstable_api_usage::LocalKey<'tcx>)
        -> check_mod_unstable_api_usage::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_mod_privacy: for<'tcx> fn(TyCtxt<'tcx>,
        check_mod_privacy::LocalKey<'tcx>)
        -> check_mod_privacy::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_liveness: for<'tcx> fn(TyCtxt<'tcx>,
        check_liveness::LocalKey<'tcx>)
        -> check_liveness::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub live_symbols_and_ignored_derived_traits: for<'tcx> fn(TyCtxt<'tcx>,
        live_symbols_and_ignored_derived_traits::LocalKey<'tcx>)
        -> live_symbols_and_ignored_derived_traits::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_mod_deathness: for<'tcx> fn(TyCtxt<'tcx>,
        check_mod_deathness::LocalKey<'tcx>)
        -> check_mod_deathness::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_type_wf: for<'tcx> fn(TyCtxt<'tcx>,
        check_type_wf::LocalKey<'tcx>) -> check_type_wf::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub coerce_unsized_info: for<'tcx> fn(TyCtxt<'tcx>,
        coerce_unsized_info::LocalKey<'tcx>)
        -> coerce_unsized_info::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub typeck: for<'tcx> fn(TyCtxt<'tcx>, typeck::LocalKey<'tcx>)
        -> typeck::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub used_trait_imports: for<'tcx> fn(TyCtxt<'tcx>,
        used_trait_imports::LocalKey<'tcx>)
        -> used_trait_imports::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub coherent_trait: for<'tcx> fn(TyCtxt<'tcx>,
        coherent_trait::LocalKey<'tcx>)
        -> coherent_trait::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_borrowck: for<'tcx> fn(TyCtxt<'tcx>, mir_borrowck::LocalKey<'tcx>)
        -> mir_borrowck::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_inherent_impls: for<'tcx> fn(TyCtxt<'tcx>,
        crate_inherent_impls::LocalKey<'tcx>)
        -> crate_inherent_impls::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_inherent_impls_validity_check: for<'tcx> fn(TyCtxt<'tcx>,
        crate_inherent_impls_validity_check::LocalKey<'tcx>)
        -> crate_inherent_impls_validity_check::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_inherent_impls_overlap_check: for<'tcx> fn(TyCtxt<'tcx>,
        crate_inherent_impls_overlap_check::LocalKey<'tcx>)
        -> crate_inherent_impls_overlap_check::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub orphan_check_impl: for<'tcx> fn(TyCtxt<'tcx>,
        orphan_check_impl::LocalKey<'tcx>)
        -> orphan_check_impl::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_callgraph_cyclic: for<'tcx> fn(TyCtxt<'tcx>,
        mir_callgraph_cyclic::LocalKey<'tcx>)
        -> mir_callgraph_cyclic::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_inliner_callees: for<'tcx> fn(TyCtxt<'tcx>,
        mir_inliner_callees::LocalKey<'tcx>)
        -> mir_inliner_callees::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub tag_for_variant: for<'tcx> fn(TyCtxt<'tcx>,
        tag_for_variant::LocalKey<'tcx>)
        -> tag_for_variant::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub eval_to_allocation_raw: for<'tcx> fn(TyCtxt<'tcx>,
        eval_to_allocation_raw::LocalKey<'tcx>)
        -> eval_to_allocation_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub eval_static_initializer: for<'tcx> fn(TyCtxt<'tcx>,
        eval_static_initializer::LocalKey<'tcx>)
        -> eval_static_initializer::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub eval_to_const_value_raw: for<'tcx> fn(TyCtxt<'tcx>,
        eval_to_const_value_raw::LocalKey<'tcx>)
        -> eval_to_const_value_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub eval_to_valtree: for<'tcx> fn(TyCtxt<'tcx>,
        eval_to_valtree::LocalKey<'tcx>)
        -> eval_to_valtree::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub valtree_to_const_val: for<'tcx> fn(TyCtxt<'tcx>,
        valtree_to_const_val::LocalKey<'tcx>)
        -> valtree_to_const_val::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub lit_to_const: for<'tcx> fn(TyCtxt<'tcx>, lit_to_const::LocalKey<'tcx>)
        -> lit_to_const::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_match: for<'tcx> fn(TyCtxt<'tcx>, check_match::LocalKey<'tcx>)
        -> check_match::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub effective_visibilities: for<'tcx> fn(TyCtxt<'tcx>,
        effective_visibilities::LocalKey<'tcx>)
        -> effective_visibilities::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_private_in_public: for<'tcx> fn(TyCtxt<'tcx>,
        check_private_in_public::LocalKey<'tcx>)
        -> check_private_in_public::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub reachable_set: for<'tcx> fn(TyCtxt<'tcx>,
        reachable_set::LocalKey<'tcx>) -> reachable_set::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub region_scope_tree: for<'tcx> fn(TyCtxt<'tcx>,
        region_scope_tree::LocalKey<'tcx>)
        -> region_scope_tree::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub mir_shims: for<'tcx> fn(TyCtxt<'tcx>, mir_shims::LocalKey<'tcx>)
        -> mir_shims::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub symbol_name: for<'tcx> fn(TyCtxt<'tcx>, symbol_name::LocalKey<'tcx>)
        -> symbol_name::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub def_kind: for<'tcx> fn(TyCtxt<'tcx>, def_kind::LocalKey<'tcx>)
        -> def_kind::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub def_span: for<'tcx> fn(TyCtxt<'tcx>, def_span::LocalKey<'tcx>)
        -> def_span::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub def_ident_span: for<'tcx> fn(TyCtxt<'tcx>,
        def_ident_span::LocalKey<'tcx>)
        -> def_ident_span::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub ty_span: for<'tcx> fn(TyCtxt<'tcx>, ty_span::LocalKey<'tcx>)
        -> ty_span::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub lookup_stability: for<'tcx> fn(TyCtxt<'tcx>,
        lookup_stability::LocalKey<'tcx>)
        -> lookup_stability::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub lookup_const_stability: for<'tcx> fn(TyCtxt<'tcx>,
        lookup_const_stability::LocalKey<'tcx>)
        -> lookup_const_stability::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub lookup_default_body_stability: for<'tcx> fn(TyCtxt<'tcx>,
        lookup_default_body_stability::LocalKey<'tcx>)
        -> lookup_default_body_stability::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub should_inherit_track_caller: for<'tcx> fn(TyCtxt<'tcx>,
        should_inherit_track_caller::LocalKey<'tcx>)
        -> should_inherit_track_caller::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub inherited_align: for<'tcx> fn(TyCtxt<'tcx>,
        inherited_align::LocalKey<'tcx>)
        -> inherited_align::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub lookup_deprecation_entry: for<'tcx> fn(TyCtxt<'tcx>,
        lookup_deprecation_entry::LocalKey<'tcx>)
        -> lookup_deprecation_entry::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_doc_hidden: for<'tcx> fn(TyCtxt<'tcx>,
        is_doc_hidden::LocalKey<'tcx>) -> is_doc_hidden::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_doc_notable_trait: for<'tcx> fn(TyCtxt<'tcx>,
        is_doc_notable_trait::LocalKey<'tcx>)
        -> is_doc_notable_trait::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub attrs_for_def: for<'tcx> fn(TyCtxt<'tcx>,
        attrs_for_def::LocalKey<'tcx>) -> attrs_for_def::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub codegen_fn_attrs: for<'tcx> fn(TyCtxt<'tcx>,
        codegen_fn_attrs::LocalKey<'tcx>)
        -> codegen_fn_attrs::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub asm_target_features: for<'tcx> fn(TyCtxt<'tcx>,
        asm_target_features::LocalKey<'tcx>)
        -> asm_target_features::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub fn_arg_idents: for<'tcx> fn(TyCtxt<'tcx>,
        fn_arg_idents::LocalKey<'tcx>) -> fn_arg_idents::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub rendered_const: for<'tcx> fn(TyCtxt<'tcx>,
        rendered_const::LocalKey<'tcx>)
        -> rendered_const::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub rendered_precise_capturing_args: for<'tcx> fn(TyCtxt<'tcx>,
        rendered_precise_capturing_args::LocalKey<'tcx>)
        -> rendered_precise_capturing_args::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub impl_parent: for<'tcx> fn(TyCtxt<'tcx>, impl_parent::LocalKey<'tcx>)
        -> impl_parent::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_mir_available: for<'tcx> fn(TyCtxt<'tcx>,
        is_mir_available::LocalKey<'tcx>)
        -> is_mir_available::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub own_existential_vtable_entries: for<'tcx> fn(TyCtxt<'tcx>,
        own_existential_vtable_entries::LocalKey<'tcx>)
        -> own_existential_vtable_entries::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub vtable_entries: for<'tcx> fn(TyCtxt<'tcx>,
        vtable_entries::LocalKey<'tcx>)
        -> vtable_entries::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub first_method_vtable_slot: for<'tcx> fn(TyCtxt<'tcx>,
        first_method_vtable_slot::LocalKey<'tcx>)
        -> first_method_vtable_slot::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub supertrait_vtable_slot: for<'tcx> fn(TyCtxt<'tcx>,
        supertrait_vtable_slot::LocalKey<'tcx>)
        -> supertrait_vtable_slot::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub vtable_allocation: for<'tcx> fn(TyCtxt<'tcx>,
        vtable_allocation::LocalKey<'tcx>)
        -> vtable_allocation::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub codegen_select_candidate: for<'tcx> fn(TyCtxt<'tcx>,
        codegen_select_candidate::LocalKey<'tcx>)
        -> codegen_select_candidate::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub all_local_trait_impls: for<'tcx> fn(TyCtxt<'tcx>,
        all_local_trait_impls::LocalKey<'tcx>)
        -> all_local_trait_impls::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub local_trait_impls: for<'tcx> fn(TyCtxt<'tcx>,
        local_trait_impls::LocalKey<'tcx>)
        -> local_trait_impls::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub trait_impls_of: for<'tcx> fn(TyCtxt<'tcx>,
        trait_impls_of::LocalKey<'tcx>)
        -> trait_impls_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub specialization_graph_of: for<'tcx> fn(TyCtxt<'tcx>,
        specialization_graph_of::LocalKey<'tcx>)
        -> specialization_graph_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub dyn_compatibility_violations: for<'tcx> fn(TyCtxt<'tcx>,
        dyn_compatibility_violations::LocalKey<'tcx>)
        -> dyn_compatibility_violations::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_dyn_compatible: for<'tcx> fn(TyCtxt<'tcx>,
        is_dyn_compatible::LocalKey<'tcx>)
        -> is_dyn_compatible::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub param_env: for<'tcx> fn(TyCtxt<'tcx>, param_env::LocalKey<'tcx>)
        -> param_env::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub typing_env_normalized_for_post_analysis: for<'tcx> fn(TyCtxt<'tcx>,
        typing_env_normalized_for_post_analysis::LocalKey<'tcx>)
        -> typing_env_normalized_for_post_analysis::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_copy_raw: for<'tcx> fn(TyCtxt<'tcx>, is_copy_raw::LocalKey<'tcx>)
        -> is_copy_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_use_cloned_raw: for<'tcx> fn(TyCtxt<'tcx>,
        is_use_cloned_raw::LocalKey<'tcx>)
        -> is_use_cloned_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_sized_raw: for<'tcx> fn(TyCtxt<'tcx>, is_sized_raw::LocalKey<'tcx>)
        -> is_sized_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_freeze_raw: for<'tcx> fn(TyCtxt<'tcx>,
        is_freeze_raw::LocalKey<'tcx>) -> is_freeze_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_unsafe_unpin_raw: for<'tcx> fn(TyCtxt<'tcx>,
        is_unsafe_unpin_raw::LocalKey<'tcx>)
        -> is_unsafe_unpin_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_unpin_raw: for<'tcx> fn(TyCtxt<'tcx>, is_unpin_raw::LocalKey<'tcx>)
        -> is_unpin_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_async_drop_raw: for<'tcx> fn(TyCtxt<'tcx>,
        is_async_drop_raw::LocalKey<'tcx>)
        -> is_async_drop_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub needs_drop_raw: for<'tcx> fn(TyCtxt<'tcx>,
        needs_drop_raw::LocalKey<'tcx>)
        -> needs_drop_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub needs_async_drop_raw: for<'tcx> fn(TyCtxt<'tcx>,
        needs_async_drop_raw::LocalKey<'tcx>)
        -> needs_async_drop_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub has_significant_drop_raw: for<'tcx> fn(TyCtxt<'tcx>,
        has_significant_drop_raw::LocalKey<'tcx>)
        -> has_significant_drop_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub has_structural_eq_impl: for<'tcx> fn(TyCtxt<'tcx>,
        has_structural_eq_impl::LocalKey<'tcx>)
        -> has_structural_eq_impl::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub adt_drop_tys: for<'tcx> fn(TyCtxt<'tcx>, adt_drop_tys::LocalKey<'tcx>)
        -> adt_drop_tys::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub adt_async_drop_tys: for<'tcx> fn(TyCtxt<'tcx>,
        adt_async_drop_tys::LocalKey<'tcx>)
        -> adt_async_drop_tys::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub adt_significant_drop_tys: for<'tcx> fn(TyCtxt<'tcx>,
        adt_significant_drop_tys::LocalKey<'tcx>)
        -> adt_significant_drop_tys::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub list_significant_drop_tys: for<'tcx> fn(TyCtxt<'tcx>,
        list_significant_drop_tys::LocalKey<'tcx>)
        -> list_significant_drop_tys::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub layout_of: for<'tcx> fn(TyCtxt<'tcx>, layout_of::LocalKey<'tcx>)
        -> layout_of::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub fn_abi_of_fn_ptr: for<'tcx> fn(TyCtxt<'tcx>,
        fn_abi_of_fn_ptr::LocalKey<'tcx>)
        -> fn_abi_of_fn_ptr::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub fn_abi_of_instance_no_deduced_attrs: for<'tcx> fn(TyCtxt<'tcx>,
        fn_abi_of_instance_no_deduced_attrs::LocalKey<'tcx>)
        -> fn_abi_of_instance_no_deduced_attrs::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub fn_abi_of_instance_raw: for<'tcx> fn(TyCtxt<'tcx>,
        fn_abi_of_instance_raw::LocalKey<'tcx>)
        -> fn_abi_of_instance_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub dylib_dependency_formats: for<'tcx> fn(TyCtxt<'tcx>,
        dylib_dependency_formats::LocalKey<'tcx>)
        -> dylib_dependency_formats::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub dependency_formats: for<'tcx> fn(TyCtxt<'tcx>,
        dependency_formats::LocalKey<'tcx>)
        -> dependency_formats::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_compiler_builtins: for<'tcx> fn(TyCtxt<'tcx>,
        is_compiler_builtins::LocalKey<'tcx>)
        -> is_compiler_builtins::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub has_global_allocator: for<'tcx> fn(TyCtxt<'tcx>,
        has_global_allocator::LocalKey<'tcx>)
        -> has_global_allocator::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub has_alloc_error_handler: for<'tcx> fn(TyCtxt<'tcx>,
        has_alloc_error_handler::LocalKey<'tcx>)
        -> has_alloc_error_handler::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub has_panic_handler: for<'tcx> fn(TyCtxt<'tcx>,
        has_panic_handler::LocalKey<'tcx>)
        -> has_panic_handler::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_profiler_runtime: for<'tcx> fn(TyCtxt<'tcx>,
        is_profiler_runtime::LocalKey<'tcx>)
        -> is_profiler_runtime::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub has_ffi_unwind_calls: for<'tcx> fn(TyCtxt<'tcx>,
        has_ffi_unwind_calls::LocalKey<'tcx>)
        -> has_ffi_unwind_calls::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub required_panic_strategy: for<'tcx> fn(TyCtxt<'tcx>,
        required_panic_strategy::LocalKey<'tcx>)
        -> required_panic_strategy::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub panic_in_drop_strategy: for<'tcx> fn(TyCtxt<'tcx>,
        panic_in_drop_strategy::LocalKey<'tcx>)
        -> panic_in_drop_strategy::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_no_builtins: for<'tcx> fn(TyCtxt<'tcx>,
        is_no_builtins::LocalKey<'tcx>)
        -> is_no_builtins::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub symbol_mangling_version: for<'tcx> fn(TyCtxt<'tcx>,
        symbol_mangling_version::LocalKey<'tcx>)
        -> symbol_mangling_version::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub extern_crate: for<'tcx> fn(TyCtxt<'tcx>, extern_crate::LocalKey<'tcx>)
        -> extern_crate::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub specialization_enabled_in: for<'tcx> fn(TyCtxt<'tcx>,
        specialization_enabled_in::LocalKey<'tcx>)
        -> specialization_enabled_in::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub specializes: for<'tcx> fn(TyCtxt<'tcx>, specializes::LocalKey<'tcx>)
        -> specializes::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub in_scope_traits_map: for<'tcx> fn(TyCtxt<'tcx>,
        in_scope_traits_map::LocalKey<'tcx>)
        -> in_scope_traits_map::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub defaultness: for<'tcx> fn(TyCtxt<'tcx>, defaultness::LocalKey<'tcx>)
        -> defaultness::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub default_field: for<'tcx> fn(TyCtxt<'tcx>,
        default_field::LocalKey<'tcx>) -> default_field::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_well_formed: for<'tcx> fn(TyCtxt<'tcx>,
        check_well_formed::LocalKey<'tcx>)
        -> check_well_formed::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub enforce_impl_non_lifetime_params_are_constrained: for<'tcx> fn(TyCtxt<'tcx>,
        enforce_impl_non_lifetime_params_are_constrained::LocalKey<'tcx>)
        ->
            enforce_impl_non_lifetime_params_are_constrained::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub reachable_non_generics: for<'tcx> fn(TyCtxt<'tcx>,
        reachable_non_generics::LocalKey<'tcx>)
        -> reachable_non_generics::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_reachable_non_generic: for<'tcx> fn(TyCtxt<'tcx>,
        is_reachable_non_generic::LocalKey<'tcx>)
        -> is_reachable_non_generic::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_unreachable_local_definition: for<'tcx> fn(TyCtxt<'tcx>,
        is_unreachable_local_definition::LocalKey<'tcx>)
        -> is_unreachable_local_definition::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub upstream_monomorphizations: for<'tcx> fn(TyCtxt<'tcx>,
        upstream_monomorphizations::LocalKey<'tcx>)
        -> upstream_monomorphizations::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub upstream_monomorphizations_for: for<'tcx> fn(TyCtxt<'tcx>,
        upstream_monomorphizations_for::LocalKey<'tcx>)
        -> upstream_monomorphizations_for::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub upstream_drop_glue_for: for<'tcx> fn(TyCtxt<'tcx>,
        upstream_drop_glue_for::LocalKey<'tcx>)
        -> upstream_drop_glue_for::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub upstream_async_drop_glue_for: for<'tcx> fn(TyCtxt<'tcx>,
        upstream_async_drop_glue_for::LocalKey<'tcx>)
        -> upstream_async_drop_glue_for::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub foreign_modules: for<'tcx> fn(TyCtxt<'tcx>,
        foreign_modules::LocalKey<'tcx>)
        -> foreign_modules::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub clashing_extern_declarations: for<'tcx> fn(TyCtxt<'tcx>,
        clashing_extern_declarations::LocalKey<'tcx>)
        -> clashing_extern_declarations::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub entry_fn: for<'tcx> fn(TyCtxt<'tcx>, entry_fn::LocalKey<'tcx>)
        -> entry_fn::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub proc_macro_decls_static: for<'tcx> fn(TyCtxt<'tcx>,
        proc_macro_decls_static::LocalKey<'tcx>)
        -> proc_macro_decls_static::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_hash: for<'tcx> fn(TyCtxt<'tcx>, crate_hash::LocalKey<'tcx>)
        -> crate_hash::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_host_hash: for<'tcx> fn(TyCtxt<'tcx>,
        crate_host_hash::LocalKey<'tcx>)
        -> crate_host_hash::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub extra_filename: for<'tcx> fn(TyCtxt<'tcx>,
        extra_filename::LocalKey<'tcx>)
        -> extra_filename::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_extern_paths: for<'tcx> fn(TyCtxt<'tcx>,
        crate_extern_paths::LocalKey<'tcx>)
        -> crate_extern_paths::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub implementations_of_trait: for<'tcx> fn(TyCtxt<'tcx>,
        implementations_of_trait::LocalKey<'tcx>)
        -> implementations_of_trait::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_incoherent_impls: for<'tcx> fn(TyCtxt<'tcx>,
        crate_incoherent_impls::LocalKey<'tcx>)
        -> crate_incoherent_impls::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub native_library: for<'tcx> fn(TyCtxt<'tcx>,
        native_library::LocalKey<'tcx>)
        -> native_library::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub inherit_sig_for_delegation_item: for<'tcx> fn(TyCtxt<'tcx>,
        inherit_sig_for_delegation_item::LocalKey<'tcx>)
        -> inherit_sig_for_delegation_item::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub resolve_bound_vars: for<'tcx> fn(TyCtxt<'tcx>,
        resolve_bound_vars::LocalKey<'tcx>)
        -> resolve_bound_vars::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub named_variable_map: for<'tcx> fn(TyCtxt<'tcx>,
        named_variable_map::LocalKey<'tcx>)
        -> named_variable_map::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_late_bound_map: for<'tcx> fn(TyCtxt<'tcx>,
        is_late_bound_map::LocalKey<'tcx>)
        -> is_late_bound_map::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub object_lifetime_default: for<'tcx> fn(TyCtxt<'tcx>,
        object_lifetime_default::LocalKey<'tcx>)
        -> object_lifetime_default::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub late_bound_vars_map: for<'tcx> fn(TyCtxt<'tcx>,
        late_bound_vars_map::LocalKey<'tcx>)
        -> late_bound_vars_map::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub opaque_captured_lifetimes: for<'tcx> fn(TyCtxt<'tcx>,
        opaque_captured_lifetimes::LocalKey<'tcx>)
        -> opaque_captured_lifetimes::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub visibility: for<'tcx> fn(TyCtxt<'tcx>, visibility::LocalKey<'tcx>)
        -> visibility::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub inhabited_predicate_adt: for<'tcx> fn(TyCtxt<'tcx>,
        inhabited_predicate_adt::LocalKey<'tcx>)
        -> inhabited_predicate_adt::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub inhabited_predicate_type: for<'tcx> fn(TyCtxt<'tcx>,
        inhabited_predicate_type::LocalKey<'tcx>)
        -> inhabited_predicate_type::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_dep_kind: for<'tcx> fn(TyCtxt<'tcx>,
        crate_dep_kind::LocalKey<'tcx>)
        -> crate_dep_kind::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_name: for<'tcx> fn(TyCtxt<'tcx>, crate_name::LocalKey<'tcx>)
        -> crate_name::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub module_children: for<'tcx> fn(TyCtxt<'tcx>,
        module_children::LocalKey<'tcx>)
        -> module_children::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub num_extern_def_ids: for<'tcx> fn(TyCtxt<'tcx>,
        num_extern_def_ids::LocalKey<'tcx>)
        -> num_extern_def_ids::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub lib_features: for<'tcx> fn(TyCtxt<'tcx>, lib_features::LocalKey<'tcx>)
        -> lib_features::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub stability_implications: for<'tcx> fn(TyCtxt<'tcx>,
        stability_implications::LocalKey<'tcx>)
        -> stability_implications::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub intrinsic_raw: for<'tcx> fn(TyCtxt<'tcx>,
        intrinsic_raw::LocalKey<'tcx>) -> intrinsic_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub get_lang_items: for<'tcx> fn(TyCtxt<'tcx>,
        get_lang_items::LocalKey<'tcx>)
        -> get_lang_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub all_diagnostic_items: for<'tcx> fn(TyCtxt<'tcx>,
        all_diagnostic_items::LocalKey<'tcx>)
        -> all_diagnostic_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub defined_lang_items: for<'tcx> fn(TyCtxt<'tcx>,
        defined_lang_items::LocalKey<'tcx>)
        -> defined_lang_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub diagnostic_items: for<'tcx> fn(TyCtxt<'tcx>,
        diagnostic_items::LocalKey<'tcx>)
        -> diagnostic_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub missing_lang_items: for<'tcx> fn(TyCtxt<'tcx>,
        missing_lang_items::LocalKey<'tcx>)
        -> missing_lang_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub visible_parent_map: for<'tcx> fn(TyCtxt<'tcx>,
        visible_parent_map::LocalKey<'tcx>)
        -> visible_parent_map::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub trimmed_def_paths: for<'tcx> fn(TyCtxt<'tcx>,
        trimmed_def_paths::LocalKey<'tcx>)
        -> trimmed_def_paths::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub missing_extern_crate_item: for<'tcx> fn(TyCtxt<'tcx>,
        missing_extern_crate_item::LocalKey<'tcx>)
        -> missing_extern_crate_item::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub used_crate_source: for<'tcx> fn(TyCtxt<'tcx>,
        used_crate_source::LocalKey<'tcx>)
        -> used_crate_source::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub debugger_visualizers: for<'tcx> fn(TyCtxt<'tcx>,
        debugger_visualizers::LocalKey<'tcx>)
        -> debugger_visualizers::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub postorder_cnums: for<'tcx> fn(TyCtxt<'tcx>,
        postorder_cnums::LocalKey<'tcx>)
        -> postorder_cnums::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_private_dep: for<'tcx> fn(TyCtxt<'tcx>,
        is_private_dep::LocalKey<'tcx>)
        -> is_private_dep::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub allocator_kind: for<'tcx> fn(TyCtxt<'tcx>,
        allocator_kind::LocalKey<'tcx>)
        -> allocator_kind::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub alloc_error_handler_kind: for<'tcx> fn(TyCtxt<'tcx>,
        alloc_error_handler_kind::LocalKey<'tcx>)
        -> alloc_error_handler_kind::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub upvars_mentioned: for<'tcx> fn(TyCtxt<'tcx>,
        upvars_mentioned::LocalKey<'tcx>)
        -> upvars_mentioned::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crates: for<'tcx> fn(TyCtxt<'tcx>, crates::LocalKey<'tcx>)
        -> crates::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub used_crates: for<'tcx> fn(TyCtxt<'tcx>, used_crates::LocalKey<'tcx>)
        -> used_crates::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub duplicate_crate_names: for<'tcx> fn(TyCtxt<'tcx>,
        duplicate_crate_names::LocalKey<'tcx>)
        -> duplicate_crate_names::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub traits: for<'tcx> fn(TyCtxt<'tcx>, traits::LocalKey<'tcx>)
        -> traits::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub trait_impls_in_crate: for<'tcx> fn(TyCtxt<'tcx>,
        trait_impls_in_crate::LocalKey<'tcx>)
        -> trait_impls_in_crate::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub stable_order_of_exportable_impls: for<'tcx> fn(TyCtxt<'tcx>,
        stable_order_of_exportable_impls::LocalKey<'tcx>)
        -> stable_order_of_exportable_impls::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub exportable_items: for<'tcx> fn(TyCtxt<'tcx>,
        exportable_items::LocalKey<'tcx>)
        -> exportable_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub exported_non_generic_symbols: for<'tcx> fn(TyCtxt<'tcx>,
        exported_non_generic_symbols::LocalKey<'tcx>)
        -> exported_non_generic_symbols::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub exported_generic_symbols: for<'tcx> fn(TyCtxt<'tcx>,
        exported_generic_symbols::LocalKey<'tcx>)
        -> exported_generic_symbols::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub collect_and_partition_mono_items: for<'tcx> fn(TyCtxt<'tcx>,
        collect_and_partition_mono_items::LocalKey<'tcx>)
        -> collect_and_partition_mono_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_codegened_item: for<'tcx> fn(TyCtxt<'tcx>,
        is_codegened_item::LocalKey<'tcx>)
        -> is_codegened_item::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub codegen_unit: for<'tcx> fn(TyCtxt<'tcx>, codegen_unit::LocalKey<'tcx>)
        -> codegen_unit::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub backend_optimization_level: for<'tcx> fn(TyCtxt<'tcx>,
        backend_optimization_level::LocalKey<'tcx>)
        -> backend_optimization_level::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub output_filenames: for<'tcx> fn(TyCtxt<'tcx>,
        output_filenames::LocalKey<'tcx>)
        -> output_filenames::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub normalize_canonicalized_projection: for<'tcx> fn(TyCtxt<'tcx>,
        normalize_canonicalized_projection::LocalKey<'tcx>)
        -> normalize_canonicalized_projection::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub normalize_canonicalized_free_alias: for<'tcx> fn(TyCtxt<'tcx>,
        normalize_canonicalized_free_alias::LocalKey<'tcx>)
        -> normalize_canonicalized_free_alias::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub normalize_canonicalized_inherent_projection: for<'tcx> fn(TyCtxt<'tcx>,
        normalize_canonicalized_inherent_projection::LocalKey<'tcx>)
        -> normalize_canonicalized_inherent_projection::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub try_normalize_generic_arg_after_erasing_regions: for<'tcx> fn(TyCtxt<'tcx>,
        try_normalize_generic_arg_after_erasing_regions::LocalKey<'tcx>)
        ->
            try_normalize_generic_arg_after_erasing_regions::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub implied_outlives_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        implied_outlives_bounds::LocalKey<'tcx>)
        -> implied_outlives_bounds::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub dropck_outlives: for<'tcx> fn(TyCtxt<'tcx>,
        dropck_outlives::LocalKey<'tcx>)
        -> dropck_outlives::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub evaluate_obligation: for<'tcx> fn(TyCtxt<'tcx>,
        evaluate_obligation::LocalKey<'tcx>)
        -> evaluate_obligation::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_op_ascribe_user_type: for<'tcx> fn(TyCtxt<'tcx>,
        type_op_ascribe_user_type::LocalKey<'tcx>)
        -> type_op_ascribe_user_type::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_op_prove_predicate: for<'tcx> fn(TyCtxt<'tcx>,
        type_op_prove_predicate::LocalKey<'tcx>)
        -> type_op_prove_predicate::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_op_normalize_ty: for<'tcx> fn(TyCtxt<'tcx>,
        type_op_normalize_ty::LocalKey<'tcx>)
        -> type_op_normalize_ty::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_op_normalize_clause: for<'tcx> fn(TyCtxt<'tcx>,
        type_op_normalize_clause::LocalKey<'tcx>)
        -> type_op_normalize_clause::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_op_normalize_poly_fn_sig: for<'tcx> fn(TyCtxt<'tcx>,
        type_op_normalize_poly_fn_sig::LocalKey<'tcx>)
        -> type_op_normalize_poly_fn_sig::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub type_op_normalize_fn_sig: for<'tcx> fn(TyCtxt<'tcx>,
        type_op_normalize_fn_sig::LocalKey<'tcx>)
        -> type_op_normalize_fn_sig::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub instantiate_and_check_impossible_predicates: for<'tcx> fn(TyCtxt<'tcx>,
        instantiate_and_check_impossible_predicates::LocalKey<'tcx>)
        -> instantiate_and_check_impossible_predicates::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub is_impossible_associated_item: for<'tcx> fn(TyCtxt<'tcx>,
        is_impossible_associated_item::LocalKey<'tcx>)
        -> is_impossible_associated_item::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub method_autoderef_steps: for<'tcx> fn(TyCtxt<'tcx>,
        method_autoderef_steps::LocalKey<'tcx>)
        -> method_autoderef_steps::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub evaluate_root_goal_for_proof_tree_raw: for<'tcx> fn(TyCtxt<'tcx>,
        evaluate_root_goal_for_proof_tree_raw::LocalKey<'tcx>)
        -> evaluate_root_goal_for_proof_tree_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub rust_target_features: for<'tcx> fn(TyCtxt<'tcx>,
        rust_target_features::LocalKey<'tcx>)
        -> rust_target_features::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub implied_target_features: for<'tcx> fn(TyCtxt<'tcx>,
        implied_target_features::LocalKey<'tcx>)
        -> implied_target_features::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub features_query: for<'tcx> fn(TyCtxt<'tcx>,
        features_query::LocalKey<'tcx>)
        -> features_query::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub crate_for_resolver: for<'tcx> fn(TyCtxt<'tcx>,
        crate_for_resolver::LocalKey<'tcx>)
        -> crate_for_resolver::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub resolve_instance_raw: for<'tcx> fn(TyCtxt<'tcx>,
        resolve_instance_raw::LocalKey<'tcx>)
        -> resolve_instance_raw::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub reveal_opaque_types_in_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        reveal_opaque_types_in_bounds::LocalKey<'tcx>)
        -> reveal_opaque_types_in_bounds::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub limits: for<'tcx> fn(TyCtxt<'tcx>, limits::LocalKey<'tcx>)
        -> limits::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub diagnostic_hir_wf_check: for<'tcx> fn(TyCtxt<'tcx>,
        diagnostic_hir_wf_check::LocalKey<'tcx>)
        -> diagnostic_hir_wf_check::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub global_backend_features: for<'tcx> fn(TyCtxt<'tcx>,
        global_backend_features::LocalKey<'tcx>)
        -> global_backend_features::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_validity_requirement: for<'tcx> fn(TyCtxt<'tcx>,
        check_validity_requirement::LocalKey<'tcx>)
        -> check_validity_requirement::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub compare_impl_item: for<'tcx> fn(TyCtxt<'tcx>,
        compare_impl_item::LocalKey<'tcx>)
        -> compare_impl_item::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub deduced_param_attrs: for<'tcx> fn(TyCtxt<'tcx>,
        deduced_param_attrs::LocalKey<'tcx>)
        -> deduced_param_attrs::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub doc_link_resolutions: for<'tcx> fn(TyCtxt<'tcx>,
        doc_link_resolutions::LocalKey<'tcx>)
        -> doc_link_resolutions::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub doc_link_traits_in_scope: for<'tcx> fn(TyCtxt<'tcx>,
        doc_link_traits_in_scope::LocalKey<'tcx>)
        -> doc_link_traits_in_scope::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub stripped_cfg_items: for<'tcx> fn(TyCtxt<'tcx>,
        stripped_cfg_items::LocalKey<'tcx>)
        -> stripped_cfg_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub generics_require_sized_self: for<'tcx> fn(TyCtxt<'tcx>,
        generics_require_sized_self::LocalKey<'tcx>)
        -> generics_require_sized_self::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub cross_crate_inlinable: for<'tcx> fn(TyCtxt<'tcx>,
        cross_crate_inlinable::LocalKey<'tcx>)
        -> cross_crate_inlinable::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_mono_item: for<'tcx> fn(TyCtxt<'tcx>,
        check_mono_item::LocalKey<'tcx>)
        -> check_mono_item::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub skip_move_check_fns: for<'tcx> fn(TyCtxt<'tcx>,
        skip_move_check_fns::LocalKey<'tcx>)
        -> skip_move_check_fns::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub items_of_instance: for<'tcx> fn(TyCtxt<'tcx>,
        items_of_instance::LocalKey<'tcx>)
        -> items_of_instance::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub size_estimate: for<'tcx> fn(TyCtxt<'tcx>,
        size_estimate::LocalKey<'tcx>) -> size_estimate::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub anon_const_kind: for<'tcx> fn(TyCtxt<'tcx>,
        anon_const_kind::LocalKey<'tcx>)
        -> anon_const_kind::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub trivial_const: for<'tcx> fn(TyCtxt<'tcx>,
        trivial_const::LocalKey<'tcx>) -> trivial_const::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub sanitizer_settings_for: for<'tcx> fn(TyCtxt<'tcx>,
        sanitizer_settings_for::LocalKey<'tcx>)
        -> sanitizer_settings_for::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub check_externally_implementable_items: for<'tcx> fn(TyCtxt<'tcx>,
        check_externally_implementable_items::LocalKey<'tcx>)
        -> check_externally_implementable_items::ProvidedValue<'tcx>,
    /// This is the provider for the query. Use `Find references` on this to
    /// navigate between the provider assignment and the query definition.
    pub externally_implementable_items: for<'tcx> fn(TyCtxt<'tcx>,
        externally_implementable_items::LocalKey<'tcx>)
        -> externally_implementable_items::ProvidedValue<'tcx>,
}
pub struct ExternProviders {
    pub const_param_default: for<'tcx> fn(TyCtxt<'tcx>,
        const_param_default::Key<'tcx>)
        -> const_param_default::ProvidedValue<'tcx>,
    pub const_of_item: for<'tcx> fn(TyCtxt<'tcx>, const_of_item::Key<'tcx>)
        -> const_of_item::ProvidedValue<'tcx>,
    pub type_of: for<'tcx> fn(TyCtxt<'tcx>, type_of::Key<'tcx>)
        -> type_of::ProvidedValue<'tcx>,
    pub type_alias_is_lazy: for<'tcx> fn(TyCtxt<'tcx>,
        type_alias_is_lazy::Key<'tcx>)
        -> type_alias_is_lazy::ProvidedValue<'tcx>,
    pub collect_return_position_impl_trait_in_trait_tys: for<'tcx> fn(TyCtxt<'tcx>,
        collect_return_position_impl_trait_in_trait_tys::Key<'tcx>)
        ->
            collect_return_position_impl_trait_in_trait_tys::ProvidedValue<'tcx>,
    pub opaque_ty_origin: for<'tcx> fn(TyCtxt<'tcx>,
        opaque_ty_origin::Key<'tcx>) -> opaque_ty_origin::ProvidedValue<'tcx>,
    pub generics_of: for<'tcx> fn(TyCtxt<'tcx>, generics_of::Key<'tcx>)
        -> generics_of::ProvidedValue<'tcx>,
    pub explicit_item_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_item_bounds::Key<'tcx>)
        -> explicit_item_bounds::ProvidedValue<'tcx>,
    pub explicit_item_self_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_item_self_bounds::Key<'tcx>)
        -> explicit_item_self_bounds::ProvidedValue<'tcx>,
    pub native_libraries: for<'tcx> fn(TyCtxt<'tcx>,
        native_libraries::Key<'tcx>) -> native_libraries::ProvidedValue<'tcx>,
    pub expn_that_defined: for<'tcx> fn(TyCtxt<'tcx>,
        expn_that_defined::Key<'tcx>)
        -> expn_that_defined::ProvidedValue<'tcx>,
    pub is_panic_runtime: for<'tcx> fn(TyCtxt<'tcx>,
        is_panic_runtime::Key<'tcx>) -> is_panic_runtime::ProvidedValue<'tcx>,
    pub params_in_repr: for<'tcx> fn(TyCtxt<'tcx>, params_in_repr::Key<'tcx>)
        -> params_in_repr::ProvidedValue<'tcx>,
    pub mir_const_qualif: for<'tcx> fn(TyCtxt<'tcx>,
        mir_const_qualif::Key<'tcx>) -> mir_const_qualif::ProvidedValue<'tcx>,
    pub thir_abstract_const: for<'tcx> fn(TyCtxt<'tcx>,
        thir_abstract_const::Key<'tcx>)
        -> thir_abstract_const::ProvidedValue<'tcx>,
    pub mir_for_ctfe: for<'tcx> fn(TyCtxt<'tcx>, mir_for_ctfe::Key<'tcx>)
        -> mir_for_ctfe::ProvidedValue<'tcx>,
    pub closure_saved_names_of_captured_variables: for<'tcx> fn(TyCtxt<'tcx>,
        closure_saved_names_of_captured_variables::Key<'tcx>)
        -> closure_saved_names_of_captured_variables::ProvidedValue<'tcx>,
    pub mir_coroutine_witnesses: for<'tcx> fn(TyCtxt<'tcx>,
        mir_coroutine_witnesses::Key<'tcx>)
        -> mir_coroutine_witnesses::ProvidedValue<'tcx>,
    pub optimized_mir: for<'tcx> fn(TyCtxt<'tcx>, optimized_mir::Key<'tcx>)
        -> optimized_mir::ProvidedValue<'tcx>,
    pub promoted_mir: for<'tcx> fn(TyCtxt<'tcx>, promoted_mir::Key<'tcx>)
        -> promoted_mir::ProvidedValue<'tcx>,
    pub explicit_predicates_of: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_predicates_of::Key<'tcx>)
        -> explicit_predicates_of::ProvidedValue<'tcx>,
    pub inferred_outlives_of: for<'tcx> fn(TyCtxt<'tcx>,
        inferred_outlives_of::Key<'tcx>)
        -> inferred_outlives_of::ProvidedValue<'tcx>,
    pub explicit_super_predicates_of: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_super_predicates_of::Key<'tcx>)
        -> explicit_super_predicates_of::ProvidedValue<'tcx>,
    pub explicit_implied_predicates_of: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_implied_predicates_of::Key<'tcx>)
        -> explicit_implied_predicates_of::ProvidedValue<'tcx>,
    pub const_conditions: for<'tcx> fn(TyCtxt<'tcx>,
        const_conditions::Key<'tcx>) -> const_conditions::ProvidedValue<'tcx>,
    pub explicit_implied_const_bounds: for<'tcx> fn(TyCtxt<'tcx>,
        explicit_implied_const_bounds::Key<'tcx>)
        -> explicit_implied_const_bounds::ProvidedValue<'tcx>,
    pub trait_def: for<'tcx> fn(TyCtxt<'tcx>, trait_def::Key<'tcx>)
        -> trait_def::ProvidedValue<'tcx>,
    pub adt_def: for<'tcx> fn(TyCtxt<'tcx>, adt_def::Key<'tcx>)
        -> adt_def::ProvidedValue<'tcx>,
    pub adt_destructor: for<'tcx> fn(TyCtxt<'tcx>, adt_destructor::Key<'tcx>)
        -> adt_destructor::ProvidedValue<'tcx>,
    pub adt_async_destructor: for<'tcx> fn(TyCtxt<'tcx>,
        adt_async_destructor::Key<'tcx>)
        -> adt_async_destructor::ProvidedValue<'tcx>,
    pub constness: for<'tcx> fn(TyCtxt<'tcx>, constness::Key<'tcx>)
        -> constness::ProvidedValue<'tcx>,
    pub asyncness: for<'tcx> fn(TyCtxt<'tcx>, asyncness::Key<'tcx>)
        -> asyncness::ProvidedValue<'tcx>,
    pub coroutine_by_move_body_def_id: for<'tcx> fn(TyCtxt<'tcx>,
        coroutine_by_move_body_def_id::Key<'tcx>)
        -> coroutine_by_move_body_def_id::ProvidedValue<'tcx>,
    pub coroutine_kind: for<'tcx> fn(TyCtxt<'tcx>, coroutine_kind::Key<'tcx>)
        -> coroutine_kind::ProvidedValue<'tcx>,
    pub coroutine_for_closure: for<'tcx> fn(TyCtxt<'tcx>,
        coroutine_for_closure::Key<'tcx>)
        -> coroutine_for_closure::ProvidedValue<'tcx>,
    pub variances_of: for<'tcx> fn(TyCtxt<'tcx>, variances_of::Key<'tcx>)
        -> variances_of::ProvidedValue<'tcx>,
    pub associated_item_def_ids: for<'tcx> fn(TyCtxt<'tcx>,
        associated_item_def_ids::Key<'tcx>)
        -> associated_item_def_ids::ProvidedValue<'tcx>,
    pub associated_item: for<'tcx> fn(TyCtxt<'tcx>,
        associated_item::Key<'tcx>) -> associated_item::ProvidedValue<'tcx>,
    pub associated_types_for_impl_traits_in_trait_or_impl: for<'tcx> fn(TyCtxt<'tcx>,
        associated_types_for_impl_traits_in_trait_or_impl::Key<'tcx>)
        ->
            associated_types_for_impl_traits_in_trait_or_impl::ProvidedValue<'tcx>,
    pub impl_trait_header: for<'tcx> fn(TyCtxt<'tcx>,
        impl_trait_header::Key<'tcx>)
        -> impl_trait_header::ProvidedValue<'tcx>,
    pub inherent_impls: for<'tcx> fn(TyCtxt<'tcx>, inherent_impls::Key<'tcx>)
        -> inherent_impls::ProvidedValue<'tcx>,
    pub assumed_wf_types_for_rpitit: for<'tcx> fn(TyCtxt<'tcx>,
        assumed_wf_types_for_rpitit::Key<'tcx>)
        -> assumed_wf_types_for_rpitit::ProvidedValue<'tcx>,
    pub fn_sig: for<'tcx> fn(TyCtxt<'tcx>, fn_sig::Key<'tcx>)
        -> fn_sig::ProvidedValue<'tcx>,
    pub coerce_unsized_info: for<'tcx> fn(TyCtxt<'tcx>,
        coerce_unsized_info::Key<'tcx>)
        -> coerce_unsized_info::ProvidedValue<'tcx>,
    pub eval_static_initializer: for<'tcx> fn(TyCtxt<'tcx>,
        eval_static_initializer::Key<'tcx>)
        -> eval_static_initializer::ProvidedValue<'tcx>,
    pub def_kind: for<'tcx> fn(TyCtxt<'tcx>, def_kind::Key<'tcx>)
        -> def_kind::ProvidedValue<'tcx>,
    pub def_span: for<'tcx> fn(TyCtxt<'tcx>, def_span::Key<'tcx>)
        -> def_span::ProvidedValue<'tcx>,
    pub def_ident_span: for<'tcx> fn(TyCtxt<'tcx>, def_ident_span::Key<'tcx>)
        -> def_ident_span::ProvidedValue<'tcx>,
    pub lookup_stability: for<'tcx> fn(TyCtxt<'tcx>,
        lookup_stability::Key<'tcx>) -> lookup_stability::ProvidedValue<'tcx>,
    pub lookup_const_stability: for<'tcx> fn(TyCtxt<'tcx>,
        lookup_const_stability::Key<'tcx>)
        -> lookup_const_stability::ProvidedValue<'tcx>,
    pub lookup_default_body_stability: for<'tcx> fn(TyCtxt<'tcx>,
        lookup_default_body_stability::Key<'tcx>)
        -> lookup_default_body_stability::ProvidedValue<'tcx>,
    pub lookup_deprecation_entry: for<'tcx> fn(TyCtxt<'tcx>,
        lookup_deprecation_entry::Key<'tcx>)
        -> lookup_deprecation_entry::ProvidedValue<'tcx>,
    pub is_doc_hidden: for<'tcx> fn(TyCtxt<'tcx>, is_doc_hidden::Key<'tcx>)
        -> is_doc_hidden::ProvidedValue<'tcx>,
    pub attrs_for_def: for<'tcx> fn(TyCtxt<'tcx>, attrs_for_def::Key<'tcx>)
        -> attrs_for_def::ProvidedValue<'tcx>,
    pub codegen_fn_attrs: for<'tcx> fn(TyCtxt<'tcx>,
        codegen_fn_attrs::Key<'tcx>) -> codegen_fn_attrs::ProvidedValue<'tcx>,
    pub fn_arg_idents: for<'tcx> fn(TyCtxt<'tcx>, fn_arg_idents::Key<'tcx>)
        -> fn_arg_idents::ProvidedValue<'tcx>,
    pub rendered_const: for<'tcx> fn(TyCtxt<'tcx>, rendered_const::Key<'tcx>)
        -> rendered_const::ProvidedValue<'tcx>,
    pub rendered_precise_capturing_args: for<'tcx> fn(TyCtxt<'tcx>,
        rendered_precise_capturing_args::Key<'tcx>)
        -> rendered_precise_capturing_args::ProvidedValue<'tcx>,
    pub impl_parent: for<'tcx> fn(TyCtxt<'tcx>, impl_parent::Key<'tcx>)
        -> impl_parent::ProvidedValue<'tcx>,
    pub is_mir_available: for<'tcx> fn(TyCtxt<'tcx>,
        is_mir_available::Key<'tcx>) -> is_mir_available::ProvidedValue<'tcx>,
    pub dylib_dependency_formats: for<'tcx> fn(TyCtxt<'tcx>,
        dylib_dependency_formats::Key<'tcx>)
        -> dylib_dependency_formats::ProvidedValue<'tcx>,
    pub is_compiler_builtins: for<'tcx> fn(TyCtxt<'tcx>,
        is_compiler_builtins::Key<'tcx>)
        -> is_compiler_builtins::ProvidedValue<'tcx>,
    pub has_global_allocator: for<'tcx> fn(TyCtxt<'tcx>,
        has_global_allocator::Key<'tcx>)
        -> has_global_allocator::ProvidedValue<'tcx>,
    pub has_alloc_error_handler: for<'tcx> fn(TyCtxt<'tcx>,
        has_alloc_error_handler::Key<'tcx>)
        -> has_alloc_error_handler::ProvidedValue<'tcx>,
    pub has_panic_handler: for<'tcx> fn(TyCtxt<'tcx>,
        has_panic_handler::Key<'tcx>)
        -> has_panic_handler::ProvidedValue<'tcx>,
    pub is_profiler_runtime: for<'tcx> fn(TyCtxt<'tcx>,
        is_profiler_runtime::Key<'tcx>)
        -> is_profiler_runtime::ProvidedValue<'tcx>,
    pub required_panic_strategy: for<'tcx> fn(TyCtxt<'tcx>,
        required_panic_strategy::Key<'tcx>)
        -> required_panic_strategy::ProvidedValue<'tcx>,
    pub panic_in_drop_strategy: for<'tcx> fn(TyCtxt<'tcx>,
        panic_in_drop_strategy::Key<'tcx>)
        -> panic_in_drop_strategy::ProvidedValue<'tcx>,
    pub is_no_builtins: for<'tcx> fn(TyCtxt<'tcx>, is_no_builtins::Key<'tcx>)
        -> is_no_builtins::ProvidedValue<'tcx>,
    pub symbol_mangling_version: for<'tcx> fn(TyCtxt<'tcx>,
        symbol_mangling_version::Key<'tcx>)
        -> symbol_mangling_version::ProvidedValue<'tcx>,
    pub extern_crate: for<'tcx> fn(TyCtxt<'tcx>, extern_crate::Key<'tcx>)
        -> extern_crate::ProvidedValue<'tcx>,
    pub specialization_enabled_in: for<'tcx> fn(TyCtxt<'tcx>,
        specialization_enabled_in::Key<'tcx>)
        -> specialization_enabled_in::ProvidedValue<'tcx>,
    pub defaultness: for<'tcx> fn(TyCtxt<'tcx>, defaultness::Key<'tcx>)
        -> defaultness::ProvidedValue<'tcx>,
    pub default_field: for<'tcx> fn(TyCtxt<'tcx>, default_field::Key<'tcx>)
        -> default_field::ProvidedValue<'tcx>,
    pub reachable_non_generics: for<'tcx> fn(TyCtxt<'tcx>,
        reachable_non_generics::Key<'tcx>)
        -> reachable_non_generics::ProvidedValue<'tcx>,
    pub is_reachable_non_generic: for<'tcx> fn(TyCtxt<'tcx>,
        is_reachable_non_generic::Key<'tcx>)
        -> is_reachable_non_generic::ProvidedValue<'tcx>,
    pub upstream_monomorphizations_for: for<'tcx> fn(TyCtxt<'tcx>,
        upstream_monomorphizations_for::Key<'tcx>)
        -> upstream_monomorphizations_for::ProvidedValue<'tcx>,
    pub foreign_modules: for<'tcx> fn(TyCtxt<'tcx>,
        foreign_modules::Key<'tcx>) -> foreign_modules::ProvidedValue<'tcx>,
    pub crate_hash: for<'tcx> fn(TyCtxt<'tcx>, crate_hash::Key<'tcx>)
        -> crate_hash::ProvidedValue<'tcx>,
    pub crate_host_hash: for<'tcx> fn(TyCtxt<'tcx>,
        crate_host_hash::Key<'tcx>) -> crate_host_hash::ProvidedValue<'tcx>,
    pub extra_filename: for<'tcx> fn(TyCtxt<'tcx>, extra_filename::Key<'tcx>)
        -> extra_filename::ProvidedValue<'tcx>,
    pub crate_extern_paths: for<'tcx> fn(TyCtxt<'tcx>,
        crate_extern_paths::Key<'tcx>)
        -> crate_extern_paths::ProvidedValue<'tcx>,
    pub implementations_of_trait: for<'tcx> fn(TyCtxt<'tcx>,
        implementations_of_trait::Key<'tcx>)
        -> implementations_of_trait::ProvidedValue<'tcx>,
    pub crate_incoherent_impls: for<'tcx> fn(TyCtxt<'tcx>,
        crate_incoherent_impls::Key<'tcx>)
        -> crate_incoherent_impls::ProvidedValue<'tcx>,
    pub object_lifetime_default: for<'tcx> fn(TyCtxt<'tcx>,
        object_lifetime_default::Key<'tcx>)
        -> object_lifetime_default::ProvidedValue<'tcx>,
    pub visibility: for<'tcx> fn(TyCtxt<'tcx>, visibility::Key<'tcx>)
        -> visibility::ProvidedValue<'tcx>,
    pub crate_dep_kind: for<'tcx> fn(TyCtxt<'tcx>, crate_dep_kind::Key<'tcx>)
        -> crate_dep_kind::ProvidedValue<'tcx>,
    pub crate_name: for<'tcx> fn(TyCtxt<'tcx>, crate_name::Key<'tcx>)
        -> crate_name::ProvidedValue<'tcx>,
    pub module_children: for<'tcx> fn(TyCtxt<'tcx>,
        module_children::Key<'tcx>) -> module_children::ProvidedValue<'tcx>,
    pub num_extern_def_ids: for<'tcx> fn(TyCtxt<'tcx>,
        num_extern_def_ids::Key<'tcx>)
        -> num_extern_def_ids::ProvidedValue<'tcx>,
    pub lib_features: for<'tcx> fn(TyCtxt<'tcx>, lib_features::Key<'tcx>)
        -> lib_features::ProvidedValue<'tcx>,
    pub stability_implications: for<'tcx> fn(TyCtxt<'tcx>,
        stability_implications::Key<'tcx>)
        -> stability_implications::ProvidedValue<'tcx>,
    pub intrinsic_raw: for<'tcx> fn(TyCtxt<'tcx>, intrinsic_raw::Key<'tcx>)
        -> intrinsic_raw::ProvidedValue<'tcx>,
    pub defined_lang_items: for<'tcx> fn(TyCtxt<'tcx>,
        defined_lang_items::Key<'tcx>)
        -> defined_lang_items::ProvidedValue<'tcx>,
    pub diagnostic_items: for<'tcx> fn(TyCtxt<'tcx>,
        diagnostic_items::Key<'tcx>) -> diagnostic_items::ProvidedValue<'tcx>,
    pub missing_lang_items: for<'tcx> fn(TyCtxt<'tcx>,
        missing_lang_items::Key<'tcx>)
        -> missing_lang_items::ProvidedValue<'tcx>,
    pub missing_extern_crate_item: for<'tcx> fn(TyCtxt<'tcx>,
        missing_extern_crate_item::Key<'tcx>)
        -> missing_extern_crate_item::ProvidedValue<'tcx>,
    pub used_crate_source: for<'tcx> fn(TyCtxt<'tcx>,
        used_crate_source::Key<'tcx>)
        -> used_crate_source::ProvidedValue<'tcx>,
    pub debugger_visualizers: for<'tcx> fn(TyCtxt<'tcx>,
        debugger_visualizers::Key<'tcx>)
        -> debugger_visualizers::ProvidedValue<'tcx>,
    pub is_private_dep: for<'tcx> fn(TyCtxt<'tcx>, is_private_dep::Key<'tcx>)
        -> is_private_dep::ProvidedValue<'tcx>,
    pub traits: for<'tcx> fn(TyCtxt<'tcx>, traits::Key<'tcx>)
        -> traits::ProvidedValue<'tcx>,
    pub trait_impls_in_crate: for<'tcx> fn(TyCtxt<'tcx>,
        trait_impls_in_crate::Key<'tcx>)
        -> trait_impls_in_crate::ProvidedValue<'tcx>,
    pub stable_order_of_exportable_impls: for<'tcx> fn(TyCtxt<'tcx>,
        stable_order_of_exportable_impls::Key<'tcx>)
        -> stable_order_of_exportable_impls::ProvidedValue<'tcx>,
    pub exportable_items: for<'tcx> fn(TyCtxt<'tcx>,
        exportable_items::Key<'tcx>) -> exportable_items::ProvidedValue<'tcx>,
    pub exported_non_generic_symbols: for<'tcx> fn(TyCtxt<'tcx>,
        exported_non_generic_symbols::Key<'tcx>)
        -> exported_non_generic_symbols::ProvidedValue<'tcx>,
    pub exported_generic_symbols: for<'tcx> fn(TyCtxt<'tcx>,
        exported_generic_symbols::Key<'tcx>)
        -> exported_generic_symbols::ProvidedValue<'tcx>,
    pub deduced_param_attrs: for<'tcx> fn(TyCtxt<'tcx>,
        deduced_param_attrs::Key<'tcx>)
        -> deduced_param_attrs::ProvidedValue<'tcx>,
    pub doc_link_resolutions: for<'tcx> fn(TyCtxt<'tcx>,
        doc_link_resolutions::Key<'tcx>)
        -> doc_link_resolutions::ProvidedValue<'tcx>,
    pub doc_link_traits_in_scope: for<'tcx> fn(TyCtxt<'tcx>,
        doc_link_traits_in_scope::Key<'tcx>)
        -> doc_link_traits_in_scope::ProvidedValue<'tcx>,
    pub stripped_cfg_items: for<'tcx> fn(TyCtxt<'tcx>,
        stripped_cfg_items::Key<'tcx>)
        -> stripped_cfg_items::ProvidedValue<'tcx>,
    pub cross_crate_inlinable: for<'tcx> fn(TyCtxt<'tcx>,
        cross_crate_inlinable::Key<'tcx>)
        -> cross_crate_inlinable::ProvidedValue<'tcx>,
    pub anon_const_kind: for<'tcx> fn(TyCtxt<'tcx>,
        anon_const_kind::Key<'tcx>) -> anon_const_kind::ProvidedValue<'tcx>,
    pub trivial_const: for<'tcx> fn(TyCtxt<'tcx>, trivial_const::Key<'tcx>)
        -> trivial_const::ProvidedValue<'tcx>,
    pub externally_implementable_items: for<'tcx> fn(TyCtxt<'tcx>,
        externally_implementable_items::Key<'tcx>)
        -> externally_implementable_items::ProvidedValue<'tcx>,
}
impl Default for Providers {
    fn default() -> Self {
        Providers {
            derive_macro_expansion: |_, key|
                {
                    crate::query::plumbing::default_query("derive_macro_expansion",
                        &key)
                },
            trigger_delayed_bug: |_, key|
                {
                    crate::query::plumbing::default_query("trigger_delayed_bug",
                        &key)
                },
            registered_tools: |_, key|
                {
                    crate::query::plumbing::default_query("registered_tools",
                        &key)
                },
            early_lint_checks: |_, key|
                {
                    crate::query::plumbing::default_query("early_lint_checks",
                        &key)
                },
            env_var_os: |_, key|
                { crate::query::plumbing::default_query("env_var_os", &key) },
            resolutions: |_, key|
                {
                    crate::query::plumbing::default_query("resolutions", &key)
                },
            resolver_for_lowering_raw: |_, key|
                {
                    crate::query::plumbing::default_query("resolver_for_lowering_raw",
                        &key)
                },
            source_span: |_, key|
                {
                    crate::query::plumbing::default_query("source_span", &key)
                },
            hir_crate: |_, key|
                { crate::query::plumbing::default_query("hir_crate", &key) },
            hir_crate_items: |_, key|
                {
                    crate::query::plumbing::default_query("hir_crate_items",
                        &key)
                },
            hir_module_items: |_, key|
                {
                    crate::query::plumbing::default_query("hir_module_items",
                        &key)
                },
            local_def_id_to_hir_id: |_, key|
                {
                    crate::query::plumbing::default_query("local_def_id_to_hir_id",
                        &key)
                },
            hir_owner_parent_q: |_, key|
                {
                    crate::query::plumbing::default_query("hir_owner_parent_q",
                        &key)
                },
            opt_hir_owner_nodes: |_, key|
                {
                    crate::query::plumbing::default_query("opt_hir_owner_nodes",
                        &key)
                },
            hir_attr_map: |_, key|
                {
                    crate::query::plumbing::default_query("hir_attr_map", &key)
                },
            opt_ast_lowering_delayed_lints: |_, key|
                {
                    crate::query::plumbing::default_query("opt_ast_lowering_delayed_lints",
                        &key)
                },
            const_param_default: |_, key|
                {
                    crate::query::plumbing::default_query("const_param_default",
                        &key)
                },
            const_of_item: |_, key|
                {
                    crate::query::plumbing::default_query("const_of_item", &key)
                },
            type_of: |_, key|
                { crate::query::plumbing::default_query("type_of", &key) },
            type_of_opaque: |_, key|
                {
                    crate::query::plumbing::default_query("type_of_opaque",
                        &key)
                },
            type_of_opaque_hir_typeck: |_, key|
                {
                    crate::query::plumbing::default_query("type_of_opaque_hir_typeck",
                        &key)
                },
            type_alias_is_lazy: |_, key|
                {
                    crate::query::plumbing::default_query("type_alias_is_lazy",
                        &key)
                },
            collect_return_position_impl_trait_in_trait_tys: |_, key|
                {
                    crate::query::plumbing::default_query("collect_return_position_impl_trait_in_trait_tys",
                        &key)
                },
            opaque_ty_origin: |_, key|
                {
                    crate::query::plumbing::default_query("opaque_ty_origin",
                        &key)
                },
            unsizing_params_for_adt: |_, key|
                {
                    crate::query::plumbing::default_query("unsizing_params_for_adt",
                        &key)
                },
            analysis: |_, key|
                { crate::query::plumbing::default_query("analysis", &key) },
            check_expectations: |_, key|
                {
                    crate::query::plumbing::default_query("check_expectations",
                        &key)
                },
            generics_of: |_, key|
                {
                    crate::query::plumbing::default_query("generics_of", &key)
                },
            predicates_of: |_, key|
                {
                    crate::query::plumbing::default_query("predicates_of", &key)
                },
            opaque_types_defined_by: |_, key|
                {
                    crate::query::plumbing::default_query("opaque_types_defined_by",
                        &key)
                },
            nested_bodies_within: |_, key|
                {
                    crate::query::plumbing::default_query("nested_bodies_within",
                        &key)
                },
            explicit_item_bounds: |_, key|
                {
                    crate::query::plumbing::default_query("explicit_item_bounds",
                        &key)
                },
            explicit_item_self_bounds: |_, key|
                {
                    crate::query::plumbing::default_query("explicit_item_self_bounds",
                        &key)
                },
            item_bounds: |_, key|
                {
                    crate::query::plumbing::default_query("item_bounds", &key)
                },
            item_self_bounds: |_, key|
                {
                    crate::query::plumbing::default_query("item_self_bounds",
                        &key)
                },
            item_non_self_bounds: |_, key|
                {
                    crate::query::plumbing::default_query("item_non_self_bounds",
                        &key)
                },
            impl_super_outlives: |_, key|
                {
                    crate::query::plumbing::default_query("impl_super_outlives",
                        &key)
                },
            native_libraries: |_, key|
                {
                    crate::query::plumbing::default_query("native_libraries",
                        &key)
                },
            shallow_lint_levels_on: |_, key|
                {
                    crate::query::plumbing::default_query("shallow_lint_levels_on",
                        &key)
                },
            lint_expectations: |_, key|
                {
                    crate::query::plumbing::default_query("lint_expectations",
                        &key)
                },
            lints_that_dont_need_to_run: |_, key|
                {
                    crate::query::plumbing::default_query("lints_that_dont_need_to_run",
                        &key)
                },
            expn_that_defined: |_, key|
                {
                    crate::query::plumbing::default_query("expn_that_defined",
                        &key)
                },
            is_panic_runtime: |_, key|
                {
                    crate::query::plumbing::default_query("is_panic_runtime",
                        &key)
                },
            check_representability: |_, key|
                {
                    crate::query::plumbing::default_query("check_representability",
                        &key)
                },
            check_representability_adt_ty: |_, key|
                {
                    crate::query::plumbing::default_query("check_representability_adt_ty",
                        &key)
                },
            params_in_repr: |_, key|
                {
                    crate::query::plumbing::default_query("params_in_repr",
                        &key)
                },
            thir_body: |_, key|
                { crate::query::plumbing::default_query("thir_body", &key) },
            mir_keys: |_, key|
                { crate::query::plumbing::default_query("mir_keys", &key) },
            mir_const_qualif: |_, key|
                {
                    crate::query::plumbing::default_query("mir_const_qualif",
                        &key)
                },
            mir_built: |_, key|
                { crate::query::plumbing::default_query("mir_built", &key) },
            thir_abstract_const: |_, key|
                {
                    crate::query::plumbing::default_query("thir_abstract_const",
                        &key)
                },
            mir_drops_elaborated_and_const_checked: |_, key|
                {
                    crate::query::plumbing::default_query("mir_drops_elaborated_and_const_checked",
                        &key)
                },
            mir_for_ctfe: |_, key|
                {
                    crate::query::plumbing::default_query("mir_for_ctfe", &key)
                },
            mir_promoted: |_, key|
                {
                    crate::query::plumbing::default_query("mir_promoted", &key)
                },
            closure_typeinfo: |_, key|
                {
                    crate::query::plumbing::default_query("closure_typeinfo",
                        &key)
                },
            closure_saved_names_of_captured_variables: |_, key|
                {
                    crate::query::plumbing::default_query("closure_saved_names_of_captured_variables",
                        &key)
                },
            mir_coroutine_witnesses: |_, key|
                {
                    crate::query::plumbing::default_query("mir_coroutine_witnesses",
                        &key)
                },
            check_coroutine_obligations: |_, key|
                {
                    crate::query::plumbing::default_query("check_coroutine_obligations",
                        &key)
                },
            check_potentially_region_dependent_goals: |_, key|
                {
                    crate::query::plumbing::default_query("check_potentially_region_dependent_goals",
                        &key)
                },
            optimized_mir: |_, key|
                {
                    crate::query::plumbing::default_query("optimized_mir", &key)
                },
            coverage_attr_on: |_, key|
                {
                    crate::query::plumbing::default_query("coverage_attr_on",
                        &key)
                },
            coverage_ids_info: |_, key|
                {
                    crate::query::plumbing::default_query("coverage_ids_info",
                        &key)
                },
            promoted_mir: |_, key|
                {
                    crate::query::plumbing::default_query("promoted_mir", &key)
                },
            erase_and_anonymize_regions_ty: |_, key|
                {
                    crate::query::plumbing::default_query("erase_and_anonymize_regions_ty",
                        &key)
                },
            wasm_import_module_map: |_, key|
                {
                    crate::query::plumbing::default_query("wasm_import_module_map",
                        &key)
                },
            trait_explicit_predicates_and_bounds: |_, key|
                {
                    crate::query::plumbing::default_query("trait_explicit_predicates_and_bounds",
                        &key)
                },
            explicit_predicates_of: |_, key|
                {
                    crate::query::plumbing::default_query("explicit_predicates_of",
                        &key)
                },
            inferred_outlives_of: |_, key|
                {
                    crate::query::plumbing::default_query("inferred_outlives_of",
                        &key)
                },
            explicit_super_predicates_of: |_, key|
                {
                    crate::query::plumbing::default_query("explicit_super_predicates_of",
                        &key)
                },
            explicit_implied_predicates_of: |_, key|
                {
                    crate::query::plumbing::default_query("explicit_implied_predicates_of",
                        &key)
                },
            explicit_supertraits_containing_assoc_item: |_, key|
                {
                    crate::query::plumbing::default_query("explicit_supertraits_containing_assoc_item",
                        &key)
                },
            const_conditions: |_, key|
                {
                    crate::query::plumbing::default_query("const_conditions",
                        &key)
                },
            explicit_implied_const_bounds: |_, key|
                {
                    crate::query::plumbing::default_query("explicit_implied_const_bounds",
                        &key)
                },
            type_param_predicates: |_, key|
                {
                    crate::query::plumbing::default_query("type_param_predicates",
                        &key)
                },
            trait_def: |_, key|
                { crate::query::plumbing::default_query("trait_def", &key) },
            adt_def: |_, key|
                { crate::query::plumbing::default_query("adt_def", &key) },
            adt_destructor: |_, key|
                {
                    crate::query::plumbing::default_query("adt_destructor",
                        &key)
                },
            adt_async_destructor: |_, key|
                {
                    crate::query::plumbing::default_query("adt_async_destructor",
                        &key)
                },
            adt_sizedness_constraint: |_, key|
                {
                    crate::query::plumbing::default_query("adt_sizedness_constraint",
                        &key)
                },
            adt_dtorck_constraint: |_, key|
                {
                    crate::query::plumbing::default_query("adt_dtorck_constraint",
                        &key)
                },
            constness: |_, key|
                { crate::query::plumbing::default_query("constness", &key) },
            asyncness: |_, key|
                { crate::query::plumbing::default_query("asyncness", &key) },
            is_promotable_const_fn: |_, key|
                {
                    crate::query::plumbing::default_query("is_promotable_const_fn",
                        &key)
                },
            coroutine_by_move_body_def_id: |_, key|
                {
                    crate::query::plumbing::default_query("coroutine_by_move_body_def_id",
                        &key)
                },
            coroutine_kind: |_, key|
                {
                    crate::query::plumbing::default_query("coroutine_kind",
                        &key)
                },
            coroutine_for_closure: |_, key|
                {
                    crate::query::plumbing::default_query("coroutine_for_closure",
                        &key)
                },
            coroutine_hidden_types: |_, key|
                {
                    crate::query::plumbing::default_query("coroutine_hidden_types",
                        &key)
                },
            crate_variances: |_, key|
                {
                    crate::query::plumbing::default_query("crate_variances",
                        &key)
                },
            variances_of: |_, key|
                {
                    crate::query::plumbing::default_query("variances_of", &key)
                },
            inferred_outlives_crate: |_, key|
                {
                    crate::query::plumbing::default_query("inferred_outlives_crate",
                        &key)
                },
            associated_item_def_ids: |_, key|
                {
                    crate::query::plumbing::default_query("associated_item_def_ids",
                        &key)
                },
            associated_item: |_, key|
                {
                    crate::query::plumbing::default_query("associated_item",
                        &key)
                },
            associated_items: |_, key|
                {
                    crate::query::plumbing::default_query("associated_items",
                        &key)
                },
            impl_item_implementor_ids: |_, key|
                {
                    crate::query::plumbing::default_query("impl_item_implementor_ids",
                        &key)
                },
            associated_types_for_impl_traits_in_trait_or_impl: |_, key|
                {
                    crate::query::plumbing::default_query("associated_types_for_impl_traits_in_trait_or_impl",
                        &key)
                },
            impl_trait_header: |_, key|
                {
                    crate::query::plumbing::default_query("impl_trait_header",
                        &key)
                },
            impl_self_is_guaranteed_unsized: |_, key|
                {
                    crate::query::plumbing::default_query("impl_self_is_guaranteed_unsized",
                        &key)
                },
            inherent_impls: |_, key|
                {
                    crate::query::plumbing::default_query("inherent_impls",
                        &key)
                },
            incoherent_impls: |_, key|
                {
                    crate::query::plumbing::default_query("incoherent_impls",
                        &key)
                },
            check_transmutes: |_, key|
                {
                    crate::query::plumbing::default_query("check_transmutes",
                        &key)
                },
            check_unsafety: |_, key|
                {
                    crate::query::plumbing::default_query("check_unsafety",
                        &key)
                },
            check_tail_calls: |_, key|
                {
                    crate::query::plumbing::default_query("check_tail_calls",
                        &key)
                },
            assumed_wf_types: |_, key|
                {
                    crate::query::plumbing::default_query("assumed_wf_types",
                        &key)
                },
            assumed_wf_types_for_rpitit: |_, key|
                {
                    crate::query::plumbing::default_query("assumed_wf_types_for_rpitit",
                        &key)
                },
            fn_sig: |_, key|
                { crate::query::plumbing::default_query("fn_sig", &key) },
            lint_mod: |_, key|
                { crate::query::plumbing::default_query("lint_mod", &key) },
            check_unused_traits: |_, key|
                {
                    crate::query::plumbing::default_query("check_unused_traits",
                        &key)
                },
            check_mod_attrs: |_, key|
                {
                    crate::query::plumbing::default_query("check_mod_attrs",
                        &key)
                },
            check_mod_unstable_api_usage: |_, key|
                {
                    crate::query::plumbing::default_query("check_mod_unstable_api_usage",
                        &key)
                },
            check_mod_privacy: |_, key|
                {
                    crate::query::plumbing::default_query("check_mod_privacy",
                        &key)
                },
            check_liveness: |_, key|
                {
                    crate::query::plumbing::default_query("check_liveness",
                        &key)
                },
            live_symbols_and_ignored_derived_traits: |_, key|
                {
                    crate::query::plumbing::default_query("live_symbols_and_ignored_derived_traits",
                        &key)
                },
            check_mod_deathness: |_, key|
                {
                    crate::query::plumbing::default_query("check_mod_deathness",
                        &key)
                },
            check_type_wf: |_, key|
                {
                    crate::query::plumbing::default_query("check_type_wf", &key)
                },
            coerce_unsized_info: |_, key|
                {
                    crate::query::plumbing::default_query("coerce_unsized_info",
                        &key)
                },
            typeck: |_, key|
                { crate::query::plumbing::default_query("typeck", &key) },
            used_trait_imports: |_, key|
                {
                    crate::query::plumbing::default_query("used_trait_imports",
                        &key)
                },
            coherent_trait: |_, key|
                {
                    crate::query::plumbing::default_query("coherent_trait",
                        &key)
                },
            mir_borrowck: |_, key|
                {
                    crate::query::plumbing::default_query("mir_borrowck", &key)
                },
            crate_inherent_impls: |_, key|
                {
                    crate::query::plumbing::default_query("crate_inherent_impls",
                        &key)
                },
            crate_inherent_impls_validity_check: |_, key|
                {
                    crate::query::plumbing::default_query("crate_inherent_impls_validity_check",
                        &key)
                },
            crate_inherent_impls_overlap_check: |_, key|
                {
                    crate::query::plumbing::default_query("crate_inherent_impls_overlap_check",
                        &key)
                },
            orphan_check_impl: |_, key|
                {
                    crate::query::plumbing::default_query("orphan_check_impl",
                        &key)
                },
            mir_callgraph_cyclic: |_, key|
                {
                    crate::query::plumbing::default_query("mir_callgraph_cyclic",
                        &key)
                },
            mir_inliner_callees: |_, key|
                {
                    crate::query::plumbing::default_query("mir_inliner_callees",
                        &key)
                },
            tag_for_variant: |_, key|
                {
                    crate::query::plumbing::default_query("tag_for_variant",
                        &key)
                },
            eval_to_allocation_raw: |_, key|
                {
                    crate::query::plumbing::default_query("eval_to_allocation_raw",
                        &key)
                },
            eval_static_initializer: |_, key|
                {
                    crate::query::plumbing::default_query("eval_static_initializer",
                        &key)
                },
            eval_to_const_value_raw: |_, key|
                {
                    crate::query::plumbing::default_query("eval_to_const_value_raw",
                        &key)
                },
            eval_to_valtree: |_, key|
                {
                    crate::query::plumbing::default_query("eval_to_valtree",
                        &key)
                },
            valtree_to_const_val: |_, key|
                {
                    crate::query::plumbing::default_query("valtree_to_const_val",
                        &key)
                },
            lit_to_const: |_, key|
                {
                    crate::query::plumbing::default_query("lit_to_const", &key)
                },
            check_match: |_, key|
                {
                    crate::query::plumbing::default_query("check_match", &key)
                },
            effective_visibilities: |_, key|
                {
                    crate::query::plumbing::default_query("effective_visibilities",
                        &key)
                },
            check_private_in_public: |_, key|
                {
                    crate::query::plumbing::default_query("check_private_in_public",
                        &key)
                },
            reachable_set: |_, key|
                {
                    crate::query::plumbing::default_query("reachable_set", &key)
                },
            region_scope_tree: |_, key|
                {
                    crate::query::plumbing::default_query("region_scope_tree",
                        &key)
                },
            mir_shims: |_, key|
                { crate::query::plumbing::default_query("mir_shims", &key) },
            symbol_name: |_, key|
                {
                    crate::query::plumbing::default_query("symbol_name", &key)
                },
            def_kind: |_, key|
                { crate::query::plumbing::default_query("def_kind", &key) },
            def_span: |_, key|
                { crate::query::plumbing::default_query("def_span", &key) },
            def_ident_span: |_, key|
                {
                    crate::query::plumbing::default_query("def_ident_span",
                        &key)
                },
            ty_span: |_, key|
                { crate::query::plumbing::default_query("ty_span", &key) },
            lookup_stability: |_, key|
                {
                    crate::query::plumbing::default_query("lookup_stability",
                        &key)
                },
            lookup_const_stability: |_, key|
                {
                    crate::query::plumbing::default_query("lookup_const_stability",
                        &key)
                },
            lookup_default_body_stability: |_, key|
                {
                    crate::query::plumbing::default_query("lookup_default_body_stability",
                        &key)
                },
            should_inherit_track_caller: |_, key|
                {
                    crate::query::plumbing::default_query("should_inherit_track_caller",
                        &key)
                },
            inherited_align: |_, key|
                {
                    crate::query::plumbing::default_query("inherited_align",
                        &key)
                },
            lookup_deprecation_entry: |_, key|
                {
                    crate::query::plumbing::default_query("lookup_deprecation_entry",
                        &key)
                },
            is_doc_hidden: |_, key|
                {
                    crate::query::plumbing::default_query("is_doc_hidden", &key)
                },
            is_doc_notable_trait: |_, key|
                {
                    crate::query::plumbing::default_query("is_doc_notable_trait",
                        &key)
                },
            attrs_for_def: |_, key|
                {
                    crate::query::plumbing::default_query("attrs_for_def", &key)
                },
            codegen_fn_attrs: |_, key|
                {
                    crate::query::plumbing::default_query("codegen_fn_attrs",
                        &key)
                },
            asm_target_features: |_, key|
                {
                    crate::query::plumbing::default_query("asm_target_features",
                        &key)
                },
            fn_arg_idents: |_, key|
                {
                    crate::query::plumbing::default_query("fn_arg_idents", &key)
                },
            rendered_const: |_, key|
                {
                    crate::query::plumbing::default_query("rendered_const",
                        &key)
                },
            rendered_precise_capturing_args: |_, key|
                {
                    crate::query::plumbing::default_query("rendered_precise_capturing_args",
                        &key)
                },
            impl_parent: |_, key|
                {
                    crate::query::plumbing::default_query("impl_parent", &key)
                },
            is_mir_available: |_, key|
                {
                    crate::query::plumbing::default_query("is_mir_available",
                        &key)
                },
            own_existential_vtable_entries: |_, key|
                {
                    crate::query::plumbing::default_query("own_existential_vtable_entries",
                        &key)
                },
            vtable_entries: |_, key|
                {
                    crate::query::plumbing::default_query("vtable_entries",
                        &key)
                },
            first_method_vtable_slot: |_, key|
                {
                    crate::query::plumbing::default_query("first_method_vtable_slot",
                        &key)
                },
            supertrait_vtable_slot: |_, key|
                {
                    crate::query::plumbing::default_query("supertrait_vtable_slot",
                        &key)
                },
            vtable_allocation: |_, key|
                {
                    crate::query::plumbing::default_query("vtable_allocation",
                        &key)
                },
            codegen_select_candidate: |_, key|
                {
                    crate::query::plumbing::default_query("codegen_select_candidate",
                        &key)
                },
            all_local_trait_impls: |_, key|
                {
                    crate::query::plumbing::default_query("all_local_trait_impls",
                        &key)
                },
            local_trait_impls: |_, key|
                {
                    crate::query::plumbing::default_query("local_trait_impls",
                        &key)
                },
            trait_impls_of: |_, key|
                {
                    crate::query::plumbing::default_query("trait_impls_of",
                        &key)
                },
            specialization_graph_of: |_, key|
                {
                    crate::query::plumbing::default_query("specialization_graph_of",
                        &key)
                },
            dyn_compatibility_violations: |_, key|
                {
                    crate::query::plumbing::default_query("dyn_compatibility_violations",
                        &key)
                },
            is_dyn_compatible: |_, key|
                {
                    crate::query::plumbing::default_query("is_dyn_compatible",
                        &key)
                },
            param_env: |_, key|
                { crate::query::plumbing::default_query("param_env", &key) },
            typing_env_normalized_for_post_analysis: |_, key|
                {
                    crate::query::plumbing::default_query("typing_env_normalized_for_post_analysis",
                        &key)
                },
            is_copy_raw: |_, key|
                {
                    crate::query::plumbing::default_query("is_copy_raw", &key)
                },
            is_use_cloned_raw: |_, key|
                {
                    crate::query::plumbing::default_query("is_use_cloned_raw",
                        &key)
                },
            is_sized_raw: |_, key|
                {
                    crate::query::plumbing::default_query("is_sized_raw", &key)
                },
            is_freeze_raw: |_, key|
                {
                    crate::query::plumbing::default_query("is_freeze_raw", &key)
                },
            is_unsafe_unpin_raw: |_, key|
                {
                    crate::query::plumbing::default_query("is_unsafe_unpin_raw",
                        &key)
                },
            is_unpin_raw: |_, key|
                {
                    crate::query::plumbing::default_query("is_unpin_raw", &key)
                },
            is_async_drop_raw: |_, key|
                {
                    crate::query::plumbing::default_query("is_async_drop_raw",
                        &key)
                },
            needs_drop_raw: |_, key|
                {
                    crate::query::plumbing::default_query("needs_drop_raw",
                        &key)
                },
            needs_async_drop_raw: |_, key|
                {
                    crate::query::plumbing::default_query("needs_async_drop_raw",
                        &key)
                },
            has_significant_drop_raw: |_, key|
                {
                    crate::query::plumbing::default_query("has_significant_drop_raw",
                        &key)
                },
            has_structural_eq_impl: |_, key|
                {
                    crate::query::plumbing::default_query("has_structural_eq_impl",
                        &key)
                },
            adt_drop_tys: |_, key|
                {
                    crate::query::plumbing::default_query("adt_drop_tys", &key)
                },
            adt_async_drop_tys: |_, key|
                {
                    crate::query::plumbing::default_query("adt_async_drop_tys",
                        &key)
                },
            adt_significant_drop_tys: |_, key|
                {
                    crate::query::plumbing::default_query("adt_significant_drop_tys",
                        &key)
                },
            list_significant_drop_tys: |_, key|
                {
                    crate::query::plumbing::default_query("list_significant_drop_tys",
                        &key)
                },
            layout_of: |_, key|
                { crate::query::plumbing::default_query("layout_of", &key) },
            fn_abi_of_fn_ptr: |_, key|
                {
                    crate::query::plumbing::default_query("fn_abi_of_fn_ptr",
                        &key)
                },
            fn_abi_of_instance_no_deduced_attrs: |_, key|
                {
                    crate::query::plumbing::default_query("fn_abi_of_instance_no_deduced_attrs",
                        &key)
                },
            fn_abi_of_instance_raw: |_, key|
                {
                    crate::query::plumbing::default_query("fn_abi_of_instance_raw",
                        &key)
                },
            dylib_dependency_formats: |_, key|
                {
                    crate::query::plumbing::default_query("dylib_dependency_formats",
                        &key)
                },
            dependency_formats: |_, key|
                {
                    crate::query::plumbing::default_query("dependency_formats",
                        &key)
                },
            is_compiler_builtins: |_, key|
                {
                    crate::query::plumbing::default_query("is_compiler_builtins",
                        &key)
                },
            has_global_allocator: |_, key|
                {
                    crate::query::plumbing::default_query("has_global_allocator",
                        &key)
                },
            has_alloc_error_handler: |_, key|
                {
                    crate::query::plumbing::default_query("has_alloc_error_handler",
                        &key)
                },
            has_panic_handler: |_, key|
                {
                    crate::query::plumbing::default_query("has_panic_handler",
                        &key)
                },
            is_profiler_runtime: |_, key|
                {
                    crate::query::plumbing::default_query("is_profiler_runtime",
                        &key)
                },
            has_ffi_unwind_calls: |_, key|
                {
                    crate::query::plumbing::default_query("has_ffi_unwind_calls",
                        &key)
                },
            required_panic_strategy: |_, key|
                {
                    crate::query::plumbing::default_query("required_panic_strategy",
                        &key)
                },
            panic_in_drop_strategy: |_, key|
                {
                    crate::query::plumbing::default_query("panic_in_drop_strategy",
                        &key)
                },
            is_no_builtins: |_, key|
                {
                    crate::query::plumbing::default_query("is_no_builtins",
                        &key)
                },
            symbol_mangling_version: |_, key|
                {
                    crate::query::plumbing::default_query("symbol_mangling_version",
                        &key)
                },
            extern_crate: |_, key|
                {
                    crate::query::plumbing::default_query("extern_crate", &key)
                },
            specialization_enabled_in: |_, key|
                {
                    crate::query::plumbing::default_query("specialization_enabled_in",
                        &key)
                },
            specializes: |_, key|
                {
                    crate::query::plumbing::default_query("specializes", &key)
                },
            in_scope_traits_map: |_, key|
                {
                    crate::query::plumbing::default_query("in_scope_traits_map",
                        &key)
                },
            defaultness: |_, key|
                {
                    crate::query::plumbing::default_query("defaultness", &key)
                },
            default_field: |_, key|
                {
                    crate::query::plumbing::default_query("default_field", &key)
                },
            check_well_formed: |_, key|
                {
                    crate::query::plumbing::default_query("check_well_formed",
                        &key)
                },
            enforce_impl_non_lifetime_params_are_constrained: |_, key|
                {
                    crate::query::plumbing::default_query("enforce_impl_non_lifetime_params_are_constrained",
                        &key)
                },
            reachable_non_generics: |_, key|
                {
                    crate::query::plumbing::default_query("reachable_non_generics",
                        &key)
                },
            is_reachable_non_generic: |_, key|
                {
                    crate::query::plumbing::default_query("is_reachable_non_generic",
                        &key)
                },
            is_unreachable_local_definition: |_, key|
                {
                    crate::query::plumbing::default_query("is_unreachable_local_definition",
                        &key)
                },
            upstream_monomorphizations: |_, key|
                {
                    crate::query::plumbing::default_query("upstream_monomorphizations",
                        &key)
                },
            upstream_monomorphizations_for: |_, key|
                {
                    crate::query::plumbing::default_query("upstream_monomorphizations_for",
                        &key)
                },
            upstream_drop_glue_for: |_, key|
                {
                    crate::query::plumbing::default_query("upstream_drop_glue_for",
                        &key)
                },
            upstream_async_drop_glue_for: |_, key|
                {
                    crate::query::plumbing::default_query("upstream_async_drop_glue_for",
                        &key)
                },
            foreign_modules: |_, key|
                {
                    crate::query::plumbing::default_query("foreign_modules",
                        &key)
                },
            clashing_extern_declarations: |_, key|
                {
                    crate::query::plumbing::default_query("clashing_extern_declarations",
                        &key)
                },
            entry_fn: |_, key|
                { crate::query::plumbing::default_query("entry_fn", &key) },
            proc_macro_decls_static: |_, key|
                {
                    crate::query::plumbing::default_query("proc_macro_decls_static",
                        &key)
                },
            crate_hash: |_, key|
                { crate::query::plumbing::default_query("crate_hash", &key) },
            crate_host_hash: |_, key|
                {
                    crate::query::plumbing::default_query("crate_host_hash",
                        &key)
                },
            extra_filename: |_, key|
                {
                    crate::query::plumbing::default_query("extra_filename",
                        &key)
                },
            crate_extern_paths: |_, key|
                {
                    crate::query::plumbing::default_query("crate_extern_paths",
                        &key)
                },
            implementations_of_trait: |_, key|
                {
                    crate::query::plumbing::default_query("implementations_of_trait",
                        &key)
                },
            crate_incoherent_impls: |_, key|
                {
                    crate::query::plumbing::default_query("crate_incoherent_impls",
                        &key)
                },
            native_library: |_, key|
                {
                    crate::query::plumbing::default_query("native_library",
                        &key)
                },
            inherit_sig_for_delegation_item: |_, key|
                {
                    crate::query::plumbing::default_query("inherit_sig_for_delegation_item",
                        &key)
                },
            resolve_bound_vars: |_, key|
                {
                    crate::query::plumbing::default_query("resolve_bound_vars",
                        &key)
                },
            named_variable_map: |_, key|
                {
                    crate::query::plumbing::default_query("named_variable_map",
                        &key)
                },
            is_late_bound_map: |_, key|
                {
                    crate::query::plumbing::default_query("is_late_bound_map",
                        &key)
                },
            object_lifetime_default: |_, key|
                {
                    crate::query::plumbing::default_query("object_lifetime_default",
                        &key)
                },
            late_bound_vars_map: |_, key|
                {
                    crate::query::plumbing::default_query("late_bound_vars_map",
                        &key)
                },
            opaque_captured_lifetimes: |_, key|
                {
                    crate::query::plumbing::default_query("opaque_captured_lifetimes",
                        &key)
                },
            visibility: |_, key|
                { crate::query::plumbing::default_query("visibility", &key) },
            inhabited_predicate_adt: |_, key|
                {
                    crate::query::plumbing::default_query("inhabited_predicate_adt",
                        &key)
                },
            inhabited_predicate_type: |_, key|
                {
                    crate::query::plumbing::default_query("inhabited_predicate_type",
                        &key)
                },
            crate_dep_kind: |_, key|
                {
                    crate::query::plumbing::default_query("crate_dep_kind",
                        &key)
                },
            crate_name: |_, key|
                { crate::query::plumbing::default_query("crate_name", &key) },
            module_children: |_, key|
                {
                    crate::query::plumbing::default_query("module_children",
                        &key)
                },
            num_extern_def_ids: |_, key|
                {
                    crate::query::plumbing::default_query("num_extern_def_ids",
                        &key)
                },
            lib_features: |_, key|
                {
                    crate::query::plumbing::default_query("lib_features", &key)
                },
            stability_implications: |_, key|
                {
                    crate::query::plumbing::default_query("stability_implications",
                        &key)
                },
            intrinsic_raw: |_, key|
                {
                    crate::query::plumbing::default_query("intrinsic_raw", &key)
                },
            get_lang_items: |_, key|
                {
                    crate::query::plumbing::default_query("get_lang_items",
                        &key)
                },
            all_diagnostic_items: |_, key|
                {
                    crate::query::plumbing::default_query("all_diagnostic_items",
                        &key)
                },
            defined_lang_items: |_, key|
                {
                    crate::query::plumbing::default_query("defined_lang_items",
                        &key)
                },
            diagnostic_items: |_, key|
                {
                    crate::query::plumbing::default_query("diagnostic_items",
                        &key)
                },
            missing_lang_items: |_, key|
                {
                    crate::query::plumbing::default_query("missing_lang_items",
                        &key)
                },
            visible_parent_map: |_, key|
                {
                    crate::query::plumbing::default_query("visible_parent_map",
                        &key)
                },
            trimmed_def_paths: |_, key|
                {
                    crate::query::plumbing::default_query("trimmed_def_paths",
                        &key)
                },
            missing_extern_crate_item: |_, key|
                {
                    crate::query::plumbing::default_query("missing_extern_crate_item",
                        &key)
                },
            used_crate_source: |_, key|
                {
                    crate::query::plumbing::default_query("used_crate_source",
                        &key)
                },
            debugger_visualizers: |_, key|
                {
                    crate::query::plumbing::default_query("debugger_visualizers",
                        &key)
                },
            postorder_cnums: |_, key|
                {
                    crate::query::plumbing::default_query("postorder_cnums",
                        &key)
                },
            is_private_dep: |_, key|
                {
                    crate::query::plumbing::default_query("is_private_dep",
                        &key)
                },
            allocator_kind: |_, key|
                {
                    crate::query::plumbing::default_query("allocator_kind",
                        &key)
                },
            alloc_error_handler_kind: |_, key|
                {
                    crate::query::plumbing::default_query("alloc_error_handler_kind",
                        &key)
                },
            upvars_mentioned: |_, key|
                {
                    crate::query::plumbing::default_query("upvars_mentioned",
                        &key)
                },
            crates: |_, key|
                { crate::query::plumbing::default_query("crates", &key) },
            used_crates: |_, key|
                {
                    crate::query::plumbing::default_query("used_crates", &key)
                },
            duplicate_crate_names: |_, key|
                {
                    crate::query::plumbing::default_query("duplicate_crate_names",
                        &key)
                },
            traits: |_, key|
                { crate::query::plumbing::default_query("traits", &key) },
            trait_impls_in_crate: |_, key|
                {
                    crate::query::plumbing::default_query("trait_impls_in_crate",
                        &key)
                },
            stable_order_of_exportable_impls: |_, key|
                {
                    crate::query::plumbing::default_query("stable_order_of_exportable_impls",
                        &key)
                },
            exportable_items: |_, key|
                {
                    crate::query::plumbing::default_query("exportable_items",
                        &key)
                },
            exported_non_generic_symbols: |_, key|
                {
                    crate::query::plumbing::default_query("exported_non_generic_symbols",
                        &key)
                },
            exported_generic_symbols: |_, key|
                {
                    crate::query::plumbing::default_query("exported_generic_symbols",
                        &key)
                },
            collect_and_partition_mono_items: |_, key|
                {
                    crate::query::plumbing::default_query("collect_and_partition_mono_items",
                        &key)
                },
            is_codegened_item: |_, key|
                {
                    crate::query::plumbing::default_query("is_codegened_item",
                        &key)
                },
            codegen_unit: |_, key|
                {
                    crate::query::plumbing::default_query("codegen_unit", &key)
                },
            backend_optimization_level: |_, key|
                {
                    crate::query::plumbing::default_query("backend_optimization_level",
                        &key)
                },
            output_filenames: |_, key|
                {
                    crate::query::plumbing::default_query("output_filenames",
                        &key)
                },
            normalize_canonicalized_projection: |_, key|
                {
                    crate::query::plumbing::default_query("normalize_canonicalized_projection",
                        &key)
                },
            normalize_canonicalized_free_alias: |_, key|
                {
                    crate::query::plumbing::default_query("normalize_canonicalized_free_alias",
                        &key)
                },
            normalize_canonicalized_inherent_projection: |_, key|
                {
                    crate::query::plumbing::default_query("normalize_canonicalized_inherent_projection",
                        &key)
                },
            try_normalize_generic_arg_after_erasing_regions: |_, key|
                {
                    crate::query::plumbing::default_query("try_normalize_generic_arg_after_erasing_regions",
                        &key)
                },
            implied_outlives_bounds: |_, key|
                {
                    crate::query::plumbing::default_query("implied_outlives_bounds",
                        &key)
                },
            dropck_outlives: |_, key|
                {
                    crate::query::plumbing::default_query("dropck_outlives",
                        &key)
                },
            evaluate_obligation: |_, key|
                {
                    crate::query::plumbing::default_query("evaluate_obligation",
                        &key)
                },
            type_op_ascribe_user_type: |_, key|
                {
                    crate::query::plumbing::default_query("type_op_ascribe_user_type",
                        &key)
                },
            type_op_prove_predicate: |_, key|
                {
                    crate::query::plumbing::default_query("type_op_prove_predicate",
                        &key)
                },
            type_op_normalize_ty: |_, key|
                {
                    crate::query::plumbing::default_query("type_op_normalize_ty",
                        &key)
                },
            type_op_normalize_clause: |_, key|
                {
                    crate::query::plumbing::default_query("type_op_normalize_clause",
                        &key)
                },
            type_op_normalize_poly_fn_sig: |_, key|
                {
                    crate::query::plumbing::default_query("type_op_normalize_poly_fn_sig",
                        &key)
                },
            type_op_normalize_fn_sig: |_, key|
                {
                    crate::query::plumbing::default_query("type_op_normalize_fn_sig",
                        &key)
                },
            instantiate_and_check_impossible_predicates: |_, key|
                {
                    crate::query::plumbing::default_query("instantiate_and_check_impossible_predicates",
                        &key)
                },
            is_impossible_associated_item: |_, key|
                {
                    crate::query::plumbing::default_query("is_impossible_associated_item",
                        &key)
                },
            method_autoderef_steps: |_, key|
                {
                    crate::query::plumbing::default_query("method_autoderef_steps",
                        &key)
                },
            evaluate_root_goal_for_proof_tree_raw: |_, key|
                {
                    crate::query::plumbing::default_query("evaluate_root_goal_for_proof_tree_raw",
                        &key)
                },
            rust_target_features: |_, key|
                {
                    crate::query::plumbing::default_query("rust_target_features",
                        &key)
                },
            implied_target_features: |_, key|
                {
                    crate::query::plumbing::default_query("implied_target_features",
                        &key)
                },
            features_query: |_, key|
                {
                    crate::query::plumbing::default_query("features_query",
                        &key)
                },
            crate_for_resolver: |_, key|
                {
                    crate::query::plumbing::default_query("crate_for_resolver",
                        &key)
                },
            resolve_instance_raw: |_, key|
                {
                    crate::query::plumbing::default_query("resolve_instance_raw",
                        &key)
                },
            reveal_opaque_types_in_bounds: |_, key|
                {
                    crate::query::plumbing::default_query("reveal_opaque_types_in_bounds",
                        &key)
                },
            limits: |_, key|
                { crate::query::plumbing::default_query("limits", &key) },
            diagnostic_hir_wf_check: |_, key|
                {
                    crate::query::plumbing::default_query("diagnostic_hir_wf_check",
                        &key)
                },
            global_backend_features: |_, key|
                {
                    crate::query::plumbing::default_query("global_backend_features",
                        &key)
                },
            check_validity_requirement: |_, key|
                {
                    crate::query::plumbing::default_query("check_validity_requirement",
                        &key)
                },
            compare_impl_item: |_, key|
                {
                    crate::query::plumbing::default_query("compare_impl_item",
                        &key)
                },
            deduced_param_attrs: |_, key|
                {
                    crate::query::plumbing::default_query("deduced_param_attrs",
                        &key)
                },
            doc_link_resolutions: |_, key|
                {
                    crate::query::plumbing::default_query("doc_link_resolutions",
                        &key)
                },
            doc_link_traits_in_scope: |_, key|
                {
                    crate::query::plumbing::default_query("doc_link_traits_in_scope",
                        &key)
                },
            stripped_cfg_items: |_, key|
                {
                    crate::query::plumbing::default_query("stripped_cfg_items",
                        &key)
                },
            generics_require_sized_self: |_, key|
                {
                    crate::query::plumbing::default_query("generics_require_sized_self",
                        &key)
                },
            cross_crate_inlinable: |_, key|
                {
                    crate::query::plumbing::default_query("cross_crate_inlinable",
                        &key)
                },
            check_mono_item: |_, key|
                {
                    crate::query::plumbing::default_query("check_mono_item",
                        &key)
                },
            skip_move_check_fns: |_, key|
                {
                    crate::query::plumbing::default_query("skip_move_check_fns",
                        &key)
                },
            items_of_instance: |_, key|
                {
                    crate::query::plumbing::default_query("items_of_instance",
                        &key)
                },
            size_estimate: |_, key|
                {
                    crate::query::plumbing::default_query("size_estimate", &key)
                },
            anon_const_kind: |_, key|
                {
                    crate::query::plumbing::default_query("anon_const_kind",
                        &key)
                },
            trivial_const: |_, key|
                {
                    crate::query::plumbing::default_query("trivial_const", &key)
                },
            sanitizer_settings_for: |_, key|
                {
                    crate::query::plumbing::default_query("sanitizer_settings_for",
                        &key)
                },
            check_externally_implementable_items: |_, key|
                {
                    crate::query::plumbing::default_query("check_externally_implementable_items",
                        &key)
                },
            externally_implementable_items: |_, key|
                {
                    crate::query::plumbing::default_query("externally_implementable_items",
                        &key)
                },
        }
    }
}
impl Default for ExternProviders {
    fn default() -> Self {
        ExternProviders {
            const_param_default: |_, key|
                crate::query::plumbing::default_extern_query("const_param_default",
                    &key),
            const_of_item: |_, key|
                crate::query::plumbing::default_extern_query("const_of_item",
                    &key),
            type_of: |_, key|
                crate::query::plumbing::default_extern_query("type_of", &key),
            type_alias_is_lazy: |_, key|
                crate::query::plumbing::default_extern_query("type_alias_is_lazy",
                    &key),
            collect_return_position_impl_trait_in_trait_tys: |_, key|
                crate::query::plumbing::default_extern_query("collect_return_position_impl_trait_in_trait_tys",
                    &key),
            opaque_ty_origin: |_, key|
                crate::query::plumbing::default_extern_query("opaque_ty_origin",
                    &key),
            generics_of: |_, key|
                crate::query::plumbing::default_extern_query("generics_of",
                    &key),
            explicit_item_bounds: |_, key|
                crate::query::plumbing::default_extern_query("explicit_item_bounds",
                    &key),
            explicit_item_self_bounds: |_, key|
                crate::query::plumbing::default_extern_query("explicit_item_self_bounds",
                    &key),
            native_libraries: |_, key|
                crate::query::plumbing::default_extern_query("native_libraries",
                    &key),
            expn_that_defined: |_, key|
                crate::query::plumbing::default_extern_query("expn_that_defined",
                    &key),
            is_panic_runtime: |_, key|
                crate::query::plumbing::default_extern_query("is_panic_runtime",
                    &key),
            params_in_repr: |_, key|
                crate::query::plumbing::default_extern_query("params_in_repr",
                    &key),
            mir_const_qualif: |_, key|
                crate::query::plumbing::default_extern_query("mir_const_qualif",
                    &key),
            thir_abstract_const: |_, key|
                crate::query::plumbing::default_extern_query("thir_abstract_const",
                    &key),
            mir_for_ctfe: |_, key|
                crate::query::plumbing::default_extern_query("mir_for_ctfe",
                    &key),
            closure_saved_names_of_captured_variables: |_, key|
                crate::query::plumbing::default_extern_query("closure_saved_names_of_captured_variables",
                    &key),
            mir_coroutine_witnesses: |_, key|
                crate::query::plumbing::default_extern_query("mir_coroutine_witnesses",
                    &key),
            optimized_mir: |_, key|
                crate::query::plumbing::default_extern_query("optimized_mir",
                    &key),
            promoted_mir: |_, key|
                crate::query::plumbing::default_extern_query("promoted_mir",
                    &key),
            explicit_predicates_of: |_, key|
                crate::query::plumbing::default_extern_query("explicit_predicates_of",
                    &key),
            inferred_outlives_of: |_, key|
                crate::query::plumbing::default_extern_query("inferred_outlives_of",
                    &key),
            explicit_super_predicates_of: |_, key|
                crate::query::plumbing::default_extern_query("explicit_super_predicates_of",
                    &key),
            explicit_implied_predicates_of: |_, key|
                crate::query::plumbing::default_extern_query("explicit_implied_predicates_of",
                    &key),
            const_conditions: |_, key|
                crate::query::plumbing::default_extern_query("const_conditions",
                    &key),
            explicit_implied_const_bounds: |_, key|
                crate::query::plumbing::default_extern_query("explicit_implied_const_bounds",
                    &key),
            trait_def: |_, key|
                crate::query::plumbing::default_extern_query("trait_def",
                    &key),
            adt_def: |_, key|
                crate::query::plumbing::default_extern_query("adt_def", &key),
            adt_destructor: |_, key|
                crate::query::plumbing::default_extern_query("adt_destructor",
                    &key),
            adt_async_destructor: |_, key|
                crate::query::plumbing::default_extern_query("adt_async_destructor",
                    &key),
            constness: |_, key|
                crate::query::plumbing::default_extern_query("constness",
                    &key),
            asyncness: |_, key|
                crate::query::plumbing::default_extern_query("asyncness",
                    &key),
            coroutine_by_move_body_def_id: |_, key|
                crate::query::plumbing::default_extern_query("coroutine_by_move_body_def_id",
                    &key),
            coroutine_kind: |_, key|
                crate::query::plumbing::default_extern_query("coroutine_kind",
                    &key),
            coroutine_for_closure: |_, key|
                crate::query::plumbing::default_extern_query("coroutine_for_closure",
                    &key),
            variances_of: |_, key|
                crate::query::plumbing::default_extern_query("variances_of",
                    &key),
            associated_item_def_ids: |_, key|
                crate::query::plumbing::default_extern_query("associated_item_def_ids",
                    &key),
            associated_item: |_, key|
                crate::query::plumbing::default_extern_query("associated_item",
                    &key),
            associated_types_for_impl_traits_in_trait_or_impl: |_, key|
                crate::query::plumbing::default_extern_query("associated_types_for_impl_traits_in_trait_or_impl",
                    &key),
            impl_trait_header: |_, key|
                crate::query::plumbing::default_extern_query("impl_trait_header",
                    &key),
            inherent_impls: |_, key|
                crate::query::plumbing::default_extern_query("inherent_impls",
                    &key),
            assumed_wf_types_for_rpitit: |_, key|
                crate::query::plumbing::default_extern_query("assumed_wf_types_for_rpitit",
                    &key),
            fn_sig: |_, key|
                crate::query::plumbing::default_extern_query("fn_sig", &key),
            coerce_unsized_info: |_, key|
                crate::query::plumbing::default_extern_query("coerce_unsized_info",
                    &key),
            eval_static_initializer: |_, key|
                crate::query::plumbing::default_extern_query("eval_static_initializer",
                    &key),
            def_kind: |_, key|
                crate::query::plumbing::default_extern_query("def_kind",
                    &key),
            def_span: |_, key|
                crate::query::plumbing::default_extern_query("def_span",
                    &key),
            def_ident_span: |_, key|
                crate::query::plumbing::default_extern_query("def_ident_span",
                    &key),
            lookup_stability: |_, key|
                crate::query::plumbing::default_extern_query("lookup_stability",
                    &key),
            lookup_const_stability: |_, key|
                crate::query::plumbing::default_extern_query("lookup_const_stability",
                    &key),
            lookup_default_body_stability: |_, key|
                crate::query::plumbing::default_extern_query("lookup_default_body_stability",
                    &key),
            lookup_deprecation_entry: |_, key|
                crate::query::plumbing::default_extern_query("lookup_deprecation_entry",
                    &key),
            is_doc_hidden: |_, key|
                crate::query::plumbing::default_extern_query("is_doc_hidden",
                    &key),
            attrs_for_def: |_, key|
                crate::query::plumbing::default_extern_query("attrs_for_def",
                    &key),
            codegen_fn_attrs: |_, key|
                crate::query::plumbing::default_extern_query("codegen_fn_attrs",
                    &key),
            fn_arg_idents: |_, key|
                crate::query::plumbing::default_extern_query("fn_arg_idents",
                    &key),
            rendered_const: |_, key|
                crate::query::plumbing::default_extern_query("rendered_const",
                    &key),
            rendered_precise_capturing_args: |_, key|
                crate::query::plumbing::default_extern_query("rendered_precise_capturing_args",
                    &key),
            impl_parent: |_, key|
                crate::query::plumbing::default_extern_query("impl_parent",
                    &key),
            is_mir_available: |_, key|
                crate::query::plumbing::default_extern_query("is_mir_available",
                    &key),
            dylib_dependency_formats: |_, key|
                crate::query::plumbing::default_extern_query("dylib_dependency_formats",
                    &key),
            is_compiler_builtins: |_, key|
                crate::query::plumbing::default_extern_query("is_compiler_builtins",
                    &key),
            has_global_allocator: |_, key|
                crate::query::plumbing::default_extern_query("has_global_allocator",
                    &key),
            has_alloc_error_handler: |_, key|
                crate::query::plumbing::default_extern_query("has_alloc_error_handler",
                    &key),
            has_panic_handler: |_, key|
                crate::query::plumbing::default_extern_query("has_panic_handler",
                    &key),
            is_profiler_runtime: |_, key|
                crate::query::plumbing::default_extern_query("is_profiler_runtime",
                    &key),
            required_panic_strategy: |_, key|
                crate::query::plumbing::default_extern_query("required_panic_strategy",
                    &key),
            panic_in_drop_strategy: |_, key|
                crate::query::plumbing::default_extern_query("panic_in_drop_strategy",
                    &key),
            is_no_builtins: |_, key|
                crate::query::plumbing::default_extern_query("is_no_builtins",
                    &key),
            symbol_mangling_version: |_, key|
                crate::query::plumbing::default_extern_query("symbol_mangling_version",
                    &key),
            extern_crate: |_, key|
                crate::query::plumbing::default_extern_query("extern_crate",
                    &key),
            specialization_enabled_in: |_, key|
                crate::query::plumbing::default_extern_query("specialization_enabled_in",
                    &key),
            defaultness: |_, key|
                crate::query::plumbing::default_extern_query("defaultness",
                    &key),
            default_field: |_, key|
                crate::query::plumbing::default_extern_query("default_field",
                    &key),
            reachable_non_generics: |_, key|
                crate::query::plumbing::default_extern_query("reachable_non_generics",
                    &key),
            is_reachable_non_generic: |_, key|
                crate::query::plumbing::default_extern_query("is_reachable_non_generic",
                    &key),
            upstream_monomorphizations_for: |_, key|
                crate::query::plumbing::default_extern_query("upstream_monomorphizations_for",
                    &key),
            foreign_modules: |_, key|
                crate::query::plumbing::default_extern_query("foreign_modules",
                    &key),
            crate_hash: |_, key|
                crate::query::plumbing::default_extern_query("crate_hash",
                    &key),
            crate_host_hash: |_, key|
                crate::query::plumbing::default_extern_query("crate_host_hash",
                    &key),
            extra_filename: |_, key|
                crate::query::plumbing::default_extern_query("extra_filename",
                    &key),
            crate_extern_paths: |_, key|
                crate::query::plumbing::default_extern_query("crate_extern_paths",
                    &key),
            implementations_of_trait: |_, key|
                crate::query::plumbing::default_extern_query("implementations_of_trait",
                    &key),
            crate_incoherent_impls: |_, key|
                crate::query::plumbing::default_extern_query("crate_incoherent_impls",
                    &key),
            object_lifetime_default: |_, key|
                crate::query::plumbing::default_extern_query("object_lifetime_default",
                    &key),
            visibility: |_, key|
                crate::query::plumbing::default_extern_query("visibility",
                    &key),
            crate_dep_kind: |_, key|
                crate::query::plumbing::default_extern_query("crate_dep_kind",
                    &key),
            crate_name: |_, key|
                crate::query::plumbing::default_extern_query("crate_name",
                    &key),
            module_children: |_, key|
                crate::query::plumbing::default_extern_query("module_children",
                    &key),
            num_extern_def_ids: |_, key|
                crate::query::plumbing::default_extern_query("num_extern_def_ids",
                    &key),
            lib_features: |_, key|
                crate::query::plumbing::default_extern_query("lib_features",
                    &key),
            stability_implications: |_, key|
                crate::query::plumbing::default_extern_query("stability_implications",
                    &key),
            intrinsic_raw: |_, key|
                crate::query::plumbing::default_extern_query("intrinsic_raw",
                    &key),
            defined_lang_items: |_, key|
                crate::query::plumbing::default_extern_query("defined_lang_items",
                    &key),
            diagnostic_items: |_, key|
                crate::query::plumbing::default_extern_query("diagnostic_items",
                    &key),
            missing_lang_items: |_, key|
                crate::query::plumbing::default_extern_query("missing_lang_items",
                    &key),
            missing_extern_crate_item: |_, key|
                crate::query::plumbing::default_extern_query("missing_extern_crate_item",
                    &key),
            used_crate_source: |_, key|
                crate::query::plumbing::default_extern_query("used_crate_source",
                    &key),
            debugger_visualizers: |_, key|
                crate::query::plumbing::default_extern_query("debugger_visualizers",
                    &key),
            is_private_dep: |_, key|
                crate::query::plumbing::default_extern_query("is_private_dep",
                    &key),
            traits: |_, key|
                crate::query::plumbing::default_extern_query("traits", &key),
            trait_impls_in_crate: |_, key|
                crate::query::plumbing::default_extern_query("trait_impls_in_crate",
                    &key),
            stable_order_of_exportable_impls: |_, key|
                crate::query::plumbing::default_extern_query("stable_order_of_exportable_impls",
                    &key),
            exportable_items: |_, key|
                crate::query::plumbing::default_extern_query("exportable_items",
                    &key),
            exported_non_generic_symbols: |_, key|
                crate::query::plumbing::default_extern_query("exported_non_generic_symbols",
                    &key),
            exported_generic_symbols: |_, key|
                crate::query::plumbing::default_extern_query("exported_generic_symbols",
                    &key),
            deduced_param_attrs: |_, key|
                crate::query::plumbing::default_extern_query("deduced_param_attrs",
                    &key),
            doc_link_resolutions: |_, key|
                crate::query::plumbing::default_extern_query("doc_link_resolutions",
                    &key),
            doc_link_traits_in_scope: |_, key|
                crate::query::plumbing::default_extern_query("doc_link_traits_in_scope",
                    &key),
            stripped_cfg_items: |_, key|
                crate::query::plumbing::default_extern_query("stripped_cfg_items",
                    &key),
            cross_crate_inlinable: |_, key|
                crate::query::plumbing::default_extern_query("cross_crate_inlinable",
                    &key),
            anon_const_kind: |_, key|
                crate::query::plumbing::default_extern_query("anon_const_kind",
                    &key),
            trivial_const: |_, key|
                crate::query::plumbing::default_extern_query("trivial_const",
                    &key),
            externally_implementable_items: |_, key|
                crate::query::plumbing::default_extern_query("externally_implementable_items",
                    &key),
        }
    }
}
impl Copy for Providers {}
impl Clone for Providers {
    fn clone(&self) -> Self { *self }
}
impl Copy for ExternProviders {}
impl Clone for ExternProviders {
    fn clone(&self) -> Self { *self }
}
impl<'tcx> TyCtxt<'tcx> {
    #[doc =
    " Caches the expansion of a derive proc macro, e.g. `#[derive(Serialize)]`."]
    #[doc = " The key is:"]
    #[doc = " - A unique key corresponding to the invocation of a macro."]
    #[doc = " - Token stream which serves as an input to the macro."]
    #[doc = ""]
    #[doc = " The output is the token stream generated by the proc macro."]
    #[inline(always)]
    #[must_use]
    pub fn derive_macro_expansion(self, key: (LocalExpnId, &'tcx TokenStream))
        -> Result<&'tcx TokenStream, ()> {
        self.at(DUMMY_SP).derive_macro_expansion(key)
    }
    #[doc =
    " This exists purely for testing the interactions between delayed bugs and incremental."]
    #[inline(always)]
    #[must_use]
    pub fn trigger_delayed_bug(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> () {
        self.at(DUMMY_SP).trigger_delayed_bug(key)
    }
    #[doc =
    " Collects the list of all tools registered using `#![register_tool]`."]
    #[inline(always)]
    #[must_use]
    pub fn registered_tools(self, key: ()) -> &'tcx ty::RegisteredTools {
        self.at(DUMMY_SP).registered_tools(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] perform lints prior to AST lowering"]
    #[inline(always)]
    #[must_use]
    pub fn early_lint_checks(self, key: ()) -> () {
        self.at(DUMMY_SP).early_lint_checks(key)
    }
    #[doc = " Tracked access to environment variables."]
    #[doc = ""]
    #[doc =
    " Useful for the implementation of `std::env!`, `proc-macro`s change"]
    #[doc =
    " detection and other changes in the compiler\'s behaviour that is easier"]
    #[doc = " to control with an environment variable than a flag."]
    #[doc = ""]
    #[doc = " NOTE: This currently does not work with dependency info in the"]
    #[doc =
    " analysis, codegen and linking passes, place extra code at the top of"]
    #[doc = " `rustc_interface::passes::write_dep_info` to make that work."]
    #[inline(always)]
    #[must_use]
    pub fn env_var_os(self, key: &'tcx OsStr) -> Option<&'tcx OsStr> {
        self.at(DUMMY_SP).env_var_os(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the resolver outputs"]
    #[inline(always)]
    #[must_use]
    pub fn resolutions(self, key: ()) -> &'tcx ty::ResolverGlobalCtxt {
        self.at(DUMMY_SP).resolutions(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the resolver for lowering"]
    #[inline(always)]
    #[must_use]
    pub fn resolver_for_lowering_raw(self, key: ())
        ->
            (&'tcx Steal<(ty::ResolverAstLowering<'tcx>, Arc<ast::Crate>)>,
            &'tcx ty::ResolverGlobalCtxt) {
        self.at(DUMMY_SP).resolver_for_lowering_raw(key)
    }
    #[doc = " Return the span for a definition."]
    #[doc = ""]
    #[doc =
    " Contrary to `def_span` below, this query returns the full absolute span of the definition."]
    #[doc =
    " This span is meant for dep-tracking rather than diagnostics. It should not be used outside"]
    #[doc = " of rustc_middle::hir::source_map."]
    #[inline(always)]
    #[must_use]
    pub fn source_span(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Span {
        self.at(DUMMY_SP).source_span(key)
    }
    #[doc =
    " Represents crate as a whole (as distinct from the top-level crate module)."]
    #[doc = ""]
    #[doc =
    " If you call `tcx.hir_crate(())` we will have to assume that any change"]
    #[doc =
    " means that you need to be recompiled. This is because the `hir_crate`"]
    #[doc =
    " query gives you access to all other items. To avoid this fate, do not"]
    #[doc = " call `tcx.hir_crate(())`; instead, prefer wrappers like"]
    #[doc = " [`TyCtxt::hir_visit_all_item_likes_in_crate`]."]
    #[inline(always)]
    #[must_use]
    pub fn hir_crate(self, key: ()) -> &'tcx Crate<'tcx> {
        self.at(DUMMY_SP).hir_crate(key)
    }
    #[doc = " All items in the crate."]
    #[inline(always)]
    #[must_use]
    pub fn hir_crate_items(self, key: ())
        -> &'tcx rustc_middle::hir::ModuleItems {
        self.at(DUMMY_SP).hir_crate_items(key)
    }
    #[doc = " The items in a module."]
    #[doc = ""]
    #[doc =
    " This can be conveniently accessed by `tcx.hir_visit_item_likes_in_module`."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    #[must_use]
    pub fn hir_module_items(self, key: LocalModDefId)
        -> &'tcx rustc_middle::hir::ModuleItems {
        self.at(DUMMY_SP).hir_module_items(key)
    }
    #[doc = " Returns HIR ID for the given `LocalDefId`."]
    #[inline(always)]
    #[must_use]
    pub fn local_def_id_to_hir_id(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> hir::HirId {
        self.at(DUMMY_SP).local_def_id_to_hir_id(key)
    }
    #[doc =
    " Gives access to the HIR node\'s parent for the HIR owner `key`."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    #[must_use]
    pub fn hir_owner_parent_q(self, key: hir::OwnerId) -> hir::HirId {
        self.at(DUMMY_SP).hir_owner_parent_q(key)
    }
    #[doc =
    " Gives access to the HIR nodes and bodies inside `key` if it\'s a HIR owner."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    #[must_use]
    pub fn opt_hir_owner_nodes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Option<&'tcx hir::OwnerNodes<'tcx>> {
        self.at(DUMMY_SP).opt_hir_owner_nodes(key)
    }
    #[doc = " Gives access to the HIR attributes inside the HIR owner `key`."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    #[must_use]
    pub fn hir_attr_map(self, key: hir::OwnerId)
        -> &'tcx hir::AttributeMap<'tcx> {
        self.at(DUMMY_SP).hir_attr_map(key)
    }
    #[doc = " Gives access to lints emitted during ast lowering."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    #[must_use]
    pub fn opt_ast_lowering_delayed_lints(self, key: hir::OwnerId)
        -> Option<&'tcx hir::lints::DelayedLints> {
        self.at(DUMMY_SP).opt_ast_lowering_delayed_lints(key)
    }
    #[doc =
    " Returns the *default* of the const pararameter given by `DefId`."]
    #[doc = ""]
    #[doc =
    " E.g., given `struct Ty<const N: usize = 3>;` this returns `3` for `N`."]
    #[inline(always)]
    #[must_use]
    pub fn const_param_default(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Const<'tcx>> {
        self.at(DUMMY_SP).const_param_default(key)
    }
    #[doc =
    " Returns the const of the RHS of a (free or assoc) const item, if it is a `type const`."]
    #[doc = ""]
    #[doc =
    " When a const item is used in a type-level expression, like in equality for an assoc const"]
    #[doc =
    " projection, this allows us to retrieve the typesystem-appropriate representation of the"]
    #[doc = " const value."]
    #[doc = ""]
    #[doc =
    " This query will ICE if given a const that is not marked with `type const`."]
    #[inline(always)]
    #[must_use]
    pub fn const_of_item(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Const<'tcx>> {
        self.at(DUMMY_SP).const_of_item(key)
    }
    #[doc = " Returns the *type* of the definition given by `DefId`."]
    #[doc = ""]
    #[doc =
    " For type aliases (whether eager or lazy) and associated types, this returns"]
    #[doc =
    " the underlying aliased type (not the corresponding [alias type])."]
    #[doc = ""]
    #[doc =
    " For opaque types, this returns and thus reveals the hidden type! If you"]
    #[doc = " want to detect cycle errors use `type_of_opaque` instead."]
    #[doc = ""]
    #[doc =
    " To clarify, for type definitions, this does *not* return the \"type of a type\""]
    #[doc =
    " (aka *kind* or *sort*) in the type-theoretical sense! It merely returns"]
    #[doc = " the type primarily *associated with* it."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition doesn\'t (and can\'t"]
    #[doc = " conceptually) have an (underlying) type."]
    #[doc = ""]
    #[doc = " [alias type]: rustc_middle::ty::AliasTy"]
    #[inline(always)]
    #[must_use]
    pub fn type_of(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, Ty<'tcx>> {
        self.at(DUMMY_SP).type_of(key)
    }
    #[doc = " Returns the *hidden type* of the opaque type given by `DefId`."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not an opaque type."]
    #[inline(always)]
    #[must_use]
    pub fn type_of_opaque(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, Ty<'tcx>> {
        self.at(DUMMY_SP).type_of_opaque(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing type of opaque `{path}` via HIR typeck"]
    #[inline(always)]
    #[must_use]
    pub fn type_of_opaque_hir_typeck(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> ty::EarlyBinder<'tcx, Ty<'tcx>> {
        self.at(DUMMY_SP).type_of_opaque_hir_typeck(key)
    }
    #[doc = " Returns whether the type alias given by `DefId` is lazy."]
    #[doc = ""]
    #[doc =
    " I.e., if the type alias expands / ought to expand to a [free] [alias type]"]
    #[doc = " instead of the underlying aliased type."]
    #[doc = ""]
    #[doc =
    " Relevant for features `lazy_type_alias` and `type_alias_impl_trait`."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query *may* panic if the given definition is not a type alias."]
    #[doc = ""]
    #[doc = " [free]: rustc_middle::ty::Free"]
    #[doc = " [alias type]: rustc_middle::ty::AliasTy"]
    #[inline(always)]
    #[must_use]
    pub fn type_alias_is_lazy(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        self.at(DUMMY_SP).type_alias_is_lazy(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] comparing an impl and trait method signature, inferring any hidden `impl Trait` types in the process"]
    #[inline(always)]
    #[must_use]
    pub fn collect_return_position_impl_trait_in_trait_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        ->
            Result<&'tcx DefIdMap<ty::EarlyBinder<'tcx, Ty<'tcx>>>,
            ErrorGuaranteed> {
        self.at(DUMMY_SP).collect_return_position_impl_trait_in_trait_tys(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determine where the opaque originates from"]
    #[inline(always)]
    #[must_use]
    pub fn opaque_ty_origin(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> hir::OpaqueTyOrigin<DefId> {
        self.at(DUMMY_SP).opaque_ty_origin(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining what parameters of  `tcx.def_path_str(key)`  can participate in unsizing"]
    #[inline(always)]
    #[must_use]
    pub fn unsizing_params_for_adt(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx rustc_index::bit_set::DenseBitSet<u32> {
        self.at(DUMMY_SP).unsizing_params_for_adt(key)
    }
    #[doc =
    " The root query triggering all analysis passes like typeck or borrowck."]
    #[inline(always)]
    #[must_use]
    pub fn analysis(self, key: ()) -> () { self.at(DUMMY_SP).analysis(key) }
    #[doc =
    " This query checks the fulfillment of collected lint expectations."]
    #[doc =
    " All lint emitting queries have to be done before this is executed"]
    #[doc = " to ensure that all expectations can be fulfilled."]
    #[doc = ""]
    #[doc =
    " This is an extra query to enable other drivers (like rustdoc) to"]
    #[doc =
    " only execute a small subset of the `analysis` query, while allowing"]
    #[doc =
    " lints to be expected. In rustc, this query will be executed as part of"]
    #[doc =
    " the `analysis` query and doesn\'t have to be called a second time."]
    #[doc = ""]
    #[doc =
    " Tools can additionally pass in a tool filter. That will restrict the"]
    #[doc =
    " expectations to only trigger for lints starting with the listed tool"]
    #[doc =
    " name. This is useful for cases were not all linting code from rustc"]
    #[doc =
    " was called. With the default `None` all registered lints will also"]
    #[doc = " be checked for expectation fulfillment."]
    #[inline(always)]
    #[must_use]
    pub fn check_expectations(self, key: Option<Symbol>) -> () {
        self.at(DUMMY_SP).check_expectations(key)
    }
    #[doc = " Returns the *generics* of the definition given by `DefId`."]
    #[inline(always)]
    #[must_use]
    pub fn generics_of(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx ty::Generics {
        self.at(DUMMY_SP).generics_of(key)
    }
    #[doc =
    " Returns the (elaborated) *predicates* of the definition given by `DefId`"]
    #[doc =
    " that must be proven true at usage sites (and which can be assumed at definition site)."]
    #[doc = ""]
    #[doc =
    " This is almost always *the* \"predicates query\" that you want."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_predicates]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    #[must_use]
    pub fn predicates_of(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::GenericPredicates<'tcx> {
        self.at(DUMMY_SP).predicates_of(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the opaque types defined by  `tcx.def_path_str(key.to_def_id())` "]
    #[inline(always)]
    #[must_use]
    pub fn opaque_types_defined_by(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx ty::List<LocalDefId> {
        self.at(DUMMY_SP).opaque_types_defined_by(key)
    }
    #[doc =
    " A list of all bodies inside of `key`, nested bodies are always stored"]
    #[doc = " before their parent."]
    #[inline(always)]
    #[must_use]
    pub fn nested_bodies_within(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx ty::List<LocalDefId> {
        self.at(DUMMY_SP).nested_bodies_within(key)
    }
    #[doc =
    " Returns the explicitly user-written *bounds* on the associated or opaque type given by `DefId`"]
    #[doc =
    " that must be proven true at definition site (and which can be assumed at usage sites)."]
    #[doc = ""]
    #[doc =
    " For associated types, these must be satisfied for an implementation"]
    #[doc =
    " to be well-formed, and for opaque types, these are required to be"]
    #[doc = " satisfied by the hidden type of the opaque."]
    #[doc = ""]
    #[doc =
    " Bounds from the parent (e.g. with nested `impl Trait`) are not included."]
    #[doc = ""]
    #[doc =
    " Syntactially, these are the bounds written on associated types in trait"]
    #[doc = " definitions, or those after the `impl` keyword for an opaque:"]
    #[doc = ""]
    #[doc = " ```ignore (illustrative)"]
    #[doc = " trait Trait { type X: Bound + \'lt; }"]
    #[doc = " //                    ^^^^^^^^^^^"]
    #[doc = " fn function() -> impl Debug + Display { /*...*/ }"]
    #[doc = " //                    ^^^^^^^^^^^^^^^"]
    #[doc = " ```"]
    #[inline(always)]
    #[must_use]
    pub fn explicit_item_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        self.at(DUMMY_SP).explicit_item_bounds(key)
    }
    #[doc =
    " Returns the explicitly user-written *bounds* that share the `Self` type of the item."]
    #[doc = ""]
    #[doc =
    " These are a subset of the [explicit item bounds] that may explicitly be used for things"]
    #[doc = " like closure signature deduction."]
    #[doc = ""]
    #[doc = " [explicit item bounds]: Self::explicit_item_bounds"]
    #[inline(always)]
    #[must_use]
    pub fn explicit_item_self_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        self.at(DUMMY_SP).explicit_item_self_bounds(key)
    }
    #[doc =
    " Returns the (elaborated) *bounds* on the associated or opaque type given by `DefId`"]
    #[doc =
    " that must be proven true at definition site (and which can be assumed at usage sites)."]
    #[doc = ""]
    #[doc =
    " Bounds from the parent (e.g. with nested `impl Trait`) are not included."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_item_bounds]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[doc = ""]
    #[doc = " # Examples"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait Trait { type Assoc: Eq + ?Sized; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " While [`Self::explicit_item_bounds`] returns `[<Self as Trait>::Assoc: Eq]`"]
    #[doc = " here, `item_bounds` returns:"]
    #[doc = ""]
    #[doc = " ```text"]
    #[doc = " ["]
    #[doc = "     <Self as Trait>::Assoc: Eq,"]
    #[doc = "     <Self as Trait>::Assoc: PartialEq<<Self as Trait>::Assoc>"]
    #[doc = " ]"]
    #[doc = " ```"]
    #[inline(always)]
    #[must_use]
    pub fn item_bounds(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
        self.at(DUMMY_SP).item_bounds(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating item assumptions for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn item_self_bounds(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
        self.at(DUMMY_SP).item_self_bounds(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating item assumptions for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn item_non_self_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
        self.at(DUMMY_SP).item_non_self_bounds(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating supertrait outlives for trait of  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn impl_super_outlives(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
        self.at(DUMMY_SP).impl_super_outlives(key)
    }
    #[doc = " Look up all native libraries this crate depends on."]
    #[doc = " These are assembled from the following places:"]
    #[doc = " - `extern` blocks (depending on their `link` attributes)"]
    #[doc = " - the `libs` (`-l`) option"]
    #[inline(always)]
    #[must_use]
    pub fn native_libraries(self, key: CrateNum) -> &'tcx Vec<NativeLib> {
        self.at(DUMMY_SP).native_libraries(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up lint levels for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn shallow_lint_levels_on(self, key: hir::OwnerId)
        -> &'tcx rustc_middle::lint::ShallowLintLevelMap {
        self.at(DUMMY_SP).shallow_lint_levels_on(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `#[expect]`ed lints in this crate"]
    #[inline(always)]
    #[must_use]
    pub fn lint_expectations(self, key: ())
        -> &'tcx Vec<(LintExpectationId, LintExpectation)> {
        self.at(DUMMY_SP).lint_expectations(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] Computing all lints that are explicitly enabled or with a default level greater than Allow"]
    #[inline(always)]
    #[must_use]
    pub fn lints_that_dont_need_to_run(self, key: ())
        -> &'tcx UnordSet<LintId> {
        self.at(DUMMY_SP).lints_that_dont_need_to_run(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the expansion that defined  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn expn_that_defined(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> rustc_span::ExpnId {
        self.at(DUMMY_SP).expn_that_defined(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate is_panic_runtime"]
    #[inline(always)]
    #[must_use]
    pub fn is_panic_runtime(self, key: CrateNum) -> bool {
        self.at(DUMMY_SP).is_panic_runtime(key)
    }
    #[doc = " Checks whether a type is representable or infinitely sized"]
    #[inline(always)]
    #[must_use]
    pub fn check_representability(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> () {
        self.at(DUMMY_SP).check_representability(key)
    }
    #[doc =
    " An implementation detail for the `check_representability` query. See that query for more"]
    #[doc = " details, particularly on the modifiers."]
    #[inline(always)]
    #[must_use]
    pub fn check_representability_adt_ty(self, key: Ty<'tcx>) -> () {
        self.at(DUMMY_SP).check_representability_adt_ty(key)
    }
    #[doc =
    " Set of param indexes for type params that are in the type\'s representation"]
    #[inline(always)]
    #[must_use]
    pub fn params_in_repr(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx rustc_index::bit_set::DenseBitSet<u32> {
        self.at(DUMMY_SP).params_in_repr(key)
    }
    #[doc =
    " Fetch the THIR for a given body. The THIR body gets stolen by unsafety checking unless"]
    #[doc = " `-Zno-steal-thir` is on."]
    #[inline(always)]
    #[must_use]
    pub fn thir_body(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        ->
            Result<(&'tcx Steal<thir::Thir<'tcx>>, thir::ExprId),
            ErrorGuaranteed> {
        self.at(DUMMY_SP).thir_body(key)
    }
    #[doc =
    " Set of all the `DefId`s in this crate that have MIR associated with"]
    #[doc =
    " them. This includes all the body owners, but also things like struct"]
    #[doc = " constructors."]
    #[inline(always)]
    #[must_use]
    pub fn mir_keys(self, key: ())
        -> &'tcx rustc_data_structures::fx::FxIndexSet<LocalDefId> {
        self.at(DUMMY_SP).mir_keys(key)
    }
    #[doc =
    " Maps DefId\'s that have an associated `mir::Body` to the result"]
    #[doc = " of the MIR const-checking pass. This is the set of qualifs in"]
    #[doc = " the final value of a `const`."]
    #[inline(always)]
    #[must_use]
    pub fn mir_const_qualif(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> mir::ConstQualifs {
        self.at(DUMMY_SP).mir_const_qualif(key)
    }
    #[doc =
    " Build the MIR for a given `DefId` and prepare it for const qualification."]
    #[doc = ""]
    #[doc = " See the [rustc dev guide] for more info."]
    #[doc = ""]
    #[doc =
    " [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/mir/construction.html"]
    #[inline(always)]
    #[must_use]
    pub fn mir_built(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx Steal<mir::Body<'tcx>> {
        self.at(DUMMY_SP).mir_built(key)
    }
    #[doc = " Try to build an abstract representation of the given constant."]
    #[inline(always)]
    #[must_use]
    pub fn thir_abstract_const(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        ->
            Result<Option<ty::EarlyBinder<'tcx, ty::Const<'tcx>>>,
            ErrorGuaranteed> {
        self.at(DUMMY_SP).thir_abstract_const(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating drops for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn mir_drops_elaborated_and_const_checked(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx Steal<mir::Body<'tcx>> {
        self.at(DUMMY_SP).mir_drops_elaborated_and_const_checked(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] caching mir of  `tcx.def_path_str(key)`  for CTFE"]
    #[inline(always)]
    #[must_use]
    pub fn mir_for_ctfe(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx mir::Body<'tcx> {
        self.at(DUMMY_SP).mir_for_ctfe(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] promoting constants in MIR for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn mir_promoted(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        ->
            (&'tcx Steal<mir::Body<'tcx>>,
            &'tcx Steal<IndexVec<mir::Promoted, mir::Body<'tcx>>>) {
        self.at(DUMMY_SP).mir_promoted(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding symbols for captures of closure  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn closure_typeinfo(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> ty::ClosureTypeInfo<'tcx> {
        self.at(DUMMY_SP).closure_typeinfo(key)
    }
    #[doc = " Returns names of captured upvars for closures and coroutines."]
    #[doc = ""]
    #[doc = " Here are some examples:"]
    #[doc = "  - `name__field1__field2` when the upvar is captured by value."]
    #[doc =
    "  - `_ref__name__field` when the upvar is captured by reference."]
    #[doc = ""]
    #[doc =
    " For coroutines this only contains upvars that are shared by all states."]
    #[inline(always)]
    #[must_use]
    pub fn closure_saved_names_of_captured_variables(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx IndexVec<abi::FieldIdx, Symbol> {
        self.at(DUMMY_SP).closure_saved_names_of_captured_variables(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] coroutine witness types for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn mir_coroutine_witnesses(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<&'tcx mir::CoroutineLayout<'tcx>> {
        self.at(DUMMY_SP).mir_coroutine_witnesses(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] verify auto trait bounds for coroutine interior type  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn check_coroutine_obligations(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).check_coroutine_obligations(key)
    }
    #[doc =
    " Used in case `mir_borrowck` fails to prove an obligation. We generally assume that"]
    #[doc =
    " all goals we prove in MIR type check hold as we\'ve already checked them in HIR typeck."]
    #[doc = ""]
    #[doc =
    " However, we replace each free region in the MIR body with a unique region inference"]
    #[doc =
    " variable. As we may rely on structural identity when proving goals this may cause a"]
    #[doc =
    " goal to no longer hold. We store obligations for which this may happen during HIR"]
    #[doc =
    " typeck in the `TypeckResults`. We then uniquify and reprove them in case MIR typeck"]
    #[doc =
    " encounters an unexpected error. We expect this to result in an error when used and"]
    #[doc = " delay a bug if it does not."]
    #[inline(always)]
    #[must_use]
    pub fn check_potentially_region_dependent_goals(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).check_potentially_region_dependent_goals(key)
    }
    #[doc =
    " MIR after our optimization passes have run. This is MIR that is ready"]
    #[doc =
    " for codegen. This is also the only query that can fetch non-local MIR, at present."]
    #[inline(always)]
    #[must_use]
    pub fn optimized_mir(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx mir::Body<'tcx> {
        self.at(DUMMY_SP).optimized_mir(key)
    }
    #[doc =
    " Checks for the nearest `#[coverage(off)]` or `#[coverage(on)]` on"]
    #[doc = " this def and any enclosing defs, up to the crate root."]
    #[doc = ""]
    #[doc = " Returns `false` if `#[coverage(off)]` was found, or `true` if"]
    #[doc = " either `#[coverage(on)]` or no coverage attribute was found."]
    #[inline(always)]
    #[must_use]
    pub fn coverage_attr_on(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> bool {
        self.at(DUMMY_SP).coverage_attr_on(key)
    }
    #[doc =
    " Scans through a function\'s MIR after MIR optimizations, to prepare the"]
    #[doc =
    " information needed by codegen when `-Cinstrument-coverage` is active."]
    #[doc = ""]
    #[doc =
    " This includes the details of where to insert `llvm.instrprof.increment`"]
    #[doc =
    " intrinsics, and the expression tables to be embedded in the function\'s"]
    #[doc = " coverage metadata."]
    #[doc = ""]
    #[doc =
    " FIXME(Zalathar): This query\'s purpose has drifted a bit and should"]
    #[doc =
    " probably be renamed, but that can wait until after the potential"]
    #[doc = " follow-ups to #136053 have settled down."]
    #[doc = ""]
    #[doc = " Returns `None` for functions that were not instrumented."]
    #[inline(always)]
    #[must_use]
    pub fn coverage_ids_info(self, key: ty::InstanceKind<'tcx>)
        -> Option<&'tcx mir::coverage::CoverageIdsInfo> {
        self.at(DUMMY_SP).coverage_ids_info(key)
    }
    #[doc =
    " The `DefId` is the `DefId` of the containing MIR body. Promoteds do not have their own"]
    #[doc =
    " `DefId`. This function returns all promoteds in the specified body. The body references"]
    #[doc =
    " promoteds by the `DefId` and the `mir::Promoted` index. This is necessary, because"]
    #[doc =
    " after inlining a body may refer to promoteds from other bodies. In that case you still"]
    #[doc = " need to use the `DefId` of the original body."]
    #[inline(always)]
    #[must_use]
    pub fn promoted_mir(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx IndexVec<mir::Promoted, mir::Body<'tcx>> {
        self.at(DUMMY_SP).promoted_mir(key)
    }
    #[doc = " Erases regions from `ty` to yield a new type."]
    #[doc =
    " Normally you would just use `tcx.erase_and_anonymize_regions(value)`,"]
    #[doc = " however, which uses this query as a kind of cache."]
    #[inline(always)]
    #[must_use]
    pub fn erase_and_anonymize_regions_ty(self, key: Ty<'tcx>) -> Ty<'tcx> {
        self.at(DUMMY_SP).erase_and_anonymize_regions_ty(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting wasm import module map"]
    #[inline(always)]
    #[must_use]
    pub fn wasm_import_module_map(self, key: CrateNum)
        -> &'tcx DefIdMap<String> {
        self.at(DUMMY_SP).wasm_import_module_map(key)
    }
    #[doc =
    " Returns the explicitly user-written *predicates and bounds* of the trait given by `DefId`."]
    #[doc = ""]
    #[doc = " Traits are unusual, because predicates on associated types are"]
    #[doc =
    " converted into bounds on that type for backwards compatibility:"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait X where Self::U: Copy { type U; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc = " becomes"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait X { type U: Copy; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " [`Self::explicit_predicates_of`] and [`Self::explicit_item_bounds`] will"]
    #[doc = " then take the appropriate subsets of the predicates here."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc = " This query will panic if the given definition is not a trait."]
    #[inline(always)]
    #[must_use]
    pub fn trait_explicit_predicates_and_bounds(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> ty::GenericPredicates<'tcx> {
        self.at(DUMMY_SP).trait_explicit_predicates_and_bounds(key)
    }
    #[doc =
    " Returns the explicitly user-written *predicates* of the definition given by `DefId`"]
    #[doc =
    " that must be proven true at usage sites (and which can be assumed at definition site)."]
    #[doc = ""]
    #[doc =
    " You should probably use [`TyCtxt::predicates_of`] unless you\'re looking for"]
    #[doc = " predicates with explicit spans for diagnostics purposes."]
    #[inline(always)]
    #[must_use]
    pub fn explicit_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::GenericPredicates<'tcx> {
        self.at(DUMMY_SP).explicit_predicates_of(key)
    }
    #[doc =
    " Returns the *inferred outlives-predicates* of the item given by `DefId`."]
    #[doc = ""]
    #[doc =
    " E.g., for `struct Foo<\'a, T> { x: &\'a T }`, this would return `[T: \'a]`."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_inferred_outlives]` on an item to basically"]
    #[doc =
    " print the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    #[must_use]
    pub fn inferred_outlives_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [(ty::Clause<'tcx>, Span)] {
        self.at(DUMMY_SP).inferred_outlives_of(key)
    }
    #[doc =
    " Returns the explicitly user-written *super-predicates* of the trait given by `DefId`."]
    #[doc = ""]
    #[doc =
    " These predicates are unelaborated and consequently don\'t contain transitive super-predicates."]
    #[doc = ""]
    #[doc =
    " This is a subset of the full list of predicates. We store these in a separate map"]
    #[doc =
    " because we must evaluate them even during type conversion, often before the full"]
    #[doc =
    " predicates are available (note that super-predicates must not be cyclic)."]
    #[inline(always)]
    #[must_use]
    pub fn explicit_super_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        self.at(DUMMY_SP).explicit_super_predicates_of(key)
    }
    #[doc =
    " The predicates of the trait that are implied during elaboration."]
    #[doc = ""]
    #[doc =
    " This is a superset of the super-predicates of the trait, but a subset of the predicates"]
    #[doc =
    " of the trait. For regular traits, this includes all super-predicates and their"]
    #[doc =
    " associated type bounds. For trait aliases, currently, this includes all of the"]
    #[doc = " predicates of the trait alias."]
    #[inline(always)]
    #[must_use]
    pub fn explicit_implied_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        self.at(DUMMY_SP).explicit_implied_predicates_of(key)
    }
    #[doc =
    " The Ident is the name of an associated type.The query returns only the subset"]
    #[doc =
    " of supertraits that define the given associated type. This is used to avoid"]
    #[doc =
    " cycles in resolving type-dependent associated item paths like `T::Item`."]
    #[inline(always)]
    #[must_use]
    pub fn explicit_supertraits_containing_assoc_item(self,
        key: (DefId, rustc_span::Ident))
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        self.at(DUMMY_SP).explicit_supertraits_containing_assoc_item(key)
    }
    #[doc =
    " Compute the conditions that need to hold for a conditionally-const item to be const."]
    #[doc =
    " That is, compute the set of `[const]` where clauses for a given item."]
    #[doc = ""]
    #[doc =
    " This can be thought of as the `[const]` equivalent of `predicates_of`. These are the"]
    #[doc =
    " predicates that need to be proven at usage sites, and can be assumed at definition."]
    #[doc = ""]
    #[doc =
    " This query also computes the `[const]` where clauses for associated types, which are"]
    #[doc =
    " not \"const\", but which have item bounds which may be `[const]`. These must hold for"]
    #[doc = " the `[const]` item bound to hold."]
    #[inline(always)]
    #[must_use]
    pub fn const_conditions(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::ConstConditions<'tcx> {
        self.at(DUMMY_SP).const_conditions(key)
    }
    #[doc =
    " Compute the const bounds that are implied for a conditionally-const item."]
    #[doc = ""]
    #[doc =
    " This can be though of as the `[const]` equivalent of `explicit_item_bounds`. These"]
    #[doc =
    " are the predicates that need to proven at definition sites, and can be assumed at"]
    #[doc = " usage sites."]
    #[inline(always)]
    #[must_use]
    pub fn explicit_implied_const_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::PolyTraitRef<'tcx>, Span)]> {
        self.at(DUMMY_SP).explicit_implied_const_bounds(key)
    }
    #[doc =
    " To avoid cycles within the predicates of a single item we compute"]
    #[doc = " per-type-parameter predicates for resolving `T::AssocTy`."]
    #[inline(always)]
    #[must_use]
    pub fn type_param_predicates(self,
        key: (LocalDefId, LocalDefId, rustc_span::Ident))
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        self.at(DUMMY_SP).type_param_predicates(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing trait definition for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn trait_def(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx ty::TraitDef {
        self.at(DUMMY_SP).trait_def(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing ADT definition for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn adt_def(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::AdtDef<'tcx> {
        self.at(DUMMY_SP).adt_def(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `Drop` impl for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn adt_destructor(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<ty::Destructor> {
        self.at(DUMMY_SP).adt_destructor(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `AsyncDrop` impl for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn adt_async_destructor(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<ty::AsyncDestructor> {
        self.at(DUMMY_SP).adt_async_destructor(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the sizedness constraint for  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    #[must_use]
    pub fn adt_sizedness_constraint(self, key: (DefId, SizedTraitKind))
        -> Option<ty::EarlyBinder<'tcx, Ty<'tcx>>> {
        self.at(DUMMY_SP).adt_sizedness_constraint(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing drop-check constraints for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn adt_dtorck_constraint(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx DropckConstraint<'tcx> {
        self.at(DUMMY_SP).adt_dtorck_constraint(key)
    }
    #[doc =
    " Returns the constness of the function-like[^1] definition given by `DefId`."]
    #[doc = ""]
    #[doc =
    " Tuple struct/variant constructors are *always* const, foreign functions are"]
    #[doc =
    " *never* const. The rest is const iff marked with keyword `const` (or rather"]
    #[doc = " its parent in the case of associated functions)."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly. It is only meant to cache the base data for the"]
    #[doc =
    " higher-level functions. Consider using `is_const_fn` or `is_const_trait_impl` instead."]
    #[doc = ""]
    #[doc =
    " Also note that neither of them takes into account feature gates, stability and"]
    #[doc = " const predicates/conditions!"]
    #[doc = ""]
    #[doc = " </div>"]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not function-like[^1]."]
    #[doc = ""]
    #[doc =
    " [^1]: Tuple struct/variant constructors, closures and free, associated and foreign functions."]
    #[inline(always)]
    #[must_use]
    pub fn constness(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> hir::Constness {
        self.at(DUMMY_SP).constness(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the function is async:  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn asyncness(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::Asyncness {
        self.at(DUMMY_SP).asyncness(key)
    }
    #[doc = " Returns `true` if calls to the function may be promoted."]
    #[doc = ""]
    #[doc =
    " This is either because the function is e.g., a tuple-struct or tuple-variant"]
    #[doc =
    " constructor, or because it has the `#[rustc_promotable]` attribute. The attribute should"]
    #[doc =
    " be removed in the future in favour of some form of check which figures out whether the"]
    #[doc =
    " function does not inspect the bits of any of its arguments (so is essentially just a"]
    #[doc = " constructor function)."]
    #[inline(always)]
    #[must_use]
    pub fn is_promotable_const_fn(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        self.at(DUMMY_SP).is_promotable_const_fn(key)
    }
    #[doc =
    " The body of the coroutine, modified to take its upvars by move rather than by ref."]
    #[doc = ""]
    #[doc =
    " This is used by coroutine-closures, which must return a different flavor of coroutine"]
    #[doc =
    " when called using `AsyncFnOnce::call_once`. It is produced by the `ByMoveBody` pass which"]
    #[doc =
    " is run right after building the initial MIR, and will only be populated for coroutines"]
    #[doc = " which come out of the async closure desugaring."]
    #[inline(always)]
    #[must_use]
    pub fn coroutine_by_move_body_def_id(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> DefId {
        self.at(DUMMY_SP).coroutine_by_move_body_def_id(key)
    }
    #[doc =
    " Returns `Some(coroutine_kind)` if the node pointed to by `def_id` is a coroutine."]
    #[inline(always)]
    #[must_use]
    pub fn coroutine_kind(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<hir::CoroutineKind> {
        self.at(DUMMY_SP).coroutine_kind(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] Given a coroutine-closure def id, return the def id of the coroutine returned by it"]
    #[inline(always)]
    #[must_use]
    pub fn coroutine_for_closure(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> DefId {
        self.at(DUMMY_SP).coroutine_for_closure(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the hidden types stored across await points in a coroutine"]
    #[inline(always)]
    #[must_use]
    pub fn coroutine_hidden_types(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        ->
            ty::EarlyBinder<'tcx,
            ty::Binder<'tcx, ty::CoroutineWitnessTypes<TyCtxt<'tcx>>>> {
        self.at(DUMMY_SP).coroutine_hidden_types(key)
    }
    #[doc =
    " Gets a map with the variances of every item in the local crate."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::variances_of`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    #[must_use]
    pub fn crate_variances(self, key: ())
        -> &'tcx ty::CrateVariancesMap<'tcx> {
        self.at(DUMMY_SP).crate_variances(key)
    }
    #[doc = " Returns the (inferred) variances of the item given by `DefId`."]
    #[doc = ""]
    #[doc =
    " The list of variances corresponds to the list of (early-bound) generic"]
    #[doc = " parameters of the item (including its parents)."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_variances]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    #[must_use]
    pub fn variances_of(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [ty::Variance] {
        self.at(DUMMY_SP).variances_of(key)
    }
    #[doc =
    " Gets a map with the inferred outlives-predicates of every item in the local crate."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::inferred_outlives_of`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    #[must_use]
    pub fn inferred_outlives_crate(self, key: ())
        -> &'tcx ty::CratePredicatesMap<'tcx> {
        self.at(DUMMY_SP).inferred_outlives_crate(key)
    }
    #[doc = " Maps from an impl/trait or struct/variant `DefId`"]
    #[doc = " to a list of the `DefId`s of its associated items or fields."]
    #[inline(always)]
    #[must_use]
    pub fn associated_item_def_ids(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> &'tcx [DefId] {
        self.at(DUMMY_SP).associated_item_def_ids(key)
    }
    #[doc =
    " Maps from a trait/impl item to the trait/impl item \"descriptor\"."]
    #[inline(always)]
    #[must_use]
    pub fn associated_item(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::AssocItem {
        self.at(DUMMY_SP).associated_item(key)
    }
    #[doc = " Collects the associated items defined on a trait or impl."]
    #[inline(always)]
    #[must_use]
    pub fn associated_items(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx ty::AssocItems {
        self.at(DUMMY_SP).associated_items(key)
    }
    #[doc =
    " Maps from associated items on a trait to the corresponding associated"]
    #[doc = " item on the impl specified by `impl_id`."]
    #[doc = ""]
    #[doc = " For example, with the following code"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " struct Type {}"]
    #[doc = "                         // DefId"]
    #[doc = " trait Trait {           // trait_id"]
    #[doc = "     fn f();             // trait_f"]
    #[doc = "     fn g() {}           // trait_g"]
    #[doc = " }"]
    #[doc = ""]
    #[doc = " impl Trait for Type {   // impl_id"]
    #[doc = "     fn f() {}           // impl_f"]
    #[doc = "     fn g() {}           // impl_g"]
    #[doc = " }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " The map returned for `tcx.impl_item_implementor_ids(impl_id)` would be"]
    #[doc = "`{ trait_f: impl_f, trait_g: impl_g }`"]
    #[inline(always)]
    #[must_use]
    pub fn impl_item_implementor_ids(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx DefIdMap<DefId> {
        self.at(DUMMY_SP).impl_item_implementor_ids(key)
    }
    #[doc =
    " Given the `item_def_id` of a trait or impl, return a mapping from associated fn def id"]
    #[doc =
    " to its associated type items that correspond to the RPITITs in its signature."]
    #[inline(always)]
    #[must_use]
    pub fn associated_types_for_impl_traits_in_trait_or_impl(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx DefIdMap<Vec<DefId>> {
        self.at(DUMMY_SP).associated_types_for_impl_traits_in_trait_or_impl(key)
    }
    #[doc =
    " Given an `impl_id`, return the trait it implements along with some header information."]
    #[inline(always)]
    #[must_use]
    pub fn impl_trait_header(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::ImplTraitHeader<'tcx> {
        self.at(DUMMY_SP).impl_trait_header(key)
    }
    #[doc =
    " Given an `impl_def_id`, return true if the self type is guaranteed to be unsized due"]
    #[doc =
    " to either being one of the built-in unsized types (str/slice/dyn) or to be a struct"]
    #[doc = " whose tail is one of those types."]
    #[inline(always)]
    #[must_use]
    pub fn impl_self_is_guaranteed_unsized(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        self.at(DUMMY_SP).impl_self_is_guaranteed_unsized(key)
    }
    #[doc = " Maps a `DefId` of a type to a list of its inherent impls."]
    #[doc =
    " Contains implementations of methods that are inherent to a type."]
    #[doc = " Methods in these implementations don\'t need to be exported."]
    #[inline(always)]
    #[must_use]
    pub fn inherent_impls(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [DefId] {
        self.at(DUMMY_SP).inherent_impls(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting all inherent impls for `{:?}`"]
    #[inline(always)]
    #[must_use]
    pub fn incoherent_impls(self, key: SimplifiedType) -> &'tcx [DefId] {
        self.at(DUMMY_SP).incoherent_impls(key)
    }
    #[doc = " Unsafety-check this `LocalDefId`."]
    #[inline(always)]
    #[must_use]
    pub fn check_transmutes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> () {
        self.at(DUMMY_SP).check_transmutes(key)
    }
    #[doc = " Unsafety-check this `LocalDefId`."]
    #[inline(always)]
    #[must_use]
    pub fn check_unsafety(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> () {
        self.at(DUMMY_SP).check_unsafety(key)
    }
    #[doc = " Checks well-formedness of tail calls (`become f()`)."]
    #[inline(always)]
    #[must_use]
    pub fn check_tail_calls(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).check_tail_calls(key)
    }
    #[doc =
    " Returns the types assumed to be well formed while \"inside\" of the given item."]
    #[doc = ""]
    #[doc =
    " Note that we\'ve liberated the late bound regions of function signatures, so"]
    #[doc =
    " this can not be used to check whether these types are well formed."]
    #[inline(always)]
    #[must_use]
    pub fn assumed_wf_types(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx [(Ty<'tcx>, Span)] {
        self.at(DUMMY_SP).assumed_wf_types(key)
    }
    #[doc =
    " We need to store the assumed_wf_types for an RPITIT so that impls of foreign"]
    #[doc =
    " traits with return-position impl trait in traits can inherit the right wf types."]
    #[inline(always)]
    #[must_use]
    pub fn assumed_wf_types_for_rpitit(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [(Ty<'tcx>, Span)] {
        self.at(DUMMY_SP).assumed_wf_types_for_rpitit(key)
    }
    #[doc = " Computes the signature of the function."]
    #[inline(always)]
    #[must_use]
    pub fn fn_sig(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::PolyFnSig<'tcx>> {
        self.at(DUMMY_SP).fn_sig(key)
    }
    #[doc = " Performs lint checking for the module."]
    #[inline(always)]
    #[must_use]
    pub fn lint_mod(self, key: LocalModDefId) -> () {
        self.at(DUMMY_SP).lint_mod(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking unused trait imports in crate"]
    #[inline(always)]
    #[must_use]
    pub fn check_unused_traits(self, key: ()) -> () {
        self.at(DUMMY_SP).check_unused_traits(key)
    }
    #[doc = " Checks the attributes in the module."]
    #[inline(always)]
    #[must_use]
    pub fn check_mod_attrs(self, key: LocalModDefId) -> () {
        self.at(DUMMY_SP).check_mod_attrs(key)
    }
    #[doc = " Checks for uses of unstable APIs in the module."]
    #[inline(always)]
    #[must_use]
    pub fn check_mod_unstable_api_usage(self, key: LocalModDefId) -> () {
        self.at(DUMMY_SP).check_mod_unstable_api_usage(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking privacy in  `describe_as_module(key.to_local_def_id(), tcx)` "]
    #[inline(always)]
    #[must_use]
    pub fn check_mod_privacy(self, key: LocalModDefId) -> () {
        self.at(DUMMY_SP).check_mod_privacy(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking liveness of variables in  `tcx.def_path_str(key.to_def_id())` "]
    #[inline(always)]
    #[must_use]
    pub fn check_liveness(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx rustc_index::bit_set::DenseBitSet<abi::FieldIdx> {
        self.at(DUMMY_SP).check_liveness(key)
    }
    #[doc = " Return the live symbols in the crate for dead code check."]
    #[doc = ""]
    #[doc =
    " The second return value maps from ADTs to ignored derived traits (e.g. Debug and Clone)."]
    #[inline(always)]
    #[must_use]
    pub fn live_symbols_and_ignored_derived_traits(self, key: ())
        ->
            &'tcx Result<(LocalDefIdSet, LocalDefIdMap<FxIndexSet<DefId>>),
            ErrorGuaranteed> {
        self.at(DUMMY_SP).live_symbols_and_ignored_derived_traits(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking deathness of variables in  `describe_as_module(key, tcx)` "]
    #[inline(always)]
    #[must_use]
    pub fn check_mod_deathness(self, key: LocalModDefId) -> () {
        self.at(DUMMY_SP).check_mod_deathness(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that types are well-formed"]
    #[inline(always)]
    #[must_use]
    pub fn check_type_wf(self, key: ()) -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).check_type_wf(key)
    }
    #[doc = " Caches `CoerceUnsized` kinds for impls on custom types."]
    #[inline(always)]
    #[must_use]
    pub fn coerce_unsized_info(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<ty::adjustment::CoerceUnsizedInfo, ErrorGuaranteed> {
        self.at(DUMMY_SP).coerce_unsized_info(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] type-checking  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn typeck(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx ty::TypeckResults<'tcx> {
        self.at(DUMMY_SP).typeck(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding used_trait_imports  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn used_trait_imports(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx UnordSet<LocalDefId> {
        self.at(DUMMY_SP).used_trait_imports(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] coherence checking all impls of trait  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn coherent_trait(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).coherent_trait(key)
    }
    #[doc =
    " Borrow-checks the given typeck root, e.g. functions, const/static items,"]
    #[doc = " and its children, e.g. closures, inline consts."]
    #[inline(always)]
    #[must_use]
    pub fn mir_borrowck(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        ->
            Result<&'tcx FxIndexMap<LocalDefId,
            ty::DefinitionSiteHiddenType<'tcx>>, ErrorGuaranteed> {
        self.at(DUMMY_SP).mir_borrowck(key)
    }
    #[doc = " Gets a complete map from all types to their inherent impls."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    #[must_use]
    pub fn crate_inherent_impls(self, key: ())
        -> (&'tcx CrateInherentImpls, Result<(), ErrorGuaranteed>) {
        self.at(DUMMY_SP).crate_inherent_impls(key)
    }
    #[doc =
    " Checks all types in the crate for overlap in their inherent impls. Reports errors."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    #[must_use]
    pub fn crate_inherent_impls_validity_check(self, key: ())
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).crate_inherent_impls_validity_check(key)
    }
    #[doc =
    " Checks all types in the crate for overlap in their inherent impls. Reports errors."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    #[must_use]
    pub fn crate_inherent_impls_overlap_check(self, key: ())
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).crate_inherent_impls_overlap_check(key)
    }
    #[doc =
    " Checks whether all impls in the crate pass the overlap check, returning"]
    #[doc =
    " which impls fail it. If all impls are correct, the returned slice is empty."]
    #[inline(always)]
    #[must_use]
    pub fn orphan_check_impl(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).orphan_check_impl(key)
    }
    #[doc =
    " Return the set of (transitive) callees that may result in a recursive call to `key`,"]
    #[doc = " if we were able to walk all callees."]
    #[inline(always)]
    #[must_use]
    pub fn mir_callgraph_cyclic(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx Option<UnordSet<LocalDefId>> {
        self.at(DUMMY_SP).mir_callgraph_cyclic(key)
    }
    #[doc = " Obtain all the calls into other local functions"]
    #[inline(always)]
    #[must_use]
    pub fn mir_inliner_callees(self, key: ty::InstanceKind<'tcx>)
        -> &'tcx [(DefId, GenericArgsRef<'tcx>)] {
        self.at(DUMMY_SP).mir_inliner_callees(key)
    }
    #[doc = " Computes the tag (if any) for a given type and variant."]
    #[doc = ""]
    #[doc =
    " `None` means that the variant doesn\'t need a tag (because it is niched)."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic for uninhabited variants and if the passed type is not an enum."]
    #[inline(always)]
    #[must_use]
    pub fn tag_for_variant(self,
        key: PseudoCanonicalInput<'tcx, (Ty<'tcx>, abi::VariantIdx)>)
        -> Option<ty::ScalarInt> {
        self.at(DUMMY_SP).tag_for_variant(key)
    }
    #[doc = " Evaluates a constant and returns the computed allocation."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::eval_to_const_value_raw`] or"]
    #[doc = " [`Self::eval_to_valtree`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    #[must_use]
    pub fn eval_to_allocation_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>)
        -> EvalToAllocationRawResult<'tcx> {
        self.at(DUMMY_SP).eval_to_allocation_raw(key)
    }
    #[doc =
    " Evaluate a static\'s initializer, returning the allocation of the initializer\'s memory."]
    #[inline(always)]
    #[must_use]
    pub fn eval_static_initializer(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> EvalStaticInitializerRawResult<'tcx> {
        self.at(DUMMY_SP).eval_static_initializer(key)
    }
    #[doc =
    " Evaluates const items or anonymous constants[^1] into a representation"]
    #[doc = " suitable for the type system and const generics."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this** directly, use one of the following wrappers:"]
    #[doc = " [`TyCtxt::const_eval_poly`], [`TyCtxt::const_eval_resolve`],"]
    #[doc =
    " [`TyCtxt::const_eval_instance`], or [`TyCtxt::const_eval_global_id`]."]
    #[doc = ""]
    #[doc = " </div>"]
    #[doc = ""]
    #[doc =
    " [^1]: Such as enum variant explicit discriminants or array lengths."]
    #[inline(always)]
    #[must_use]
    pub fn eval_to_const_value_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>)
        -> EvalToConstValueResult<'tcx> {
        self.at(DUMMY_SP).eval_to_const_value_raw(key)
    }
    #[doc = " Evaluate a constant and convert it to a type level constant or"]
    #[doc = " return `None` if that is not possible."]
    #[inline(always)]
    #[must_use]
    pub fn eval_to_valtree(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>)
        -> EvalToValTreeResult<'tcx> {
        self.at(DUMMY_SP).eval_to_valtree(key)
    }
    #[doc =
    " Converts a type-level constant value into a MIR constant value."]
    #[inline(always)]
    #[must_use]
    pub fn valtree_to_const_val(self, key: ty::Value<'tcx>)
        -> mir::ConstValue {
        self.at(DUMMY_SP).valtree_to_const_val(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] converting literal to const"]
    #[inline(always)]
    #[must_use]
    pub fn lit_to_const(self, key: LitToConstInput<'tcx>)
        -> Option<ty::Value<'tcx>> {
        self.at(DUMMY_SP).lit_to_const(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] match-checking  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn check_match(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).check_match(key)
    }
    #[doc =
    " Performs part of the privacy check and computes effective visibilities."]
    #[inline(always)]
    #[must_use]
    pub fn effective_visibilities(self, key: ())
        -> &'tcx EffectiveVisibilities {
        self.at(DUMMY_SP).effective_visibilities(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking for private elements in public interfaces for  `describe_as_module(module_def_id, tcx)` "]
    #[inline(always)]
    #[must_use]
    pub fn check_private_in_public(self, key: LocalModDefId) -> () {
        self.at(DUMMY_SP).check_private_in_public(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] reachability"]
    #[inline(always)]
    #[must_use]
    pub fn reachable_set(self, key: ()) -> &'tcx LocalDefIdSet {
        self.at(DUMMY_SP).reachable_set(key)
    }
    #[doc =
    " Per-body `region::ScopeTree`. The `DefId` should be the owner `DefId` for the body;"]
    #[doc =
    " in the case of closures, this will be redirected to the enclosing function."]
    #[inline(always)]
    #[must_use]
    pub fn region_scope_tree(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx crate::middle::region::ScopeTree {
        self.at(DUMMY_SP).region_scope_tree(key)
    }
    #[doc = " Generates a MIR body for the shim."]
    #[inline(always)]
    #[must_use]
    pub fn mir_shims(self, key: ty::InstanceKind<'tcx>)
        -> &'tcx mir::Body<'tcx> {
        self.at(DUMMY_SP).mir_shims(key)
    }
    #[doc = " The `symbol_name` query provides the symbol name for calling a"]
    #[doc =
    " given instance from the local crate. In particular, it will also"]
    #[doc =
    " look up the correct symbol name of instances from upstream crates."]
    #[inline(always)]
    #[must_use]
    pub fn symbol_name(self, key: ty::Instance<'tcx>)
        -> ty::SymbolName<'tcx> {
        self.at(DUMMY_SP).symbol_name(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up definition kind of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn def_kind(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> DefKind {
        self.at(DUMMY_SP).def_kind(key)
    }
    #[doc = " Gets the span for the definition."]
    #[inline(always)]
    #[must_use]
    pub fn def_span(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Span {
        self.at(DUMMY_SP).def_span(key)
    }
    #[doc = " Gets the span for the identifier of the definition."]
    #[inline(always)]
    #[must_use]
    pub fn def_ident_span(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<Span> {
        self.at(DUMMY_SP).def_ident_span(key)
    }
    #[doc = " Gets the span for the type of the definition."]
    #[doc = " Panics if it is not a definition that has a single type."]
    #[inline(always)]
    #[must_use]
    pub fn ty_span(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Span {
        self.at(DUMMY_SP).ty_span(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn lookup_stability(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<hir::Stability> {
        self.at(DUMMY_SP).lookup_stability(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up const stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn lookup_const_stability(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<hir::ConstStability> {
        self.at(DUMMY_SP).lookup_const_stability(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up default body stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn lookup_default_body_stability(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<hir::DefaultBodyStability> {
        self.at(DUMMY_SP).lookup_default_body_stability(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing should_inherit_track_caller of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn should_inherit_track_caller(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        self.at(DUMMY_SP).should_inherit_track_caller(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing inherited_align of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn inherited_align(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<Align> {
        self.at(DUMMY_SP).inherited_align(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is deprecated"]
    #[inline(always)]
    #[must_use]
    pub fn lookup_deprecation_entry(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<DeprecationEntry> {
        self.at(DUMMY_SP).lookup_deprecation_entry(key)
    }
    #[doc = " Determines whether an item is annotated with `#[doc(hidden)]`."]
    #[inline(always)]
    #[must_use]
    pub fn is_doc_hidden(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> bool {
        self.at(DUMMY_SP).is_doc_hidden(key)
    }
    #[doc =
    " Determines whether an item is annotated with `#[doc(notable_trait)]`."]
    #[inline(always)]
    #[must_use]
    pub fn is_doc_notable_trait(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        self.at(DUMMY_SP).is_doc_notable_trait(key)
    }
    #[doc = " Returns the attributes on the item at `def_id`."]
    #[doc = ""]
    #[doc = " Do not use this directly, use `tcx.get_attrs` instead."]
    #[inline(always)]
    #[must_use]
    pub fn attrs_for_def(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [hir::Attribute] {
        self.at(DUMMY_SP).attrs_for_def(key)
    }
    #[doc = " Returns the `CodegenFnAttrs` for the item at `def_id`."]
    #[doc = ""]
    #[doc =
    " If possible, use `tcx.codegen_instance_attrs` instead. That function takes the"]
    #[doc = " instance kind into account."]
    #[doc = ""]
    #[doc =
    " For example, the `#[naked]` attribute should be applied for `InstanceKind::Item`,"]
    #[doc =
    " but should not be applied if the instance kind is `InstanceKind::ReifyShim`."]
    #[doc =
    " Using this query would include the attribute regardless of the actual instance"]
    #[doc = " kind at the call site."]
    #[inline(always)]
    #[must_use]
    pub fn codegen_fn_attrs(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx CodegenFnAttrs {
        self.at(DUMMY_SP).codegen_fn_attrs(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing target features for inline asm of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn asm_target_features(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx FxIndexSet<Symbol> {
        self.at(DUMMY_SP).asm_target_features(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up function parameter identifiers for  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn fn_arg_idents(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [Option<rustc_span::Ident>] {
        self.at(DUMMY_SP).fn_arg_idents(key)
    }
    #[doc =
    " Gets the rendered value of the specified constant or associated constant."]
    #[doc = " Used by rustdoc."]
    #[inline(always)]
    #[must_use]
    pub fn rendered_const(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx String {
        self.at(DUMMY_SP).rendered_const(key)
    }
    #[doc =
    " Gets the rendered precise capturing args for an opaque for use in rustdoc."]
    #[inline(always)]
    #[must_use]
    pub fn rendered_precise_capturing_args(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<&'tcx [PreciseCapturingArgKind<Symbol, Symbol>]> {
        self.at(DUMMY_SP).rendered_precise_capturing_args(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing specialization parent impl of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn impl_parent(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<DefId> {
        self.at(DUMMY_SP).impl_parent(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if item has MIR available:  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn is_mir_available(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> bool {
        self.at(DUMMY_SP).is_mir_available(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding all existential vtable entries for trait  `tcx.def_path_str(key)` "]
    #[inline(always)]
    #[must_use]
    pub fn own_existential_vtable_entries(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> &'tcx [DefId] {
        self.at(DUMMY_SP).own_existential_vtable_entries(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding all vtable entries for trait  `tcx.def_path_str(key.def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn vtable_entries(self, key: ty::TraitRef<'tcx>)
        -> &'tcx [ty::VtblEntry<'tcx>] {
        self.at(DUMMY_SP).vtable_entries(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding the slot within the vtable of  `key.self_ty()`  for the implementation of  `key.print_only_trait_name()` "]
    #[inline(always)]
    #[must_use]
    pub fn first_method_vtable_slot(self, key: ty::TraitRef<'tcx>) -> usize {
        self.at(DUMMY_SP).first_method_vtable_slot(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding the slot within vtable for trait object  `key.1`  vtable ptr during trait upcasting coercion from  `key.0`  vtable"]
    #[inline(always)]
    #[must_use]
    pub fn supertrait_vtable_slot(self, key: (Ty<'tcx>, Ty<'tcx>))
        -> Option<usize> {
        self.at(DUMMY_SP).supertrait_vtable_slot(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] vtable const allocation for < `key.0`  as  `key.1.map(| trait_ref | format!\n(\"{trait_ref}\")).unwrap_or_else(| | \"_\".to_owned())` >"]
    #[inline(always)]
    #[must_use]
    pub fn vtable_allocation(self,
        key: (Ty<'tcx>, Option<ty::ExistentialTraitRef<'tcx>>))
        -> mir::interpret::AllocId {
        self.at(DUMMY_SP).vtable_allocation(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing candidate for  `key.value` "]
    #[inline(always)]
    #[must_use]
    pub fn codegen_select_candidate(self,
        key: PseudoCanonicalInput<'tcx, ty::TraitRef<'tcx>>)
        -> Result<&'tcx ImplSource<'tcx, ()>, CodegenObligationError> {
        self.at(DUMMY_SP).codegen_select_candidate(key)
    }
    #[doc = " Return all `impl` blocks in the current crate."]
    #[inline(always)]
    #[must_use]
    pub fn all_local_trait_impls(self, key: ())
        ->
            &'tcx rustc_data_structures::fx::FxIndexMap<DefId,
            Vec<LocalDefId>> {
        self.at(DUMMY_SP).all_local_trait_impls(key)
    }
    #[doc =
    " Return all `impl` blocks of the given trait in the current crate."]
    #[inline(always)]
    #[must_use]
    pub fn local_trait_impls(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> &'tcx [LocalDefId] {
        self.at(DUMMY_SP).local_trait_impls(key)
    }
    #[doc = " Given a trait `trait_id`, return all known `impl` blocks."]
    #[inline(always)]
    #[must_use]
    pub fn trait_impls_of(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx ty::trait_def::TraitImpls {
        self.at(DUMMY_SP).trait_impls_of(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] building specialization graph of trait  `tcx.def_path_str(trait_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn specialization_graph_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<&'tcx specialization_graph::Graph, ErrorGuaranteed> {
        self.at(DUMMY_SP).specialization_graph_of(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining dyn-compatibility of trait  `tcx.def_path_str(trait_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn dyn_compatibility_violations(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [DynCompatibilityViolation] {
        self.at(DUMMY_SP).dyn_compatibility_violations(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if trait  `tcx.def_path_str(trait_id)`  is dyn-compatible"]
    #[inline(always)]
    #[must_use]
    pub fn is_dyn_compatible(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        self.at(DUMMY_SP).is_dyn_compatible(key)
    }
    #[doc =
    " Gets the ParameterEnvironment for a given item; this environment"]
    #[doc =
    " will be in \"user-facing\" mode, meaning that it is suitable for"]
    #[doc = " type-checking etc, and it does not normalize specializable"]
    #[doc = " associated types."]
    #[doc = ""]
    #[doc =
    " You should almost certainly not use this. If you already have an InferCtxt, then"]
    #[doc =
    " you should also probably have a `ParamEnv` from when it was built. If you don\'t,"]
    #[doc =
    " then you should take a `TypingEnv` to ensure that you handle opaque types correctly."]
    #[inline(always)]
    #[must_use]
    pub fn param_env(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::ParamEnv<'tcx> {
        self.at(DUMMY_SP).param_env(key)
    }
    #[doc =
    " Like `param_env`, but returns the `ParamEnv` after all opaque types have been"]
    #[doc =
    " replaced with their hidden type. This is used in the old trait solver"]
    #[doc = " when in `PostAnalysis` mode and should not be called directly."]
    #[inline(always)]
    #[must_use]
    pub fn typing_env_normalized_for_post_analysis(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> ty::TypingEnv<'tcx> {
        self.at(DUMMY_SP).typing_env_normalized_for_post_analysis(key)
    }
    #[doc =
    " Trait selection queries. These are best used by invoking `ty.is_copy_modulo_regions()`,"]
    #[doc =
    " `ty.is_copy()`, etc, since that will prune the environment where possible."]
    #[inline(always)]
    #[must_use]
    pub fn is_copy_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> bool {
        self.at(DUMMY_SP).is_copy_raw(key)
    }
    #[doc =
    " Trait selection queries. These are best used by invoking `ty.is_use_cloned_modulo_regions()`,"]
    #[doc =
    " `ty.is_use_cloned()`, etc, since that will prune the environment where possible."]
    #[inline(always)]
    #[must_use]
    pub fn is_use_cloned_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
        self.at(DUMMY_SP).is_use_cloned_raw(key)
    }
    #[doc = " Query backing `Ty::is_sized`."]
    #[inline(always)]
    #[must_use]
    pub fn is_sized_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> bool {
        self.at(DUMMY_SP).is_sized_raw(key)
    }
    #[doc = " Query backing `Ty::is_freeze`."]
    #[inline(always)]
    #[must_use]
    pub fn is_freeze_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> bool {
        self.at(DUMMY_SP).is_freeze_raw(key)
    }
    #[doc = " Query backing `Ty::is_unsafe_unpin`."]
    #[inline(always)]
    #[must_use]
    pub fn is_unsafe_unpin_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
        self.at(DUMMY_SP).is_unsafe_unpin_raw(key)
    }
    #[doc = " Query backing `Ty::is_unpin`."]
    #[inline(always)]
    #[must_use]
    pub fn is_unpin_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> bool {
        self.at(DUMMY_SP).is_unpin_raw(key)
    }
    #[doc = " Query backing `Ty::is_async_drop`."]
    #[inline(always)]
    #[must_use]
    pub fn is_async_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
        self.at(DUMMY_SP).is_async_drop_raw(key)
    }
    #[doc = " Query backing `Ty::needs_drop`."]
    #[inline(always)]
    #[must_use]
    pub fn needs_drop_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> bool {
        self.at(DUMMY_SP).needs_drop_raw(key)
    }
    #[doc = " Query backing `Ty::needs_async_drop`."]
    #[inline(always)]
    #[must_use]
    pub fn needs_async_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
        self.at(DUMMY_SP).needs_async_drop_raw(key)
    }
    #[doc = " Query backing `Ty::has_significant_drop_raw`."]
    #[inline(always)]
    #[must_use]
    pub fn has_significant_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
        self.at(DUMMY_SP).has_significant_drop_raw(key)
    }
    #[doc = " Query backing `Ty::is_structural_eq_shallow`."]
    #[doc = ""]
    #[doc =
    " This is only correct for ADTs. Call `is_structural_eq_shallow` to handle all types"]
    #[doc = " correctly."]
    #[inline(always)]
    #[must_use]
    pub fn has_structural_eq_impl(self, key: Ty<'tcx>) -> bool {
        self.at(DUMMY_SP).has_structural_eq_impl(key)
    }
    #[doc =
    " A list of types where the ADT requires drop if and only if any of"]
    #[doc =
    " those types require drop. If the ADT is known to always need drop"]
    #[doc = " then `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    #[must_use]
    pub fn adt_drop_tys(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<&'tcx ty::List<Ty<'tcx>>, AlwaysRequiresDrop> {
        self.at(DUMMY_SP).adt_drop_tys(key)
    }
    #[doc =
    " A list of types where the ADT requires async drop if and only if any of"]
    #[doc =
    " those types require async drop. If the ADT is known to always need async drop"]
    #[doc = " then `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    #[must_use]
    pub fn adt_async_drop_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<&'tcx ty::List<Ty<'tcx>>, AlwaysRequiresDrop> {
        self.at(DUMMY_SP).adt_async_drop_tys(key)
    }
    #[doc =
    " A list of types where the ADT requires drop if and only if any of those types"]
    #[doc =
    " has significant drop. A type marked with the attribute `rustc_insignificant_dtor`"]
    #[doc =
    " is considered to not be significant. A drop is significant if it is implemented"]
    #[doc =
    " by the user or does anything that will have any observable behavior (other than"]
    #[doc =
    " freeing up memory). If the ADT is known to have a significant destructor then"]
    #[doc = " `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    #[must_use]
    pub fn adt_significant_drop_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<&'tcx ty::List<Ty<'tcx>>, AlwaysRequiresDrop> {
        self.at(DUMMY_SP).adt_significant_drop_tys(key)
    }
    #[doc =
    " Returns a list of types which (a) have a potentially significant destructor"]
    #[doc =
    " and (b) may be dropped as a result of dropping a value of some type `ty`"]
    #[doc = " (in the given environment)."]
    #[doc = ""]
    #[doc =
    " The idea of \"significant\" drop is somewhat informal and is used only for"]
    #[doc =
    " diagnostics and edition migrations. The idea is that a significant drop may have"]
    #[doc =
    " some visible side-effect on execution; freeing memory is NOT considered a side-effect."]
    #[doc = " The rules are as follows:"]
    #[doc =
    " * Type with no explicit drop impl do not have significant drop."]
    #[doc =
    " * Types with a drop impl are assumed to have significant drop unless they have a `#[rustc_insignificant_dtor]` annotation."]
    #[doc = ""]
    #[doc =
    " Note that insignificant drop is a \"shallow\" property. A type like `Vec<LockGuard>` does not"]
    #[doc =
    " have significant drop but the type `LockGuard` does, and so if `ty  = Vec<LockGuard>`"]
    #[doc = " then the return value would be `&[LockGuard]`."]
    #[doc =
    " *IMPORTANT*: *DO NOT* run this query before promoted MIR body is constructed,"]
    #[doc = " because this query partially depends on that query."]
    #[doc = " Otherwise, there is a risk of query cycles."]
    #[inline(always)]
    #[must_use]
    pub fn list_significant_drop_tys(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> &'tcx ty::List<Ty<'tcx>> {
        self.at(DUMMY_SP).list_significant_drop_tys(key)
    }
    #[doc = " Computes the layout of a type. Note that this implicitly"]
    #[doc =
    " executes in `TypingMode::PostAnalysis`, and will normalize the input type."]
    #[inline(always)]
    #[must_use]
    pub fn layout_of(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        ->
            Result<ty::layout::TyAndLayout<'tcx>,
            &'tcx ty::layout::LayoutError<'tcx>> {
        self.at(DUMMY_SP).layout_of(key)
    }
    #[doc =
    " Compute a `FnAbi` suitable for indirect calls, i.e. to `fn` pointers."]
    #[doc = ""]
    #[doc =
    " NB: this doesn\'t handle virtual calls - those should use `fn_abi_of_instance`"]
    #[doc = " instead, where the instance is an `InstanceKind::Virtual`."]
    #[inline(always)]
    #[must_use]
    pub fn fn_abi_of_fn_ptr(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::PolyFnSig<'tcx>, &'tcx ty::List<Ty<'tcx>>)>)
        ->
            Result<&'tcx rustc_target::callconv::FnAbi<'tcx, Ty<'tcx>>,
            &'tcx ty::layout::FnAbiError<'tcx>> {
        self.at(DUMMY_SP).fn_abi_of_fn_ptr(key)
    }
    #[doc =
    " Compute a `FnAbi` suitable for declaring/defining an `fn` instance, and for direct calls*"]
    #[doc =
    " to an `fn`. Indirectly-passed parameters in the returned ABI might not include all possible"]
    #[doc =
    " codegen optimization attributes (such as `ReadOnly` or `CapturesNone`), as deducing these"]
    #[doc =
    " requires inspection of function bodies that can lead to cycles when performed during typeck."]
    #[doc =
    " Post typeck, you should prefer the optimized ABI returned by `TyCtxt::fn_abi_of_instance`."]
    #[doc = ""]
    #[doc =
    " NB: the ABI returned by this query must not differ from that returned by"]
    #[doc = "     `fn_abi_of_instance_raw` in any other way."]
    #[doc = ""]
    #[doc =
    " * that includes virtual calls, which are represented by \"direct calls\" to an"]
    #[doc =
    "   `InstanceKind::Virtual` instance (of `<dyn Trait as Trait>::fn`)."]
    #[inline(always)]
    #[must_use]
    pub fn fn_abi_of_instance_no_deduced_attrs(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::Instance<'tcx>, &'tcx ty::List<Ty<'tcx>>)>)
        ->
            Result<&'tcx rustc_target::callconv::FnAbi<'tcx, Ty<'tcx>>,
            &'tcx ty::layout::FnAbiError<'tcx>> {
        self.at(DUMMY_SP).fn_abi_of_instance_no_deduced_attrs(key)
    }
    #[doc =
    " Compute a `FnAbi` suitable for declaring/defining an `fn` instance, and for direct calls*"]
    #[doc =
    " to an `fn`. Indirectly-passed parameters in the returned ABI will include applicable"]
    #[doc =
    " codegen optimization attributes, including `ReadOnly` and `CapturesNone` -- deduction of"]
    #[doc =
    " which requires inspection of function bodies that can lead to cycles when performed during"]
    #[doc =
    " typeck. During typeck, you should therefore use instead the unoptimized ABI returned by"]
    #[doc = " `fn_abi_of_instance_no_deduced_attrs`."]
    #[doc = ""]
    #[doc =
    " For performance reasons, you should prefer to call the inherent `TyCtxt::fn_abi_of_instance`"]
    #[doc =
    " method rather than invoke this query: it delegates to this query if necessary, but where"]
    #[doc =
    " possible delegates instead to the `fn_abi_of_instance_no_deduced_attrs` query (thus avoiding"]
    #[doc = " unnecessary query system overhead)."]
    #[doc = ""]
    #[doc =
    " * that includes virtual calls, which are represented by \"direct calls\" to an"]
    #[doc =
    "   `InstanceKind::Virtual` instance (of `<dyn Trait as Trait>::fn`)."]
    #[inline(always)]
    #[must_use]
    pub fn fn_abi_of_instance_raw(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::Instance<'tcx>, &'tcx ty::List<Ty<'tcx>>)>)
        ->
            Result<&'tcx rustc_target::callconv::FnAbi<'tcx, Ty<'tcx>>,
            &'tcx ty::layout::FnAbiError<'tcx>> {
        self.at(DUMMY_SP).fn_abi_of_instance_raw(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting dylib dependency formats of crate"]
    #[inline(always)]
    #[must_use]
    pub fn dylib_dependency_formats(self, key: CrateNum)
        -> &'tcx [(CrateNum, LinkagePreference)] {
        self.at(DUMMY_SP).dylib_dependency_formats(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the linkage format of all dependencies"]
    #[inline(always)]
    #[must_use]
    pub fn dependency_formats(self, key: ())
        -> &'tcx Arc<crate::middle::dependency_format::Dependencies> {
        self.at(DUMMY_SP).dependency_formats(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate is_compiler_builtins"]
    #[inline(always)]
    #[must_use]
    pub fn is_compiler_builtins(self, key: CrateNum) -> bool {
        self.at(DUMMY_SP).is_compiler_builtins(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_global_allocator"]
    #[inline(always)]
    #[must_use]
    pub fn has_global_allocator(self, key: CrateNum) -> bool {
        self.at(DUMMY_SP).has_global_allocator(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_alloc_error_handler"]
    #[inline(always)]
    #[must_use]
    pub fn has_alloc_error_handler(self, key: CrateNum) -> bool {
        self.at(DUMMY_SP).has_alloc_error_handler(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_panic_handler"]
    #[inline(always)]
    #[must_use]
    pub fn has_panic_handler(self, key: CrateNum) -> bool {
        self.at(DUMMY_SP).has_panic_handler(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if a crate is `#![profiler_runtime]`"]
    #[inline(always)]
    #[must_use]
    pub fn is_profiler_runtime(self, key: CrateNum) -> bool {
        self.at(DUMMY_SP).is_profiler_runtime(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(key)`  contains FFI-unwind calls"]
    #[inline(always)]
    #[must_use]
    pub fn has_ffi_unwind_calls(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> bool {
        self.at(DUMMY_SP).has_ffi_unwind_calls(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's required panic strategy"]
    #[inline(always)]
    #[must_use]
    pub fn required_panic_strategy(self, key: CrateNum)
        -> Option<PanicStrategy> {
        self.at(DUMMY_SP).required_panic_strategy(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's configured panic-in-drop strategy"]
    #[inline(always)]
    #[must_use]
    pub fn panic_in_drop_strategy(self, key: CrateNum) -> PanicStrategy {
        self.at(DUMMY_SP).panic_in_drop_strategy(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting whether a crate has `#![no_builtins]`"]
    #[inline(always)]
    #[must_use]
    pub fn is_no_builtins(self, key: CrateNum) -> bool {
        self.at(DUMMY_SP).is_no_builtins(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's symbol mangling version"]
    #[inline(always)]
    #[must_use]
    pub fn symbol_mangling_version(self, key: CrateNum)
        -> SymbolManglingVersion {
        self.at(DUMMY_SP).symbol_mangling_version(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting crate's ExternCrateData"]
    #[inline(always)]
    #[must_use]
    pub fn extern_crate(self, key: CrateNum) -> Option<&'tcx ExternCrate> {
        self.at(DUMMY_SP).extern_crate(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether the crate enabled `specialization`/`min_specialization`"]
    #[inline(always)]
    #[must_use]
    pub fn specialization_enabled_in(self, key: CrateNum) -> bool {
        self.at(DUMMY_SP).specialization_enabled_in(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing whether impls specialize one another"]
    #[inline(always)]
    #[must_use]
    pub fn specializes(self, key: (DefId, DefId)) -> bool {
        self.at(DUMMY_SP).specializes(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting traits in scope at a block"]
    #[inline(always)]
    #[must_use]
    pub fn in_scope_traits_map(self, key: hir::OwnerId)
        -> Option<&'tcx ItemLocalMap<&'tcx [TraitCandidate<'tcx>]>> {
        self.at(DUMMY_SP).in_scope_traits_map(key)
    }
    #[doc =
    " Returns whether the impl or associated function has the `default` keyword."]
    #[doc =
    " Note: This will ICE on inherent impl items. Consider using `AssocItem::defaultness`."]
    #[inline(always)]
    #[must_use]
    pub fn defaultness(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> hir::Defaultness {
        self.at(DUMMY_SP).defaultness(key)
    }
    #[doc =
    " Returns whether the field corresponding to the `DefId` has a default field value."]
    #[inline(always)]
    #[must_use]
    pub fn default_field(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<DefId> {
        self.at(DUMMY_SP).default_field(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that  `tcx.def_path_str(key)`  is well-formed"]
    #[inline(always)]
    #[must_use]
    pub fn check_well_formed(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).check_well_formed(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that  `tcx.def_path_str(key)` 's generics are constrained by the impl header"]
    #[inline(always)]
    #[must_use]
    pub fn enforce_impl_non_lifetime_params_are_constrained(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).enforce_impl_non_lifetime_params_are_constrained(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the exported symbols of a crate"]
    #[inline(always)]
    #[must_use]
    pub fn reachable_non_generics(self, key: CrateNum)
        -> &'tcx DefIdMap<SymbolExportInfo> {
        self.at(DUMMY_SP).reachable_non_generics(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is an exported symbol"]
    #[inline(always)]
    #[must_use]
    pub fn is_reachable_non_generic(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        self.at(DUMMY_SP).is_reachable_non_generic(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is reachable from outside the crate"]
    #[inline(always)]
    #[must_use]
    pub fn is_unreachable_local_definition(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> bool {
        self.at(DUMMY_SP).is_unreachable_local_definition(key)
    }
    #[doc = " The entire set of monomorphizations the local crate can safely"]
    #[doc = " link to because they are exported from upstream crates. Do"]
    #[doc = " not depend on this directly, as its value changes anytime"]
    #[doc = " a monomorphization gets added or removed in any upstream"]
    #[doc =
    " crate. Instead use the narrower `upstream_monomorphizations_for`,"]
    #[doc = " `upstream_drop_glue_for`, `upstream_async_drop_glue_for`, or,"]
    #[doc = " even better, `Instance::upstream_monomorphization()`."]
    #[inline(always)]
    #[must_use]
    pub fn upstream_monomorphizations(self, key: ())
        -> &'tcx DefIdMap<UnordMap<GenericArgsRef<'tcx>, CrateNum>> {
        self.at(DUMMY_SP).upstream_monomorphizations(key)
    }
    #[doc =
    " Returns the set of upstream monomorphizations available for the"]
    #[doc =
    " generic function identified by the given `def_id`. The query makes"]
    #[doc =
    " sure to make a stable selection if the same monomorphization is"]
    #[doc = " available in multiple upstream crates."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[inline(always)]
    #[must_use]
    pub fn upstream_monomorphizations_for(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<&'tcx UnordMap<GenericArgsRef<'tcx>, CrateNum>> {
        self.at(DUMMY_SP).upstream_monomorphizations_for(key)
    }
    #[doc =
    " Returns the upstream crate that exports drop-glue for the given"]
    #[doc =
    " type (`args` is expected to be a single-item list containing the"]
    #[doc = " type one wants drop-glue for)."]
    #[doc = ""]
    #[doc =
    " This is a subset of `upstream_monomorphizations_for` in order to"]
    #[doc =
    " increase dep-tracking granularity. Otherwise adding or removing any"]
    #[doc = " type with drop-glue in any upstream crate would invalidate all"]
    #[doc = " functions calling drop-glue of an upstream type."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[doc = ""]
    #[doc =
    " NOTE: This query could easily be extended to also support other"]
    #[doc =
    "       common functions that have are large set of monomorphizations"]
    #[doc = "       (like `Clone::clone` for example)."]
    #[inline(always)]
    #[must_use]
    pub fn upstream_drop_glue_for(self, key: GenericArgsRef<'tcx>)
        -> Option<CrateNum> {
        self.at(DUMMY_SP).upstream_drop_glue_for(key)
    }
    #[doc = " Returns the upstream crate that exports async-drop-glue for"]
    #[doc = " the given type (`args` is expected to be a single-item list"]
    #[doc = " containing the type one wants async-drop-glue for)."]
    #[doc = ""]
    #[doc = " This is a subset of `upstream_monomorphizations_for` in order"]
    #[doc = " to increase dep-tracking granularity. Otherwise adding or"]
    #[doc = " removing any type with async-drop-glue in any upstream crate"]
    #[doc = " would invalidate all functions calling async-drop-glue of an"]
    #[doc = " upstream type."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[doc = ""]
    #[doc =
    " NOTE: This query could easily be extended to also support other"]
    #[doc =
    "       common functions that have are large set of monomorphizations"]
    #[doc = "       (like `Clone::clone` for example)."]
    #[inline(always)]
    #[must_use]
    pub fn upstream_async_drop_glue_for(self, key: GenericArgsRef<'tcx>)
        -> Option<CrateNum> {
        self.at(DUMMY_SP).upstream_async_drop_glue_for(key)
    }
    #[doc = " Returns a list of all `extern` blocks of a crate."]
    #[inline(always)]
    #[must_use]
    pub fn foreign_modules(self, key: CrateNum)
        -> &'tcx FxIndexMap<DefId, ForeignModule> {
        self.at(DUMMY_SP).foreign_modules(key)
    }
    #[doc =
    " Lint against `extern fn` declarations having incompatible types."]
    #[inline(always)]
    #[must_use]
    pub fn clashing_extern_declarations(self, key: ()) -> () {
        self.at(DUMMY_SP).clashing_extern_declarations(key)
    }
    #[doc =
    " Identifies the entry-point (e.g., the `main` function) for a given"]
    #[doc =
    " crate, returning `None` if there is no entry point (such as for library crates)."]
    #[inline(always)]
    #[must_use]
    pub fn entry_fn(self, key: ()) -> Option<(DefId, EntryFnType)> {
        self.at(DUMMY_SP).entry_fn(key)
    }
    #[doc = " Finds the `rustc_proc_macro_decls` item of a crate."]
    #[inline(always)]
    #[must_use]
    pub fn proc_macro_decls_static(self, key: ()) -> Option<LocalDefId> {
        self.at(DUMMY_SP).proc_macro_decls_static(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the hash a crate"]
    #[inline(always)]
    #[must_use]
    pub fn crate_hash(self, key: CrateNum) -> Svh {
        self.at(DUMMY_SP).crate_hash(key)
    }
    #[doc =
    " Gets the hash for the host proc macro. Used to support -Z dual-proc-macro."]
    #[inline(always)]
    #[must_use]
    pub fn crate_host_hash(self, key: CrateNum) -> Option<Svh> {
        self.at(DUMMY_SP).crate_host_hash(key)
    }
    #[doc =
    " Gets the extra data to put in each output filename for a crate."]
    #[doc =
    " For example, compiling the `foo` crate with `extra-filename=-a` creates a `libfoo-b.rlib` file."]
    #[inline(always)]
    #[must_use]
    pub fn extra_filename(self, key: CrateNum) -> &'tcx String {
        self.at(DUMMY_SP).extra_filename(key)
    }
    #[doc = " Gets the paths where the crate came from in the file system."]
    #[inline(always)]
    #[must_use]
    pub fn crate_extern_paths(self, key: CrateNum) -> &'tcx Vec<PathBuf> {
        self.at(DUMMY_SP).crate_extern_paths(key)
    }
    #[doc =
    " Given a crate and a trait, look up all impls of that trait in the crate."]
    #[doc = " Return `(impl_id, self_ty)`."]
    #[inline(always)]
    #[must_use]
    pub fn implementations_of_trait(self, key: (CrateNum, DefId))
        -> &'tcx [(DefId, Option<SimplifiedType>)] {
        self.at(DUMMY_SP).implementations_of_trait(key)
    }
    #[doc = " Collects all incoherent impls for the given crate and type."]
    #[doc = ""]
    #[doc =
    " Do not call this directly, but instead use the `incoherent_impls` query."]
    #[doc =
    " This query is only used to get the data necessary for that query."]
    #[inline(always)]
    #[must_use]
    pub fn crate_incoherent_impls(self, key: (CrateNum, SimplifiedType))
        -> &'tcx [DefId] {
        self.at(DUMMY_SP).crate_incoherent_impls(key)
    }
    #[doc =
    " Get the corresponding native library from the `native_libraries` query"]
    #[inline(always)]
    #[must_use]
    pub fn native_library(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<&'tcx NativeLib> {
        self.at(DUMMY_SP).native_library(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] inheriting delegation signature"]
    #[inline(always)]
    #[must_use]
    pub fn inherit_sig_for_delegation_item(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx [Ty<'tcx>] {
        self.at(DUMMY_SP).inherit_sig_for_delegation_item(key)
    }
    #[doc =
    " Does lifetime resolution on items. Importantly, we can\'t resolve"]
    #[doc =
    " lifetimes directly on things like trait methods, because of trait params."]
    #[doc = " See `rustc_resolve::late::lifetimes` for details."]
    #[inline(always)]
    #[must_use]
    pub fn resolve_bound_vars(self, key: hir::OwnerId)
        -> &'tcx ResolveBoundVars<'tcx> {
        self.at(DUMMY_SP).resolve_bound_vars(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up a named region inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn named_variable_map(self, key: hir::OwnerId)
        -> &'tcx SortedMap<ItemLocalId, ResolvedArg> {
        self.at(DUMMY_SP).named_variable_map(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] testing if a region is late bound inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn is_late_bound_map(self, key: hir::OwnerId)
        -> Option<&'tcx FxIndexSet<ItemLocalId>> {
        self.at(DUMMY_SP).is_late_bound_map(key)
    }
    #[doc =
    " Returns the *default lifetime* to be used if a trait object type were to be passed for"]
    #[doc = " the type parameter given by `DefId`."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_object_lifetime_defaults]` on an item to basically"]
    #[doc =
    " print the result of this query for use in UI tests or for debugging purposes."]
    #[doc = ""]
    #[doc = " # Examples"]
    #[doc = ""]
    #[doc =
    " - For `T` in `struct Foo<\'a, T: \'a>(&\'a T);`, this would be `Param(\'a)`"]
    #[doc =
    " - For `T` in `struct Bar<\'a, T>(&\'a T);`, this would be `Empty`"]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not a type parameter."]
    #[inline(always)]
    #[must_use]
    pub fn object_lifetime_default(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ObjectLifetimeDefault {
        self.at(DUMMY_SP).object_lifetime_default(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up late bound vars inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn late_bound_vars_map(self, key: hir::OwnerId)
        -> &'tcx SortedMap<ItemLocalId, Vec<ty::BoundVariableKind<'tcx>>> {
        self.at(DUMMY_SP).late_bound_vars_map(key)
    }
    #[doc =
    " For an opaque type, return the list of (captured lifetime, inner generic param)."]
    #[doc = " ```ignore (illustrative)"]
    #[doc =
    " fn foo<\'a: \'a, \'b, T>(&\'b u8) -> impl Into<Self> + \'b { ... }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " We would return `[(\'a, \'_a), (\'b, \'_b)]`, with `\'a` early-bound and `\'b` late-bound."]
    #[doc = ""]
    #[doc = " After hir_ty_lowering, we get:"]
    #[doc = " ```ignore (pseudo-code)"]
    #[doc = " opaque foo::<\'a>::opaque<\'_a, \'_b>: Into<Foo<\'_a>> + \'_b;"]
    #[doc = "                          ^^^^^^^^ inner generic params"]
    #[doc =
    " fn foo<\'a>: for<\'b> fn(&\'b u8) -> foo::<\'a>::opaque::<\'a, \'b>"]
    #[doc =
    "                                                       ^^^^^^ captured lifetimes"]
    #[doc = " ```"]
    #[inline(always)]
    #[must_use]
    pub fn opaque_captured_lifetimes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx [(ResolvedArg, LocalDefId)] {
        self.at(DUMMY_SP).opaque_captured_lifetimes(key)
    }
    #[doc = " Computes the visibility of the provided `def_id`."]
    #[doc = ""]
    #[doc =
    " If the item from the `def_id` doesn\'t have a visibility, it will panic. For example"]
    #[doc =
    " a generic type parameter will panic if you call this method on it:"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " use std::fmt::Debug;"]
    #[doc = ""]
    #[doc = " pub trait Foo<T: Debug> {}"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc = " In here, if you call `visibility` on `T`, it\'ll panic."]
    #[inline(always)]
    #[must_use]
    pub fn visibility(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::Visibility<DefId> {
        self.at(DUMMY_SP).visibility(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the uninhabited predicate of `{:?}`"]
    #[inline(always)]
    #[must_use]
    pub fn inhabited_predicate_adt(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::inhabitedness::InhabitedPredicate<'tcx> {
        self.at(DUMMY_SP).inhabited_predicate_adt(key)
    }
    #[doc =
    " Do not call this query directly: invoke `Ty::inhabited_predicate` instead."]
    #[inline(always)]
    #[must_use]
    pub fn inhabited_predicate_type(self, key: Ty<'tcx>)
        -> ty::inhabitedness::InhabitedPredicate<'tcx> {
        self.at(DUMMY_SP).inhabited_predicate_type(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching what a dependency looks like"]
    #[inline(always)]
    #[must_use]
    pub fn crate_dep_kind(self, key: CrateNum) -> CrateDepKind {
        self.at(DUMMY_SP).crate_dep_kind(key)
    }
    #[doc = " Gets the name of the crate."]
    #[inline(always)]
    #[must_use]
    pub fn crate_name(self, key: CrateNum) -> Symbol {
        self.at(DUMMY_SP).crate_name(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting child items of module  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn module_children(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [ModChild] {
        self.at(DUMMY_SP).module_children(key)
    }
    #[doc = " Gets the number of definitions in a foreign crate."]
    #[doc = ""]
    #[doc =
    " This allows external tools to iterate over all definitions in a foreign crate."]
    #[doc = ""]
    #[doc =
    " This should never be used for the local crate, instead use `iter_local_def_id`."]
    #[inline(always)]
    #[must_use]
    pub fn num_extern_def_ids(self, key: CrateNum) -> usize {
        self.at(DUMMY_SP).num_extern_def_ids(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] calculating the lib features defined in a crate"]
    #[inline(always)]
    #[must_use]
    pub fn lib_features(self, key: CrateNum) -> &'tcx LibFeatures {
        self.at(DUMMY_SP).lib_features(key)
    }
    #[doc =
    " Mapping from feature name to feature name based on the `implied_by` field of `#[unstable]`"]
    #[doc =
    " attributes. If a `#[unstable(feature = \"implier\", implied_by = \"impliee\")]` attribute"]
    #[doc = " exists, then this map will have a `impliee -> implier` entry."]
    #[doc = ""]
    #[doc =
    " This mapping is necessary unless both the `#[stable]` and `#[unstable]` attributes should"]
    #[doc =
    " specify their implications (both `implies` and `implied_by`). If only one of the two"]
    #[doc =
    " attributes do (as in the current implementation, `implied_by` in `#[unstable]`), then this"]
    #[doc =
    " mapping is necessary for diagnostics. When a \"unnecessary feature attribute\" error is"]
    #[doc =
    " reported, only the `#[stable]` attribute information is available, so the map is necessary"]
    #[doc =
    " to know that the feature implies another feature. If it were reversed, and the `#[stable]`"]
    #[doc =
    " attribute had an `implies` meta item, then a map would be necessary when avoiding a \"use of"]
    #[doc = " unstable feature\" error for a feature that was implied."]
    #[inline(always)]
    #[must_use]
    pub fn stability_implications(self, key: CrateNum)
        -> &'tcx UnordMap<Symbol, Symbol> {
        self.at(DUMMY_SP).stability_implications(key)
    }
    #[doc = " Whether the function is an intrinsic"]
    #[inline(always)]
    #[must_use]
    pub fn intrinsic_raw(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<rustc_middle::ty::IntrinsicDef> {
        self.at(DUMMY_SP).intrinsic_raw(key)
    }
    #[doc =
    " Returns the lang items defined in another crate by loading it from metadata."]
    #[inline(always)]
    #[must_use]
    pub fn get_lang_items(self, key: ()) -> &'tcx LanguageItems {
        self.at(DUMMY_SP).get_lang_items(key)
    }
    #[doc = " Returns all diagnostic items defined in all crates."]
    #[inline(always)]
    #[must_use]
    pub fn all_diagnostic_items(self, key: ())
        -> &'tcx rustc_hir::diagnostic_items::DiagnosticItems {
        self.at(DUMMY_SP).all_diagnostic_items(key)
    }
    #[doc =
    " Returns the lang items defined in another crate by loading it from metadata."]
    #[inline(always)]
    #[must_use]
    pub fn defined_lang_items(self, key: CrateNum)
        -> &'tcx [(DefId, LangItem)] {
        self.at(DUMMY_SP).defined_lang_items(key)
    }
    #[doc = " Returns the diagnostic items defined in a crate."]
    #[inline(always)]
    #[must_use]
    pub fn diagnostic_items(self, key: CrateNum)
        -> &'tcx rustc_hir::diagnostic_items::DiagnosticItems {
        self.at(DUMMY_SP).diagnostic_items(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] calculating the missing lang items in a crate"]
    #[inline(always)]
    #[must_use]
    pub fn missing_lang_items(self, key: CrateNum) -> &'tcx [LangItem] {
        self.at(DUMMY_SP).missing_lang_items(key)
    }
    #[doc =
    " The visible parent map is a map from every item to a visible parent."]
    #[doc = " It prefers the shortest visible path to an item."]
    #[doc = " Used for diagnostics, for example path trimming."]
    #[doc = " The parents are modules, enums or traits."]
    #[inline(always)]
    #[must_use]
    pub fn visible_parent_map(self, key: ()) -> &'tcx DefIdMap<DefId> {
        self.at(DUMMY_SP).visible_parent_map(key)
    }
    #[doc =
    " Collects the \"trimmed\", shortest accessible paths to all items for diagnostics."]
    #[doc =
    " See the [provider docs](`rustc_middle::ty::print::trimmed_def_paths`) for more info."]
    #[inline(always)]
    #[must_use]
    pub fn trimmed_def_paths(self, key: ()) -> &'tcx DefIdMap<Symbol> {
        self.at(DUMMY_SP).trimmed_def_paths(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] seeing if we're missing an `extern crate` item for this crate"]
    #[inline(always)]
    #[must_use]
    pub fn missing_extern_crate_item(self, key: CrateNum) -> bool {
        self.at(DUMMY_SP).missing_extern_crate_item(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking at the source for a crate"]
    #[inline(always)]
    #[must_use]
    pub fn used_crate_source(self, key: CrateNum) -> &'tcx Arc<CrateSource> {
        self.at(DUMMY_SP).used_crate_source(key)
    }
    #[doc = " Returns the debugger visualizers defined for this crate."]
    #[doc =
    " NOTE: This query has to be marked `eval_always` because it reads data"]
    #[doc =
    "       directly from disk that is not tracked anywhere else. I.e. it"]
    #[doc = "       represents a genuine input to the query system."]
    #[inline(always)]
    #[must_use]
    pub fn debugger_visualizers(self, key: CrateNum)
        -> &'tcx Vec<DebuggerVisualizerFile> {
        self.at(DUMMY_SP).debugger_visualizers(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] generating a postorder list of CrateNums"]
    #[inline(always)]
    #[must_use]
    pub fn postorder_cnums(self, key: ()) -> &'tcx [CrateNum] {
        self.at(DUMMY_SP).postorder_cnums(key)
    }
    #[doc = " Returns whether or not the crate with CrateNum \'cnum\'"]
    #[doc = " is marked as a private dependency"]
    #[inline(always)]
    #[must_use]
    pub fn is_private_dep(self, key: CrateNum) -> bool {
        self.at(DUMMY_SP).is_private_dep(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the allocator kind for the current crate"]
    #[inline(always)]
    #[must_use]
    pub fn allocator_kind(self, key: ()) -> Option<AllocatorKind> {
        self.at(DUMMY_SP).allocator_kind(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] alloc error handler kind for the current crate"]
    #[inline(always)]
    #[must_use]
    pub fn alloc_error_handler_kind(self, key: ()) -> Option<AllocatorKind> {
        self.at(DUMMY_SP).alloc_error_handler_kind(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting upvars mentioned in  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn upvars_mentioned(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<&'tcx FxIndexMap<hir::HirId, hir::Upvar>> {
        self.at(DUMMY_SP).upvars_mentioned(key)
    }
    #[doc =
    " All available crates in the graph, including those that should not be user-facing"]
    #[doc = " (such as private crates)."]
    #[inline(always)]
    #[must_use]
    pub fn crates(self, key: ()) -> &'tcx [CrateNum] {
        self.at(DUMMY_SP).crates(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching `CrateNum`s for all crates loaded non-speculatively"]
    #[inline(always)]
    #[must_use]
    pub fn used_crates(self, key: ()) -> &'tcx [CrateNum] {
        self.at(DUMMY_SP).used_crates(key)
    }
    #[doc = " All crates that share the same name as crate `c`."]
    #[doc = ""]
    #[doc =
    " This normally occurs when multiple versions of the same dependency are present in the"]
    #[doc = " dependency tree."]
    #[inline(always)]
    #[must_use]
    pub fn duplicate_crate_names(self, key: CrateNum) -> &'tcx [CrateNum] {
        self.at(DUMMY_SP).duplicate_crate_names(key)
    }
    #[doc =
    " A list of all traits in a crate, used by rustdoc and error reporting."]
    #[inline(always)]
    #[must_use]
    pub fn traits(self, key: CrateNum) -> &'tcx [DefId] {
        self.at(DUMMY_SP).traits(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching all trait impls in a crate"]
    #[inline(always)]
    #[must_use]
    pub fn trait_impls_in_crate(self, key: CrateNum) -> &'tcx [DefId] {
        self.at(DUMMY_SP).trait_impls_in_crate(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching the stable impl's order"]
    #[inline(always)]
    #[must_use]
    pub fn stable_order_of_exportable_impls(self, key: CrateNum)
        -> &'tcx FxIndexMap<DefId, usize> {
        self.at(DUMMY_SP).stable_order_of_exportable_impls(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching all exportable items in a crate"]
    #[inline(always)]
    #[must_use]
    pub fn exportable_items(self, key: CrateNum) -> &'tcx [DefId] {
        self.at(DUMMY_SP).exportable_items(key)
    }
    #[doc = " The list of non-generic symbols exported from the given crate."]
    #[doc = ""]
    #[doc = " This is separate from exported_generic_symbols to avoid having"]
    #[doc = " to deserialize all non-generic symbols too for upstream crates"]
    #[doc = " in the upstream_monomorphizations query."]
    #[doc = ""]
    #[doc =
    " - All names contained in `exported_non_generic_symbols(cnum)` are"]
    #[doc =
    "   guaranteed to correspond to a publicly visible symbol in `cnum`"]
    #[doc = "   machine code."]
    #[doc =
    " - The `exported_non_generic_symbols` and `exported_generic_symbols`"]
    #[doc = "   sets of different crates do not intersect."]
    #[inline(always)]
    #[must_use]
    pub fn exported_non_generic_symbols(self, key: CrateNum)
        -> &'tcx [(ExportedSymbol<'tcx>, SymbolExportInfo)] {
        self.at(DUMMY_SP).exported_non_generic_symbols(key)
    }
    #[doc = " The list of generic symbols exported from the given crate."]
    #[doc = ""]
    #[doc = " - All names contained in `exported_generic_symbols(cnum)` are"]
    #[doc =
    "   guaranteed to correspond to a publicly visible symbol in `cnum`"]
    #[doc = "   machine code."]
    #[doc =
    " - The `exported_non_generic_symbols` and `exported_generic_symbols`"]
    #[doc = "   sets of different crates do not intersect."]
    #[inline(always)]
    #[must_use]
    pub fn exported_generic_symbols(self, key: CrateNum)
        -> &'tcx [(ExportedSymbol<'tcx>, SymbolExportInfo)] {
        self.at(DUMMY_SP).exported_generic_symbols(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collect_and_partition_mono_items"]
    #[inline(always)]
    #[must_use]
    pub fn collect_and_partition_mono_items(self, key: ())
        -> MonoItemPartitions<'tcx> {
        self.at(DUMMY_SP).collect_and_partition_mono_items(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining whether  `tcx.def_path_str(def_id)`  needs codegen"]
    #[inline(always)]
    #[must_use]
    pub fn is_codegened_item(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        self.at(DUMMY_SP).is_codegened_item(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting codegen unit `{sym}`"]
    #[inline(always)]
    #[must_use]
    pub fn codegen_unit(self, key: Symbol) -> &'tcx CodegenUnit<'tcx> {
        self.at(DUMMY_SP).codegen_unit(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] optimization level used by backend"]
    #[inline(always)]
    #[must_use]
    pub fn backend_optimization_level(self, key: ()) -> OptLevel {
        self.at(DUMMY_SP).backend_optimization_level(key)
    }
    #[doc = " Return the filenames where output artefacts shall be stored."]
    #[doc = ""]
    #[doc =
    " This query returns an `&Arc` because codegen backends need the value even after the `TyCtxt`"]
    #[doc = " has been destroyed."]
    #[inline(always)]
    #[must_use]
    pub fn output_filenames(self, key: ()) -> &'tcx Arc<OutputFilenames> {
        self.at(DUMMY_SP).output_filenames(key)
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    #[must_use]
    pub fn normalize_canonicalized_projection(self,
        key: CanonicalAliasGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
            NoSolution> {
        self.at(DUMMY_SP).normalize_canonicalized_projection(key)
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    #[must_use]
    pub fn normalize_canonicalized_free_alias(self,
        key: CanonicalAliasGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
            NoSolution> {
        self.at(DUMMY_SP).normalize_canonicalized_free_alias(key)
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    #[must_use]
    pub fn normalize_canonicalized_inherent_projection(self,
        key: CanonicalAliasGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
            NoSolution> {
        self.at(DUMMY_SP).normalize_canonicalized_inherent_projection(key)
    }
    #[doc =
    " Do not call this query directly: invoke `try_normalize_erasing_regions` instead."]
    #[inline(always)]
    #[must_use]
    pub fn try_normalize_generic_arg_after_erasing_regions(self,
        key: PseudoCanonicalInput<'tcx, GenericArg<'tcx>>)
        -> Result<GenericArg<'tcx>, NoSolution> {
        self.at(DUMMY_SP).try_normalize_generic_arg_after_erasing_regions(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing implied outlives bounds for  `key.0.canonical.value.value.ty`  (hack disabled = {:?})"]
    #[inline(always)]
    #[must_use]
    pub fn implied_outlives_bounds(self,
        key: (CanonicalImpliedOutlivesBoundsGoal<'tcx>, bool))
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, Vec<OutlivesBound<'tcx>>>>,
            NoSolution> {
        self.at(DUMMY_SP).implied_outlives_bounds(key)
    }
    #[doc = " Do not call this query directly:"]
    #[doc =
    " invoke `DropckOutlives::new(dropped_ty)).fully_perform(typeck.infcx)` instead."]
    #[inline(always)]
    #[must_use]
    pub fn dropck_outlives(self, key: CanonicalDropckOutlivesGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, DropckOutlivesResult<'tcx>>>,
            NoSolution> {
        self.at(DUMMY_SP).dropck_outlives(key)
    }
    #[doc =
    " Do not call this query directly: invoke `infcx.predicate_may_hold()` or"]
    #[doc = " `infcx.predicate_must_hold()` instead."]
    #[inline(always)]
    #[must_use]
    pub fn evaluate_obligation(self, key: CanonicalPredicateGoal<'tcx>)
        -> Result<EvaluationResult, OverflowError> {
        self.at(DUMMY_SP).evaluate_obligation(key)
    }
    #[doc = " Do not call this query directly: part of the `Eq` type-op"]
    #[inline(always)]
    #[must_use]
    pub fn type_op_ascribe_user_type(self,
        key: CanonicalTypeOpAscribeUserTypeGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, ()>>,
            NoSolution> {
        self.at(DUMMY_SP).type_op_ascribe_user_type(key)
    }
    #[doc =
    " Do not call this query directly: part of the `ProvePredicate` type-op"]
    #[inline(always)]
    #[must_use]
    pub fn type_op_prove_predicate(self,
        key: CanonicalTypeOpProvePredicateGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, ()>>,
            NoSolution> {
        self.at(DUMMY_SP).type_op_prove_predicate(key)
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    #[must_use]
    pub fn type_op_normalize_ty(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, Ty<'tcx>>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, Ty<'tcx>>>, NoSolution> {
        self.at(DUMMY_SP).type_op_normalize_ty(key)
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    #[must_use]
    pub fn type_op_normalize_clause(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::Clause<'tcx>>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, ty::Clause<'tcx>>>, NoSolution> {
        self.at(DUMMY_SP).type_op_normalize_clause(key)
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    #[must_use]
    pub fn type_op_normalize_poly_fn_sig(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::PolyFnSig<'tcx>>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, ty::PolyFnSig<'tcx>>>,
            NoSolution> {
        self.at(DUMMY_SP).type_op_normalize_poly_fn_sig(key)
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    #[must_use]
    pub fn type_op_normalize_fn_sig(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::FnSig<'tcx>>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, ty::FnSig<'tcx>>>, NoSolution> {
        self.at(DUMMY_SP).type_op_normalize_fn_sig(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking impossible instantiated predicates:  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    #[must_use]
    pub fn instantiate_and_check_impossible_predicates(self,
        key: (DefId, GenericArgsRef<'tcx>)) -> bool {
        self.at(DUMMY_SP).instantiate_and_check_impossible_predicates(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(key.1)`  is impossible to reference within  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    #[must_use]
    pub fn is_impossible_associated_item(self, key: (DefId, DefId)) -> bool {
        self.at(DUMMY_SP).is_impossible_associated_item(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing autoderef types for  `goal.canonical.value.value.self_ty` "]
    #[inline(always)]
    #[must_use]
    pub fn method_autoderef_steps(self,
        key: CanonicalMethodAutoderefStepsGoal<'tcx>)
        -> MethodAutoderefStepsResult<'tcx> {
        self.at(DUMMY_SP).method_autoderef_steps(key)
    }
    #[doc = " Used by `-Znext-solver` to compute proof trees."]
    #[inline(always)]
    #[must_use]
    pub fn evaluate_root_goal_for_proof_tree_raw(self,
        key: solve::CanonicalInput<'tcx>)
        ->
            (solve::QueryResult<'tcx>,
            &'tcx solve::inspect::Probe<TyCtxt<'tcx>>) {
        self.at(DUMMY_SP).evaluate_root_goal_for_proof_tree_raw(key)
    }
    #[doc =
    " Returns the Rust target features for the current target. These are not always the same as LLVM target features!"]
    #[inline(always)]
    #[must_use]
    pub fn rust_target_features(self, key: CrateNum)
        -> &'tcx UnordMap<String, rustc_target::target_features::Stability> {
        self.at(DUMMY_SP).rust_target_features(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up implied target features"]
    #[inline(always)]
    #[must_use]
    pub fn implied_target_features(self, key: Symbol) -> &'tcx Vec<Symbol> {
        self.at(DUMMY_SP).implied_target_features(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up enabled feature gates"]
    #[inline(always)]
    #[must_use]
    pub fn features_query(self, key: ()) -> &'tcx rustc_feature::Features {
        self.at(DUMMY_SP).features_query(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] the ast before macro expansion and name resolution"]
    #[inline(always)]
    #[must_use]
    pub fn crate_for_resolver(self, key: ())
        -> &'tcx Steal<(rustc_ast::Crate, rustc_ast::AttrVec)> {
        self.at(DUMMY_SP).crate_for_resolver(key)
    }
    #[doc = " Attempt to resolve the given `DefId` to an `Instance`, for the"]
    #[doc = " given generics args (`GenericArgsRef`), returning one of:"]
    #[doc = "  * `Ok(Some(instance))` on success"]
    #[doc = "  * `Ok(None)` when the `GenericArgsRef` are still too generic,"]
    #[doc = "    and therefore don\'t allow finding the final `Instance`"]
    #[doc =
    "  * `Err(ErrorGuaranteed)` when the `Instance` resolution process"]
    #[doc =
    "    couldn\'t complete due to errors elsewhere - this is distinct"]
    #[doc =
    "    from `Ok(None)` to avoid misleading diagnostics when an error"]
    #[doc = "    has already been/will be emitted, for the original cause."]
    #[inline(always)]
    #[must_use]
    pub fn resolve_instance_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, (DefId, GenericArgsRef<'tcx>)>)
        -> Result<Option<ty::Instance<'tcx>>, ErrorGuaranteed> {
        self.at(DUMMY_SP).resolve_instance_raw(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] revealing opaque types in `{:?}`"]
    #[inline(always)]
    #[must_use]
    pub fn reveal_opaque_types_in_bounds(self, key: ty::Clauses<'tcx>)
        -> ty::Clauses<'tcx> {
        self.at(DUMMY_SP).reveal_opaque_types_in_bounds(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up limits"]
    #[inline(always)]
    #[must_use]
    pub fn limits(self, key: ()) -> Limits { self.at(DUMMY_SP).limits(key) }
    #[doc =
    " Performs an HIR-based well-formed check on the item with the given `HirId`. If"]
    #[doc =
    " we get an `Unimplemented` error that matches the provided `Predicate`, return"]
    #[doc = " the cause of the newly created obligation."]
    #[doc = ""]
    #[doc =
    " This is only used by error-reporting code to get a better cause (in particular, a better"]
    #[doc =
    " span) for an *existing* error. Therefore, it is best-effort, and may never handle"]
    #[doc =
    " all of the cases that the normal `ty::Ty`-based wfcheck does. This is fine,"]
    #[doc = " because the `ty::Ty`-based wfcheck is always run."]
    #[inline(always)]
    #[must_use]
    pub fn diagnostic_hir_wf_check(self,
        key: (ty::Predicate<'tcx>, WellFormedLoc))
        -> Option<&'tcx ObligationCause<'tcx>> {
        self.at(DUMMY_SP).diagnostic_hir_wf_check(key)
    }
    #[doc =
    " The list of backend features computed from CLI flags (`-Ctarget-cpu`, `-Ctarget-feature`,"]
    #[doc = " `--target` and similar)."]
    #[inline(always)]
    #[must_use]
    pub fn global_backend_features(self, key: ()) -> &'tcx Vec<String> {
        self.at(DUMMY_SP).global_backend_features(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking validity requirement for  `key.1.value` :  `key.0` "]
    #[inline(always)]
    #[must_use]
    pub fn check_validity_requirement(self,
        key: (ValidityRequirement, ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>))
        -> Result<bool, &'tcx ty::layout::LayoutError<'tcx>> {
        self.at(DUMMY_SP).check_validity_requirement(key)
    }
    #[doc =
    " This takes the def-id of an associated item from a impl of a trait,"]
    #[doc =
    " and checks its validity against the trait item it corresponds to."]
    #[doc = ""]
    #[doc = " Any other def id will ICE."]
    #[inline(always)]
    #[must_use]
    pub fn compare_impl_item(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        self.at(DUMMY_SP).compare_impl_item(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] deducing parameter attributes for  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn deduced_param_attrs(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [DeducedParamAttrs] {
        self.at(DUMMY_SP).deduced_param_attrs(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] resolutions for documentation links for a module"]
    #[inline(always)]
    #[must_use]
    pub fn doc_link_resolutions(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> &'tcx DocLinkResMap {
        self.at(DUMMY_SP).doc_link_resolutions(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] traits in scope for documentation links for a module"]
    #[inline(always)]
    #[must_use]
    pub fn doc_link_traits_in_scope(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> &'tcx [DefId] {
        self.at(DUMMY_SP).doc_link_traits_in_scope(key)
    }
    #[doc =
    " Get all item paths that were stripped by a `#[cfg]` in a particular crate."]
    #[doc =
    " Should not be called for the local crate before the resolver outputs are created, as it"]
    #[doc = " is only fed there."]
    #[inline(always)]
    #[must_use]
    pub fn stripped_cfg_items(self, key: CrateNum)
        -> &'tcx [StrippedCfgItem] {
        self.at(DUMMY_SP).stripped_cfg_items(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] check whether the item has a `where Self: Sized` bound"]
    #[inline(always)]
    #[must_use]
    pub fn generics_require_sized_self(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        self.at(DUMMY_SP).generics_require_sized_self(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] whether the item should be made inlinable across crates"]
    #[inline(always)]
    #[must_use]
    pub fn cross_crate_inlinable(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        self.at(DUMMY_SP).cross_crate_inlinable(key)
    }
    #[doc = " Perform monomorphization-time checking on this item."]
    #[doc =
    " This is used for lints/errors that can only be checked once the instance is fully"]
    #[doc = " monomorphized."]
    #[inline(always)]
    #[must_use]
    pub fn check_mono_item(self, key: ty::Instance<'tcx>) -> () {
        self.at(DUMMY_SP).check_mono_item(key)
    }
    #[doc =
    " Builds the set of functions that should be skipped for the move-size check."]
    #[inline(always)]
    #[must_use]
    pub fn skip_move_check_fns(self, key: ()) -> &'tcx FxIndexSet<DefId> {
        self.at(DUMMY_SP).skip_move_check_fns(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting items used by  `key.0` "]
    #[inline(always)]
    #[must_use]
    pub fn items_of_instance(self, key: (ty::Instance<'tcx>, CollectionMode))
        ->
            Result<(&'tcx [Spanned<MonoItem<'tcx>>],
            &'tcx [Spanned<MonoItem<'tcx>>]), NormalizationErrorInMono> {
        self.at(DUMMY_SP).items_of_instance(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] estimating codegen size of  `key` "]
    #[inline(always)]
    #[must_use]
    pub fn size_estimate(self, key: ty::Instance<'tcx>) -> usize {
        self.at(DUMMY_SP).size_estimate(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up anon const kind of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    #[must_use]
    pub fn anon_const_kind(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::AnonConstKind {
        self.at(DUMMY_SP).anon_const_kind(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(def_id)`  is a trivial const"]
    #[inline(always)]
    #[must_use]
    pub fn trivial_const(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<(mir::ConstValue, Ty<'tcx>)> {
        self.at(DUMMY_SP).trivial_const(key)
    }
    #[doc = " Checks for the nearest `#[sanitize(xyz = \"off\")]` or"]
    #[doc =
    " `#[sanitize(xyz = \"on\")]` on this def and any enclosing defs, up to the"]
    #[doc = " crate root."]
    #[doc = ""]
    #[doc = " Returns the sanitizer settings for this def."]
    #[inline(always)]
    #[must_use]
    pub fn sanitizer_settings_for(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> SanitizerFnAttrs {
        self.at(DUMMY_SP).sanitizer_settings_for(key)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] check externally implementable items"]
    #[inline(always)]
    #[must_use]
    pub fn check_externally_implementable_items(self, key: ()) -> () {
        self.at(DUMMY_SP).check_externally_implementable_items(key)
    }
    #[doc = " Returns a list of all `externally implementable items` crate."]
    #[inline(always)]
    #[must_use]
    pub fn externally_implementable_items(self, key: CrateNum)
        -> &'tcx FxIndexMap<DefId, (EiiDecl, FxIndexMap<DefId, EiiImpl>)> {
        self.at(DUMMY_SP).externally_implementable_items(key)
    }
}
impl<'tcx> crate::query::TyCtxtAt<'tcx> {
    #[doc =
    " Caches the expansion of a derive proc macro, e.g. `#[derive(Serialize)]`."]
    #[doc = " The key is:"]
    #[doc = " - A unique key corresponding to the invocation of a macro."]
    #[doc = " - Token stream which serves as an input to the macro."]
    #[doc = ""]
    #[doc = " The output is the token stream generated by the proc macro."]
    #[inline(always)]
    pub fn derive_macro_expansion(self, key: (LocalExpnId, &'tcx TokenStream))
        -> Result<&'tcx TokenStream, ()> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx TokenStream,
                ()>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.derive_macro_expansion,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " This exists purely for testing the interactions between delayed bugs and incremental."]
    #[inline(always)]
    pub fn trigger_delayed_bug(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.trigger_delayed_bug,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Collects the list of all tools registered using `#![register_tool]`."]
    #[inline(always)]
    pub fn registered_tools(self, key: ()) -> &'tcx ty::RegisteredTools {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::RegisteredTools>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.registered_tools,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] perform lints prior to AST lowering"]
    #[inline(always)]
    pub fn early_lint_checks(self, key: ()) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.early_lint_checks,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Tracked access to environment variables."]
    #[doc = ""]
    #[doc =
    " Useful for the implementation of `std::env!`, `proc-macro`s change"]
    #[doc =
    " detection and other changes in the compiler\'s behaviour that is easier"]
    #[doc = " to control with an environment variable than a flag."]
    #[doc = ""]
    #[doc = " NOTE: This currently does not work with dependency info in the"]
    #[doc =
    " analysis, codegen and linking passes, place extra code at the top of"]
    #[doc = " `rustc_interface::passes::write_dep_info` to make that work."]
    #[inline(always)]
    pub fn env_var_os(self, key: &'tcx OsStr) -> Option<&'tcx OsStr> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx OsStr>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.env_var_os,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the resolver outputs"]
    #[inline(always)]
    pub fn resolutions(self, key: ()) -> &'tcx ty::ResolverGlobalCtxt {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::ResolverGlobalCtxt>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.resolutions,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the resolver for lowering"]
    #[inline(always)]
    pub fn resolver_for_lowering_raw(self, key: ())
        ->
            (&'tcx Steal<(ty::ResolverAstLowering<'tcx>, Arc<ast::Crate>)>,
            &'tcx ty::ResolverGlobalCtxt) {
        use crate::query::{erase, inner};
        erase::restore_val::<(&'tcx Steal<(ty::ResolverAstLowering<'tcx>,
                Arc<ast::Crate>)>,
                &'tcx ty::ResolverGlobalCtxt)>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.resolver_for_lowering_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Return the span for a definition."]
    #[doc = ""]
    #[doc =
    " Contrary to `def_span` below, this query returns the full absolute span of the definition."]
    #[doc =
    " This span is meant for dep-tracking rather than diagnostics. It should not be used outside"]
    #[doc = " of rustc_middle::hir::source_map."]
    #[inline(always)]
    pub fn source_span(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Span {
        use crate::query::{erase, inner};
        erase::restore_val::<Span>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.source_span,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Represents crate as a whole (as distinct from the top-level crate module)."]
    #[doc = ""]
    #[doc =
    " If you call `tcx.hir_crate(())` we will have to assume that any change"]
    #[doc =
    " means that you need to be recompiled. This is because the `hir_crate`"]
    #[doc =
    " query gives you access to all other items. To avoid this fate, do not"]
    #[doc = " call `tcx.hir_crate(())`; instead, prefer wrappers like"]
    #[doc = " [`TyCtxt::hir_visit_all_item_likes_in_crate`]."]
    #[inline(always)]
    pub fn hir_crate(self, key: ()) -> &'tcx Crate<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Crate<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.hir_crate,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " All items in the crate."]
    #[inline(always)]
    pub fn hir_crate_items(self, key: ())
        -> &'tcx rustc_middle::hir::ModuleItems {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_middle::hir::ModuleItems>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.hir_crate_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " The items in a module."]
    #[doc = ""]
    #[doc =
    " This can be conveniently accessed by `tcx.hir_visit_item_likes_in_module`."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn hir_module_items(self, key: LocalModDefId)
        -> &'tcx rustc_middle::hir::ModuleItems {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_middle::hir::ModuleItems>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.hir_module_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns HIR ID for the given `LocalDefId`."]
    #[inline(always)]
    pub fn local_def_id_to_hir_id(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> hir::HirId {
        use crate::query::{erase, inner};
        erase::restore_val::<hir::HirId>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.local_def_id_to_hir_id,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Gives access to the HIR node\'s parent for the HIR owner `key`."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn hir_owner_parent_q(self, key: hir::OwnerId) -> hir::HirId {
        use crate::query::{erase, inner};
        erase::restore_val::<hir::HirId>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.hir_owner_parent_q,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Gives access to the HIR nodes and bodies inside `key` if it\'s a HIR owner."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn opt_hir_owner_nodes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Option<&'tcx hir::OwnerNodes<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx hir::OwnerNodes<'tcx>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.opt_hir_owner_nodes,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Gives access to the HIR attributes inside the HIR owner `key`."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn hir_attr_map(self, key: hir::OwnerId)
        -> &'tcx hir::AttributeMap<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx hir::AttributeMap<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.hir_attr_map,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Gives access to lints emitted during ast lowering."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn opt_ast_lowering_delayed_lints(self, key: hir::OwnerId)
        -> Option<&'tcx hir::lints::DelayedLints> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx hir::lints::DelayedLints>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.opt_ast_lowering_delayed_lints,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the *default* of the const pararameter given by `DefId`."]
    #[doc = ""]
    #[doc =
    " E.g., given `struct Ty<const N: usize = 3>;` this returns `3` for `N`."]
    #[inline(always)]
    pub fn const_param_default(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Const<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                ty::Const<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.const_param_default,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the const of the RHS of a (free or assoc) const item, if it is a `type const`."]
    #[doc = ""]
    #[doc =
    " When a const item is used in a type-level expression, like in equality for an assoc const"]
    #[doc =
    " projection, this allows us to retrieve the typesystem-appropriate representation of the"]
    #[doc = " const value."]
    #[doc = ""]
    #[doc =
    " This query will ICE if given a const that is not marked with `type const`."]
    #[inline(always)]
    pub fn const_of_item(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Const<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                ty::Const<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.const_of_item,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns the *type* of the definition given by `DefId`."]
    #[doc = ""]
    #[doc =
    " For type aliases (whether eager or lazy) and associated types, this returns"]
    #[doc =
    " the underlying aliased type (not the corresponding [alias type])."]
    #[doc = ""]
    #[doc =
    " For opaque types, this returns and thus reveals the hidden type! If you"]
    #[doc = " want to detect cycle errors use `type_of_opaque` instead."]
    #[doc = ""]
    #[doc =
    " To clarify, for type definitions, this does *not* return the \"type of a type\""]
    #[doc =
    " (aka *kind* or *sort*) in the type-theoretical sense! It merely returns"]
    #[doc = " the type primarily *associated with* it."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition doesn\'t (and can\'t"]
    #[doc = " conceptually) have an (underlying) type."]
    #[doc = ""]
    #[doc = " [alias type]: rustc_middle::ty::AliasTy"]
    #[inline(always)]
    pub fn type_of(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, Ty<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                Ty<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns the *hidden type* of the opaque type given by `DefId`."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not an opaque type."]
    #[inline(always)]
    pub fn type_of_opaque(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, Ty<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                Ty<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_of_opaque,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing type of opaque `{path}` via HIR typeck"]
    #[inline(always)]
    pub fn type_of_opaque_hir_typeck(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> ty::EarlyBinder<'tcx, Ty<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                Ty<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_of_opaque_hir_typeck,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns whether the type alias given by `DefId` is lazy."]
    #[doc = ""]
    #[doc =
    " I.e., if the type alias expands / ought to expand to a [free] [alias type]"]
    #[doc = " instead of the underlying aliased type."]
    #[doc = ""]
    #[doc =
    " Relevant for features `lazy_type_alias` and `type_alias_impl_trait`."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query *may* panic if the given definition is not a type alias."]
    #[doc = ""]
    #[doc = " [free]: rustc_middle::ty::Free"]
    #[doc = " [alias type]: rustc_middle::ty::AliasTy"]
    #[inline(always)]
    pub fn type_alias_is_lazy(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_alias_is_lazy,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] comparing an impl and trait method signature, inferring any hidden `impl Trait` types in the process"]
    #[inline(always)]
    pub fn collect_return_position_impl_trait_in_trait_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        ->
            Result<&'tcx DefIdMap<ty::EarlyBinder<'tcx, Ty<'tcx>>>,
            ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx DefIdMap<ty::EarlyBinder<'tcx,
                Ty<'tcx>>>,
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.collect_return_position_impl_trait_in_trait_tys,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determine where the opaque originates from"]
    #[inline(always)]
    pub fn opaque_ty_origin(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> hir::OpaqueTyOrigin<DefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<hir::OpaqueTyOrigin<DefId>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.opaque_ty_origin,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining what parameters of  `tcx.def_path_str(key)`  can participate in unsizing"]
    #[inline(always)]
    pub fn unsizing_params_for_adt(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx rustc_index::bit_set::DenseBitSet<u32> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_index::bit_set::DenseBitSet<u32>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.unsizing_params_for_adt,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " The root query triggering all analysis passes like typeck or borrowck."]
    #[inline(always)]
    pub fn analysis(self, key: ()) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.analysis,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " This query checks the fulfillment of collected lint expectations."]
    #[doc =
    " All lint emitting queries have to be done before this is executed"]
    #[doc = " to ensure that all expectations can be fulfilled."]
    #[doc = ""]
    #[doc =
    " This is an extra query to enable other drivers (like rustdoc) to"]
    #[doc =
    " only execute a small subset of the `analysis` query, while allowing"]
    #[doc =
    " lints to be expected. In rustc, this query will be executed as part of"]
    #[doc =
    " the `analysis` query and doesn\'t have to be called a second time."]
    #[doc = ""]
    #[doc =
    " Tools can additionally pass in a tool filter. That will restrict the"]
    #[doc =
    " expectations to only trigger for lints starting with the listed tool"]
    #[doc =
    " name. This is useful for cases were not all linting code from rustc"]
    #[doc =
    " was called. With the default `None` all registered lints will also"]
    #[doc = " be checked for expectation fulfillment."]
    #[inline(always)]
    pub fn check_expectations(self, key: Option<Symbol>) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_expectations,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns the *generics* of the definition given by `DefId`."]
    #[inline(always)]
    pub fn generics_of(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx ty::Generics {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::Generics>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.generics_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the (elaborated) *predicates* of the definition given by `DefId`"]
    #[doc =
    " that must be proven true at usage sites (and which can be assumed at definition site)."]
    #[doc = ""]
    #[doc =
    " This is almost always *the* \"predicates query\" that you want."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_predicates]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    pub fn predicates_of(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::GenericPredicates<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::GenericPredicates<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.predicates_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the opaque types defined by  `tcx.def_path_str(key.to_def_id())` "]
    #[inline(always)]
    pub fn opaque_types_defined_by(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx ty::List<LocalDefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::List<LocalDefId>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.opaque_types_defined_by,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " A list of all bodies inside of `key`, nested bodies are always stored"]
    #[doc = " before their parent."]
    #[inline(always)]
    pub fn nested_bodies_within(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx ty::List<LocalDefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::List<LocalDefId>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.nested_bodies_within,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the explicitly user-written *bounds* on the associated or opaque type given by `DefId`"]
    #[doc =
    " that must be proven true at definition site (and which can be assumed at usage sites)."]
    #[doc = ""]
    #[doc =
    " For associated types, these must be satisfied for an implementation"]
    #[doc =
    " to be well-formed, and for opaque types, these are required to be"]
    #[doc = " satisfied by the hidden type of the opaque."]
    #[doc = ""]
    #[doc =
    " Bounds from the parent (e.g. with nested `impl Trait`) are not included."]
    #[doc = ""]
    #[doc =
    " Syntactially, these are the bounds written on associated types in trait"]
    #[doc = " definitions, or those after the `impl` keyword for an opaque:"]
    #[doc = ""]
    #[doc = " ```ignore (illustrative)"]
    #[doc = " trait Trait { type X: Bound + \'lt; }"]
    #[doc = " //                    ^^^^^^^^^^^"]
    #[doc = " fn function() -> impl Debug + Display { /*...*/ }"]
    #[doc = " //                    ^^^^^^^^^^^^^^^"]
    #[doc = " ```"]
    #[inline(always)]
    pub fn explicit_item_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                &'tcx [(ty::Clause<'tcx>,
                Span)]>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.explicit_item_bounds,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the explicitly user-written *bounds* that share the `Self` type of the item."]
    #[doc = ""]
    #[doc =
    " These are a subset of the [explicit item bounds] that may explicitly be used for things"]
    #[doc = " like closure signature deduction."]
    #[doc = ""]
    #[doc = " [explicit item bounds]: Self::explicit_item_bounds"]
    #[inline(always)]
    pub fn explicit_item_self_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                &'tcx [(ty::Clause<'tcx>,
                Span)]>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.explicit_item_self_bounds,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the (elaborated) *bounds* on the associated or opaque type given by `DefId`"]
    #[doc =
    " that must be proven true at definition site (and which can be assumed at usage sites)."]
    #[doc = ""]
    #[doc =
    " Bounds from the parent (e.g. with nested `impl Trait`) are not included."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_item_bounds]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[doc = ""]
    #[doc = " # Examples"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait Trait { type Assoc: Eq + ?Sized; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " While [`Self::explicit_item_bounds`] returns `[<Self as Trait>::Assoc: Eq]`"]
    #[doc = " here, `item_bounds` returns:"]
    #[doc = ""]
    #[doc = " ```text"]
    #[doc = " ["]
    #[doc = "     <Self as Trait>::Assoc: Eq,"]
    #[doc = "     <Self as Trait>::Assoc: PartialEq<<Self as Trait>::Assoc>"]
    #[doc = " ]"]
    #[doc = " ```"]
    #[inline(always)]
    pub fn item_bounds(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                ty::Clauses<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.item_bounds,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating item assumptions for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn item_self_bounds(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                ty::Clauses<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.item_self_bounds,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating item assumptions for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn item_non_self_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                ty::Clauses<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.item_non_self_bounds,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating supertrait outlives for trait of  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn impl_super_outlives(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::Clauses<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                ty::Clauses<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.impl_super_outlives,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Look up all native libraries this crate depends on."]
    #[doc = " These are assembled from the following places:"]
    #[doc = " - `extern` blocks (depending on their `link` attributes)"]
    #[doc = " - the `libs` (`-l`) option"]
    #[inline(always)]
    pub fn native_libraries(self, key: CrateNum) -> &'tcx Vec<NativeLib> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Vec<NativeLib>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.native_libraries,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up lint levels for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn shallow_lint_levels_on(self, key: hir::OwnerId)
        -> &'tcx rustc_middle::lint::ShallowLintLevelMap {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_middle::lint::ShallowLintLevelMap>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.shallow_lint_levels_on,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `#[expect]`ed lints in this crate"]
    #[inline(always)]
    pub fn lint_expectations(self, key: ())
        -> &'tcx Vec<(LintExpectationId, LintExpectation)> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Vec<(LintExpectationId,
                LintExpectation)>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.lint_expectations,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] Computing all lints that are explicitly enabled or with a default level greater than Allow"]
    #[inline(always)]
    pub fn lints_that_dont_need_to_run(self, key: ())
        -> &'tcx UnordSet<LintId> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx UnordSet<LintId>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.lints_that_dont_need_to_run,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the expansion that defined  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn expn_that_defined(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> rustc_span::ExpnId {
        use crate::query::{erase, inner};
        erase::restore_val::<rustc_span::ExpnId>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.expn_that_defined,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate is_panic_runtime"]
    #[inline(always)]
    pub fn is_panic_runtime(self, key: CrateNum) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_panic_runtime,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Checks whether a type is representable or infinitely sized"]
    #[inline(always)]
    pub fn check_representability(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_representability,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " An implementation detail for the `check_representability` query. See that query for more"]
    #[doc = " details, particularly on the modifiers."]
    #[inline(always)]
    pub fn check_representability_adt_ty(self, key: Ty<'tcx>) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_representability_adt_ty,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Set of param indexes for type params that are in the type\'s representation"]
    #[inline(always)]
    pub fn params_in_repr(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx rustc_index::bit_set::DenseBitSet<u32> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_index::bit_set::DenseBitSet<u32>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.params_in_repr,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Fetch the THIR for a given body. The THIR body gets stolen by unsafety checking unless"]
    #[doc = " `-Zno-steal-thir` is on."]
    #[inline(always)]
    pub fn thir_body(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        ->
            Result<(&'tcx Steal<thir::Thir<'tcx>>, thir::ExprId),
            ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(&'tcx Steal<thir::Thir<'tcx>>,
                thir::ExprId),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.thir_body,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Set of all the `DefId`s in this crate that have MIR associated with"]
    #[doc =
    " them. This includes all the body owners, but also things like struct"]
    #[doc = " constructors."]
    #[inline(always)]
    pub fn mir_keys(self, key: ())
        -> &'tcx rustc_data_structures::fx::FxIndexSet<LocalDefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_data_structures::fx::FxIndexSet<LocalDefId>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.mir_keys,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Maps DefId\'s that have an associated `mir::Body` to the result"]
    #[doc = " of the MIR const-checking pass. This is the set of qualifs in"]
    #[doc = " the final value of a `const`."]
    #[inline(always)]
    pub fn mir_const_qualif(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> mir::ConstQualifs {
        use crate::query::{erase, inner};
        erase::restore_val::<mir::ConstQualifs>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.mir_const_qualif,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Build the MIR for a given `DefId` and prepare it for const qualification."]
    #[doc = ""]
    #[doc = " See the [rustc dev guide] for more info."]
    #[doc = ""]
    #[doc =
    " [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/mir/construction.html"]
    #[inline(always)]
    pub fn mir_built(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx Steal<mir::Body<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Steal<mir::Body<'tcx>>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.mir_built,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Try to build an abstract representation of the given constant."]
    #[inline(always)]
    pub fn thir_abstract_const(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        ->
            Result<Option<ty::EarlyBinder<'tcx, ty::Const<'tcx>>>,
            ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<Option<ty::EarlyBinder<'tcx,
                ty::Const<'tcx>>>,
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.thir_abstract_const,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating drops for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn mir_drops_elaborated_and_const_checked(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx Steal<mir::Body<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Steal<mir::Body<'tcx>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.mir_drops_elaborated_and_const_checked,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] caching mir of  `tcx.def_path_str(key)`  for CTFE"]
    #[inline(always)]
    pub fn mir_for_ctfe(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx mir::Body<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx mir::Body<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.mir_for_ctfe,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] promoting constants in MIR for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn mir_promoted(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        ->
            (&'tcx Steal<mir::Body<'tcx>>,
            &'tcx Steal<IndexVec<mir::Promoted, mir::Body<'tcx>>>) {
        use crate::query::{erase, inner};
        erase::restore_val::<(&'tcx Steal<mir::Body<'tcx>>,
                &'tcx Steal<IndexVec<mir::Promoted,
                mir::Body<'tcx>>>)>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.mir_promoted,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding symbols for captures of closure  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn closure_typeinfo(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> ty::ClosureTypeInfo<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::ClosureTypeInfo<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.closure_typeinfo,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns names of captured upvars for closures and coroutines."]
    #[doc = ""]
    #[doc = " Here are some examples:"]
    #[doc = "  - `name__field1__field2` when the upvar is captured by value."]
    #[doc =
    "  - `_ref__name__field` when the upvar is captured by reference."]
    #[doc = ""]
    #[doc =
    " For coroutines this only contains upvars that are shared by all states."]
    #[inline(always)]
    pub fn closure_saved_names_of_captured_variables(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx IndexVec<abi::FieldIdx, Symbol> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx IndexVec<abi::FieldIdx,
                Symbol>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.closure_saved_names_of_captured_variables,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] coroutine witness types for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn mir_coroutine_witnesses(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<&'tcx mir::CoroutineLayout<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx mir::CoroutineLayout<'tcx>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.mir_coroutine_witnesses,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] verify auto trait bounds for coroutine interior type  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn check_coroutine_obligations(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_coroutine_obligations,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Used in case `mir_borrowck` fails to prove an obligation. We generally assume that"]
    #[doc =
    " all goals we prove in MIR type check hold as we\'ve already checked them in HIR typeck."]
    #[doc = ""]
    #[doc =
    " However, we replace each free region in the MIR body with a unique region inference"]
    #[doc =
    " variable. As we may rely on structural identity when proving goals this may cause a"]
    #[doc =
    " goal to no longer hold. We store obligations for which this may happen during HIR"]
    #[doc =
    " typeck in the `TypeckResults`. We then uniquify and reprove them in case MIR typeck"]
    #[doc =
    " encounters an unexpected error. We expect this to result in an error when used and"]
    #[doc = " delay a bug if it does not."]
    #[inline(always)]
    pub fn check_potentially_region_dependent_goals(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_potentially_region_dependent_goals,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " MIR after our optimization passes have run. This is MIR that is ready"]
    #[doc =
    " for codegen. This is also the only query that can fetch non-local MIR, at present."]
    #[inline(always)]
    pub fn optimized_mir(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx mir::Body<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx mir::Body<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.optimized_mir,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Checks for the nearest `#[coverage(off)]` or `#[coverage(on)]` on"]
    #[doc = " this def and any enclosing defs, up to the crate root."]
    #[doc = ""]
    #[doc = " Returns `false` if `#[coverage(off)]` was found, or `true` if"]
    #[doc = " either `#[coverage(on)]` or no coverage attribute was found."]
    #[inline(always)]
    pub fn coverage_attr_on(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.coverage_attr_on,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Scans through a function\'s MIR after MIR optimizations, to prepare the"]
    #[doc =
    " information needed by codegen when `-Cinstrument-coverage` is active."]
    #[doc = ""]
    #[doc =
    " This includes the details of where to insert `llvm.instrprof.increment`"]
    #[doc =
    " intrinsics, and the expression tables to be embedded in the function\'s"]
    #[doc = " coverage metadata."]
    #[doc = ""]
    #[doc =
    " FIXME(Zalathar): This query\'s purpose has drifted a bit and should"]
    #[doc =
    " probably be renamed, but that can wait until after the potential"]
    #[doc = " follow-ups to #136053 have settled down."]
    #[doc = ""]
    #[doc = " Returns `None` for functions that were not instrumented."]
    #[inline(always)]
    pub fn coverage_ids_info(self, key: ty::InstanceKind<'tcx>)
        -> Option<&'tcx mir::coverage::CoverageIdsInfo> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx mir::coverage::CoverageIdsInfo>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.coverage_ids_info,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " The `DefId` is the `DefId` of the containing MIR body. Promoteds do not have their own"]
    #[doc =
    " `DefId`. This function returns all promoteds in the specified body. The body references"]
    #[doc =
    " promoteds by the `DefId` and the `mir::Promoted` index. This is necessary, because"]
    #[doc =
    " after inlining a body may refer to promoteds from other bodies. In that case you still"]
    #[doc = " need to use the `DefId` of the original body."]
    #[inline(always)]
    pub fn promoted_mir(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx IndexVec<mir::Promoted, mir::Body<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx IndexVec<mir::Promoted,
                mir::Body<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.promoted_mir,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Erases regions from `ty` to yield a new type."]
    #[doc =
    " Normally you would just use `tcx.erase_and_anonymize_regions(value)`,"]
    #[doc = " however, which uses this query as a kind of cache."]
    #[inline(always)]
    pub fn erase_and_anonymize_regions_ty(self, key: Ty<'tcx>) -> Ty<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<Ty<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.erase_and_anonymize_regions_ty,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting wasm import module map"]
    #[inline(always)]
    pub fn wasm_import_module_map(self, key: CrateNum)
        -> &'tcx DefIdMap<String> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx DefIdMap<String>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.wasm_import_module_map,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the explicitly user-written *predicates and bounds* of the trait given by `DefId`."]
    #[doc = ""]
    #[doc = " Traits are unusual, because predicates on associated types are"]
    #[doc =
    " converted into bounds on that type for backwards compatibility:"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait X where Self::U: Copy { type U; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc = " becomes"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait X { type U: Copy; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " [`Self::explicit_predicates_of`] and [`Self::explicit_item_bounds`] will"]
    #[doc = " then take the appropriate subsets of the predicates here."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc = " This query will panic if the given definition is not a trait."]
    #[inline(always)]
    pub fn trait_explicit_predicates_and_bounds(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> ty::GenericPredicates<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::GenericPredicates<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.trait_explicit_predicates_and_bounds,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the explicitly user-written *predicates* of the definition given by `DefId`"]
    #[doc =
    " that must be proven true at usage sites (and which can be assumed at definition site)."]
    #[doc = ""]
    #[doc =
    " You should probably use [`TyCtxt::predicates_of`] unless you\'re looking for"]
    #[doc = " predicates with explicit spans for diagnostics purposes."]
    #[inline(always)]
    pub fn explicit_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::GenericPredicates<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::GenericPredicates<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.explicit_predicates_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the *inferred outlives-predicates* of the item given by `DefId`."]
    #[doc = ""]
    #[doc =
    " E.g., for `struct Foo<\'a, T> { x: &\'a T }`, this would return `[T: \'a]`."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_inferred_outlives]` on an item to basically"]
    #[doc =
    " print the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    pub fn inferred_outlives_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [(ty::Clause<'tcx>, Span)] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [(ty::Clause<'tcx>,
                Span)]>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.inferred_outlives_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the explicitly user-written *super-predicates* of the trait given by `DefId`."]
    #[doc = ""]
    #[doc =
    " These predicates are unelaborated and consequently don\'t contain transitive super-predicates."]
    #[doc = ""]
    #[doc =
    " This is a subset of the full list of predicates. We store these in a separate map"]
    #[doc =
    " because we must evaluate them even during type conversion, often before the full"]
    #[doc =
    " predicates are available (note that super-predicates must not be cyclic)."]
    #[inline(always)]
    pub fn explicit_super_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                &'tcx [(ty::Clause<'tcx>,
                Span)]>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.explicit_super_predicates_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " The predicates of the trait that are implied during elaboration."]
    #[doc = ""]
    #[doc =
    " This is a superset of the super-predicates of the trait, but a subset of the predicates"]
    #[doc =
    " of the trait. For regular traits, this includes all super-predicates and their"]
    #[doc =
    " associated type bounds. For trait aliases, currently, this includes all of the"]
    #[doc = " predicates of the trait alias."]
    #[inline(always)]
    pub fn explicit_implied_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                &'tcx [(ty::Clause<'tcx>,
                Span)]>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.explicit_implied_predicates_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " The Ident is the name of an associated type.The query returns only the subset"]
    #[doc =
    " of supertraits that define the given associated type. This is used to avoid"]
    #[doc =
    " cycles in resolving type-dependent associated item paths like `T::Item`."]
    #[inline(always)]
    pub fn explicit_supertraits_containing_assoc_item(self,
        key: (DefId, rustc_span::Ident))
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                &'tcx [(ty::Clause<'tcx>,
                Span)]>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.explicit_supertraits_containing_assoc_item,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Compute the conditions that need to hold for a conditionally-const item to be const."]
    #[doc =
    " That is, compute the set of `[const]` where clauses for a given item."]
    #[doc = ""]
    #[doc =
    " This can be thought of as the `[const]` equivalent of `predicates_of`. These are the"]
    #[doc =
    " predicates that need to be proven at usage sites, and can be assumed at definition."]
    #[doc = ""]
    #[doc =
    " This query also computes the `[const]` where clauses for associated types, which are"]
    #[doc =
    " not \"const\", but which have item bounds which may be `[const]`. These must hold for"]
    #[doc = " the `[const]` item bound to hold."]
    #[inline(always)]
    pub fn const_conditions(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::ConstConditions<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::ConstConditions<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.const_conditions,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Compute the const bounds that are implied for a conditionally-const item."]
    #[doc = ""]
    #[doc =
    " This can be though of as the `[const]` equivalent of `explicit_item_bounds`. These"]
    #[doc =
    " are the predicates that need to proven at definition sites, and can be assumed at"]
    #[doc = " usage sites."]
    #[inline(always)]
    pub fn explicit_implied_const_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::PolyTraitRef<'tcx>, Span)]> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                &'tcx [(ty::PolyTraitRef<'tcx>,
                Span)]>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.explicit_implied_const_bounds,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " To avoid cycles within the predicates of a single item we compute"]
    #[doc = " per-type-parameter predicates for resolving `T::AssocTy`."]
    #[inline(always)]
    pub fn type_param_predicates(self,
        key: (LocalDefId, LocalDefId, rustc_span::Ident))
        -> ty::EarlyBinder<'tcx, &'tcx [(ty::Clause<'tcx>, Span)]> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                &'tcx [(ty::Clause<'tcx>,
                Span)]>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_param_predicates,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing trait definition for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn trait_def(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx ty::TraitDef {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::TraitDef>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.trait_def,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing ADT definition for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_def(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::AdtDef<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::AdtDef<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.adt_def,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `Drop` impl for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_destructor(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<ty::Destructor> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<ty::Destructor>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.adt_destructor,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `AsyncDrop` impl for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_async_destructor(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<ty::AsyncDestructor> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<ty::AsyncDestructor>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.adt_async_destructor,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the sizedness constraint for  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    pub fn adt_sizedness_constraint(self, key: (DefId, SizedTraitKind))
        -> Option<ty::EarlyBinder<'tcx, Ty<'tcx>>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<ty::EarlyBinder<'tcx,
                Ty<'tcx>>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.adt_sizedness_constraint,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing drop-check constraints for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_dtorck_constraint(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx DropckConstraint<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx DropckConstraint<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.adt_dtorck_constraint,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the constness of the function-like[^1] definition given by `DefId`."]
    #[doc = ""]
    #[doc =
    " Tuple struct/variant constructors are *always* const, foreign functions are"]
    #[doc =
    " *never* const. The rest is const iff marked with keyword `const` (or rather"]
    #[doc = " its parent in the case of associated functions)."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly. It is only meant to cache the base data for the"]
    #[doc =
    " higher-level functions. Consider using `is_const_fn` or `is_const_trait_impl` instead."]
    #[doc = ""]
    #[doc =
    " Also note that neither of them takes into account feature gates, stability and"]
    #[doc = " const predicates/conditions!"]
    #[doc = ""]
    #[doc = " </div>"]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not function-like[^1]."]
    #[doc = ""]
    #[doc =
    " [^1]: Tuple struct/variant constructors, closures and free, associated and foreign functions."]
    #[inline(always)]
    pub fn constness(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> hir::Constness {
        use crate::query::{erase, inner};
        erase::restore_val::<hir::Constness>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.constness,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the function is async:  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn asyncness(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::Asyncness {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::Asyncness>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.asyncness,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns `true` if calls to the function may be promoted."]
    #[doc = ""]
    #[doc =
    " This is either because the function is e.g., a tuple-struct or tuple-variant"]
    #[doc =
    " constructor, or because it has the `#[rustc_promotable]` attribute. The attribute should"]
    #[doc =
    " be removed in the future in favour of some form of check which figures out whether the"]
    #[doc =
    " function does not inspect the bits of any of its arguments (so is essentially just a"]
    #[doc = " constructor function)."]
    #[inline(always)]
    pub fn is_promotable_const_fn(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_promotable_const_fn,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " The body of the coroutine, modified to take its upvars by move rather than by ref."]
    #[doc = ""]
    #[doc =
    " This is used by coroutine-closures, which must return a different flavor of coroutine"]
    #[doc =
    " when called using `AsyncFnOnce::call_once`. It is produced by the `ByMoveBody` pass which"]
    #[doc =
    " is run right after building the initial MIR, and will only be populated for coroutines"]
    #[doc = " which come out of the async closure desugaring."]
    #[inline(always)]
    pub fn coroutine_by_move_body_def_id(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> DefId {
        use crate::query::{erase, inner};
        erase::restore_val::<DefId>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.coroutine_by_move_body_def_id,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns `Some(coroutine_kind)` if the node pointed to by `def_id` is a coroutine."]
    #[inline(always)]
    pub fn coroutine_kind(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<hir::CoroutineKind> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<hir::CoroutineKind>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.coroutine_kind,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] Given a coroutine-closure def id, return the def id of the coroutine returned by it"]
    #[inline(always)]
    pub fn coroutine_for_closure(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> DefId {
        use crate::query::{erase, inner};
        erase::restore_val::<DefId>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.coroutine_for_closure,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the hidden types stored across await points in a coroutine"]
    #[inline(always)]
    pub fn coroutine_hidden_types(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        ->
            ty::EarlyBinder<'tcx,
            ty::Binder<'tcx, ty::CoroutineWitnessTypes<TyCtxt<'tcx>>>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                ty::Binder<'tcx,
                ty::CoroutineWitnessTypes<TyCtxt<'tcx>>>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.coroutine_hidden_types,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Gets a map with the variances of every item in the local crate."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::variances_of`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_variances(self, key: ())
        -> &'tcx ty::CrateVariancesMap<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::CrateVariancesMap<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.crate_variances,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns the (inferred) variances of the item given by `DefId`."]
    #[doc = ""]
    #[doc =
    " The list of variances corresponds to the list of (early-bound) generic"]
    #[doc = " parameters of the item (including its parents)."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_variances]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    pub fn variances_of(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [ty::Variance] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [ty::Variance]>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.variances_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Gets a map with the inferred outlives-predicates of every item in the local crate."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::inferred_outlives_of`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn inferred_outlives_crate(self, key: ())
        -> &'tcx ty::CratePredicatesMap<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::CratePredicatesMap<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.inferred_outlives_crate,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Maps from an impl/trait or struct/variant `DefId`"]
    #[doc = " to a list of the `DefId`s of its associated items or fields."]
    #[inline(always)]
    pub fn associated_item_def_ids(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> &'tcx [DefId] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DefId]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.associated_item_def_ids,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Maps from a trait/impl item to the trait/impl item \"descriptor\"."]
    #[inline(always)]
    pub fn associated_item(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::AssocItem {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::AssocItem>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.associated_item,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Collects the associated items defined on a trait or impl."]
    #[inline(always)]
    pub fn associated_items(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx ty::AssocItems {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::AssocItems>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.associated_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Maps from associated items on a trait to the corresponding associated"]
    #[doc = " item on the impl specified by `impl_id`."]
    #[doc = ""]
    #[doc = " For example, with the following code"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " struct Type {}"]
    #[doc = "                         // DefId"]
    #[doc = " trait Trait {           // trait_id"]
    #[doc = "     fn f();             // trait_f"]
    #[doc = "     fn g() {}           // trait_g"]
    #[doc = " }"]
    #[doc = ""]
    #[doc = " impl Trait for Type {   // impl_id"]
    #[doc = "     fn f() {}           // impl_f"]
    #[doc = "     fn g() {}           // impl_g"]
    #[doc = " }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " The map returned for `tcx.impl_item_implementor_ids(impl_id)` would be"]
    #[doc = "`{ trait_f: impl_f, trait_g: impl_g }`"]
    #[inline(always)]
    pub fn impl_item_implementor_ids(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx DefIdMap<DefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx DefIdMap<DefId>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.impl_item_implementor_ids,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Given the `item_def_id` of a trait or impl, return a mapping from associated fn def id"]
    #[doc =
    " to its associated type items that correspond to the RPITITs in its signature."]
    #[inline(always)]
    pub fn associated_types_for_impl_traits_in_trait_or_impl(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx DefIdMap<Vec<DefId>> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx DefIdMap<Vec<DefId>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.associated_types_for_impl_traits_in_trait_or_impl,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Given an `impl_id`, return the trait it implements along with some header information."]
    #[inline(always)]
    pub fn impl_trait_header(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::ImplTraitHeader<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::ImplTraitHeader<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.impl_trait_header,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Given an `impl_def_id`, return true if the self type is guaranteed to be unsized due"]
    #[doc =
    " to either being one of the built-in unsized types (str/slice/dyn) or to be a struct"]
    #[doc = " whose tail is one of those types."]
    #[inline(always)]
    pub fn impl_self_is_guaranteed_unsized(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.impl_self_is_guaranteed_unsized,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Maps a `DefId` of a type to a list of its inherent impls."]
    #[doc =
    " Contains implementations of methods that are inherent to a type."]
    #[doc = " Methods in these implementations don\'t need to be exported."]
    #[inline(always)]
    pub fn inherent_impls(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [DefId] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DefId]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.inherent_impls,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting all inherent impls for `{:?}`"]
    #[inline(always)]
    pub fn incoherent_impls(self, key: SimplifiedType) -> &'tcx [DefId] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DefId]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.incoherent_impls,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Unsafety-check this `LocalDefId`."]
    #[inline(always)]
    pub fn check_transmutes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_transmutes,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Unsafety-check this `LocalDefId`."]
    #[inline(always)]
    pub fn check_unsafety(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_unsafety,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Checks well-formedness of tail calls (`become f()`)."]
    #[inline(always)]
    pub fn check_tail_calls(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_tail_calls,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the types assumed to be well formed while \"inside\" of the given item."]
    #[doc = ""]
    #[doc =
    " Note that we\'ve liberated the late bound regions of function signatures, so"]
    #[doc =
    " this can not be used to check whether these types are well formed."]
    #[inline(always)]
    pub fn assumed_wf_types(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx [(Ty<'tcx>, Span)] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [(Ty<'tcx>,
                Span)]>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.assumed_wf_types,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " We need to store the assumed_wf_types for an RPITIT so that impls of foreign"]
    #[doc =
    " traits with return-position impl trait in traits can inherit the right wf types."]
    #[inline(always)]
    pub fn assumed_wf_types_for_rpitit(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [(Ty<'tcx>, Span)] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [(Ty<'tcx>,
                Span)]>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.assumed_wf_types_for_rpitit,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Computes the signature of the function."]
    #[inline(always)]
    pub fn fn_sig(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::EarlyBinder<'tcx, ty::PolyFnSig<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::EarlyBinder<'tcx,
                ty::PolyFnSig<'tcx>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.fn_sig,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Performs lint checking for the module."]
    #[inline(always)]
    pub fn lint_mod(self, key: LocalModDefId) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.lint_mod,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking unused trait imports in crate"]
    #[inline(always)]
    pub fn check_unused_traits(self, key: ()) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_unused_traits,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Checks the attributes in the module."]
    #[inline(always)]
    pub fn check_mod_attrs(self, key: LocalModDefId) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_mod_attrs,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Checks for uses of unstable APIs in the module."]
    #[inline(always)]
    pub fn check_mod_unstable_api_usage(self, key: LocalModDefId) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_mod_unstable_api_usage,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking privacy in  `describe_as_module(key.to_local_def_id(), tcx)` "]
    #[inline(always)]
    pub fn check_mod_privacy(self, key: LocalModDefId) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_mod_privacy,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking liveness of variables in  `tcx.def_path_str(key.to_def_id())` "]
    #[inline(always)]
    pub fn check_liveness(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx rustc_index::bit_set::DenseBitSet<abi::FieldIdx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_index::bit_set::DenseBitSet<abi::FieldIdx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.check_liveness,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Return the live symbols in the crate for dead code check."]
    #[doc = ""]
    #[doc =
    " The second return value maps from ADTs to ignored derived traits (e.g. Debug and Clone)."]
    #[inline(always)]
    pub fn live_symbols_and_ignored_derived_traits(self, key: ())
        ->
            &'tcx Result<(LocalDefIdSet, LocalDefIdMap<FxIndexSet<DefId>>),
            ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Result<(LocalDefIdSet,
                LocalDefIdMap<FxIndexSet<DefId>>),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.live_symbols_and_ignored_derived_traits,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking deathness of variables in  `describe_as_module(key, tcx)` "]
    #[inline(always)]
    pub fn check_mod_deathness(self, key: LocalModDefId) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_mod_deathness,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that types are well-formed"]
    #[inline(always)]
    pub fn check_type_wf(self, key: ()) -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_type_wf,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Caches `CoerceUnsized` kinds for impls on custom types."]
    #[inline(always)]
    pub fn coerce_unsized_info(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<ty::adjustment::CoerceUnsizedInfo, ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<ty::adjustment::CoerceUnsizedInfo,
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.coerce_unsized_info,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] type-checking  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn typeck(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx ty::TypeckResults<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::TypeckResults<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.typeck,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding used_trait_imports  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn used_trait_imports(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx UnordSet<LocalDefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx UnordSet<LocalDefId>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.used_trait_imports,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] coherence checking all impls of trait  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn coherent_trait(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.coherent_trait,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Borrow-checks the given typeck root, e.g. functions, const/static items,"]
    #[doc = " and its children, e.g. closures, inline consts."]
    #[inline(always)]
    pub fn mir_borrowck(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        ->
            Result<&'tcx FxIndexMap<LocalDefId,
            ty::DefinitionSiteHiddenType<'tcx>>, ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx FxIndexMap<LocalDefId,
                ty::DefinitionSiteHiddenType<'tcx>>,
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.mir_borrowck,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Gets a complete map from all types to their inherent impls."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls(self, key: ())
        -> (&'tcx CrateInherentImpls, Result<(), ErrorGuaranteed>) {
        use crate::query::{erase, inner};
        erase::restore_val::<(&'tcx CrateInherentImpls,
                Result<(),
                ErrorGuaranteed>)>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.crate_inherent_impls,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Checks all types in the crate for overlap in their inherent impls. Reports errors."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls_validity_check(self, key: ())
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.crate_inherent_impls_validity_check,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Checks all types in the crate for overlap in their inherent impls. Reports errors."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls_overlap_check(self, key: ())
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.crate_inherent_impls_overlap_check,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Checks whether all impls in the crate pass the overlap check, returning"]
    #[doc =
    " which impls fail it. If all impls are correct, the returned slice is empty."]
    #[inline(always)]
    pub fn orphan_check_impl(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.orphan_check_impl,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Return the set of (transitive) callees that may result in a recursive call to `key`,"]
    #[doc = " if we were able to walk all callees."]
    #[inline(always)]
    pub fn mir_callgraph_cyclic(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx Option<UnordSet<LocalDefId>> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Option<UnordSet<LocalDefId>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.mir_callgraph_cyclic,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Obtain all the calls into other local functions"]
    #[inline(always)]
    pub fn mir_inliner_callees(self, key: ty::InstanceKind<'tcx>)
        -> &'tcx [(DefId, GenericArgsRef<'tcx>)] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [(DefId,
                GenericArgsRef<'tcx>)]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.mir_inliner_callees,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Computes the tag (if any) for a given type and variant."]
    #[doc = ""]
    #[doc =
    " `None` means that the variant doesn\'t need a tag (because it is niched)."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic for uninhabited variants and if the passed type is not an enum."]
    #[inline(always)]
    pub fn tag_for_variant(self,
        key: PseudoCanonicalInput<'tcx, (Ty<'tcx>, abi::VariantIdx)>)
        -> Option<ty::ScalarInt> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<ty::ScalarInt>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.tag_for_variant,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Evaluates a constant and returns the computed allocation."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::eval_to_const_value_raw`] or"]
    #[doc = " [`Self::eval_to_valtree`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn eval_to_allocation_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>)
        -> EvalToAllocationRawResult<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<EvalToAllocationRawResult<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.eval_to_allocation_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Evaluate a static\'s initializer, returning the allocation of the initializer\'s memory."]
    #[inline(always)]
    pub fn eval_static_initializer(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> EvalStaticInitializerRawResult<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<EvalStaticInitializerRawResult<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.eval_static_initializer,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Evaluates const items or anonymous constants[^1] into a representation"]
    #[doc = " suitable for the type system and const generics."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this** directly, use one of the following wrappers:"]
    #[doc = " [`TyCtxt::const_eval_poly`], [`TyCtxt::const_eval_resolve`],"]
    #[doc =
    " [`TyCtxt::const_eval_instance`], or [`TyCtxt::const_eval_global_id`]."]
    #[doc = ""]
    #[doc = " </div>"]
    #[doc = ""]
    #[doc =
    " [^1]: Such as enum variant explicit discriminants or array lengths."]
    #[inline(always)]
    pub fn eval_to_const_value_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>)
        -> EvalToConstValueResult<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<EvalToConstValueResult<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.eval_to_const_value_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Evaluate a constant and convert it to a type level constant or"]
    #[doc = " return `None` if that is not possible."]
    #[inline(always)]
    pub fn eval_to_valtree(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>)
        -> EvalToValTreeResult<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<EvalToValTreeResult<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.eval_to_valtree,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Converts a type-level constant value into a MIR constant value."]
    #[inline(always)]
    pub fn valtree_to_const_val(self, key: ty::Value<'tcx>)
        -> mir::ConstValue {
        use crate::query::{erase, inner};
        erase::restore_val::<mir::ConstValue>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.valtree_to_const_val,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] converting literal to const"]
    #[inline(always)]
    pub fn lit_to_const(self, key: LitToConstInput<'tcx>)
        -> Option<ty::Value<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<ty::Value<'tcx>>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.lit_to_const,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] match-checking  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn check_match(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_match,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Performs part of the privacy check and computes effective visibilities."]
    #[inline(always)]
    pub fn effective_visibilities(self, key: ())
        -> &'tcx EffectiveVisibilities {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx EffectiveVisibilities>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.effective_visibilities,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking for private elements in public interfaces for  `describe_as_module(module_def_id, tcx)` "]
    #[inline(always)]
    pub fn check_private_in_public(self, key: LocalModDefId) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_private_in_public,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] reachability"]
    #[inline(always)]
    pub fn reachable_set(self, key: ()) -> &'tcx LocalDefIdSet {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx LocalDefIdSet>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.reachable_set,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Per-body `region::ScopeTree`. The `DefId` should be the owner `DefId` for the body;"]
    #[doc =
    " in the case of closures, this will be redirected to the enclosing function."]
    #[inline(always)]
    pub fn region_scope_tree(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx crate::middle::region::ScopeTree {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx crate::middle::region::ScopeTree>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.region_scope_tree,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Generates a MIR body for the shim."]
    #[inline(always)]
    pub fn mir_shims(self, key: ty::InstanceKind<'tcx>)
        -> &'tcx mir::Body<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx mir::Body<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.mir_shims,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " The `symbol_name` query provides the symbol name for calling a"]
    #[doc =
    " given instance from the local crate. In particular, it will also"]
    #[doc =
    " look up the correct symbol name of instances from upstream crates."]
    #[inline(always)]
    pub fn symbol_name(self, key: ty::Instance<'tcx>)
        -> ty::SymbolName<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::SymbolName<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.symbol_name,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up definition kind of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn def_kind(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> DefKind {
        use crate::query::{erase, inner};
        erase::restore_val::<DefKind>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.def_kind,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Gets the span for the definition."]
    #[inline(always)]
    pub fn def_span(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Span {
        use crate::query::{erase, inner};
        erase::restore_val::<Span>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.def_span,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Gets the span for the identifier of the definition."]
    #[inline(always)]
    pub fn def_ident_span(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<Span> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<Span>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.def_ident_span,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Gets the span for the type of the definition."]
    #[doc = " Panics if it is not a definition that has a single type."]
    #[inline(always)]
    pub fn ty_span(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Span {
        use crate::query::{erase, inner};
        erase::restore_val::<Span>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.ty_span,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn lookup_stability(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<hir::Stability> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<hir::Stability>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.lookup_stability,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up const stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn lookup_const_stability(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<hir::ConstStability> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<hir::ConstStability>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.lookup_const_stability,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up default body stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn lookup_default_body_stability(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<hir::DefaultBodyStability> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<hir::DefaultBodyStability>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.lookup_default_body_stability,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing should_inherit_track_caller of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn should_inherit_track_caller(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.should_inherit_track_caller,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing inherited_align of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn inherited_align(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<Align> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<Align>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.inherited_align,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is deprecated"]
    #[inline(always)]
    pub fn lookup_deprecation_entry(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<DeprecationEntry> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<DeprecationEntry>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.lookup_deprecation_entry,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Determines whether an item is annotated with `#[doc(hidden)]`."]
    #[inline(always)]
    pub fn is_doc_hidden(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_doc_hidden,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Determines whether an item is annotated with `#[doc(notable_trait)]`."]
    #[inline(always)]
    pub fn is_doc_notable_trait(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_doc_notable_trait,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns the attributes on the item at `def_id`."]
    #[doc = ""]
    #[doc = " Do not use this directly, use `tcx.get_attrs` instead."]
    #[inline(always)]
    pub fn attrs_for_def(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [hir::Attribute] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [hir::Attribute]>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.attrs_for_def,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns the `CodegenFnAttrs` for the item at `def_id`."]
    #[doc = ""]
    #[doc =
    " If possible, use `tcx.codegen_instance_attrs` instead. That function takes the"]
    #[doc = " instance kind into account."]
    #[doc = ""]
    #[doc =
    " For example, the `#[naked]` attribute should be applied for `InstanceKind::Item`,"]
    #[doc =
    " but should not be applied if the instance kind is `InstanceKind::ReifyShim`."]
    #[doc =
    " Using this query would include the attribute regardless of the actual instance"]
    #[doc = " kind at the call site."]
    #[inline(always)]
    pub fn codegen_fn_attrs(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx CodegenFnAttrs {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx CodegenFnAttrs>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.codegen_fn_attrs,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing target features for inline asm of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn asm_target_features(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx FxIndexSet<Symbol> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx FxIndexSet<Symbol>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.asm_target_features,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up function parameter identifiers for  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn fn_arg_idents(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [Option<rustc_span::Ident>] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [Option<rustc_span::Ident>]>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.fn_arg_idents,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Gets the rendered value of the specified constant or associated constant."]
    #[doc = " Used by rustdoc."]
    #[inline(always)]
    pub fn rendered_const(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx String {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx String>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.rendered_const,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Gets the rendered precise capturing args for an opaque for use in rustdoc."]
    #[inline(always)]
    pub fn rendered_precise_capturing_args(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<&'tcx [PreciseCapturingArgKind<Symbol, Symbol>]> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx [PreciseCapturingArgKind<Symbol,
                Symbol>]>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.rendered_precise_capturing_args,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing specialization parent impl of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn impl_parent(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<DefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<DefId>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.impl_parent,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if item has MIR available:  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn is_mir_available(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_mir_available,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding all existential vtable entries for trait  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn own_existential_vtable_entries(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> &'tcx [DefId] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DefId]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.own_existential_vtable_entries,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding all vtable entries for trait  `tcx.def_path_str(key.def_id)` "]
    #[inline(always)]
    pub fn vtable_entries(self, key: ty::TraitRef<'tcx>)
        -> &'tcx [ty::VtblEntry<'tcx>] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [ty::VtblEntry<'tcx>]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.vtable_entries,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding the slot within the vtable of  `key.self_ty()`  for the implementation of  `key.print_only_trait_name()` "]
    #[inline(always)]
    pub fn first_method_vtable_slot(self, key: ty::TraitRef<'tcx>) -> usize {
        use crate::query::{erase, inner};
        erase::restore_val::<usize>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.first_method_vtable_slot,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding the slot within vtable for trait object  `key.1`  vtable ptr during trait upcasting coercion from  `key.0`  vtable"]
    #[inline(always)]
    pub fn supertrait_vtable_slot(self, key: (Ty<'tcx>, Ty<'tcx>))
        -> Option<usize> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<usize>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.supertrait_vtable_slot,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] vtable const allocation for < `key.0`  as  `key.1.map(| trait_ref | format!\n(\"{trait_ref}\")).unwrap_or_else(| | \"_\".to_owned())` >"]
    #[inline(always)]
    pub fn vtable_allocation(self,
        key: (Ty<'tcx>, Option<ty::ExistentialTraitRef<'tcx>>))
        -> mir::interpret::AllocId {
        use crate::query::{erase, inner};
        erase::restore_val::<mir::interpret::AllocId>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.vtable_allocation,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing candidate for  `key.value` "]
    #[inline(always)]
    pub fn codegen_select_candidate(self,
        key: PseudoCanonicalInput<'tcx, ty::TraitRef<'tcx>>)
        -> Result<&'tcx ImplSource<'tcx, ()>, CodegenObligationError> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx ImplSource<'tcx, ()>,
                CodegenObligationError>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.codegen_select_candidate,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Return all `impl` blocks in the current crate."]
    #[inline(always)]
    pub fn all_local_trait_impls(self, key: ())
        ->
            &'tcx rustc_data_structures::fx::FxIndexMap<DefId,
            Vec<LocalDefId>> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_data_structures::fx::FxIndexMap<DefId,
                Vec<LocalDefId>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.all_local_trait_impls,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Return all `impl` blocks of the given trait in the current crate."]
    #[inline(always)]
    pub fn local_trait_impls(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> &'tcx [LocalDefId] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [LocalDefId]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.local_trait_impls,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Given a trait `trait_id`, return all known `impl` blocks."]
    #[inline(always)]
    pub fn trait_impls_of(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx ty::trait_def::TraitImpls {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::trait_def::TraitImpls>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.trait_impls_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] building specialization graph of trait  `tcx.def_path_str(trait_id)` "]
    #[inline(always)]
    pub fn specialization_graph_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<&'tcx specialization_graph::Graph, ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx specialization_graph::Graph,
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.specialization_graph_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining dyn-compatibility of trait  `tcx.def_path_str(trait_id)` "]
    #[inline(always)]
    pub fn dyn_compatibility_violations(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [DynCompatibilityViolation] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DynCompatibilityViolation]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.dyn_compatibility_violations,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if trait  `tcx.def_path_str(trait_id)`  is dyn-compatible"]
    #[inline(always)]
    pub fn is_dyn_compatible(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_dyn_compatible,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Gets the ParameterEnvironment for a given item; this environment"]
    #[doc =
    " will be in \"user-facing\" mode, meaning that it is suitable for"]
    #[doc = " type-checking etc, and it does not normalize specializable"]
    #[doc = " associated types."]
    #[doc = ""]
    #[doc =
    " You should almost certainly not use this. If you already have an InferCtxt, then"]
    #[doc =
    " you should also probably have a `ParamEnv` from when it was built. If you don\'t,"]
    #[doc =
    " then you should take a `TypingEnv` to ensure that you handle opaque types correctly."]
    #[inline(always)]
    pub fn param_env(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::ParamEnv<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::ParamEnv<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.param_env,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Like `param_env`, but returns the `ParamEnv` after all opaque types have been"]
    #[doc =
    " replaced with their hidden type. This is used in the old trait solver"]
    #[doc = " when in `PostAnalysis` mode and should not be called directly."]
    #[inline(always)]
    pub fn typing_env_normalized_for_post_analysis(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> ty::TypingEnv<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::TypingEnv<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.typing_env_normalized_for_post_analysis,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Trait selection queries. These are best used by invoking `ty.is_copy_modulo_regions()`,"]
    #[doc =
    " `ty.is_copy()`, etc, since that will prune the environment where possible."]
    #[inline(always)]
    pub fn is_copy_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_copy_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Trait selection queries. These are best used by invoking `ty.is_use_cloned_modulo_regions()`,"]
    #[doc =
    " `ty.is_use_cloned()`, etc, since that will prune the environment where possible."]
    #[inline(always)]
    pub fn is_use_cloned_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_use_cloned_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Query backing `Ty::is_sized`."]
    #[inline(always)]
    pub fn is_sized_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_sized_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Query backing `Ty::is_freeze`."]
    #[inline(always)]
    pub fn is_freeze_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_freeze_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Query backing `Ty::is_unsafe_unpin`."]
    #[inline(always)]
    pub fn is_unsafe_unpin_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_unsafe_unpin_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Query backing `Ty::is_unpin`."]
    #[inline(always)]
    pub fn is_unpin_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_unpin_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Query backing `Ty::is_async_drop`."]
    #[inline(always)]
    pub fn is_async_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_async_drop_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Query backing `Ty::needs_drop`."]
    #[inline(always)]
    pub fn needs_drop_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.needs_drop_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Query backing `Ty::needs_async_drop`."]
    #[inline(always)]
    pub fn needs_async_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.needs_async_drop_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Query backing `Ty::has_significant_drop_raw`."]
    #[inline(always)]
    pub fn has_significant_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.has_significant_drop_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Query backing `Ty::is_structural_eq_shallow`."]
    #[doc = ""]
    #[doc =
    " This is only correct for ADTs. Call `is_structural_eq_shallow` to handle all types"]
    #[doc = " correctly."]
    #[inline(always)]
    pub fn has_structural_eq_impl(self, key: Ty<'tcx>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.has_structural_eq_impl,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " A list of types where the ADT requires drop if and only if any of"]
    #[doc =
    " those types require drop. If the ADT is known to always need drop"]
    #[doc = " then `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    pub fn adt_drop_tys(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<&'tcx ty::List<Ty<'tcx>>, AlwaysRequiresDrop> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx ty::List<Ty<'tcx>>,
                AlwaysRequiresDrop>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.adt_drop_tys,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " A list of types where the ADT requires async drop if and only if any of"]
    #[doc =
    " those types require async drop. If the ADT is known to always need async drop"]
    #[doc = " then `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    pub fn adt_async_drop_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<&'tcx ty::List<Ty<'tcx>>, AlwaysRequiresDrop> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx ty::List<Ty<'tcx>>,
                AlwaysRequiresDrop>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.adt_async_drop_tys,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " A list of types where the ADT requires drop if and only if any of those types"]
    #[doc =
    " has significant drop. A type marked with the attribute `rustc_insignificant_dtor`"]
    #[doc =
    " is considered to not be significant. A drop is significant if it is implemented"]
    #[doc =
    " by the user or does anything that will have any observable behavior (other than"]
    #[doc =
    " freeing up memory). If the ADT is known to have a significant destructor then"]
    #[doc = " `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    pub fn adt_significant_drop_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<&'tcx ty::List<Ty<'tcx>>, AlwaysRequiresDrop> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx ty::List<Ty<'tcx>>,
                AlwaysRequiresDrop>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.adt_significant_drop_tys,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns a list of types which (a) have a potentially significant destructor"]
    #[doc =
    " and (b) may be dropped as a result of dropping a value of some type `ty`"]
    #[doc = " (in the given environment)."]
    #[doc = ""]
    #[doc =
    " The idea of \"significant\" drop is somewhat informal and is used only for"]
    #[doc =
    " diagnostics and edition migrations. The idea is that a significant drop may have"]
    #[doc =
    " some visible side-effect on execution; freeing memory is NOT considered a side-effect."]
    #[doc = " The rules are as follows:"]
    #[doc =
    " * Type with no explicit drop impl do not have significant drop."]
    #[doc =
    " * Types with a drop impl are assumed to have significant drop unless they have a `#[rustc_insignificant_dtor]` annotation."]
    #[doc = ""]
    #[doc =
    " Note that insignificant drop is a \"shallow\" property. A type like `Vec<LockGuard>` does not"]
    #[doc =
    " have significant drop but the type `LockGuard` does, and so if `ty  = Vec<LockGuard>`"]
    #[doc = " then the return value would be `&[LockGuard]`."]
    #[doc =
    " *IMPORTANT*: *DO NOT* run this query before promoted MIR body is constructed,"]
    #[doc = " because this query partially depends on that query."]
    #[doc = " Otherwise, there is a risk of query cycles."]
    #[inline(always)]
    pub fn list_significant_drop_tys(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        -> &'tcx ty::List<Ty<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ty::List<Ty<'tcx>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.list_significant_drop_tys,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Computes the layout of a type. Note that this implicitly"]
    #[doc =
    " executes in `TypingMode::PostAnalysis`, and will normalize the input type."]
    #[inline(always)]
    pub fn layout_of(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)
        ->
            Result<ty::layout::TyAndLayout<'tcx>,
            &'tcx ty::layout::LayoutError<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<ty::layout::TyAndLayout<'tcx>,
                &'tcx ty::layout::LayoutError<'tcx>>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.layout_of,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Compute a `FnAbi` suitable for indirect calls, i.e. to `fn` pointers."]
    #[doc = ""]
    #[doc =
    " NB: this doesn\'t handle virtual calls - those should use `fn_abi_of_instance`"]
    #[doc = " instead, where the instance is an `InstanceKind::Virtual`."]
    #[inline(always)]
    pub fn fn_abi_of_fn_ptr(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::PolyFnSig<'tcx>, &'tcx ty::List<Ty<'tcx>>)>)
        ->
            Result<&'tcx rustc_target::callconv::FnAbi<'tcx, Ty<'tcx>>,
            &'tcx ty::layout::FnAbiError<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx rustc_target::callconv::FnAbi<'tcx,
                Ty<'tcx>>,
                &'tcx ty::layout::FnAbiError<'tcx>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.fn_abi_of_fn_ptr,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Compute a `FnAbi` suitable for declaring/defining an `fn` instance, and for direct calls*"]
    #[doc =
    " to an `fn`. Indirectly-passed parameters in the returned ABI might not include all possible"]
    #[doc =
    " codegen optimization attributes (such as `ReadOnly` or `CapturesNone`), as deducing these"]
    #[doc =
    " requires inspection of function bodies that can lead to cycles when performed during typeck."]
    #[doc =
    " Post typeck, you should prefer the optimized ABI returned by `TyCtxt::fn_abi_of_instance`."]
    #[doc = ""]
    #[doc =
    " NB: the ABI returned by this query must not differ from that returned by"]
    #[doc = "     `fn_abi_of_instance_raw` in any other way."]
    #[doc = ""]
    #[doc =
    " * that includes virtual calls, which are represented by \"direct calls\" to an"]
    #[doc =
    "   `InstanceKind::Virtual` instance (of `<dyn Trait as Trait>::fn`)."]
    #[inline(always)]
    pub fn fn_abi_of_instance_no_deduced_attrs(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::Instance<'tcx>, &'tcx ty::List<Ty<'tcx>>)>)
        ->
            Result<&'tcx rustc_target::callconv::FnAbi<'tcx, Ty<'tcx>>,
            &'tcx ty::layout::FnAbiError<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx rustc_target::callconv::FnAbi<'tcx,
                Ty<'tcx>>,
                &'tcx ty::layout::FnAbiError<'tcx>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.fn_abi_of_instance_no_deduced_attrs,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Compute a `FnAbi` suitable for declaring/defining an `fn` instance, and for direct calls*"]
    #[doc =
    " to an `fn`. Indirectly-passed parameters in the returned ABI will include applicable"]
    #[doc =
    " codegen optimization attributes, including `ReadOnly` and `CapturesNone` -- deduction of"]
    #[doc =
    " which requires inspection of function bodies that can lead to cycles when performed during"]
    #[doc =
    " typeck. During typeck, you should therefore use instead the unoptimized ABI returned by"]
    #[doc = " `fn_abi_of_instance_no_deduced_attrs`."]
    #[doc = ""]
    #[doc =
    " For performance reasons, you should prefer to call the inherent `TyCtxt::fn_abi_of_instance`"]
    #[doc =
    " method rather than invoke this query: it delegates to this query if necessary, but where"]
    #[doc =
    " possible delegates instead to the `fn_abi_of_instance_no_deduced_attrs` query (thus avoiding"]
    #[doc = " unnecessary query system overhead)."]
    #[doc = ""]
    #[doc =
    " * that includes virtual calls, which are represented by \"direct calls\" to an"]
    #[doc =
    "   `InstanceKind::Virtual` instance (of `<dyn Trait as Trait>::fn`)."]
    #[inline(always)]
    pub fn fn_abi_of_instance_raw(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::Instance<'tcx>, &'tcx ty::List<Ty<'tcx>>)>)
        ->
            Result<&'tcx rustc_target::callconv::FnAbi<'tcx, Ty<'tcx>>,
            &'tcx ty::layout::FnAbiError<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx rustc_target::callconv::FnAbi<'tcx,
                Ty<'tcx>>,
                &'tcx ty::layout::FnAbiError<'tcx>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.fn_abi_of_instance_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting dylib dependency formats of crate"]
    #[inline(always)]
    pub fn dylib_dependency_formats(self, key: CrateNum)
        -> &'tcx [(CrateNum, LinkagePreference)] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [(CrateNum,
                LinkagePreference)]>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.dylib_dependency_formats,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the linkage format of all dependencies"]
    #[inline(always)]
    pub fn dependency_formats(self, key: ())
        -> &'tcx Arc<crate::middle::dependency_format::Dependencies> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Arc<crate::middle::dependency_format::Dependencies>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.dependency_formats,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate is_compiler_builtins"]
    #[inline(always)]
    pub fn is_compiler_builtins(self, key: CrateNum) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_compiler_builtins,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_global_allocator"]
    #[inline(always)]
    pub fn has_global_allocator(self, key: CrateNum) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.has_global_allocator,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_alloc_error_handler"]
    #[inline(always)]
    pub fn has_alloc_error_handler(self, key: CrateNum) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.has_alloc_error_handler,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_panic_handler"]
    #[inline(always)]
    pub fn has_panic_handler(self, key: CrateNum) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.has_panic_handler,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if a crate is `#![profiler_runtime]`"]
    #[inline(always)]
    pub fn is_profiler_runtime(self, key: CrateNum) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_profiler_runtime,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(key)`  contains FFI-unwind calls"]
    #[inline(always)]
    pub fn has_ffi_unwind_calls(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.has_ffi_unwind_calls,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's required panic strategy"]
    #[inline(always)]
    pub fn required_panic_strategy(self, key: CrateNum)
        -> Option<PanicStrategy> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<PanicStrategy>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.required_panic_strategy,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's configured panic-in-drop strategy"]
    #[inline(always)]
    pub fn panic_in_drop_strategy(self, key: CrateNum) -> PanicStrategy {
        use crate::query::{erase, inner};
        erase::restore_val::<PanicStrategy>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.panic_in_drop_strategy,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting whether a crate has `#![no_builtins]`"]
    #[inline(always)]
    pub fn is_no_builtins(self, key: CrateNum) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_no_builtins,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's symbol mangling version"]
    #[inline(always)]
    pub fn symbol_mangling_version(self, key: CrateNum)
        -> SymbolManglingVersion {
        use crate::query::{erase, inner};
        erase::restore_val::<SymbolManglingVersion>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.symbol_mangling_version,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting crate's ExternCrateData"]
    #[inline(always)]
    pub fn extern_crate(self, key: CrateNum) -> Option<&'tcx ExternCrate> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx ExternCrate>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.extern_crate,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether the crate enabled `specialization`/`min_specialization`"]
    #[inline(always)]
    pub fn specialization_enabled_in(self, key: CrateNum) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.specialization_enabled_in,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing whether impls specialize one another"]
    #[inline(always)]
    pub fn specializes(self, key: (DefId, DefId)) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.specializes,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting traits in scope at a block"]
    #[inline(always)]
    pub fn in_scope_traits_map(self, key: hir::OwnerId)
        -> Option<&'tcx ItemLocalMap<&'tcx [TraitCandidate<'tcx>]>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx ItemLocalMap<&'tcx [TraitCandidate<'tcx>]>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.in_scope_traits_map,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns whether the impl or associated function has the `default` keyword."]
    #[doc =
    " Note: This will ICE on inherent impl items. Consider using `AssocItem::defaultness`."]
    #[inline(always)]
    pub fn defaultness(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> hir::Defaultness {
        use crate::query::{erase, inner};
        erase::restore_val::<hir::Defaultness>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.defaultness,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns whether the field corresponding to the `DefId` has a default field value."]
    #[inline(always)]
    pub fn default_field(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<DefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<DefId>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.default_field,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that  `tcx.def_path_str(key)`  is well-formed"]
    #[inline(always)]
    pub fn check_well_formed(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_well_formed,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that  `tcx.def_path_str(key)` 's generics are constrained by the impl header"]
    #[inline(always)]
    pub fn enforce_impl_non_lifetime_params_are_constrained(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.enforce_impl_non_lifetime_params_are_constrained,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the exported symbols of a crate"]
    #[inline(always)]
    pub fn reachable_non_generics(self, key: CrateNum)
        -> &'tcx DefIdMap<SymbolExportInfo> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx DefIdMap<SymbolExportInfo>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.reachable_non_generics,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is an exported symbol"]
    #[inline(always)]
    pub fn is_reachable_non_generic(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_reachable_non_generic,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is reachable from outside the crate"]
    #[inline(always)]
    pub fn is_unreachable_local_definition(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_unreachable_local_definition,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " The entire set of monomorphizations the local crate can safely"]
    #[doc = " link to because they are exported from upstream crates. Do"]
    #[doc = " not depend on this directly, as its value changes anytime"]
    #[doc = " a monomorphization gets added or removed in any upstream"]
    #[doc =
    " crate. Instead use the narrower `upstream_monomorphizations_for`,"]
    #[doc = " `upstream_drop_glue_for`, `upstream_async_drop_glue_for`, or,"]
    #[doc = " even better, `Instance::upstream_monomorphization()`."]
    #[inline(always)]
    pub fn upstream_monomorphizations(self, key: ())
        -> &'tcx DefIdMap<UnordMap<GenericArgsRef<'tcx>, CrateNum>> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx DefIdMap<UnordMap<GenericArgsRef<'tcx>,
                CrateNum>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.upstream_monomorphizations,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the set of upstream monomorphizations available for the"]
    #[doc =
    " generic function identified by the given `def_id`. The query makes"]
    #[doc =
    " sure to make a stable selection if the same monomorphization is"]
    #[doc = " available in multiple upstream crates."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[inline(always)]
    pub fn upstream_monomorphizations_for(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<&'tcx UnordMap<GenericArgsRef<'tcx>, CrateNum>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx UnordMap<GenericArgsRef<'tcx>,
                CrateNum>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.upstream_monomorphizations_for,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the upstream crate that exports drop-glue for the given"]
    #[doc =
    " type (`args` is expected to be a single-item list containing the"]
    #[doc = " type one wants drop-glue for)."]
    #[doc = ""]
    #[doc =
    " This is a subset of `upstream_monomorphizations_for` in order to"]
    #[doc =
    " increase dep-tracking granularity. Otherwise adding or removing any"]
    #[doc = " type with drop-glue in any upstream crate would invalidate all"]
    #[doc = " functions calling drop-glue of an upstream type."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[doc = ""]
    #[doc =
    " NOTE: This query could easily be extended to also support other"]
    #[doc =
    "       common functions that have are large set of monomorphizations"]
    #[doc = "       (like `Clone::clone` for example)."]
    #[inline(always)]
    pub fn upstream_drop_glue_for(self, key: GenericArgsRef<'tcx>)
        -> Option<CrateNum> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<CrateNum>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.upstream_drop_glue_for,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns the upstream crate that exports async-drop-glue for"]
    #[doc = " the given type (`args` is expected to be a single-item list"]
    #[doc = " containing the type one wants async-drop-glue for)."]
    #[doc = ""]
    #[doc = " This is a subset of `upstream_monomorphizations_for` in order"]
    #[doc = " to increase dep-tracking granularity. Otherwise adding or"]
    #[doc = " removing any type with async-drop-glue in any upstream crate"]
    #[doc = " would invalidate all functions calling async-drop-glue of an"]
    #[doc = " upstream type."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[doc = ""]
    #[doc =
    " NOTE: This query could easily be extended to also support other"]
    #[doc =
    "       common functions that have are large set of monomorphizations"]
    #[doc = "       (like `Clone::clone` for example)."]
    #[inline(always)]
    pub fn upstream_async_drop_glue_for(self, key: GenericArgsRef<'tcx>)
        -> Option<CrateNum> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<CrateNum>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.upstream_async_drop_glue_for,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns a list of all `extern` blocks of a crate."]
    #[inline(always)]
    pub fn foreign_modules(self, key: CrateNum)
        -> &'tcx FxIndexMap<DefId, ForeignModule> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx FxIndexMap<DefId,
                ForeignModule>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.foreign_modules,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Lint against `extern fn` declarations having incompatible types."]
    #[inline(always)]
    pub fn clashing_extern_declarations(self, key: ()) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.clashing_extern_declarations,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Identifies the entry-point (e.g., the `main` function) for a given"]
    #[doc =
    " crate, returning `None` if there is no entry point (such as for library crates)."]
    #[inline(always)]
    pub fn entry_fn(self, key: ()) -> Option<(DefId, EntryFnType)> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<(DefId,
                EntryFnType)>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.entry_fn,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Finds the `rustc_proc_macro_decls` item of a crate."]
    #[inline(always)]
    pub fn proc_macro_decls_static(self, key: ()) -> Option<LocalDefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<LocalDefId>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.proc_macro_decls_static,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the hash a crate"]
    #[inline(always)]
    pub fn crate_hash(self, key: CrateNum) -> Svh {
        use crate::query::{erase, inner};
        erase::restore_val::<Svh>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.crate_hash,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Gets the hash for the host proc macro. Used to support -Z dual-proc-macro."]
    #[inline(always)]
    pub fn crate_host_hash(self, key: CrateNum) -> Option<Svh> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<Svh>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.crate_host_hash,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Gets the extra data to put in each output filename for a crate."]
    #[doc =
    " For example, compiling the `foo` crate with `extra-filename=-a` creates a `libfoo-b.rlib` file."]
    #[inline(always)]
    pub fn extra_filename(self, key: CrateNum) -> &'tcx String {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx String>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.extra_filename,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Gets the paths where the crate came from in the file system."]
    #[inline(always)]
    pub fn crate_extern_paths(self, key: CrateNum) -> &'tcx Vec<PathBuf> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Vec<PathBuf>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.crate_extern_paths,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Given a crate and a trait, look up all impls of that trait in the crate."]
    #[doc = " Return `(impl_id, self_ty)`."]
    #[inline(always)]
    pub fn implementations_of_trait(self, key: (CrateNum, DefId))
        -> &'tcx [(DefId, Option<SimplifiedType>)] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [(DefId,
                Option<SimplifiedType>)]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.implementations_of_trait,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Collects all incoherent impls for the given crate and type."]
    #[doc = ""]
    #[doc =
    " Do not call this directly, but instead use the `incoherent_impls` query."]
    #[doc =
    " This query is only used to get the data necessary for that query."]
    #[inline(always)]
    pub fn crate_incoherent_impls(self, key: (CrateNum, SimplifiedType))
        -> &'tcx [DefId] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DefId]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.crate_incoherent_impls,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Get the corresponding native library from the `native_libraries` query"]
    #[inline(always)]
    pub fn native_library(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<&'tcx NativeLib> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx NativeLib>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.native_library,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] inheriting delegation signature"]
    #[inline(always)]
    pub fn inherit_sig_for_delegation_item(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx [Ty<'tcx>] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [Ty<'tcx>]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.inherit_sig_for_delegation_item,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Does lifetime resolution on items. Importantly, we can\'t resolve"]
    #[doc =
    " lifetimes directly on things like trait methods, because of trait params."]
    #[doc = " See `rustc_resolve::late::lifetimes` for details."]
    #[inline(always)]
    pub fn resolve_bound_vars(self, key: hir::OwnerId)
        -> &'tcx ResolveBoundVars<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx ResolveBoundVars<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.resolve_bound_vars,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up a named region inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    pub fn named_variable_map(self, key: hir::OwnerId)
        -> &'tcx SortedMap<ItemLocalId, ResolvedArg> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx SortedMap<ItemLocalId,
                ResolvedArg>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.named_variable_map,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] testing if a region is late bound inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    pub fn is_late_bound_map(self, key: hir::OwnerId)
        -> Option<&'tcx FxIndexSet<ItemLocalId>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx FxIndexSet<ItemLocalId>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.is_late_bound_map,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the *default lifetime* to be used if a trait object type were to be passed for"]
    #[doc = " the type parameter given by `DefId`."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_object_lifetime_defaults]` on an item to basically"]
    #[doc =
    " print the result of this query for use in UI tests or for debugging purposes."]
    #[doc = ""]
    #[doc = " # Examples"]
    #[doc = ""]
    #[doc =
    " - For `T` in `struct Foo<\'a, T: \'a>(&\'a T);`, this would be `Param(\'a)`"]
    #[doc =
    " - For `T` in `struct Bar<\'a, T>(&\'a T);`, this would be `Empty`"]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not a type parameter."]
    #[inline(always)]
    pub fn object_lifetime_default(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ObjectLifetimeDefault {
        use crate::query::{erase, inner};
        erase::restore_val::<ObjectLifetimeDefault>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.object_lifetime_default,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up late bound vars inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    pub fn late_bound_vars_map(self, key: hir::OwnerId)
        -> &'tcx SortedMap<ItemLocalId, Vec<ty::BoundVariableKind<'tcx>>> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx SortedMap<ItemLocalId,
                Vec<ty::BoundVariableKind<'tcx>>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.late_bound_vars_map,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " For an opaque type, return the list of (captured lifetime, inner generic param)."]
    #[doc = " ```ignore (illustrative)"]
    #[doc =
    " fn foo<\'a: \'a, \'b, T>(&\'b u8) -> impl Into<Self> + \'b { ... }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " We would return `[(\'a, \'_a), (\'b, \'_b)]`, with `\'a` early-bound and `\'b` late-bound."]
    #[doc = ""]
    #[doc = " After hir_ty_lowering, we get:"]
    #[doc = " ```ignore (pseudo-code)"]
    #[doc = " opaque foo::<\'a>::opaque<\'_a, \'_b>: Into<Foo<\'_a>> + \'_b;"]
    #[doc = "                          ^^^^^^^^ inner generic params"]
    #[doc =
    " fn foo<\'a>: for<\'b> fn(&\'b u8) -> foo::<\'a>::opaque::<\'a, \'b>"]
    #[doc =
    "                                                       ^^^^^^ captured lifetimes"]
    #[doc = " ```"]
    #[inline(always)]
    pub fn opaque_captured_lifetimes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> &'tcx [(ResolvedArg, LocalDefId)] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [(ResolvedArg,
                LocalDefId)]>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.opaque_captured_lifetimes,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Computes the visibility of the provided `def_id`."]
    #[doc = ""]
    #[doc =
    " If the item from the `def_id` doesn\'t have a visibility, it will panic. For example"]
    #[doc =
    " a generic type parameter will panic if you call this method on it:"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " use std::fmt::Debug;"]
    #[doc = ""]
    #[doc = " pub trait Foo<T: Debug> {}"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc = " In here, if you call `visibility` on `T`, it\'ll panic."]
    #[inline(always)]
    pub fn visibility(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::Visibility<DefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::Visibility<DefId>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.visibility,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the uninhabited predicate of `{:?}`"]
    #[inline(always)]
    pub fn inhabited_predicate_adt(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::inhabitedness::InhabitedPredicate<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::inhabitedness::InhabitedPredicate<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.inhabited_predicate_adt,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Do not call this query directly: invoke `Ty::inhabited_predicate` instead."]
    #[inline(always)]
    pub fn inhabited_predicate_type(self, key: Ty<'tcx>)
        -> ty::inhabitedness::InhabitedPredicate<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::inhabitedness::InhabitedPredicate<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.inhabited_predicate_type,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching what a dependency looks like"]
    #[inline(always)]
    pub fn crate_dep_kind(self, key: CrateNum) -> CrateDepKind {
        use crate::query::{erase, inner};
        erase::restore_val::<CrateDepKind>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.crate_dep_kind,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Gets the name of the crate."]
    #[inline(always)]
    pub fn crate_name(self, key: CrateNum) -> Symbol {
        use crate::query::{erase, inner};
        erase::restore_val::<Symbol>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.crate_name,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting child items of module  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn module_children(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [ModChild] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [ModChild]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.module_children,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Gets the number of definitions in a foreign crate."]
    #[doc = ""]
    #[doc =
    " This allows external tools to iterate over all definitions in a foreign crate."]
    #[doc = ""]
    #[doc =
    " This should never be used for the local crate, instead use `iter_local_def_id`."]
    #[inline(always)]
    pub fn num_extern_def_ids(self, key: CrateNum) -> usize {
        use crate::query::{erase, inner};
        erase::restore_val::<usize>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.num_extern_def_ids,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] calculating the lib features defined in a crate"]
    #[inline(always)]
    pub fn lib_features(self, key: CrateNum) -> &'tcx LibFeatures {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx LibFeatures>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.lib_features,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Mapping from feature name to feature name based on the `implied_by` field of `#[unstable]`"]
    #[doc =
    " attributes. If a `#[unstable(feature = \"implier\", implied_by = \"impliee\")]` attribute"]
    #[doc = " exists, then this map will have a `impliee -> implier` entry."]
    #[doc = ""]
    #[doc =
    " This mapping is necessary unless both the `#[stable]` and `#[unstable]` attributes should"]
    #[doc =
    " specify their implications (both `implies` and `implied_by`). If only one of the two"]
    #[doc =
    " attributes do (as in the current implementation, `implied_by` in `#[unstable]`), then this"]
    #[doc =
    " mapping is necessary for diagnostics. When a \"unnecessary feature attribute\" error is"]
    #[doc =
    " reported, only the `#[stable]` attribute information is available, so the map is necessary"]
    #[doc =
    " to know that the feature implies another feature. If it were reversed, and the `#[stable]`"]
    #[doc =
    " attribute had an `implies` meta item, then a map would be necessary when avoiding a \"use of"]
    #[doc = " unstable feature\" error for a feature that was implied."]
    #[inline(always)]
    pub fn stability_implications(self, key: CrateNum)
        -> &'tcx UnordMap<Symbol, Symbol> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx UnordMap<Symbol,
                Symbol>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.stability_implications,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Whether the function is an intrinsic"]
    #[inline(always)]
    pub fn intrinsic_raw(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<rustc_middle::ty::IntrinsicDef> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<rustc_middle::ty::IntrinsicDef>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.intrinsic_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the lang items defined in another crate by loading it from metadata."]
    #[inline(always)]
    pub fn get_lang_items(self, key: ()) -> &'tcx LanguageItems {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx LanguageItems>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.get_lang_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns all diagnostic items defined in all crates."]
    #[inline(always)]
    pub fn all_diagnostic_items(self, key: ())
        -> &'tcx rustc_hir::diagnostic_items::DiagnosticItems {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_hir::diagnostic_items::DiagnosticItems>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.all_diagnostic_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the lang items defined in another crate by loading it from metadata."]
    #[inline(always)]
    pub fn defined_lang_items(self, key: CrateNum)
        -> &'tcx [(DefId, LangItem)] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [(DefId,
                LangItem)]>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.defined_lang_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns the diagnostic items defined in a crate."]
    #[inline(always)]
    pub fn diagnostic_items(self, key: CrateNum)
        -> &'tcx rustc_hir::diagnostic_items::DiagnosticItems {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_hir::diagnostic_items::DiagnosticItems>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.diagnostic_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] calculating the missing lang items in a crate"]
    #[inline(always)]
    pub fn missing_lang_items(self, key: CrateNum) -> &'tcx [LangItem] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [LangItem]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.missing_lang_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " The visible parent map is a map from every item to a visible parent."]
    #[doc = " It prefers the shortest visible path to an item."]
    #[doc = " Used for diagnostics, for example path trimming."]
    #[doc = " The parents are modules, enums or traits."]
    #[inline(always)]
    pub fn visible_parent_map(self, key: ()) -> &'tcx DefIdMap<DefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx DefIdMap<DefId>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.visible_parent_map,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Collects the \"trimmed\", shortest accessible paths to all items for diagnostics."]
    #[doc =
    " See the [provider docs](`rustc_middle::ty::print::trimmed_def_paths`) for more info."]
    #[inline(always)]
    pub fn trimmed_def_paths(self, key: ()) -> &'tcx DefIdMap<Symbol> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx DefIdMap<Symbol>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.trimmed_def_paths,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] seeing if we're missing an `extern crate` item for this crate"]
    #[inline(always)]
    pub fn missing_extern_crate_item(self, key: CrateNum) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.missing_extern_crate_item,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking at the source for a crate"]
    #[inline(always)]
    pub fn used_crate_source(self, key: CrateNum) -> &'tcx Arc<CrateSource> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Arc<CrateSource>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.used_crate_source,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns the debugger visualizers defined for this crate."]
    #[doc =
    " NOTE: This query has to be marked `eval_always` because it reads data"]
    #[doc =
    "       directly from disk that is not tracked anywhere else. I.e. it"]
    #[doc = "       represents a genuine input to the query system."]
    #[inline(always)]
    pub fn debugger_visualizers(self, key: CrateNum)
        -> &'tcx Vec<DebuggerVisualizerFile> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Vec<DebuggerVisualizerFile>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.debugger_visualizers,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] generating a postorder list of CrateNums"]
    #[inline(always)]
    pub fn postorder_cnums(self, key: ()) -> &'tcx [CrateNum] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [CrateNum]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.postorder_cnums,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns whether or not the crate with CrateNum \'cnum\'"]
    #[doc = " is marked as a private dependency"]
    #[inline(always)]
    pub fn is_private_dep(self, key: CrateNum) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_private_dep,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the allocator kind for the current crate"]
    #[inline(always)]
    pub fn allocator_kind(self, key: ()) -> Option<AllocatorKind> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<AllocatorKind>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.allocator_kind,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] alloc error handler kind for the current crate"]
    #[inline(always)]
    pub fn alloc_error_handler_kind(self, key: ()) -> Option<AllocatorKind> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<AllocatorKind>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.alloc_error_handler_kind,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting upvars mentioned in  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn upvars_mentioned(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<&'tcx FxIndexMap<hir::HirId, hir::Upvar>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx FxIndexMap<hir::HirId,
                hir::Upvar>>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.upvars_mentioned,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " All available crates in the graph, including those that should not be user-facing"]
    #[doc = " (such as private crates)."]
    #[inline(always)]
    pub fn crates(self, key: ()) -> &'tcx [CrateNum] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [CrateNum]>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.crates,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching `CrateNum`s for all crates loaded non-speculatively"]
    #[inline(always)]
    pub fn used_crates(self, key: ()) -> &'tcx [CrateNum] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [CrateNum]>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.used_crates,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " All crates that share the same name as crate `c`."]
    #[doc = ""]
    #[doc =
    " This normally occurs when multiple versions of the same dependency are present in the"]
    #[doc = " dependency tree."]
    #[inline(always)]
    pub fn duplicate_crate_names(self, key: CrateNum) -> &'tcx [CrateNum] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [CrateNum]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.duplicate_crate_names,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " A list of all traits in a crate, used by rustdoc and error reporting."]
    #[inline(always)]
    pub fn traits(self, key: CrateNum) -> &'tcx [DefId] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DefId]>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.traits,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching all trait impls in a crate"]
    #[inline(always)]
    pub fn trait_impls_in_crate(self, key: CrateNum) -> &'tcx [DefId] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DefId]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.trait_impls_in_crate,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching the stable impl's order"]
    #[inline(always)]
    pub fn stable_order_of_exportable_impls(self, key: CrateNum)
        -> &'tcx FxIndexMap<DefId, usize> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx FxIndexMap<DefId,
                usize>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.stable_order_of_exportable_impls,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching all exportable items in a crate"]
    #[inline(always)]
    pub fn exportable_items(self, key: CrateNum) -> &'tcx [DefId] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DefId]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.exportable_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " The list of non-generic symbols exported from the given crate."]
    #[doc = ""]
    #[doc = " This is separate from exported_generic_symbols to avoid having"]
    #[doc = " to deserialize all non-generic symbols too for upstream crates"]
    #[doc = " in the upstream_monomorphizations query."]
    #[doc = ""]
    #[doc =
    " - All names contained in `exported_non_generic_symbols(cnum)` are"]
    #[doc =
    "   guaranteed to correspond to a publicly visible symbol in `cnum`"]
    #[doc = "   machine code."]
    #[doc =
    " - The `exported_non_generic_symbols` and `exported_generic_symbols`"]
    #[doc = "   sets of different crates do not intersect."]
    #[inline(always)]
    pub fn exported_non_generic_symbols(self, key: CrateNum)
        -> &'tcx [(ExportedSymbol<'tcx>, SymbolExportInfo)] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [(ExportedSymbol<'tcx>,
                SymbolExportInfo)]>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.exported_non_generic_symbols,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " The list of generic symbols exported from the given crate."]
    #[doc = ""]
    #[doc = " - All names contained in `exported_generic_symbols(cnum)` are"]
    #[doc =
    "   guaranteed to correspond to a publicly visible symbol in `cnum`"]
    #[doc = "   machine code."]
    #[doc =
    " - The `exported_non_generic_symbols` and `exported_generic_symbols`"]
    #[doc = "   sets of different crates do not intersect."]
    #[inline(always)]
    pub fn exported_generic_symbols(self, key: CrateNum)
        -> &'tcx [(ExportedSymbol<'tcx>, SymbolExportInfo)] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [(ExportedSymbol<'tcx>,
                SymbolExportInfo)]>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.exported_generic_symbols,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collect_and_partition_mono_items"]
    #[inline(always)]
    pub fn collect_and_partition_mono_items(self, key: ())
        -> MonoItemPartitions<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<MonoItemPartitions<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.collect_and_partition_mono_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining whether  `tcx.def_path_str(def_id)`  needs codegen"]
    #[inline(always)]
    pub fn is_codegened_item(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_codegened_item,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting codegen unit `{sym}`"]
    #[inline(always)]
    pub fn codegen_unit(self, key: Symbol) -> &'tcx CodegenUnit<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx CodegenUnit<'tcx>>(inner::query_get_at(self.tcx,
                self.span, &self.tcx.query_system.query_vtables.codegen_unit,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] optimization level used by backend"]
    #[inline(always)]
    pub fn backend_optimization_level(self, key: ()) -> OptLevel {
        use crate::query::{erase, inner};
        erase::restore_val::<OptLevel>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.backend_optimization_level,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Return the filenames where output artefacts shall be stored."]
    #[doc = ""]
    #[doc =
    " This query returns an `&Arc` because codegen backends need the value even after the `TyCtxt`"]
    #[doc = " has been destroyed."]
    #[inline(always)]
    pub fn output_filenames(self, key: ()) -> &'tcx Arc<OutputFilenames> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Arc<OutputFilenames>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.output_filenames,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn normalize_canonicalized_projection(self,
        key: CanonicalAliasGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
            NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.normalize_canonicalized_projection,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn normalize_canonicalized_free_alias(self,
        key: CanonicalAliasGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
            NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.normalize_canonicalized_free_alias,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn normalize_canonicalized_inherent_projection(self,
        key: CanonicalAliasGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
            NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, NormalizationResult<'tcx>>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.normalize_canonicalized_inherent_projection,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Do not call this query directly: invoke `try_normalize_erasing_regions` instead."]
    #[inline(always)]
    pub fn try_normalize_generic_arg_after_erasing_regions(self,
        key: PseudoCanonicalInput<'tcx, GenericArg<'tcx>>)
        -> Result<GenericArg<'tcx>, NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<GenericArg<'tcx>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.try_normalize_generic_arg_after_erasing_regions,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing implied outlives bounds for  `key.0.canonical.value.value.ty`  (hack disabled = {:?})"]
    #[inline(always)]
    pub fn implied_outlives_bounds(self,
        key: (CanonicalImpliedOutlivesBoundsGoal<'tcx>, bool))
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, Vec<OutlivesBound<'tcx>>>>,
            NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, Vec<OutlivesBound<'tcx>>>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.implied_outlives_bounds,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Do not call this query directly:"]
    #[doc =
    " invoke `DropckOutlives::new(dropped_ty)).fully_perform(typeck.infcx)` instead."]
    #[inline(always)]
    pub fn dropck_outlives(self, key: CanonicalDropckOutlivesGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, DropckOutlivesResult<'tcx>>>,
            NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, DropckOutlivesResult<'tcx>>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.dropck_outlives,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Do not call this query directly: invoke `infcx.predicate_may_hold()` or"]
    #[doc = " `infcx.predicate_must_hold()` instead."]
    #[inline(always)]
    pub fn evaluate_obligation(self, key: CanonicalPredicateGoal<'tcx>)
        -> Result<EvaluationResult, OverflowError> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<EvaluationResult,
                OverflowError>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.evaluate_obligation,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Do not call this query directly: part of the `Eq` type-op"]
    #[inline(always)]
    pub fn type_op_ascribe_user_type(self,
        key: CanonicalTypeOpAscribeUserTypeGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, ()>>,
            NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, ()>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_op_ascribe_user_type,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Do not call this query directly: part of the `ProvePredicate` type-op"]
    #[inline(always)]
    pub fn type_op_prove_predicate(self,
        key: CanonicalTypeOpProvePredicateGoal<'tcx>)
        ->
            Result<&'tcx Canonical<'tcx, canonical::QueryResponse<'tcx, ()>>,
            NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, ()>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_op_prove_predicate,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_ty(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, Ty<'tcx>>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, Ty<'tcx>>>, NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, Ty<'tcx>>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_op_normalize_ty,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_clause(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::Clause<'tcx>>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, ty::Clause<'tcx>>>, NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, ty::Clause<'tcx>>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_op_normalize_clause,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_poly_fn_sig(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::PolyFnSig<'tcx>>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, ty::PolyFnSig<'tcx>>>,
            NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, ty::PolyFnSig<'tcx>>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_op_normalize_poly_fn_sig,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_fn_sig(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::FnSig<'tcx>>)
        ->
            Result<&'tcx Canonical<'tcx,
            canonical::QueryResponse<'tcx, ty::FnSig<'tcx>>>, NoSolution> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<&'tcx Canonical<'tcx,
                canonical::QueryResponse<'tcx, ty::FnSig<'tcx>>>,
                NoSolution>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.type_op_normalize_fn_sig,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking impossible instantiated predicates:  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    pub fn instantiate_and_check_impossible_predicates(self,
        key: (DefId, GenericArgsRef<'tcx>)) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.instantiate_and_check_impossible_predicates,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(key.1)`  is impossible to reference within  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    pub fn is_impossible_associated_item(self, key: (DefId, DefId)) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.is_impossible_associated_item,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing autoderef types for  `goal.canonical.value.value.self_ty` "]
    #[inline(always)]
    pub fn method_autoderef_steps(self,
        key: CanonicalMethodAutoderefStepsGoal<'tcx>)
        -> MethodAutoderefStepsResult<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<MethodAutoderefStepsResult<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.method_autoderef_steps,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Used by `-Znext-solver` to compute proof trees."]
    #[inline(always)]
    pub fn evaluate_root_goal_for_proof_tree_raw(self,
        key: solve::CanonicalInput<'tcx>)
        ->
            (solve::QueryResult<'tcx>,
            &'tcx solve::inspect::Probe<TyCtxt<'tcx>>) {
        use crate::query::{erase, inner};
        erase::restore_val::<(solve::QueryResult<'tcx>,
                &'tcx solve::inspect::Probe<TyCtxt<'tcx>>)>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.evaluate_root_goal_for_proof_tree_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Returns the Rust target features for the current target. These are not always the same as LLVM target features!"]
    #[inline(always)]
    pub fn rust_target_features(self, key: CrateNum)
        -> &'tcx UnordMap<String, rustc_target::target_features::Stability> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx UnordMap<String,
                rustc_target::target_features::Stability>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.rust_target_features,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up implied target features"]
    #[inline(always)]
    pub fn implied_target_features(self, key: Symbol) -> &'tcx Vec<Symbol> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Vec<Symbol>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.implied_target_features,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up enabled feature gates"]
    #[inline(always)]
    pub fn features_query(self, key: ()) -> &'tcx rustc_feature::Features {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx rustc_feature::Features>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.features_query,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] the ast before macro expansion and name resolution"]
    #[inline(always)]
    pub fn crate_for_resolver(self, key: ())
        -> &'tcx Steal<(rustc_ast::Crate, rustc_ast::AttrVec)> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Steal<(rustc_ast::Crate,
                rustc_ast::AttrVec)>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.crate_for_resolver,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Attempt to resolve the given `DefId` to an `Instance`, for the"]
    #[doc = " given generics args (`GenericArgsRef`), returning one of:"]
    #[doc = "  * `Ok(Some(instance))` on success"]
    #[doc = "  * `Ok(None)` when the `GenericArgsRef` are still too generic,"]
    #[doc = "    and therefore don\'t allow finding the final `Instance`"]
    #[doc =
    "  * `Err(ErrorGuaranteed)` when the `Instance` resolution process"]
    #[doc =
    "    couldn\'t complete due to errors elsewhere - this is distinct"]
    #[doc =
    "    from `Ok(None)` to avoid misleading diagnostics when an error"]
    #[doc = "    has already been/will be emitted, for the original cause."]
    #[inline(always)]
    pub fn resolve_instance_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, (DefId, GenericArgsRef<'tcx>)>)
        -> Result<Option<ty::Instance<'tcx>>, ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<Option<ty::Instance<'tcx>>,
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.resolve_instance_raw,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] revealing opaque types in `{:?}`"]
    #[inline(always)]
    pub fn reveal_opaque_types_in_bounds(self, key: ty::Clauses<'tcx>)
        -> ty::Clauses<'tcx> {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::Clauses<'tcx>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.reveal_opaque_types_in_bounds,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up limits"]
    #[inline(always)]
    pub fn limits(self, key: ()) -> Limits {
        use crate::query::{erase, inner};
        erase::restore_val::<Limits>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.limits,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Performs an HIR-based well-formed check on the item with the given `HirId`. If"]
    #[doc =
    " we get an `Unimplemented` error that matches the provided `Predicate`, return"]
    #[doc = " the cause of the newly created obligation."]
    #[doc = ""]
    #[doc =
    " This is only used by error-reporting code to get a better cause (in particular, a better"]
    #[doc =
    " span) for an *existing* error. Therefore, it is best-effort, and may never handle"]
    #[doc =
    " all of the cases that the normal `ty::Ty`-based wfcheck does. This is fine,"]
    #[doc = " because the `ty::Ty`-based wfcheck is always run."]
    #[inline(always)]
    pub fn diagnostic_hir_wf_check(self,
        key: (ty::Predicate<'tcx>, WellFormedLoc))
        -> Option<&'tcx ObligationCause<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<&'tcx ObligationCause<'tcx>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.diagnostic_hir_wf_check,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " The list of backend features computed from CLI flags (`-Ctarget-cpu`, `-Ctarget-feature`,"]
    #[doc = " `--target` and similar)."]
    #[inline(always)]
    pub fn global_backend_features(self, key: ()) -> &'tcx Vec<String> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx Vec<String>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.global_backend_features,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking validity requirement for  `key.1.value` :  `key.0` "]
    #[inline(always)]
    pub fn check_validity_requirement(self,
        key: (ValidityRequirement, ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>))
        -> Result<bool, &'tcx ty::layout::LayoutError<'tcx>> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<bool,
                &'tcx ty::layout::LayoutError<'tcx>>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.check_validity_requirement,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " This takes the def-id of an associated item from a impl of a trait,"]
    #[doc =
    " and checks its validity against the trait item it corresponds to."]
    #[doc = ""]
    #[doc = " Any other def id will ICE."]
    #[inline(always)]
    pub fn compare_impl_item(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), ErrorGuaranteed> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(),
                ErrorGuaranteed>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.compare_impl_item,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] deducing parameter attributes for  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn deduced_param_attrs(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> &'tcx [DeducedParamAttrs] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DeducedParamAttrs]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.deduced_param_attrs,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] resolutions for documentation links for a module"]
    #[inline(always)]
    pub fn doc_link_resolutions(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> &'tcx DocLinkResMap {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx DocLinkResMap>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.doc_link_resolutions,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] traits in scope for documentation links for a module"]
    #[inline(always)]
    pub fn doc_link_traits_in_scope(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> &'tcx [DefId] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [DefId]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.doc_link_traits_in_scope,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Get all item paths that were stripped by a `#[cfg]` in a particular crate."]
    #[doc =
    " Should not be called for the local crate before the resolver outputs are created, as it"]
    #[doc = " is only fed there."]
    #[inline(always)]
    pub fn stripped_cfg_items(self, key: CrateNum)
        -> &'tcx [StrippedCfgItem] {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx [StrippedCfgItem]>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.stripped_cfg_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] check whether the item has a `where Self: Sized` bound"]
    #[inline(always)]
    pub fn generics_require_sized_self(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.generics_require_sized_self,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] whether the item should be made inlinable across crates"]
    #[inline(always)]
    pub fn cross_crate_inlinable(self,
        key: impl crate::query::IntoQueryKey<DefId>) -> bool {
        use crate::query::{erase, inner};
        erase::restore_val::<bool>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.cross_crate_inlinable,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Perform monomorphization-time checking on this item."]
    #[doc =
    " This is used for lints/errors that can only be checked once the instance is fully"]
    #[doc = " monomorphized."]
    #[inline(always)]
    pub fn check_mono_item(self, key: ty::Instance<'tcx>) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_mono_item,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    " Builds the set of functions that should be skipped for the move-size check."]
    #[inline(always)]
    pub fn skip_move_check_fns(self, key: ()) -> &'tcx FxIndexSet<DefId> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx FxIndexSet<DefId>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.skip_move_check_fns,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting items used by  `key.0` "]
    #[inline(always)]
    pub fn items_of_instance(self, key: (ty::Instance<'tcx>, CollectionMode))
        ->
            Result<(&'tcx [Spanned<MonoItem<'tcx>>],
            &'tcx [Spanned<MonoItem<'tcx>>]), NormalizationErrorInMono> {
        use crate::query::{erase, inner};
        erase::restore_val::<Result<(&'tcx [Spanned<MonoItem<'tcx>>],
                &'tcx [Spanned<MonoItem<'tcx>>]),
                NormalizationErrorInMono>>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.items_of_instance,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] estimating codegen size of  `key` "]
    #[inline(always)]
    pub fn size_estimate(self, key: ty::Instance<'tcx>) -> usize {
        use crate::query::{erase, inner};
        erase::restore_val::<usize>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.size_estimate,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up anon const kind of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn anon_const_kind(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> ty::AnonConstKind {
        use crate::query::{erase, inner};
        erase::restore_val::<ty::AnonConstKind>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.anon_const_kind,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(def_id)`  is a trivial const"]
    #[inline(always)]
    pub fn trivial_const(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Option<(mir::ConstValue, Ty<'tcx>)> {
        use crate::query::{erase, inner};
        erase::restore_val::<Option<(mir::ConstValue,
                Ty<'tcx>)>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.trivial_const,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Checks for the nearest `#[sanitize(xyz = \"off\")]` or"]
    #[doc =
    " `#[sanitize(xyz = \"on\")]` on this def and any enclosing defs, up to the"]
    #[doc = " crate root."]
    #[doc = ""]
    #[doc = " Returns the sanitizer settings for this def."]
    #[inline(always)]
    pub fn sanitizer_settings_for(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> SanitizerFnAttrs {
        use crate::query::{erase, inner};
        erase::restore_val::<SanitizerFnAttrs>(inner::query_get_at(self.tcx,
                self.span,
                &self.tcx.query_system.query_vtables.sanitizer_settings_for,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] check externally implementable items"]
    #[inline(always)]
    pub fn check_externally_implementable_items(self, key: ()) -> () {
        use crate::query::{erase, inner};
        erase::restore_val::<()>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.check_externally_implementable_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
    #[doc = " Returns a list of all `externally implementable items` crate."]
    #[inline(always)]
    pub fn externally_implementable_items(self, key: CrateNum)
        -> &'tcx FxIndexMap<DefId, (EiiDecl, FxIndexMap<DefId, EiiImpl>)> {
        use crate::query::{erase, inner};
        erase::restore_val::<&'tcx FxIndexMap<DefId,
                (EiiDecl,
                FxIndexMap<DefId,
                EiiImpl>)>>(inner::query_get_at(self.tcx, self.span,
                &self.tcx.query_system.query_vtables.externally_implementable_items,
                crate::query::IntoQueryKey::into_query_key(key)))
    }
}
impl<'tcx> crate::query::TyCtxtEnsureOk<'tcx> {
    #[doc =
    " Caches the expansion of a derive proc macro, e.g. `#[derive(Serialize)]`."]
    #[doc = " The key is:"]
    #[doc = " - A unique key corresponding to the invocation of a macro."]
    #[doc = " - Token stream which serves as an input to the macro."]
    #[doc = ""]
    #[doc = " The output is the token stream generated by the proc macro."]
    #[inline(always)]
    pub fn derive_macro_expansion(self,
        key: (LocalExpnId, &'tcx TokenStream)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.derive_macro_expansion,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " This exists purely for testing the interactions between delayed bugs and incremental."]
    #[inline(always)]
    pub fn trigger_delayed_bug(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trigger_delayed_bug,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Collects the list of all tools registered using `#![register_tool]`."]
    #[inline(always)]
    pub fn registered_tools(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.registered_tools,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] perform lints prior to AST lowering"]
    #[inline(always)]
    pub fn early_lint_checks(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.early_lint_checks,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Tracked access to environment variables."]
    #[doc = ""]
    #[doc =
    " Useful for the implementation of `std::env!`, `proc-macro`s change"]
    #[doc =
    " detection and other changes in the compiler\'s behaviour that is easier"]
    #[doc = " to control with an environment variable than a flag."]
    #[doc = ""]
    #[doc = " NOTE: This currently does not work with dependency info in the"]
    #[doc =
    " analysis, codegen and linking passes, place extra code at the top of"]
    #[doc = " `rustc_interface::passes::write_dep_info` to make that work."]
    #[inline(always)]
    pub fn env_var_os(self, key: &'tcx OsStr) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.env_var_os,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the resolver outputs"]
    #[inline(always)]
    pub fn resolutions(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.resolutions,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the resolver for lowering"]
    #[inline(always)]
    pub fn resolver_for_lowering_raw(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.resolver_for_lowering_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Return the span for a definition."]
    #[doc = ""]
    #[doc =
    " Contrary to `def_span` below, this query returns the full absolute span of the definition."]
    #[doc =
    " This span is meant for dep-tracking rather than diagnostics. It should not be used outside"]
    #[doc = " of rustc_middle::hir::source_map."]
    #[inline(always)]
    pub fn source_span(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.source_span,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Represents crate as a whole (as distinct from the top-level crate module)."]
    #[doc = ""]
    #[doc =
    " If you call `tcx.hir_crate(())` we will have to assume that any change"]
    #[doc =
    " means that you need to be recompiled. This is because the `hir_crate`"]
    #[doc =
    " query gives you access to all other items. To avoid this fate, do not"]
    #[doc = " call `tcx.hir_crate(())`; instead, prefer wrappers like"]
    #[doc = " [`TyCtxt::hir_visit_all_item_likes_in_crate`]."]
    #[inline(always)]
    pub fn hir_crate(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.hir_crate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " All items in the crate."]
    #[inline(always)]
    pub fn hir_crate_items(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.hir_crate_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " The items in a module."]
    #[doc = ""]
    #[doc =
    " This can be conveniently accessed by `tcx.hir_visit_item_likes_in_module`."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn hir_module_items(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.hir_module_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns HIR ID for the given `LocalDefId`."]
    #[inline(always)]
    pub fn local_def_id_to_hir_id(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.local_def_id_to_hir_id,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Gives access to the HIR node\'s parent for the HIR owner `key`."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn hir_owner_parent_q(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.hir_owner_parent_q,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Gives access to the HIR nodes and bodies inside `key` if it\'s a HIR owner."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn opt_hir_owner_nodes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.opt_hir_owner_nodes,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Gives access to the HIR attributes inside the HIR owner `key`."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn hir_attr_map(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.hir_attr_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Gives access to lints emitted during ast lowering."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn opt_ast_lowering_delayed_lints(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.opt_ast_lowering_delayed_lints,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the *default* of the const pararameter given by `DefId`."]
    #[doc = ""]
    #[doc =
    " E.g., given `struct Ty<const N: usize = 3>;` this returns `3` for `N`."]
    #[inline(always)]
    pub fn const_param_default(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.const_param_default,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the const of the RHS of a (free or assoc) const item, if it is a `type const`."]
    #[doc = ""]
    #[doc =
    " When a const item is used in a type-level expression, like in equality for an assoc const"]
    #[doc =
    " projection, this allows us to retrieve the typesystem-appropriate representation of the"]
    #[doc = " const value."]
    #[doc = ""]
    #[doc =
    " This query will ICE if given a const that is not marked with `type const`."]
    #[inline(always)]
    pub fn const_of_item(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.const_of_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns the *type* of the definition given by `DefId`."]
    #[doc = ""]
    #[doc =
    " For type aliases (whether eager or lazy) and associated types, this returns"]
    #[doc =
    " the underlying aliased type (not the corresponding [alias type])."]
    #[doc = ""]
    #[doc =
    " For opaque types, this returns and thus reveals the hidden type! If you"]
    #[doc = " want to detect cycle errors use `type_of_opaque` instead."]
    #[doc = ""]
    #[doc =
    " To clarify, for type definitions, this does *not* return the \"type of a type\""]
    #[doc =
    " (aka *kind* or *sort*) in the type-theoretical sense! It merely returns"]
    #[doc = " the type primarily *associated with* it."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition doesn\'t (and can\'t"]
    #[doc = " conceptually) have an (underlying) type."]
    #[doc = ""]
    #[doc = " [alias type]: rustc_middle::ty::AliasTy"]
    #[inline(always)]
    pub fn type_of(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns the *hidden type* of the opaque type given by `DefId`."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not an opaque type."]
    #[inline(always)]
    pub fn type_of_opaque(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_of_opaque,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing type of opaque `{path}` via HIR typeck"]
    #[inline(always)]
    pub fn type_of_opaque_hir_typeck(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_of_opaque_hir_typeck,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns whether the type alias given by `DefId` is lazy."]
    #[doc = ""]
    #[doc =
    " I.e., if the type alias expands / ought to expand to a [free] [alias type]"]
    #[doc = " instead of the underlying aliased type."]
    #[doc = ""]
    #[doc =
    " Relevant for features `lazy_type_alias` and `type_alias_impl_trait`."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query *may* panic if the given definition is not a type alias."]
    #[doc = ""]
    #[doc = " [free]: rustc_middle::ty::Free"]
    #[doc = " [alias type]: rustc_middle::ty::AliasTy"]
    #[inline(always)]
    pub fn type_alias_is_lazy(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_alias_is_lazy,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] comparing an impl and trait method signature, inferring any hidden `impl Trait` types in the process"]
    #[inline(always)]
    pub fn collect_return_position_impl_trait_in_trait_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.collect_return_position_impl_trait_in_trait_tys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determine where the opaque originates from"]
    #[inline(always)]
    pub fn opaque_ty_origin(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.opaque_ty_origin,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining what parameters of  `tcx.def_path_str(key)`  can participate in unsizing"]
    #[inline(always)]
    pub fn unsizing_params_for_adt(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.unsizing_params_for_adt,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " The root query triggering all analysis passes like typeck or borrowck."]
    #[inline(always)]
    pub fn analysis(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.analysis,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " This query checks the fulfillment of collected lint expectations."]
    #[doc =
    " All lint emitting queries have to be done before this is executed"]
    #[doc = " to ensure that all expectations can be fulfilled."]
    #[doc = ""]
    #[doc =
    " This is an extra query to enable other drivers (like rustdoc) to"]
    #[doc =
    " only execute a small subset of the `analysis` query, while allowing"]
    #[doc =
    " lints to be expected. In rustc, this query will be executed as part of"]
    #[doc =
    " the `analysis` query and doesn\'t have to be called a second time."]
    #[doc = ""]
    #[doc =
    " Tools can additionally pass in a tool filter. That will restrict the"]
    #[doc =
    " expectations to only trigger for lints starting with the listed tool"]
    #[doc =
    " name. This is useful for cases were not all linting code from rustc"]
    #[doc =
    " was called. With the default `None` all registered lints will also"]
    #[doc = " be checked for expectation fulfillment."]
    #[inline(always)]
    pub fn check_expectations(self, key: Option<Symbol>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_expectations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns the *generics* of the definition given by `DefId`."]
    #[inline(always)]
    pub fn generics_of(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.generics_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the (elaborated) *predicates* of the definition given by `DefId`"]
    #[doc =
    " that must be proven true at usage sites (and which can be assumed at definition site)."]
    #[doc = ""]
    #[doc =
    " This is almost always *the* \"predicates query\" that you want."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_predicates]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    pub fn predicates_of(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.predicates_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the opaque types defined by  `tcx.def_path_str(key.to_def_id())` "]
    #[inline(always)]
    pub fn opaque_types_defined_by(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.opaque_types_defined_by,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " A list of all bodies inside of `key`, nested bodies are always stored"]
    #[doc = " before their parent."]
    #[inline(always)]
    pub fn nested_bodies_within(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.nested_bodies_within,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the explicitly user-written *bounds* on the associated or opaque type given by `DefId`"]
    #[doc =
    " that must be proven true at definition site (and which can be assumed at usage sites)."]
    #[doc = ""]
    #[doc =
    " For associated types, these must be satisfied for an implementation"]
    #[doc =
    " to be well-formed, and for opaque types, these are required to be"]
    #[doc = " satisfied by the hidden type of the opaque."]
    #[doc = ""]
    #[doc =
    " Bounds from the parent (e.g. with nested `impl Trait`) are not included."]
    #[doc = ""]
    #[doc =
    " Syntactially, these are the bounds written on associated types in trait"]
    #[doc = " definitions, or those after the `impl` keyword for an opaque:"]
    #[doc = ""]
    #[doc = " ```ignore (illustrative)"]
    #[doc = " trait Trait { type X: Bound + \'lt; }"]
    #[doc = " //                    ^^^^^^^^^^^"]
    #[doc = " fn function() -> impl Debug + Display { /*...*/ }"]
    #[doc = " //                    ^^^^^^^^^^^^^^^"]
    #[doc = " ```"]
    #[inline(always)]
    pub fn explicit_item_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_item_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the explicitly user-written *bounds* that share the `Self` type of the item."]
    #[doc = ""]
    #[doc =
    " These are a subset of the [explicit item bounds] that may explicitly be used for things"]
    #[doc = " like closure signature deduction."]
    #[doc = ""]
    #[doc = " [explicit item bounds]: Self::explicit_item_bounds"]
    #[inline(always)]
    pub fn explicit_item_self_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_item_self_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the (elaborated) *bounds* on the associated or opaque type given by `DefId`"]
    #[doc =
    " that must be proven true at definition site (and which can be assumed at usage sites)."]
    #[doc = ""]
    #[doc =
    " Bounds from the parent (e.g. with nested `impl Trait`) are not included."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_item_bounds]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[doc = ""]
    #[doc = " # Examples"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait Trait { type Assoc: Eq + ?Sized; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " While [`Self::explicit_item_bounds`] returns `[<Self as Trait>::Assoc: Eq]`"]
    #[doc = " here, `item_bounds` returns:"]
    #[doc = ""]
    #[doc = " ```text"]
    #[doc = " ["]
    #[doc = "     <Self as Trait>::Assoc: Eq,"]
    #[doc = "     <Self as Trait>::Assoc: PartialEq<<Self as Trait>::Assoc>"]
    #[doc = " ]"]
    #[doc = " ```"]
    #[inline(always)]
    pub fn item_bounds(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.item_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating item assumptions for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn item_self_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.item_self_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating item assumptions for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn item_non_self_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.item_non_self_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating supertrait outlives for trait of  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn impl_super_outlives(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.impl_super_outlives,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Look up all native libraries this crate depends on."]
    #[doc = " These are assembled from the following places:"]
    #[doc = " - `extern` blocks (depending on their `link` attributes)"]
    #[doc = " - the `libs` (`-l`) option"]
    #[inline(always)]
    pub fn native_libraries(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.native_libraries,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up lint levels for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn shallow_lint_levels_on(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.shallow_lint_levels_on,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `#[expect]`ed lints in this crate"]
    #[inline(always)]
    pub fn lint_expectations(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lint_expectations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] Computing all lints that are explicitly enabled or with a default level greater than Allow"]
    #[inline(always)]
    pub fn lints_that_dont_need_to_run(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lints_that_dont_need_to_run,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the expansion that defined  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn expn_that_defined(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.expn_that_defined,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate is_panic_runtime"]
    #[inline(always)]
    pub fn is_panic_runtime(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_panic_runtime,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Checks whether a type is representable or infinitely sized"]
    #[inline(always)]
    pub fn check_representability(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_representability,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " An implementation detail for the `check_representability` query. See that query for more"]
    #[doc = " details, particularly on the modifiers."]
    #[inline(always)]
    pub fn check_representability_adt_ty(self, key: Ty<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_representability_adt_ty,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Set of param indexes for type params that are in the type\'s representation"]
    #[inline(always)]
    pub fn params_in_repr(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.params_in_repr,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Fetch the THIR for a given body. The THIR body gets stolen by unsafety checking unless"]
    #[doc = " `-Zno-steal-thir` is on."]
    #[inline(always)]
    pub fn thir_body(self, key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.thir_body,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Set of all the `DefId`s in this crate that have MIR associated with"]
    #[doc =
    " them. This includes all the body owners, but also things like struct"]
    #[doc = " constructors."]
    #[inline(always)]
    pub fn mir_keys(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_keys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Maps DefId\'s that have an associated `mir::Body` to the result"]
    #[doc = " of the MIR const-checking pass. This is the set of qualifs in"]
    #[doc = " the final value of a `const`."]
    #[inline(always)]
    pub fn mir_const_qualif(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_const_qualif,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Build the MIR for a given `DefId` and prepare it for const qualification."]
    #[doc = ""]
    #[doc = " See the [rustc dev guide] for more info."]
    #[doc = ""]
    #[doc =
    " [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/mir/construction.html"]
    #[inline(always)]
    pub fn mir_built(self, key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_built,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Try to build an abstract representation of the given constant."]
    #[inline(always)]
    pub fn thir_abstract_const(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.thir_abstract_const,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating drops for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn mir_drops_elaborated_and_const_checked(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_drops_elaborated_and_const_checked,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] caching mir of  `tcx.def_path_str(key)`  for CTFE"]
    #[inline(always)]
    pub fn mir_for_ctfe(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_for_ctfe,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] promoting constants in MIR for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn mir_promoted(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_promoted,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding symbols for captures of closure  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn closure_typeinfo(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.closure_typeinfo,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns names of captured upvars for closures and coroutines."]
    #[doc = ""]
    #[doc = " Here are some examples:"]
    #[doc = "  - `name__field1__field2` when the upvar is captured by value."]
    #[doc =
    "  - `_ref__name__field` when the upvar is captured by reference."]
    #[doc = ""]
    #[doc =
    " For coroutines this only contains upvars that are shared by all states."]
    #[inline(always)]
    pub fn closure_saved_names_of_captured_variables(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.closure_saved_names_of_captured_variables,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] coroutine witness types for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn mir_coroutine_witnesses(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_coroutine_witnesses,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] verify auto trait bounds for coroutine interior type  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn check_coroutine_obligations(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_coroutine_obligations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Used in case `mir_borrowck` fails to prove an obligation. We generally assume that"]
    #[doc =
    " all goals we prove in MIR type check hold as we\'ve already checked them in HIR typeck."]
    #[doc = ""]
    #[doc =
    " However, we replace each free region in the MIR body with a unique region inference"]
    #[doc =
    " variable. As we may rely on structural identity when proving goals this may cause a"]
    #[doc =
    " goal to no longer hold. We store obligations for which this may happen during HIR"]
    #[doc =
    " typeck in the `TypeckResults`. We then uniquify and reprove them in case MIR typeck"]
    #[doc =
    " encounters an unexpected error. We expect this to result in an error when used and"]
    #[doc = " delay a bug if it does not."]
    #[inline(always)]
    pub fn check_potentially_region_dependent_goals(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_potentially_region_dependent_goals,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " MIR after our optimization passes have run. This is MIR that is ready"]
    #[doc =
    " for codegen. This is also the only query that can fetch non-local MIR, at present."]
    #[inline(always)]
    pub fn optimized_mir(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.optimized_mir,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Checks for the nearest `#[coverage(off)]` or `#[coverage(on)]` on"]
    #[doc = " this def and any enclosing defs, up to the crate root."]
    #[doc = ""]
    #[doc = " Returns `false` if `#[coverage(off)]` was found, or `true` if"]
    #[doc = " either `#[coverage(on)]` or no coverage attribute was found."]
    #[inline(always)]
    pub fn coverage_attr_on(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coverage_attr_on,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Scans through a function\'s MIR after MIR optimizations, to prepare the"]
    #[doc =
    " information needed by codegen when `-Cinstrument-coverage` is active."]
    #[doc = ""]
    #[doc =
    " This includes the details of where to insert `llvm.instrprof.increment`"]
    #[doc =
    " intrinsics, and the expression tables to be embedded in the function\'s"]
    #[doc = " coverage metadata."]
    #[doc = ""]
    #[doc =
    " FIXME(Zalathar): This query\'s purpose has drifted a bit and should"]
    #[doc =
    " probably be renamed, but that can wait until after the potential"]
    #[doc = " follow-ups to #136053 have settled down."]
    #[doc = ""]
    #[doc = " Returns `None` for functions that were not instrumented."]
    #[inline(always)]
    pub fn coverage_ids_info(self, key: ty::InstanceKind<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coverage_ids_info,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " The `DefId` is the `DefId` of the containing MIR body. Promoteds do not have their own"]
    #[doc =
    " `DefId`. This function returns all promoteds in the specified body. The body references"]
    #[doc =
    " promoteds by the `DefId` and the `mir::Promoted` index. This is necessary, because"]
    #[doc =
    " after inlining a body may refer to promoteds from other bodies. In that case you still"]
    #[doc = " need to use the `DefId` of the original body."]
    #[inline(always)]
    pub fn promoted_mir(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.promoted_mir,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Erases regions from `ty` to yield a new type."]
    #[doc =
    " Normally you would just use `tcx.erase_and_anonymize_regions(value)`,"]
    #[doc = " however, which uses this query as a kind of cache."]
    #[inline(always)]
    pub fn erase_and_anonymize_regions_ty(self, key: Ty<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.erase_and_anonymize_regions_ty,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting wasm import module map"]
    #[inline(always)]
    pub fn wasm_import_module_map(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.wasm_import_module_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the explicitly user-written *predicates and bounds* of the trait given by `DefId`."]
    #[doc = ""]
    #[doc = " Traits are unusual, because predicates on associated types are"]
    #[doc =
    " converted into bounds on that type for backwards compatibility:"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait X where Self::U: Copy { type U; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc = " becomes"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait X { type U: Copy; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " [`Self::explicit_predicates_of`] and [`Self::explicit_item_bounds`] will"]
    #[doc = " then take the appropriate subsets of the predicates here."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc = " This query will panic if the given definition is not a trait."]
    #[inline(always)]
    pub fn trait_explicit_predicates_and_bounds(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trait_explicit_predicates_and_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the explicitly user-written *predicates* of the definition given by `DefId`"]
    #[doc =
    " that must be proven true at usage sites (and which can be assumed at definition site)."]
    #[doc = ""]
    #[doc =
    " You should probably use [`TyCtxt::predicates_of`] unless you\'re looking for"]
    #[doc = " predicates with explicit spans for diagnostics purposes."]
    #[inline(always)]
    pub fn explicit_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_predicates_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the *inferred outlives-predicates* of the item given by `DefId`."]
    #[doc = ""]
    #[doc =
    " E.g., for `struct Foo<\'a, T> { x: &\'a T }`, this would return `[T: \'a]`."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_inferred_outlives]` on an item to basically"]
    #[doc =
    " print the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    pub fn inferred_outlives_of(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inferred_outlives_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the explicitly user-written *super-predicates* of the trait given by `DefId`."]
    #[doc = ""]
    #[doc =
    " These predicates are unelaborated and consequently don\'t contain transitive super-predicates."]
    #[doc = ""]
    #[doc =
    " This is a subset of the full list of predicates. We store these in a separate map"]
    #[doc =
    " because we must evaluate them even during type conversion, often before the full"]
    #[doc =
    " predicates are available (note that super-predicates must not be cyclic)."]
    #[inline(always)]
    pub fn explicit_super_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_super_predicates_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " The predicates of the trait that are implied during elaboration."]
    #[doc = ""]
    #[doc =
    " This is a superset of the super-predicates of the trait, but a subset of the predicates"]
    #[doc =
    " of the trait. For regular traits, this includes all super-predicates and their"]
    #[doc =
    " associated type bounds. For trait aliases, currently, this includes all of the"]
    #[doc = " predicates of the trait alias."]
    #[inline(always)]
    pub fn explicit_implied_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_implied_predicates_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " The Ident is the name of an associated type.The query returns only the subset"]
    #[doc =
    " of supertraits that define the given associated type. This is used to avoid"]
    #[doc =
    " cycles in resolving type-dependent associated item paths like `T::Item`."]
    #[inline(always)]
    pub fn explicit_supertraits_containing_assoc_item(self,
        key: (DefId, rustc_span::Ident)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_supertraits_containing_assoc_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Compute the conditions that need to hold for a conditionally-const item to be const."]
    #[doc =
    " That is, compute the set of `[const]` where clauses for a given item."]
    #[doc = ""]
    #[doc =
    " This can be thought of as the `[const]` equivalent of `predicates_of`. These are the"]
    #[doc =
    " predicates that need to be proven at usage sites, and can be assumed at definition."]
    #[doc = ""]
    #[doc =
    " This query also computes the `[const]` where clauses for associated types, which are"]
    #[doc =
    " not \"const\", but which have item bounds which may be `[const]`. These must hold for"]
    #[doc = " the `[const]` item bound to hold."]
    #[inline(always)]
    pub fn const_conditions(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.const_conditions,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Compute the const bounds that are implied for a conditionally-const item."]
    #[doc = ""]
    #[doc =
    " This can be though of as the `[const]` equivalent of `explicit_item_bounds`. These"]
    #[doc =
    " are the predicates that need to proven at definition sites, and can be assumed at"]
    #[doc = " usage sites."]
    #[inline(always)]
    pub fn explicit_implied_const_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_implied_const_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " To avoid cycles within the predicates of a single item we compute"]
    #[doc = " per-type-parameter predicates for resolving `T::AssocTy`."]
    #[inline(always)]
    pub fn type_param_predicates(self,
        key: (LocalDefId, LocalDefId, rustc_span::Ident)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_param_predicates,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing trait definition for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn trait_def(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trait_def,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing ADT definition for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_def(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_def,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `Drop` impl for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_destructor(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_destructor,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `AsyncDrop` impl for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_async_destructor(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_async_destructor,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the sizedness constraint for  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    pub fn adt_sizedness_constraint(self, key: (DefId, SizedTraitKind)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_sizedness_constraint,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing drop-check constraints for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_dtorck_constraint(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_dtorck_constraint,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the constness of the function-like[^1] definition given by `DefId`."]
    #[doc = ""]
    #[doc =
    " Tuple struct/variant constructors are *always* const, foreign functions are"]
    #[doc =
    " *never* const. The rest is const iff marked with keyword `const` (or rather"]
    #[doc = " its parent in the case of associated functions)."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly. It is only meant to cache the base data for the"]
    #[doc =
    " higher-level functions. Consider using `is_const_fn` or `is_const_trait_impl` instead."]
    #[doc = ""]
    #[doc =
    " Also note that neither of them takes into account feature gates, stability and"]
    #[doc = " const predicates/conditions!"]
    #[doc = ""]
    #[doc = " </div>"]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not function-like[^1]."]
    #[doc = ""]
    #[doc =
    " [^1]: Tuple struct/variant constructors, closures and free, associated and foreign functions."]
    #[inline(always)]
    pub fn constness(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.constness,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the function is async:  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn asyncness(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.asyncness,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns `true` if calls to the function may be promoted."]
    #[doc = ""]
    #[doc =
    " This is either because the function is e.g., a tuple-struct or tuple-variant"]
    #[doc =
    " constructor, or because it has the `#[rustc_promotable]` attribute. The attribute should"]
    #[doc =
    " be removed in the future in favour of some form of check which figures out whether the"]
    #[doc =
    " function does not inspect the bits of any of its arguments (so is essentially just a"]
    #[doc = " constructor function)."]
    #[inline(always)]
    pub fn is_promotable_const_fn(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_promotable_const_fn,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " The body of the coroutine, modified to take its upvars by move rather than by ref."]
    #[doc = ""]
    #[doc =
    " This is used by coroutine-closures, which must return a different flavor of coroutine"]
    #[doc =
    " when called using `AsyncFnOnce::call_once`. It is produced by the `ByMoveBody` pass which"]
    #[doc =
    " is run right after building the initial MIR, and will only be populated for coroutines"]
    #[doc = " which come out of the async closure desugaring."]
    #[inline(always)]
    pub fn coroutine_by_move_body_def_id(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coroutine_by_move_body_def_id,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns `Some(coroutine_kind)` if the node pointed to by `def_id` is a coroutine."]
    #[inline(always)]
    pub fn coroutine_kind(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coroutine_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] Given a coroutine-closure def id, return the def id of the coroutine returned by it"]
    #[inline(always)]
    pub fn coroutine_for_closure(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coroutine_for_closure,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the hidden types stored across await points in a coroutine"]
    #[inline(always)]
    pub fn coroutine_hidden_types(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coroutine_hidden_types,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Gets a map with the variances of every item in the local crate."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::variances_of`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_variances(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_variances,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns the (inferred) variances of the item given by `DefId`."]
    #[doc = ""]
    #[doc =
    " The list of variances corresponds to the list of (early-bound) generic"]
    #[doc = " parameters of the item (including its parents)."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_variances]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    pub fn variances_of(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.variances_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Gets a map with the inferred outlives-predicates of every item in the local crate."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::inferred_outlives_of`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn inferred_outlives_crate(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inferred_outlives_crate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Maps from an impl/trait or struct/variant `DefId`"]
    #[doc = " to a list of the `DefId`s of its associated items or fields."]
    #[inline(always)]
    pub fn associated_item_def_ids(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.associated_item_def_ids,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Maps from a trait/impl item to the trait/impl item \"descriptor\"."]
    #[inline(always)]
    pub fn associated_item(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.associated_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Collects the associated items defined on a trait or impl."]
    #[inline(always)]
    pub fn associated_items(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.associated_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Maps from associated items on a trait to the corresponding associated"]
    #[doc = " item on the impl specified by `impl_id`."]
    #[doc = ""]
    #[doc = " For example, with the following code"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " struct Type {}"]
    #[doc = "                         // DefId"]
    #[doc = " trait Trait {           // trait_id"]
    #[doc = "     fn f();             // trait_f"]
    #[doc = "     fn g() {}           // trait_g"]
    #[doc = " }"]
    #[doc = ""]
    #[doc = " impl Trait for Type {   // impl_id"]
    #[doc = "     fn f() {}           // impl_f"]
    #[doc = "     fn g() {}           // impl_g"]
    #[doc = " }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " The map returned for `tcx.impl_item_implementor_ids(impl_id)` would be"]
    #[doc = "`{ trait_f: impl_f, trait_g: impl_g }`"]
    #[inline(always)]
    pub fn impl_item_implementor_ids(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.impl_item_implementor_ids,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Given the `item_def_id` of a trait or impl, return a mapping from associated fn def id"]
    #[doc =
    " to its associated type items that correspond to the RPITITs in its signature."]
    #[inline(always)]
    pub fn associated_types_for_impl_traits_in_trait_or_impl(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.associated_types_for_impl_traits_in_trait_or_impl,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Given an `impl_id`, return the trait it implements along with some header information."]
    #[inline(always)]
    pub fn impl_trait_header(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.impl_trait_header,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Given an `impl_def_id`, return true if the self type is guaranteed to be unsized due"]
    #[doc =
    " to either being one of the built-in unsized types (str/slice/dyn) or to be a struct"]
    #[doc = " whose tail is one of those types."]
    #[inline(always)]
    pub fn impl_self_is_guaranteed_unsized(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.impl_self_is_guaranteed_unsized,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Maps a `DefId` of a type to a list of its inherent impls."]
    #[doc =
    " Contains implementations of methods that are inherent to a type."]
    #[doc = " Methods in these implementations don\'t need to be exported."]
    #[inline(always)]
    pub fn inherent_impls(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inherent_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting all inherent impls for `{:?}`"]
    #[inline(always)]
    pub fn incoherent_impls(self, key: SimplifiedType) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.incoherent_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Unsafety-check this `LocalDefId`."]
    #[inline(always)]
    pub fn check_transmutes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_transmutes,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Unsafety-check this `LocalDefId`."]
    #[inline(always)]
    pub fn check_unsafety(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_unsafety,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Checks well-formedness of tail calls (`become f()`)."]
    #[inline(always)]
    pub fn check_tail_calls(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_tail_calls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the types assumed to be well formed while \"inside\" of the given item."]
    #[doc = ""]
    #[doc =
    " Note that we\'ve liberated the late bound regions of function signatures, so"]
    #[doc =
    " this can not be used to check whether these types are well formed."]
    #[inline(always)]
    pub fn assumed_wf_types(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.assumed_wf_types,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " We need to store the assumed_wf_types for an RPITIT so that impls of foreign"]
    #[doc =
    " traits with return-position impl trait in traits can inherit the right wf types."]
    #[inline(always)]
    pub fn assumed_wf_types_for_rpitit(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.assumed_wf_types_for_rpitit,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Computes the signature of the function."]
    #[inline(always)]
    pub fn fn_sig(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.fn_sig,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Performs lint checking for the module."]
    #[inline(always)]
    pub fn lint_mod(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lint_mod,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking unused trait imports in crate"]
    #[inline(always)]
    pub fn check_unused_traits(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_unused_traits,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Checks the attributes in the module."]
    #[inline(always)]
    pub fn check_mod_attrs(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_mod_attrs,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Checks for uses of unstable APIs in the module."]
    #[inline(always)]
    pub fn check_mod_unstable_api_usage(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_mod_unstable_api_usage,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking privacy in  `describe_as_module(key.to_local_def_id(), tcx)` "]
    #[inline(always)]
    pub fn check_mod_privacy(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_mod_privacy,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking liveness of variables in  `tcx.def_path_str(key.to_def_id())` "]
    #[inline(always)]
    pub fn check_liveness(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_liveness,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Return the live symbols in the crate for dead code check."]
    #[doc = ""]
    #[doc =
    " The second return value maps from ADTs to ignored derived traits (e.g. Debug and Clone)."]
    #[inline(always)]
    pub fn live_symbols_and_ignored_derived_traits(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.live_symbols_and_ignored_derived_traits,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking deathness of variables in  `describe_as_module(key, tcx)` "]
    #[inline(always)]
    pub fn check_mod_deathness(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_mod_deathness,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that types are well-formed"]
    #[inline(always)]
    pub fn check_type_wf(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_type_wf,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Caches `CoerceUnsized` kinds for impls on custom types."]
    #[inline(always)]
    pub fn coerce_unsized_info(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coerce_unsized_info,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] type-checking  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn typeck(self, key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.typeck,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding used_trait_imports  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn used_trait_imports(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.used_trait_imports,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] coherence checking all impls of trait  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn coherent_trait(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coherent_trait,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Borrow-checks the given typeck root, e.g. functions, const/static items,"]
    #[doc = " and its children, e.g. closures, inline consts."]
    #[inline(always)]
    pub fn mir_borrowck(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_borrowck,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Gets a complete map from all types to their inherent impls."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_inherent_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Checks all types in the crate for overlap in their inherent impls. Reports errors."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls_validity_check(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_inherent_impls_validity_check,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Checks all types in the crate for overlap in their inherent impls. Reports errors."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls_overlap_check(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_inherent_impls_overlap_check,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Checks whether all impls in the crate pass the overlap check, returning"]
    #[doc =
    " which impls fail it. If all impls are correct, the returned slice is empty."]
    #[inline(always)]
    pub fn orphan_check_impl(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.orphan_check_impl,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Return the set of (transitive) callees that may result in a recursive call to `key`,"]
    #[doc = " if we were able to walk all callees."]
    #[inline(always)]
    pub fn mir_callgraph_cyclic(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_callgraph_cyclic,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Obtain all the calls into other local functions"]
    #[inline(always)]
    pub fn mir_inliner_callees(self, key: ty::InstanceKind<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_inliner_callees,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Computes the tag (if any) for a given type and variant."]
    #[doc = ""]
    #[doc =
    " `None` means that the variant doesn\'t need a tag (because it is niched)."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic for uninhabited variants and if the passed type is not an enum."]
    #[inline(always)]
    pub fn tag_for_variant(self,
        key: PseudoCanonicalInput<'tcx, (Ty<'tcx>, abi::VariantIdx)>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.tag_for_variant,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Evaluates a constant and returns the computed allocation."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::eval_to_const_value_raw`] or"]
    #[doc = " [`Self::eval_to_valtree`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn eval_to_allocation_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.eval_to_allocation_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Evaluate a static\'s initializer, returning the allocation of the initializer\'s memory."]
    #[inline(always)]
    pub fn eval_static_initializer(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.eval_static_initializer,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Evaluates const items or anonymous constants[^1] into a representation"]
    #[doc = " suitable for the type system and const generics."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this** directly, use one of the following wrappers:"]
    #[doc = " [`TyCtxt::const_eval_poly`], [`TyCtxt::const_eval_resolve`],"]
    #[doc =
    " [`TyCtxt::const_eval_instance`], or [`TyCtxt::const_eval_global_id`]."]
    #[doc = ""]
    #[doc = " </div>"]
    #[doc = ""]
    #[doc =
    " [^1]: Such as enum variant explicit discriminants or array lengths."]
    #[inline(always)]
    pub fn eval_to_const_value_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.eval_to_const_value_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Evaluate a constant and convert it to a type level constant or"]
    #[doc = " return `None` if that is not possible."]
    #[inline(always)]
    pub fn eval_to_valtree(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.eval_to_valtree,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Converts a type-level constant value into a MIR constant value."]
    #[inline(always)]
    pub fn valtree_to_const_val(self, key: ty::Value<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.valtree_to_const_val,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] converting literal to const"]
    #[inline(always)]
    pub fn lit_to_const(self, key: LitToConstInput<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lit_to_const,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] match-checking  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn check_match(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_match,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Performs part of the privacy check and computes effective visibilities."]
    #[inline(always)]
    pub fn effective_visibilities(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.effective_visibilities,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking for private elements in public interfaces for  `describe_as_module(module_def_id, tcx)` "]
    #[inline(always)]
    pub fn check_private_in_public(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_private_in_public,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] reachability"]
    #[inline(always)]
    pub fn reachable_set(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.reachable_set,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Per-body `region::ScopeTree`. The `DefId` should be the owner `DefId` for the body;"]
    #[doc =
    " in the case of closures, this will be redirected to the enclosing function."]
    #[inline(always)]
    pub fn region_scope_tree(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.region_scope_tree,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Generates a MIR body for the shim."]
    #[inline(always)]
    pub fn mir_shims(self, key: ty::InstanceKind<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_shims,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " The `symbol_name` query provides the symbol name for calling a"]
    #[doc =
    " given instance from the local crate. In particular, it will also"]
    #[doc =
    " look up the correct symbol name of instances from upstream crates."]
    #[inline(always)]
    pub fn symbol_name(self, key: ty::Instance<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.symbol_name,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up definition kind of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn def_kind(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.def_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Gets the span for the definition."]
    #[inline(always)]
    pub fn def_span(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.def_span,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Gets the span for the identifier of the definition."]
    #[inline(always)]
    pub fn def_ident_span(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.def_ident_span,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Gets the span for the type of the definition."]
    #[doc = " Panics if it is not a definition that has a single type."]
    #[inline(always)]
    pub fn ty_span(self, key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.ty_span,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn lookup_stability(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lookup_stability,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up const stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn lookup_const_stability(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lookup_const_stability,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up default body stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn lookup_default_body_stability(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lookup_default_body_stability,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing should_inherit_track_caller of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn should_inherit_track_caller(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.should_inherit_track_caller,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing inherited_align of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn inherited_align(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inherited_align,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is deprecated"]
    #[inline(always)]
    pub fn lookup_deprecation_entry(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lookup_deprecation_entry,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Determines whether an item is annotated with `#[doc(hidden)]`."]
    #[inline(always)]
    pub fn is_doc_hidden(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_doc_hidden,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Determines whether an item is annotated with `#[doc(notable_trait)]`."]
    #[inline(always)]
    pub fn is_doc_notable_trait(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_doc_notable_trait,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns the attributes on the item at `def_id`."]
    #[doc = ""]
    #[doc = " Do not use this directly, use `tcx.get_attrs` instead."]
    #[inline(always)]
    pub fn attrs_for_def(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.attrs_for_def,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns the `CodegenFnAttrs` for the item at `def_id`."]
    #[doc = ""]
    #[doc =
    " If possible, use `tcx.codegen_instance_attrs` instead. That function takes the"]
    #[doc = " instance kind into account."]
    #[doc = ""]
    #[doc =
    " For example, the `#[naked]` attribute should be applied for `InstanceKind::Item`,"]
    #[doc =
    " but should not be applied if the instance kind is `InstanceKind::ReifyShim`."]
    #[doc =
    " Using this query would include the attribute regardless of the actual instance"]
    #[doc = " kind at the call site."]
    #[inline(always)]
    pub fn codegen_fn_attrs(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.codegen_fn_attrs,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing target features for inline asm of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn asm_target_features(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.asm_target_features,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up function parameter identifiers for  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn fn_arg_idents(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.fn_arg_idents,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Gets the rendered value of the specified constant or associated constant."]
    #[doc = " Used by rustdoc."]
    #[inline(always)]
    pub fn rendered_const(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.rendered_const,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Gets the rendered precise capturing args for an opaque for use in rustdoc."]
    #[inline(always)]
    pub fn rendered_precise_capturing_args(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.rendered_precise_capturing_args,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing specialization parent impl of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn impl_parent(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.impl_parent,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if item has MIR available:  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn is_mir_available(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_mir_available,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding all existential vtable entries for trait  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn own_existential_vtable_entries(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.own_existential_vtable_entries,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding all vtable entries for trait  `tcx.def_path_str(key.def_id)` "]
    #[inline(always)]
    pub fn vtable_entries(self, key: ty::TraitRef<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.vtable_entries,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding the slot within the vtable of  `key.self_ty()`  for the implementation of  `key.print_only_trait_name()` "]
    #[inline(always)]
    pub fn first_method_vtable_slot(self, key: ty::TraitRef<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.first_method_vtable_slot,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding the slot within vtable for trait object  `key.1`  vtable ptr during trait upcasting coercion from  `key.0`  vtable"]
    #[inline(always)]
    pub fn supertrait_vtable_slot(self, key: (Ty<'tcx>, Ty<'tcx>)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.supertrait_vtable_slot,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] vtable const allocation for < `key.0`  as  `key.1.map(| trait_ref | format!\n(\"{trait_ref}\")).unwrap_or_else(| | \"_\".to_owned())` >"]
    #[inline(always)]
    pub fn vtable_allocation(self,
        key: (Ty<'tcx>, Option<ty::ExistentialTraitRef<'tcx>>)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.vtable_allocation,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing candidate for  `key.value` "]
    #[inline(always)]
    pub fn codegen_select_candidate(self,
        key: PseudoCanonicalInput<'tcx, ty::TraitRef<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.codegen_select_candidate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Return all `impl` blocks in the current crate."]
    #[inline(always)]
    pub fn all_local_trait_impls(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.all_local_trait_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Return all `impl` blocks of the given trait in the current crate."]
    #[inline(always)]
    pub fn local_trait_impls(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.local_trait_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Given a trait `trait_id`, return all known `impl` blocks."]
    #[inline(always)]
    pub fn trait_impls_of(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trait_impls_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] building specialization graph of trait  `tcx.def_path_str(trait_id)` "]
    #[inline(always)]
    pub fn specialization_graph_of(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.specialization_graph_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining dyn-compatibility of trait  `tcx.def_path_str(trait_id)` "]
    #[inline(always)]
    pub fn dyn_compatibility_violations(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.dyn_compatibility_violations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if trait  `tcx.def_path_str(trait_id)`  is dyn-compatible"]
    #[inline(always)]
    pub fn is_dyn_compatible(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_dyn_compatible,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Gets the ParameterEnvironment for a given item; this environment"]
    #[doc =
    " will be in \"user-facing\" mode, meaning that it is suitable for"]
    #[doc = " type-checking etc, and it does not normalize specializable"]
    #[doc = " associated types."]
    #[doc = ""]
    #[doc =
    " You should almost certainly not use this. If you already have an InferCtxt, then"]
    #[doc =
    " you should also probably have a `ParamEnv` from when it was built. If you don\'t,"]
    #[doc =
    " then you should take a `TypingEnv` to ensure that you handle opaque types correctly."]
    #[inline(always)]
    pub fn param_env(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.param_env,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Like `param_env`, but returns the `ParamEnv` after all opaque types have been"]
    #[doc =
    " replaced with their hidden type. This is used in the old trait solver"]
    #[doc = " when in `PostAnalysis` mode and should not be called directly."]
    #[inline(always)]
    pub fn typing_env_normalized_for_post_analysis(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.typing_env_normalized_for_post_analysis,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Trait selection queries. These are best used by invoking `ty.is_copy_modulo_regions()`,"]
    #[doc =
    " `ty.is_copy()`, etc, since that will prune the environment where possible."]
    #[inline(always)]
    pub fn is_copy_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_copy_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Trait selection queries. These are best used by invoking `ty.is_use_cloned_modulo_regions()`,"]
    #[doc =
    " `ty.is_use_cloned()`, etc, since that will prune the environment where possible."]
    #[inline(always)]
    pub fn is_use_cloned_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_use_cloned_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Query backing `Ty::is_sized`."]
    #[inline(always)]
    pub fn is_sized_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_sized_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Query backing `Ty::is_freeze`."]
    #[inline(always)]
    pub fn is_freeze_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_freeze_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Query backing `Ty::is_unsafe_unpin`."]
    #[inline(always)]
    pub fn is_unsafe_unpin_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_unsafe_unpin_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Query backing `Ty::is_unpin`."]
    #[inline(always)]
    pub fn is_unpin_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_unpin_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Query backing `Ty::is_async_drop`."]
    #[inline(always)]
    pub fn is_async_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_async_drop_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Query backing `Ty::needs_drop`."]
    #[inline(always)]
    pub fn needs_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.needs_drop_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Query backing `Ty::needs_async_drop`."]
    #[inline(always)]
    pub fn needs_async_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.needs_async_drop_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Query backing `Ty::has_significant_drop_raw`."]
    #[inline(always)]
    pub fn has_significant_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_significant_drop_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Query backing `Ty::is_structural_eq_shallow`."]
    #[doc = ""]
    #[doc =
    " This is only correct for ADTs. Call `is_structural_eq_shallow` to handle all types"]
    #[doc = " correctly."]
    #[inline(always)]
    pub fn has_structural_eq_impl(self, key: Ty<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_structural_eq_impl,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " A list of types where the ADT requires drop if and only if any of"]
    #[doc =
    " those types require drop. If the ADT is known to always need drop"]
    #[doc = " then `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    pub fn adt_drop_tys(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_drop_tys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " A list of types where the ADT requires async drop if and only if any of"]
    #[doc =
    " those types require async drop. If the ADT is known to always need async drop"]
    #[doc = " then `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    pub fn adt_async_drop_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_async_drop_tys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " A list of types where the ADT requires drop if and only if any of those types"]
    #[doc =
    " has significant drop. A type marked with the attribute `rustc_insignificant_dtor`"]
    #[doc =
    " is considered to not be significant. A drop is significant if it is implemented"]
    #[doc =
    " by the user or does anything that will have any observable behavior (other than"]
    #[doc =
    " freeing up memory). If the ADT is known to have a significant destructor then"]
    #[doc = " `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    pub fn adt_significant_drop_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_significant_drop_tys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns a list of types which (a) have a potentially significant destructor"]
    #[doc =
    " and (b) may be dropped as a result of dropping a value of some type `ty`"]
    #[doc = " (in the given environment)."]
    #[doc = ""]
    #[doc =
    " The idea of \"significant\" drop is somewhat informal and is used only for"]
    #[doc =
    " diagnostics and edition migrations. The idea is that a significant drop may have"]
    #[doc =
    " some visible side-effect on execution; freeing memory is NOT considered a side-effect."]
    #[doc = " The rules are as follows:"]
    #[doc =
    " * Type with no explicit drop impl do not have significant drop."]
    #[doc =
    " * Types with a drop impl are assumed to have significant drop unless they have a `#[rustc_insignificant_dtor]` annotation."]
    #[doc = ""]
    #[doc =
    " Note that insignificant drop is a \"shallow\" property. A type like `Vec<LockGuard>` does not"]
    #[doc =
    " have significant drop but the type `LockGuard` does, and so if `ty  = Vec<LockGuard>`"]
    #[doc = " then the return value would be `&[LockGuard]`."]
    #[doc =
    " *IMPORTANT*: *DO NOT* run this query before promoted MIR body is constructed,"]
    #[doc = " because this query partially depends on that query."]
    #[doc = " Otherwise, there is a risk of query cycles."]
    #[inline(always)]
    pub fn list_significant_drop_tys(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.list_significant_drop_tys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Computes the layout of a type. Note that this implicitly"]
    #[doc =
    " executes in `TypingMode::PostAnalysis`, and will normalize the input type."]
    #[inline(always)]
    pub fn layout_of(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.layout_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Compute a `FnAbi` suitable for indirect calls, i.e. to `fn` pointers."]
    #[doc = ""]
    #[doc =
    " NB: this doesn\'t handle virtual calls - those should use `fn_abi_of_instance`"]
    #[doc = " instead, where the instance is an `InstanceKind::Virtual`."]
    #[inline(always)]
    pub fn fn_abi_of_fn_ptr(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::PolyFnSig<'tcx>, &'tcx ty::List<Ty<'tcx>>)>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.fn_abi_of_fn_ptr,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Compute a `FnAbi` suitable for declaring/defining an `fn` instance, and for direct calls*"]
    #[doc =
    " to an `fn`. Indirectly-passed parameters in the returned ABI might not include all possible"]
    #[doc =
    " codegen optimization attributes (such as `ReadOnly` or `CapturesNone`), as deducing these"]
    #[doc =
    " requires inspection of function bodies that can lead to cycles when performed during typeck."]
    #[doc =
    " Post typeck, you should prefer the optimized ABI returned by `TyCtxt::fn_abi_of_instance`."]
    #[doc = ""]
    #[doc =
    " NB: the ABI returned by this query must not differ from that returned by"]
    #[doc = "     `fn_abi_of_instance_raw` in any other way."]
    #[doc = ""]
    #[doc =
    " * that includes virtual calls, which are represented by \"direct calls\" to an"]
    #[doc =
    "   `InstanceKind::Virtual` instance (of `<dyn Trait as Trait>::fn`)."]
    #[inline(always)]
    pub fn fn_abi_of_instance_no_deduced_attrs(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::Instance<'tcx>, &'tcx ty::List<Ty<'tcx>>)>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.fn_abi_of_instance_no_deduced_attrs,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Compute a `FnAbi` suitable for declaring/defining an `fn` instance, and for direct calls*"]
    #[doc =
    " to an `fn`. Indirectly-passed parameters in the returned ABI will include applicable"]
    #[doc =
    " codegen optimization attributes, including `ReadOnly` and `CapturesNone` -- deduction of"]
    #[doc =
    " which requires inspection of function bodies that can lead to cycles when performed during"]
    #[doc =
    " typeck. During typeck, you should therefore use instead the unoptimized ABI returned by"]
    #[doc = " `fn_abi_of_instance_no_deduced_attrs`."]
    #[doc = ""]
    #[doc =
    " For performance reasons, you should prefer to call the inherent `TyCtxt::fn_abi_of_instance`"]
    #[doc =
    " method rather than invoke this query: it delegates to this query if necessary, but where"]
    #[doc =
    " possible delegates instead to the `fn_abi_of_instance_no_deduced_attrs` query (thus avoiding"]
    #[doc = " unnecessary query system overhead)."]
    #[doc = ""]
    #[doc =
    " * that includes virtual calls, which are represented by \"direct calls\" to an"]
    #[doc =
    "   `InstanceKind::Virtual` instance (of `<dyn Trait as Trait>::fn`)."]
    #[inline(always)]
    pub fn fn_abi_of_instance_raw(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::Instance<'tcx>, &'tcx ty::List<Ty<'tcx>>)>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.fn_abi_of_instance_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting dylib dependency formats of crate"]
    #[inline(always)]
    pub fn dylib_dependency_formats(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.dylib_dependency_formats,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the linkage format of all dependencies"]
    #[inline(always)]
    pub fn dependency_formats(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.dependency_formats,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate is_compiler_builtins"]
    #[inline(always)]
    pub fn is_compiler_builtins(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_compiler_builtins,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_global_allocator"]
    #[inline(always)]
    pub fn has_global_allocator(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_global_allocator,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_alloc_error_handler"]
    #[inline(always)]
    pub fn has_alloc_error_handler(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_alloc_error_handler,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_panic_handler"]
    #[inline(always)]
    pub fn has_panic_handler(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_panic_handler,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if a crate is `#![profiler_runtime]`"]
    #[inline(always)]
    pub fn is_profiler_runtime(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_profiler_runtime,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(key)`  contains FFI-unwind calls"]
    #[inline(always)]
    pub fn has_ffi_unwind_calls(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_ffi_unwind_calls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's required panic strategy"]
    #[inline(always)]
    pub fn required_panic_strategy(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.required_panic_strategy,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's configured panic-in-drop strategy"]
    #[inline(always)]
    pub fn panic_in_drop_strategy(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.panic_in_drop_strategy,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting whether a crate has `#![no_builtins]`"]
    #[inline(always)]
    pub fn is_no_builtins(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_no_builtins,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's symbol mangling version"]
    #[inline(always)]
    pub fn symbol_mangling_version(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.symbol_mangling_version,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting crate's ExternCrateData"]
    #[inline(always)]
    pub fn extern_crate(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.extern_crate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether the crate enabled `specialization`/`min_specialization`"]
    #[inline(always)]
    pub fn specialization_enabled_in(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.specialization_enabled_in,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing whether impls specialize one another"]
    #[inline(always)]
    pub fn specializes(self, key: (DefId, DefId)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.specializes,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting traits in scope at a block"]
    #[inline(always)]
    pub fn in_scope_traits_map(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.in_scope_traits_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns whether the impl or associated function has the `default` keyword."]
    #[doc =
    " Note: This will ICE on inherent impl items. Consider using `AssocItem::defaultness`."]
    #[inline(always)]
    pub fn defaultness(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.defaultness,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns whether the field corresponding to the `DefId` has a default field value."]
    #[inline(always)]
    pub fn default_field(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.default_field,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that  `tcx.def_path_str(key)`  is well-formed"]
    #[inline(always)]
    pub fn check_well_formed(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_well_formed,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that  `tcx.def_path_str(key)` 's generics are constrained by the impl header"]
    #[inline(always)]
    pub fn enforce_impl_non_lifetime_params_are_constrained(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.enforce_impl_non_lifetime_params_are_constrained,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the exported symbols of a crate"]
    #[inline(always)]
    pub fn reachable_non_generics(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.reachable_non_generics,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is an exported symbol"]
    #[inline(always)]
    pub fn is_reachable_non_generic(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_reachable_non_generic,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is reachable from outside the crate"]
    #[inline(always)]
    pub fn is_unreachable_local_definition(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_unreachable_local_definition,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " The entire set of monomorphizations the local crate can safely"]
    #[doc = " link to because they are exported from upstream crates. Do"]
    #[doc = " not depend on this directly, as its value changes anytime"]
    #[doc = " a monomorphization gets added or removed in any upstream"]
    #[doc =
    " crate. Instead use the narrower `upstream_monomorphizations_for`,"]
    #[doc = " `upstream_drop_glue_for`, `upstream_async_drop_glue_for`, or,"]
    #[doc = " even better, `Instance::upstream_monomorphization()`."]
    #[inline(always)]
    pub fn upstream_monomorphizations(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.upstream_monomorphizations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the set of upstream monomorphizations available for the"]
    #[doc =
    " generic function identified by the given `def_id`. The query makes"]
    #[doc =
    " sure to make a stable selection if the same monomorphization is"]
    #[doc = " available in multiple upstream crates."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[inline(always)]
    pub fn upstream_monomorphizations_for(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.upstream_monomorphizations_for,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the upstream crate that exports drop-glue for the given"]
    #[doc =
    " type (`args` is expected to be a single-item list containing the"]
    #[doc = " type one wants drop-glue for)."]
    #[doc = ""]
    #[doc =
    " This is a subset of `upstream_monomorphizations_for` in order to"]
    #[doc =
    " increase dep-tracking granularity. Otherwise adding or removing any"]
    #[doc = " type with drop-glue in any upstream crate would invalidate all"]
    #[doc = " functions calling drop-glue of an upstream type."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[doc = ""]
    #[doc =
    " NOTE: This query could easily be extended to also support other"]
    #[doc =
    "       common functions that have are large set of monomorphizations"]
    #[doc = "       (like `Clone::clone` for example)."]
    #[inline(always)]
    pub fn upstream_drop_glue_for(self, key: GenericArgsRef<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.upstream_drop_glue_for,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns the upstream crate that exports async-drop-glue for"]
    #[doc = " the given type (`args` is expected to be a single-item list"]
    #[doc = " containing the type one wants async-drop-glue for)."]
    #[doc = ""]
    #[doc = " This is a subset of `upstream_monomorphizations_for` in order"]
    #[doc = " to increase dep-tracking granularity. Otherwise adding or"]
    #[doc = " removing any type with async-drop-glue in any upstream crate"]
    #[doc = " would invalidate all functions calling async-drop-glue of an"]
    #[doc = " upstream type."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[doc = ""]
    #[doc =
    " NOTE: This query could easily be extended to also support other"]
    #[doc =
    "       common functions that have are large set of monomorphizations"]
    #[doc = "       (like `Clone::clone` for example)."]
    #[inline(always)]
    pub fn upstream_async_drop_glue_for(self, key: GenericArgsRef<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.upstream_async_drop_glue_for,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns a list of all `extern` blocks of a crate."]
    #[inline(always)]
    pub fn foreign_modules(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.foreign_modules,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Lint against `extern fn` declarations having incompatible types."]
    #[inline(always)]
    pub fn clashing_extern_declarations(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.clashing_extern_declarations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Identifies the entry-point (e.g., the `main` function) for a given"]
    #[doc =
    " crate, returning `None` if there is no entry point (such as for library crates)."]
    #[inline(always)]
    pub fn entry_fn(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.entry_fn,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Finds the `rustc_proc_macro_decls` item of a crate."]
    #[inline(always)]
    pub fn proc_macro_decls_static(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.proc_macro_decls_static,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the hash a crate"]
    #[inline(always)]
    pub fn crate_hash(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_hash,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Gets the hash for the host proc macro. Used to support -Z dual-proc-macro."]
    #[inline(always)]
    pub fn crate_host_hash(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_host_hash,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Gets the extra data to put in each output filename for a crate."]
    #[doc =
    " For example, compiling the `foo` crate with `extra-filename=-a` creates a `libfoo-b.rlib` file."]
    #[inline(always)]
    pub fn extra_filename(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.extra_filename,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Gets the paths where the crate came from in the file system."]
    #[inline(always)]
    pub fn crate_extern_paths(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_extern_paths,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Given a crate and a trait, look up all impls of that trait in the crate."]
    #[doc = " Return `(impl_id, self_ty)`."]
    #[inline(always)]
    pub fn implementations_of_trait(self, key: (CrateNum, DefId)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.implementations_of_trait,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Collects all incoherent impls for the given crate and type."]
    #[doc = ""]
    #[doc =
    " Do not call this directly, but instead use the `incoherent_impls` query."]
    #[doc =
    " This query is only used to get the data necessary for that query."]
    #[inline(always)]
    pub fn crate_incoherent_impls(self, key: (CrateNum, SimplifiedType)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_incoherent_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Get the corresponding native library from the `native_libraries` query"]
    #[inline(always)]
    pub fn native_library(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.native_library,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] inheriting delegation signature"]
    #[inline(always)]
    pub fn inherit_sig_for_delegation_item(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inherit_sig_for_delegation_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Does lifetime resolution on items. Importantly, we can\'t resolve"]
    #[doc =
    " lifetimes directly on things like trait methods, because of trait params."]
    #[doc = " See `rustc_resolve::late::lifetimes` for details."]
    #[inline(always)]
    pub fn resolve_bound_vars(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.resolve_bound_vars,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up a named region inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    pub fn named_variable_map(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.named_variable_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] testing if a region is late bound inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    pub fn is_late_bound_map(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_late_bound_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the *default lifetime* to be used if a trait object type were to be passed for"]
    #[doc = " the type parameter given by `DefId`."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_object_lifetime_defaults]` on an item to basically"]
    #[doc =
    " print the result of this query for use in UI tests or for debugging purposes."]
    #[doc = ""]
    #[doc = " # Examples"]
    #[doc = ""]
    #[doc =
    " - For `T` in `struct Foo<\'a, T: \'a>(&\'a T);`, this would be `Param(\'a)`"]
    #[doc =
    " - For `T` in `struct Bar<\'a, T>(&\'a T);`, this would be `Empty`"]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not a type parameter."]
    #[inline(always)]
    pub fn object_lifetime_default(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.object_lifetime_default,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up late bound vars inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    pub fn late_bound_vars_map(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.late_bound_vars_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " For an opaque type, return the list of (captured lifetime, inner generic param)."]
    #[doc = " ```ignore (illustrative)"]
    #[doc =
    " fn foo<\'a: \'a, \'b, T>(&\'b u8) -> impl Into<Self> + \'b { ... }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " We would return `[(\'a, \'_a), (\'b, \'_b)]`, with `\'a` early-bound and `\'b` late-bound."]
    #[doc = ""]
    #[doc = " After hir_ty_lowering, we get:"]
    #[doc = " ```ignore (pseudo-code)"]
    #[doc = " opaque foo::<\'a>::opaque<\'_a, \'_b>: Into<Foo<\'_a>> + \'_b;"]
    #[doc = "                          ^^^^^^^^ inner generic params"]
    #[doc =
    " fn foo<\'a>: for<\'b> fn(&\'b u8) -> foo::<\'a>::opaque::<\'a, \'b>"]
    #[doc =
    "                                                       ^^^^^^ captured lifetimes"]
    #[doc = " ```"]
    #[inline(always)]
    pub fn opaque_captured_lifetimes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.opaque_captured_lifetimes,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Computes the visibility of the provided `def_id`."]
    #[doc = ""]
    #[doc =
    " If the item from the `def_id` doesn\'t have a visibility, it will panic. For example"]
    #[doc =
    " a generic type parameter will panic if you call this method on it:"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " use std::fmt::Debug;"]
    #[doc = ""]
    #[doc = " pub trait Foo<T: Debug> {}"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc = " In here, if you call `visibility` on `T`, it\'ll panic."]
    #[inline(always)]
    pub fn visibility(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.visibility,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the uninhabited predicate of `{:?}`"]
    #[inline(always)]
    pub fn inhabited_predicate_adt(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inhabited_predicate_adt,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Do not call this query directly: invoke `Ty::inhabited_predicate` instead."]
    #[inline(always)]
    pub fn inhabited_predicate_type(self, key: Ty<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inhabited_predicate_type,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching what a dependency looks like"]
    #[inline(always)]
    pub fn crate_dep_kind(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_dep_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Gets the name of the crate."]
    #[inline(always)]
    pub fn crate_name(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_name,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting child items of module  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn module_children(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.module_children,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Gets the number of definitions in a foreign crate."]
    #[doc = ""]
    #[doc =
    " This allows external tools to iterate over all definitions in a foreign crate."]
    #[doc = ""]
    #[doc =
    " This should never be used for the local crate, instead use `iter_local_def_id`."]
    #[inline(always)]
    pub fn num_extern_def_ids(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.num_extern_def_ids,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] calculating the lib features defined in a crate"]
    #[inline(always)]
    pub fn lib_features(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lib_features,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Mapping from feature name to feature name based on the `implied_by` field of `#[unstable]`"]
    #[doc =
    " attributes. If a `#[unstable(feature = \"implier\", implied_by = \"impliee\")]` attribute"]
    #[doc = " exists, then this map will have a `impliee -> implier` entry."]
    #[doc = ""]
    #[doc =
    " This mapping is necessary unless both the `#[stable]` and `#[unstable]` attributes should"]
    #[doc =
    " specify their implications (both `implies` and `implied_by`). If only one of the two"]
    #[doc =
    " attributes do (as in the current implementation, `implied_by` in `#[unstable]`), then this"]
    #[doc =
    " mapping is necessary for diagnostics. When a \"unnecessary feature attribute\" error is"]
    #[doc =
    " reported, only the `#[stable]` attribute information is available, so the map is necessary"]
    #[doc =
    " to know that the feature implies another feature. If it were reversed, and the `#[stable]`"]
    #[doc =
    " attribute had an `implies` meta item, then a map would be necessary when avoiding a \"use of"]
    #[doc = " unstable feature\" error for a feature that was implied."]
    #[inline(always)]
    pub fn stability_implications(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.stability_implications,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Whether the function is an intrinsic"]
    #[inline(always)]
    pub fn intrinsic_raw(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.intrinsic_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the lang items defined in another crate by loading it from metadata."]
    #[inline(always)]
    pub fn get_lang_items(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.get_lang_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns all diagnostic items defined in all crates."]
    #[inline(always)]
    pub fn all_diagnostic_items(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.all_diagnostic_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the lang items defined in another crate by loading it from metadata."]
    #[inline(always)]
    pub fn defined_lang_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.defined_lang_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns the diagnostic items defined in a crate."]
    #[inline(always)]
    pub fn diagnostic_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.diagnostic_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] calculating the missing lang items in a crate"]
    #[inline(always)]
    pub fn missing_lang_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.missing_lang_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " The visible parent map is a map from every item to a visible parent."]
    #[doc = " It prefers the shortest visible path to an item."]
    #[doc = " Used for diagnostics, for example path trimming."]
    #[doc = " The parents are modules, enums or traits."]
    #[inline(always)]
    pub fn visible_parent_map(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.visible_parent_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Collects the \"trimmed\", shortest accessible paths to all items for diagnostics."]
    #[doc =
    " See the [provider docs](`rustc_middle::ty::print::trimmed_def_paths`) for more info."]
    #[inline(always)]
    pub fn trimmed_def_paths(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trimmed_def_paths,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] seeing if we're missing an `extern crate` item for this crate"]
    #[inline(always)]
    pub fn missing_extern_crate_item(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.missing_extern_crate_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking at the source for a crate"]
    #[inline(always)]
    pub fn used_crate_source(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.used_crate_source,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns the debugger visualizers defined for this crate."]
    #[doc =
    " NOTE: This query has to be marked `eval_always` because it reads data"]
    #[doc =
    "       directly from disk that is not tracked anywhere else. I.e. it"]
    #[doc = "       represents a genuine input to the query system."]
    #[inline(always)]
    pub fn debugger_visualizers(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.debugger_visualizers,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] generating a postorder list of CrateNums"]
    #[inline(always)]
    pub fn postorder_cnums(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.postorder_cnums,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns whether or not the crate with CrateNum \'cnum\'"]
    #[doc = " is marked as a private dependency"]
    #[inline(always)]
    pub fn is_private_dep(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_private_dep,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the allocator kind for the current crate"]
    #[inline(always)]
    pub fn allocator_kind(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.allocator_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] alloc error handler kind for the current crate"]
    #[inline(always)]
    pub fn alloc_error_handler_kind(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.alloc_error_handler_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting upvars mentioned in  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn upvars_mentioned(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.upvars_mentioned,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " All available crates in the graph, including those that should not be user-facing"]
    #[doc = " (such as private crates)."]
    #[inline(always)]
    pub fn crates(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crates,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching `CrateNum`s for all crates loaded non-speculatively"]
    #[inline(always)]
    pub fn used_crates(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.used_crates,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " All crates that share the same name as crate `c`."]
    #[doc = ""]
    #[doc =
    " This normally occurs when multiple versions of the same dependency are present in the"]
    #[doc = " dependency tree."]
    #[inline(always)]
    pub fn duplicate_crate_names(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.duplicate_crate_names,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " A list of all traits in a crate, used by rustdoc and error reporting."]
    #[inline(always)]
    pub fn traits(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.traits,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching all trait impls in a crate"]
    #[inline(always)]
    pub fn trait_impls_in_crate(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trait_impls_in_crate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching the stable impl's order"]
    #[inline(always)]
    pub fn stable_order_of_exportable_impls(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.stable_order_of_exportable_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching all exportable items in a crate"]
    #[inline(always)]
    pub fn exportable_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.exportable_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " The list of non-generic symbols exported from the given crate."]
    #[doc = ""]
    #[doc = " This is separate from exported_generic_symbols to avoid having"]
    #[doc = " to deserialize all non-generic symbols too for upstream crates"]
    #[doc = " in the upstream_monomorphizations query."]
    #[doc = ""]
    #[doc =
    " - All names contained in `exported_non_generic_symbols(cnum)` are"]
    #[doc =
    "   guaranteed to correspond to a publicly visible symbol in `cnum`"]
    #[doc = "   machine code."]
    #[doc =
    " - The `exported_non_generic_symbols` and `exported_generic_symbols`"]
    #[doc = "   sets of different crates do not intersect."]
    #[inline(always)]
    pub fn exported_non_generic_symbols(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.exported_non_generic_symbols,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " The list of generic symbols exported from the given crate."]
    #[doc = ""]
    #[doc = " - All names contained in `exported_generic_symbols(cnum)` are"]
    #[doc =
    "   guaranteed to correspond to a publicly visible symbol in `cnum`"]
    #[doc = "   machine code."]
    #[doc =
    " - The `exported_non_generic_symbols` and `exported_generic_symbols`"]
    #[doc = "   sets of different crates do not intersect."]
    #[inline(always)]
    pub fn exported_generic_symbols(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.exported_generic_symbols,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collect_and_partition_mono_items"]
    #[inline(always)]
    pub fn collect_and_partition_mono_items(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.collect_and_partition_mono_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining whether  `tcx.def_path_str(def_id)`  needs codegen"]
    #[inline(always)]
    pub fn is_codegened_item(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_codegened_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting codegen unit `{sym}`"]
    #[inline(always)]
    pub fn codegen_unit(self, key: Symbol) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.codegen_unit,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] optimization level used by backend"]
    #[inline(always)]
    pub fn backend_optimization_level(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.backend_optimization_level,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Return the filenames where output artefacts shall be stored."]
    #[doc = ""]
    #[doc =
    " This query returns an `&Arc` because codegen backends need the value even after the `TyCtxt`"]
    #[doc = " has been destroyed."]
    #[inline(always)]
    pub fn output_filenames(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.output_filenames,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn normalize_canonicalized_projection(self,
        key: CanonicalAliasGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.normalize_canonicalized_projection,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn normalize_canonicalized_free_alias(self,
        key: CanonicalAliasGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.normalize_canonicalized_free_alias,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn normalize_canonicalized_inherent_projection(self,
        key: CanonicalAliasGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.normalize_canonicalized_inherent_projection,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Do not call this query directly: invoke `try_normalize_erasing_regions` instead."]
    #[inline(always)]
    pub fn try_normalize_generic_arg_after_erasing_regions(self,
        key: PseudoCanonicalInput<'tcx, GenericArg<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.try_normalize_generic_arg_after_erasing_regions,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing implied outlives bounds for  `key.0.canonical.value.value.ty`  (hack disabled = {:?})"]
    #[inline(always)]
    pub fn implied_outlives_bounds(self,
        key: (CanonicalImpliedOutlivesBoundsGoal<'tcx>, bool)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.implied_outlives_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Do not call this query directly:"]
    #[doc =
    " invoke `DropckOutlives::new(dropped_ty)).fully_perform(typeck.infcx)` instead."]
    #[inline(always)]
    pub fn dropck_outlives(self, key: CanonicalDropckOutlivesGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.dropck_outlives,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Do not call this query directly: invoke `infcx.predicate_may_hold()` or"]
    #[doc = " `infcx.predicate_must_hold()` instead."]
    #[inline(always)]
    pub fn evaluate_obligation(self, key: CanonicalPredicateGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.evaluate_obligation,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Do not call this query directly: part of the `Eq` type-op"]
    #[inline(always)]
    pub fn type_op_ascribe_user_type(self,
        key: CanonicalTypeOpAscribeUserTypeGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_ascribe_user_type,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Do not call this query directly: part of the `ProvePredicate` type-op"]
    #[inline(always)]
    pub fn type_op_prove_predicate(self,
        key: CanonicalTypeOpProvePredicateGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_prove_predicate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_ty(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_normalize_ty,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_clause(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::Clause<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_normalize_clause,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_poly_fn_sig(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::PolyFnSig<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_normalize_poly_fn_sig,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_fn_sig(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::FnSig<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_normalize_fn_sig,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking impossible instantiated predicates:  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    pub fn instantiate_and_check_impossible_predicates(self,
        key: (DefId, GenericArgsRef<'tcx>)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.instantiate_and_check_impossible_predicates,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(key.1)`  is impossible to reference within  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    pub fn is_impossible_associated_item(self, key: (DefId, DefId)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_impossible_associated_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing autoderef types for  `goal.canonical.value.value.self_ty` "]
    #[inline(always)]
    pub fn method_autoderef_steps(self,
        key: CanonicalMethodAutoderefStepsGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.method_autoderef_steps,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Used by `-Znext-solver` to compute proof trees."]
    #[inline(always)]
    pub fn evaluate_root_goal_for_proof_tree_raw(self,
        key: solve::CanonicalInput<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.evaluate_root_goal_for_proof_tree_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Returns the Rust target features for the current target. These are not always the same as LLVM target features!"]
    #[inline(always)]
    pub fn rust_target_features(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.rust_target_features,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up implied target features"]
    #[inline(always)]
    pub fn implied_target_features(self, key: Symbol) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.implied_target_features,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up enabled feature gates"]
    #[inline(always)]
    pub fn features_query(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.features_query,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] the ast before macro expansion and name resolution"]
    #[inline(always)]
    pub fn crate_for_resolver(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_for_resolver,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Attempt to resolve the given `DefId` to an `Instance`, for the"]
    #[doc = " given generics args (`GenericArgsRef`), returning one of:"]
    #[doc = "  * `Ok(Some(instance))` on success"]
    #[doc = "  * `Ok(None)` when the `GenericArgsRef` are still too generic,"]
    #[doc = "    and therefore don\'t allow finding the final `Instance`"]
    #[doc =
    "  * `Err(ErrorGuaranteed)` when the `Instance` resolution process"]
    #[doc =
    "    couldn\'t complete due to errors elsewhere - this is distinct"]
    #[doc =
    "    from `Ok(None)` to avoid misleading diagnostics when an error"]
    #[doc = "    has already been/will be emitted, for the original cause."]
    #[inline(always)]
    pub fn resolve_instance_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, (DefId, GenericArgsRef<'tcx>)>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.resolve_instance_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] revealing opaque types in `{:?}`"]
    #[inline(always)]
    pub fn reveal_opaque_types_in_bounds(self, key: ty::Clauses<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.reveal_opaque_types_in_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up limits"]
    #[inline(always)]
    pub fn limits(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.limits,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Performs an HIR-based well-formed check on the item with the given `HirId`. If"]
    #[doc =
    " we get an `Unimplemented` error that matches the provided `Predicate`, return"]
    #[doc = " the cause of the newly created obligation."]
    #[doc = ""]
    #[doc =
    " This is only used by error-reporting code to get a better cause (in particular, a better"]
    #[doc =
    " span) for an *existing* error. Therefore, it is best-effort, and may never handle"]
    #[doc =
    " all of the cases that the normal `ty::Ty`-based wfcheck does. This is fine,"]
    #[doc = " because the `ty::Ty`-based wfcheck is always run."]
    #[inline(always)]
    pub fn diagnostic_hir_wf_check(self,
        key: (ty::Predicate<'tcx>, WellFormedLoc)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.diagnostic_hir_wf_check,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " The list of backend features computed from CLI flags (`-Ctarget-cpu`, `-Ctarget-feature`,"]
    #[doc = " `--target` and similar)."]
    #[inline(always)]
    pub fn global_backend_features(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.global_backend_features,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking validity requirement for  `key.1.value` :  `key.0` "]
    #[inline(always)]
    pub fn check_validity_requirement(self,
        key:
            (ValidityRequirement, ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_validity_requirement,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " This takes the def-id of an associated item from a impl of a trait,"]
    #[doc =
    " and checks its validity against the trait item it corresponds to."]
    #[doc = ""]
    #[doc = " Any other def id will ICE."]
    #[inline(always)]
    pub fn compare_impl_item(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.compare_impl_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] deducing parameter attributes for  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn deduced_param_attrs(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.deduced_param_attrs,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] resolutions for documentation links for a module"]
    #[inline(always)]
    pub fn doc_link_resolutions(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.doc_link_resolutions,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] traits in scope for documentation links for a module"]
    #[inline(always)]
    pub fn doc_link_traits_in_scope(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.doc_link_traits_in_scope,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Get all item paths that were stripped by a `#[cfg]` in a particular crate."]
    #[doc =
    " Should not be called for the local crate before the resolver outputs are created, as it"]
    #[doc = " is only fed there."]
    #[inline(always)]
    pub fn stripped_cfg_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.stripped_cfg_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] check whether the item has a `where Self: Sized` bound"]
    #[inline(always)]
    pub fn generics_require_sized_self(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.generics_require_sized_self,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] whether the item should be made inlinable across crates"]
    #[inline(always)]
    pub fn cross_crate_inlinable(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.cross_crate_inlinable,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Perform monomorphization-time checking on this item."]
    #[doc =
    " This is used for lints/errors that can only be checked once the instance is fully"]
    #[doc = " monomorphized."]
    #[inline(always)]
    pub fn check_mono_item(self, key: ty::Instance<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_mono_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    " Builds the set of functions that should be skipped for the move-size check."]
    #[inline(always)]
    pub fn skip_move_check_fns(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.skip_move_check_fns,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting items used by  `key.0` "]
    #[inline(always)]
    pub fn items_of_instance(self,
        key: (ty::Instance<'tcx>, CollectionMode)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.items_of_instance,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] estimating codegen size of  `key` "]
    #[inline(always)]
    pub fn size_estimate(self, key: ty::Instance<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.size_estimate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up anon const kind of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn anon_const_kind(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.anon_const_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(def_id)`  is a trivial const"]
    #[inline(always)]
    pub fn trivial_const(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trivial_const,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Checks for the nearest `#[sanitize(xyz = \"off\")]` or"]
    #[doc =
    " `#[sanitize(xyz = \"on\")]` on this def and any enclosing defs, up to the"]
    #[doc = " crate root."]
    #[doc = ""]
    #[doc = " Returns the sanitizer settings for this def."]
    #[inline(always)]
    pub fn sanitizer_settings_for(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.sanitizer_settings_for,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc =
    "[query description - consider adding a doc-comment!] check externally implementable items"]
    #[inline(always)]
    pub fn check_externally_implementable_items(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_externally_implementable_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
    #[doc = " Returns a list of all `externally implementable items` crate."]
    #[inline(always)]
    pub fn externally_implementable_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.externally_implementable_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Ok)
    }
}
impl<'tcx> crate::query::TyCtxtEnsureResult<'tcx> {
    #[doc =
    "[query description - consider adding a doc-comment!] comparing an impl and trait method signature, inferring any hidden `impl Trait` types in the process"]
    #[inline(always)]
    pub fn collect_return_position_impl_trait_in_trait_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.collect_return_position_impl_trait_in_trait_tys,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    " Fetch the THIR for a given body. The THIR body gets stolen by unsafety checking unless"]
    #[doc = " `-Zno-steal-thir` is on."]
    #[inline(always)]
    pub fn thir_body(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.thir_body,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc = " Try to build an abstract representation of the given constant."]
    #[inline(always)]
    pub fn thir_abstract_const(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.thir_abstract_const,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] verify auto trait bounds for coroutine interior type  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn check_coroutine_obligations(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.check_coroutine_obligations,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    " Used in case `mir_borrowck` fails to prove an obligation. We generally assume that"]
    #[doc =
    " all goals we prove in MIR type check hold as we\'ve already checked them in HIR typeck."]
    #[doc = ""]
    #[doc =
    " However, we replace each free region in the MIR body with a unique region inference"]
    #[doc =
    " variable. As we may rely on structural identity when proving goals this may cause a"]
    #[doc =
    " goal to no longer hold. We store obligations for which this may happen during HIR"]
    #[doc =
    " typeck in the `TypeckResults`. We then uniquify and reprove them in case MIR typeck"]
    #[doc =
    " encounters an unexpected error. We expect this to result in an error when used and"]
    #[doc = " delay a bug if it does not."]
    #[inline(always)]
    pub fn check_potentially_region_dependent_goals(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.check_potentially_region_dependent_goals,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc = " Checks well-formedness of tail calls (`become f()`)."]
    #[inline(always)]
    pub fn check_tail_calls(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.check_tail_calls,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that types are well-formed"]
    #[inline(always)]
    pub fn check_type_wf(self, key: ())
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.check_type_wf,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc = " Caches `CoerceUnsized` kinds for impls on custom types."]
    #[inline(always)]
    pub fn coerce_unsized_info(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.coerce_unsized_info,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] coherence checking all impls of trait  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn coherent_trait(self, key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.coherent_trait,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    " Borrow-checks the given typeck root, e.g. functions, const/static items,"]
    #[doc = " and its children, e.g. closures, inline consts."]
    #[inline(always)]
    pub fn mir_borrowck(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.mir_borrowck,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    " Checks all types in the crate for overlap in their inherent impls. Reports errors."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls_validity_check(self, key: ())
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.crate_inherent_impls_validity_check,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    " Checks all types in the crate for overlap in their inherent impls. Reports errors."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls_overlap_check(self, key: ())
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.crate_inherent_impls_overlap_check,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    " Checks whether all impls in the crate pass the overlap check, returning"]
    #[doc =
    " which impls fail it. If all impls are correct, the returned slice is empty."]
    #[inline(always)]
    pub fn orphan_check_impl(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.orphan_check_impl,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] match-checking  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn check_match(self, key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.check_match,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] building specialization graph of trait  `tcx.def_path_str(trait_id)` "]
    #[inline(always)]
    pub fn specialization_graph_of(self,
        key: impl crate::query::IntoQueryKey<DefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.specialization_graph_of,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that  `tcx.def_path_str(key)`  is well-formed"]
    #[inline(always)]
    pub fn check_well_formed(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.check_well_formed,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that  `tcx.def_path_str(key)` 's generics are constrained by the impl header"]
    #[inline(always)]
    pub fn enforce_impl_non_lifetime_params_are_constrained(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.enforce_impl_non_lifetime_params_are_constrained,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc = " Attempt to resolve the given `DefId` to an `Instance`, for the"]
    #[doc = " given generics args (`GenericArgsRef`), returning one of:"]
    #[doc = "  * `Ok(Some(instance))` on success"]
    #[doc = "  * `Ok(None)` when the `GenericArgsRef` are still too generic,"]
    #[doc = "    and therefore don\'t allow finding the final `Instance`"]
    #[doc =
    "  * `Err(ErrorGuaranteed)` when the `Instance` resolution process"]
    #[doc =
    "    couldn\'t complete due to errors elsewhere - this is distinct"]
    #[doc =
    "    from `Ok(None)` to avoid misleading diagnostics when an error"]
    #[doc = "    has already been/will be emitted, for the original cause."]
    #[inline(always)]
    pub fn resolve_instance_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, (DefId, GenericArgsRef<'tcx>)>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.resolve_instance_raw,
            crate::query::IntoQueryKey::into_query_key(key))
    }
    #[doc =
    " This takes the def-id of an associated item from a impl of a trait,"]
    #[doc =
    " and checks its validity against the trait item it corresponds to."]
    #[doc = ""]
    #[doc = " Any other def id will ICE."]
    #[inline(always)]
    pub fn compare_impl_item(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>)
        -> Result<(), rustc_errors::ErrorGuaranteed> {
        crate::query::inner::query_ensure_result(self.tcx,
            &self.tcx.query_system.query_vtables.compare_impl_item,
            crate::query::IntoQueryKey::into_query_key(key))
    }
}
impl<'tcx> crate::query::TyCtxtEnsureDone<'tcx> {
    #[doc =
    " Caches the expansion of a derive proc macro, e.g. `#[derive(Serialize)]`."]
    #[doc = " The key is:"]
    #[doc = " - A unique key corresponding to the invocation of a macro."]
    #[doc = " - Token stream which serves as an input to the macro."]
    #[doc = ""]
    #[doc = " The output is the token stream generated by the proc macro."]
    #[inline(always)]
    pub fn derive_macro_expansion(self,
        key: (LocalExpnId, &'tcx TokenStream)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.derive_macro_expansion,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " This exists purely for testing the interactions between delayed bugs and incremental."]
    #[inline(always)]
    pub fn trigger_delayed_bug(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trigger_delayed_bug,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Collects the list of all tools registered using `#![register_tool]`."]
    #[inline(always)]
    pub fn registered_tools(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.registered_tools,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] perform lints prior to AST lowering"]
    #[inline(always)]
    pub fn early_lint_checks(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.early_lint_checks,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Tracked access to environment variables."]
    #[doc = ""]
    #[doc =
    " Useful for the implementation of `std::env!`, `proc-macro`s change"]
    #[doc =
    " detection and other changes in the compiler\'s behaviour that is easier"]
    #[doc = " to control with an environment variable than a flag."]
    #[doc = ""]
    #[doc = " NOTE: This currently does not work with dependency info in the"]
    #[doc =
    " analysis, codegen and linking passes, place extra code at the top of"]
    #[doc = " `rustc_interface::passes::write_dep_info` to make that work."]
    #[inline(always)]
    pub fn env_var_os(self, key: &'tcx OsStr) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.env_var_os,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the resolver outputs"]
    #[inline(always)]
    pub fn resolutions(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.resolutions,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the resolver for lowering"]
    #[inline(always)]
    pub fn resolver_for_lowering_raw(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.resolver_for_lowering_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Return the span for a definition."]
    #[doc = ""]
    #[doc =
    " Contrary to `def_span` below, this query returns the full absolute span of the definition."]
    #[doc =
    " This span is meant for dep-tracking rather than diagnostics. It should not be used outside"]
    #[doc = " of rustc_middle::hir::source_map."]
    #[inline(always)]
    pub fn source_span(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.source_span,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Represents crate as a whole (as distinct from the top-level crate module)."]
    #[doc = ""]
    #[doc =
    " If you call `tcx.hir_crate(())` we will have to assume that any change"]
    #[doc =
    " means that you need to be recompiled. This is because the `hir_crate`"]
    #[doc =
    " query gives you access to all other items. To avoid this fate, do not"]
    #[doc = " call `tcx.hir_crate(())`; instead, prefer wrappers like"]
    #[doc = " [`TyCtxt::hir_visit_all_item_likes_in_crate`]."]
    #[inline(always)]
    pub fn hir_crate(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.hir_crate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " All items in the crate."]
    #[inline(always)]
    pub fn hir_crate_items(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.hir_crate_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " The items in a module."]
    #[doc = ""]
    #[doc =
    " This can be conveniently accessed by `tcx.hir_visit_item_likes_in_module`."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn hir_module_items(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.hir_module_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns HIR ID for the given `LocalDefId`."]
    #[inline(always)]
    pub fn local_def_id_to_hir_id(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.local_def_id_to_hir_id,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Gives access to the HIR node\'s parent for the HIR owner `key`."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn hir_owner_parent_q(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.hir_owner_parent_q,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Gives access to the HIR nodes and bodies inside `key` if it\'s a HIR owner."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn opt_hir_owner_nodes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.opt_hir_owner_nodes,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Gives access to the HIR attributes inside the HIR owner `key`."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn hir_attr_map(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.hir_attr_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Gives access to lints emitted during ast lowering."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn opt_ast_lowering_delayed_lints(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.opt_ast_lowering_delayed_lints,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the *default* of the const pararameter given by `DefId`."]
    #[doc = ""]
    #[doc =
    " E.g., given `struct Ty<const N: usize = 3>;` this returns `3` for `N`."]
    #[inline(always)]
    pub fn const_param_default(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.const_param_default,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the const of the RHS of a (free or assoc) const item, if it is a `type const`."]
    #[doc = ""]
    #[doc =
    " When a const item is used in a type-level expression, like in equality for an assoc const"]
    #[doc =
    " projection, this allows us to retrieve the typesystem-appropriate representation of the"]
    #[doc = " const value."]
    #[doc = ""]
    #[doc =
    " This query will ICE if given a const that is not marked with `type const`."]
    #[inline(always)]
    pub fn const_of_item(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.const_of_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns the *type* of the definition given by `DefId`."]
    #[doc = ""]
    #[doc =
    " For type aliases (whether eager or lazy) and associated types, this returns"]
    #[doc =
    " the underlying aliased type (not the corresponding [alias type])."]
    #[doc = ""]
    #[doc =
    " For opaque types, this returns and thus reveals the hidden type! If you"]
    #[doc = " want to detect cycle errors use `type_of_opaque` instead."]
    #[doc = ""]
    #[doc =
    " To clarify, for type definitions, this does *not* return the \"type of a type\""]
    #[doc =
    " (aka *kind* or *sort*) in the type-theoretical sense! It merely returns"]
    #[doc = " the type primarily *associated with* it."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition doesn\'t (and can\'t"]
    #[doc = " conceptually) have an (underlying) type."]
    #[doc = ""]
    #[doc = " [alias type]: rustc_middle::ty::AliasTy"]
    #[inline(always)]
    pub fn type_of(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns the *hidden type* of the opaque type given by `DefId`."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not an opaque type."]
    #[inline(always)]
    pub fn type_of_opaque(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_of_opaque,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing type of opaque `{path}` via HIR typeck"]
    #[inline(always)]
    pub fn type_of_opaque_hir_typeck(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_of_opaque_hir_typeck,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns whether the type alias given by `DefId` is lazy."]
    #[doc = ""]
    #[doc =
    " I.e., if the type alias expands / ought to expand to a [free] [alias type]"]
    #[doc = " instead of the underlying aliased type."]
    #[doc = ""]
    #[doc =
    " Relevant for features `lazy_type_alias` and `type_alias_impl_trait`."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query *may* panic if the given definition is not a type alias."]
    #[doc = ""]
    #[doc = " [free]: rustc_middle::ty::Free"]
    #[doc = " [alias type]: rustc_middle::ty::AliasTy"]
    #[inline(always)]
    pub fn type_alias_is_lazy(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_alias_is_lazy,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] comparing an impl and trait method signature, inferring any hidden `impl Trait` types in the process"]
    #[inline(always)]
    pub fn collect_return_position_impl_trait_in_trait_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.collect_return_position_impl_trait_in_trait_tys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determine where the opaque originates from"]
    #[inline(always)]
    pub fn opaque_ty_origin(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.opaque_ty_origin,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining what parameters of  `tcx.def_path_str(key)`  can participate in unsizing"]
    #[inline(always)]
    pub fn unsizing_params_for_adt(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.unsizing_params_for_adt,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " The root query triggering all analysis passes like typeck or borrowck."]
    #[inline(always)]
    pub fn analysis(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.analysis,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " This query checks the fulfillment of collected lint expectations."]
    #[doc =
    " All lint emitting queries have to be done before this is executed"]
    #[doc = " to ensure that all expectations can be fulfilled."]
    #[doc = ""]
    #[doc =
    " This is an extra query to enable other drivers (like rustdoc) to"]
    #[doc =
    " only execute a small subset of the `analysis` query, while allowing"]
    #[doc =
    " lints to be expected. In rustc, this query will be executed as part of"]
    #[doc =
    " the `analysis` query and doesn\'t have to be called a second time."]
    #[doc = ""]
    #[doc =
    " Tools can additionally pass in a tool filter. That will restrict the"]
    #[doc =
    " expectations to only trigger for lints starting with the listed tool"]
    #[doc =
    " name. This is useful for cases were not all linting code from rustc"]
    #[doc =
    " was called. With the default `None` all registered lints will also"]
    #[doc = " be checked for expectation fulfillment."]
    #[inline(always)]
    pub fn check_expectations(self, key: Option<Symbol>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_expectations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns the *generics* of the definition given by `DefId`."]
    #[inline(always)]
    pub fn generics_of(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.generics_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the (elaborated) *predicates* of the definition given by `DefId`"]
    #[doc =
    " that must be proven true at usage sites (and which can be assumed at definition site)."]
    #[doc = ""]
    #[doc =
    " This is almost always *the* \"predicates query\" that you want."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_predicates]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    pub fn predicates_of(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.predicates_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the opaque types defined by  `tcx.def_path_str(key.to_def_id())` "]
    #[inline(always)]
    pub fn opaque_types_defined_by(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.opaque_types_defined_by,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " A list of all bodies inside of `key`, nested bodies are always stored"]
    #[doc = " before their parent."]
    #[inline(always)]
    pub fn nested_bodies_within(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.nested_bodies_within,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the explicitly user-written *bounds* on the associated or opaque type given by `DefId`"]
    #[doc =
    " that must be proven true at definition site (and which can be assumed at usage sites)."]
    #[doc = ""]
    #[doc =
    " For associated types, these must be satisfied for an implementation"]
    #[doc =
    " to be well-formed, and for opaque types, these are required to be"]
    #[doc = " satisfied by the hidden type of the opaque."]
    #[doc = ""]
    #[doc =
    " Bounds from the parent (e.g. with nested `impl Trait`) are not included."]
    #[doc = ""]
    #[doc =
    " Syntactially, these are the bounds written on associated types in trait"]
    #[doc = " definitions, or those after the `impl` keyword for an opaque:"]
    #[doc = ""]
    #[doc = " ```ignore (illustrative)"]
    #[doc = " trait Trait { type X: Bound + \'lt; }"]
    #[doc = " //                    ^^^^^^^^^^^"]
    #[doc = " fn function() -> impl Debug + Display { /*...*/ }"]
    #[doc = " //                    ^^^^^^^^^^^^^^^"]
    #[doc = " ```"]
    #[inline(always)]
    pub fn explicit_item_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_item_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the explicitly user-written *bounds* that share the `Self` type of the item."]
    #[doc = ""]
    #[doc =
    " These are a subset of the [explicit item bounds] that may explicitly be used for things"]
    #[doc = " like closure signature deduction."]
    #[doc = ""]
    #[doc = " [explicit item bounds]: Self::explicit_item_bounds"]
    #[inline(always)]
    pub fn explicit_item_self_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_item_self_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the (elaborated) *bounds* on the associated or opaque type given by `DefId`"]
    #[doc =
    " that must be proven true at definition site (and which can be assumed at usage sites)."]
    #[doc = ""]
    #[doc =
    " Bounds from the parent (e.g. with nested `impl Trait`) are not included."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_item_bounds]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[doc = ""]
    #[doc = " # Examples"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait Trait { type Assoc: Eq + ?Sized; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " While [`Self::explicit_item_bounds`] returns `[<Self as Trait>::Assoc: Eq]`"]
    #[doc = " here, `item_bounds` returns:"]
    #[doc = ""]
    #[doc = " ```text"]
    #[doc = " ["]
    #[doc = "     <Self as Trait>::Assoc: Eq,"]
    #[doc = "     <Self as Trait>::Assoc: PartialEq<<Self as Trait>::Assoc>"]
    #[doc = " ]"]
    #[doc = " ```"]
    #[inline(always)]
    pub fn item_bounds(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.item_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating item assumptions for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn item_self_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.item_self_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating item assumptions for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn item_non_self_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.item_non_self_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating supertrait outlives for trait of  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn impl_super_outlives(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.impl_super_outlives,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Look up all native libraries this crate depends on."]
    #[doc = " These are assembled from the following places:"]
    #[doc = " - `extern` blocks (depending on their `link` attributes)"]
    #[doc = " - the `libs` (`-l`) option"]
    #[inline(always)]
    pub fn native_libraries(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.native_libraries,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up lint levels for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn shallow_lint_levels_on(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.shallow_lint_levels_on,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `#[expect]`ed lints in this crate"]
    #[inline(always)]
    pub fn lint_expectations(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lint_expectations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] Computing all lints that are explicitly enabled or with a default level greater than Allow"]
    #[inline(always)]
    pub fn lints_that_dont_need_to_run(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lints_that_dont_need_to_run,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the expansion that defined  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn expn_that_defined(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.expn_that_defined,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate is_panic_runtime"]
    #[inline(always)]
    pub fn is_panic_runtime(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_panic_runtime,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Checks whether a type is representable or infinitely sized"]
    #[inline(always)]
    pub fn check_representability(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_representability,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " An implementation detail for the `check_representability` query. See that query for more"]
    #[doc = " details, particularly on the modifiers."]
    #[inline(always)]
    pub fn check_representability_adt_ty(self, key: Ty<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_representability_adt_ty,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Set of param indexes for type params that are in the type\'s representation"]
    #[inline(always)]
    pub fn params_in_repr(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.params_in_repr,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Fetch the THIR for a given body. The THIR body gets stolen by unsafety checking unless"]
    #[doc = " `-Zno-steal-thir` is on."]
    #[inline(always)]
    pub fn thir_body(self, key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.thir_body,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Set of all the `DefId`s in this crate that have MIR associated with"]
    #[doc =
    " them. This includes all the body owners, but also things like struct"]
    #[doc = " constructors."]
    #[inline(always)]
    pub fn mir_keys(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_keys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Maps DefId\'s that have an associated `mir::Body` to the result"]
    #[doc = " of the MIR const-checking pass. This is the set of qualifs in"]
    #[doc = " the final value of a `const`."]
    #[inline(always)]
    pub fn mir_const_qualif(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_const_qualif,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Build the MIR for a given `DefId` and prepare it for const qualification."]
    #[doc = ""]
    #[doc = " See the [rustc dev guide] for more info."]
    #[doc = ""]
    #[doc =
    " [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/mir/construction.html"]
    #[inline(always)]
    pub fn mir_built(self, key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_built,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Try to build an abstract representation of the given constant."]
    #[inline(always)]
    pub fn thir_abstract_const(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.thir_abstract_const,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] elaborating drops for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn mir_drops_elaborated_and_const_checked(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_drops_elaborated_and_const_checked,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] caching mir of  `tcx.def_path_str(key)`  for CTFE"]
    #[inline(always)]
    pub fn mir_for_ctfe(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_for_ctfe,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] promoting constants in MIR for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn mir_promoted(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_promoted,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding symbols for captures of closure  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn closure_typeinfo(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.closure_typeinfo,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns names of captured upvars for closures and coroutines."]
    #[doc = ""]
    #[doc = " Here are some examples:"]
    #[doc = "  - `name__field1__field2` when the upvar is captured by value."]
    #[doc =
    "  - `_ref__name__field` when the upvar is captured by reference."]
    #[doc = ""]
    #[doc =
    " For coroutines this only contains upvars that are shared by all states."]
    #[inline(always)]
    pub fn closure_saved_names_of_captured_variables(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.closure_saved_names_of_captured_variables,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] coroutine witness types for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn mir_coroutine_witnesses(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_coroutine_witnesses,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] verify auto trait bounds for coroutine interior type  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn check_coroutine_obligations(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_coroutine_obligations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Used in case `mir_borrowck` fails to prove an obligation. We generally assume that"]
    #[doc =
    " all goals we prove in MIR type check hold as we\'ve already checked them in HIR typeck."]
    #[doc = ""]
    #[doc =
    " However, we replace each free region in the MIR body with a unique region inference"]
    #[doc =
    " variable. As we may rely on structural identity when proving goals this may cause a"]
    #[doc =
    " goal to no longer hold. We store obligations for which this may happen during HIR"]
    #[doc =
    " typeck in the `TypeckResults`. We then uniquify and reprove them in case MIR typeck"]
    #[doc =
    " encounters an unexpected error. We expect this to result in an error when used and"]
    #[doc = " delay a bug if it does not."]
    #[inline(always)]
    pub fn check_potentially_region_dependent_goals(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_potentially_region_dependent_goals,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " MIR after our optimization passes have run. This is MIR that is ready"]
    #[doc =
    " for codegen. This is also the only query that can fetch non-local MIR, at present."]
    #[inline(always)]
    pub fn optimized_mir(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.optimized_mir,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Checks for the nearest `#[coverage(off)]` or `#[coverage(on)]` on"]
    #[doc = " this def and any enclosing defs, up to the crate root."]
    #[doc = ""]
    #[doc = " Returns `false` if `#[coverage(off)]` was found, or `true` if"]
    #[doc = " either `#[coverage(on)]` or no coverage attribute was found."]
    #[inline(always)]
    pub fn coverage_attr_on(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coverage_attr_on,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Scans through a function\'s MIR after MIR optimizations, to prepare the"]
    #[doc =
    " information needed by codegen when `-Cinstrument-coverage` is active."]
    #[doc = ""]
    #[doc =
    " This includes the details of where to insert `llvm.instrprof.increment`"]
    #[doc =
    " intrinsics, and the expression tables to be embedded in the function\'s"]
    #[doc = " coverage metadata."]
    #[doc = ""]
    #[doc =
    " FIXME(Zalathar): This query\'s purpose has drifted a bit and should"]
    #[doc =
    " probably be renamed, but that can wait until after the potential"]
    #[doc = " follow-ups to #136053 have settled down."]
    #[doc = ""]
    #[doc = " Returns `None` for functions that were not instrumented."]
    #[inline(always)]
    pub fn coverage_ids_info(self, key: ty::InstanceKind<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coverage_ids_info,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " The `DefId` is the `DefId` of the containing MIR body. Promoteds do not have their own"]
    #[doc =
    " `DefId`. This function returns all promoteds in the specified body. The body references"]
    #[doc =
    " promoteds by the `DefId` and the `mir::Promoted` index. This is necessary, because"]
    #[doc =
    " after inlining a body may refer to promoteds from other bodies. In that case you still"]
    #[doc = " need to use the `DefId` of the original body."]
    #[inline(always)]
    pub fn promoted_mir(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.promoted_mir,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Erases regions from `ty` to yield a new type."]
    #[doc =
    " Normally you would just use `tcx.erase_and_anonymize_regions(value)`,"]
    #[doc = " however, which uses this query as a kind of cache."]
    #[inline(always)]
    pub fn erase_and_anonymize_regions_ty(self, key: Ty<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.erase_and_anonymize_regions_ty,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting wasm import module map"]
    #[inline(always)]
    pub fn wasm_import_module_map(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.wasm_import_module_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the explicitly user-written *predicates and bounds* of the trait given by `DefId`."]
    #[doc = ""]
    #[doc = " Traits are unusual, because predicates on associated types are"]
    #[doc =
    " converted into bounds on that type for backwards compatibility:"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait X where Self::U: Copy { type U; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc = " becomes"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " trait X { type U: Copy; }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " [`Self::explicit_predicates_of`] and [`Self::explicit_item_bounds`] will"]
    #[doc = " then take the appropriate subsets of the predicates here."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc = " This query will panic if the given definition is not a trait."]
    #[inline(always)]
    pub fn trait_explicit_predicates_and_bounds(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trait_explicit_predicates_and_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the explicitly user-written *predicates* of the definition given by `DefId`"]
    #[doc =
    " that must be proven true at usage sites (and which can be assumed at definition site)."]
    #[doc = ""]
    #[doc =
    " You should probably use [`TyCtxt::predicates_of`] unless you\'re looking for"]
    #[doc = " predicates with explicit spans for diagnostics purposes."]
    #[inline(always)]
    pub fn explicit_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_predicates_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the *inferred outlives-predicates* of the item given by `DefId`."]
    #[doc = ""]
    #[doc =
    " E.g., for `struct Foo<\'a, T> { x: &\'a T }`, this would return `[T: \'a]`."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_inferred_outlives]` on an item to basically"]
    #[doc =
    " print the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    pub fn inferred_outlives_of(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inferred_outlives_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the explicitly user-written *super-predicates* of the trait given by `DefId`."]
    #[doc = ""]
    #[doc =
    " These predicates are unelaborated and consequently don\'t contain transitive super-predicates."]
    #[doc = ""]
    #[doc =
    " This is a subset of the full list of predicates. We store these in a separate map"]
    #[doc =
    " because we must evaluate them even during type conversion, often before the full"]
    #[doc =
    " predicates are available (note that super-predicates must not be cyclic)."]
    #[inline(always)]
    pub fn explicit_super_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_super_predicates_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " The predicates of the trait that are implied during elaboration."]
    #[doc = ""]
    #[doc =
    " This is a superset of the super-predicates of the trait, but a subset of the predicates"]
    #[doc =
    " of the trait. For regular traits, this includes all super-predicates and their"]
    #[doc =
    " associated type bounds. For trait aliases, currently, this includes all of the"]
    #[doc = " predicates of the trait alias."]
    #[inline(always)]
    pub fn explicit_implied_predicates_of(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_implied_predicates_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " The Ident is the name of an associated type.The query returns only the subset"]
    #[doc =
    " of supertraits that define the given associated type. This is used to avoid"]
    #[doc =
    " cycles in resolving type-dependent associated item paths like `T::Item`."]
    #[inline(always)]
    pub fn explicit_supertraits_containing_assoc_item(self,
        key: (DefId, rustc_span::Ident)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_supertraits_containing_assoc_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Compute the conditions that need to hold for a conditionally-const item to be const."]
    #[doc =
    " That is, compute the set of `[const]` where clauses for a given item."]
    #[doc = ""]
    #[doc =
    " This can be thought of as the `[const]` equivalent of `predicates_of`. These are the"]
    #[doc =
    " predicates that need to be proven at usage sites, and can be assumed at definition."]
    #[doc = ""]
    #[doc =
    " This query also computes the `[const]` where clauses for associated types, which are"]
    #[doc =
    " not \"const\", but which have item bounds which may be `[const]`. These must hold for"]
    #[doc = " the `[const]` item bound to hold."]
    #[inline(always)]
    pub fn const_conditions(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.const_conditions,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Compute the const bounds that are implied for a conditionally-const item."]
    #[doc = ""]
    #[doc =
    " This can be though of as the `[const]` equivalent of `explicit_item_bounds`. These"]
    #[doc =
    " are the predicates that need to proven at definition sites, and can be assumed at"]
    #[doc = " usage sites."]
    #[inline(always)]
    pub fn explicit_implied_const_bounds(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_implied_const_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " To avoid cycles within the predicates of a single item we compute"]
    #[doc = " per-type-parameter predicates for resolving `T::AssocTy`."]
    #[inline(always)]
    pub fn type_param_predicates(self,
        key: (LocalDefId, LocalDefId, rustc_span::Ident)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_param_predicates,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing trait definition for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn trait_def(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trait_def,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing ADT definition for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_def(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_def,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `Drop` impl for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_destructor(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_destructor,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing `AsyncDrop` impl for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_async_destructor(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_async_destructor,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the sizedness constraint for  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    pub fn adt_sizedness_constraint(self, key: (DefId, SizedTraitKind)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_sizedness_constraint,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing drop-check constraints for  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn adt_dtorck_constraint(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_dtorck_constraint,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the constness of the function-like[^1] definition given by `DefId`."]
    #[doc = ""]
    #[doc =
    " Tuple struct/variant constructors are *always* const, foreign functions are"]
    #[doc =
    " *never* const. The rest is const iff marked with keyword `const` (or rather"]
    #[doc = " its parent in the case of associated functions)."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly. It is only meant to cache the base data for the"]
    #[doc =
    " higher-level functions. Consider using `is_const_fn` or `is_const_trait_impl` instead."]
    #[doc = ""]
    #[doc =
    " Also note that neither of them takes into account feature gates, stability and"]
    #[doc = " const predicates/conditions!"]
    #[doc = ""]
    #[doc = " </div>"]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not function-like[^1]."]
    #[doc = ""]
    #[doc =
    " [^1]: Tuple struct/variant constructors, closures and free, associated and foreign functions."]
    #[inline(always)]
    pub fn constness(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.constness,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the function is async:  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn asyncness(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.asyncness,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns `true` if calls to the function may be promoted."]
    #[doc = ""]
    #[doc =
    " This is either because the function is e.g., a tuple-struct or tuple-variant"]
    #[doc =
    " constructor, or because it has the `#[rustc_promotable]` attribute. The attribute should"]
    #[doc =
    " be removed in the future in favour of some form of check which figures out whether the"]
    #[doc =
    " function does not inspect the bits of any of its arguments (so is essentially just a"]
    #[doc = " constructor function)."]
    #[inline(always)]
    pub fn is_promotable_const_fn(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_promotable_const_fn,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " The body of the coroutine, modified to take its upvars by move rather than by ref."]
    #[doc = ""]
    #[doc =
    " This is used by coroutine-closures, which must return a different flavor of coroutine"]
    #[doc =
    " when called using `AsyncFnOnce::call_once`. It is produced by the `ByMoveBody` pass which"]
    #[doc =
    " is run right after building the initial MIR, and will only be populated for coroutines"]
    #[doc = " which come out of the async closure desugaring."]
    #[inline(always)]
    pub fn coroutine_by_move_body_def_id(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coroutine_by_move_body_def_id,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns `Some(coroutine_kind)` if the node pointed to by `def_id` is a coroutine."]
    #[inline(always)]
    pub fn coroutine_kind(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coroutine_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] Given a coroutine-closure def id, return the def id of the coroutine returned by it"]
    #[inline(always)]
    pub fn coroutine_for_closure(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coroutine_for_closure,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the hidden types stored across await points in a coroutine"]
    #[inline(always)]
    pub fn coroutine_hidden_types(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coroutine_hidden_types,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Gets a map with the variances of every item in the local crate."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::variances_of`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_variances(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_variances,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns the (inferred) variances of the item given by `DefId`."]
    #[doc = ""]
    #[doc =
    " The list of variances corresponds to the list of (early-bound) generic"]
    #[doc = " parameters of the item (including its parents)."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_variances]` on an item to basically print"]
    #[doc =
    " the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    pub fn variances_of(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.variances_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Gets a map with the inferred outlives-predicates of every item in the local crate."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::inferred_outlives_of`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn inferred_outlives_crate(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inferred_outlives_crate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Maps from an impl/trait or struct/variant `DefId`"]
    #[doc = " to a list of the `DefId`s of its associated items or fields."]
    #[inline(always)]
    pub fn associated_item_def_ids(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.associated_item_def_ids,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Maps from a trait/impl item to the trait/impl item \"descriptor\"."]
    #[inline(always)]
    pub fn associated_item(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.associated_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Collects the associated items defined on a trait or impl."]
    #[inline(always)]
    pub fn associated_items(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.associated_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Maps from associated items on a trait to the corresponding associated"]
    #[doc = " item on the impl specified by `impl_id`."]
    #[doc = ""]
    #[doc = " For example, with the following code"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " struct Type {}"]
    #[doc = "                         // DefId"]
    #[doc = " trait Trait {           // trait_id"]
    #[doc = "     fn f();             // trait_f"]
    #[doc = "     fn g() {}           // trait_g"]
    #[doc = " }"]
    #[doc = ""]
    #[doc = " impl Trait for Type {   // impl_id"]
    #[doc = "     fn f() {}           // impl_f"]
    #[doc = "     fn g() {}           // impl_g"]
    #[doc = " }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " The map returned for `tcx.impl_item_implementor_ids(impl_id)` would be"]
    #[doc = "`{ trait_f: impl_f, trait_g: impl_g }`"]
    #[inline(always)]
    pub fn impl_item_implementor_ids(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.impl_item_implementor_ids,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Given the `item_def_id` of a trait or impl, return a mapping from associated fn def id"]
    #[doc =
    " to its associated type items that correspond to the RPITITs in its signature."]
    #[inline(always)]
    pub fn associated_types_for_impl_traits_in_trait_or_impl(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.associated_types_for_impl_traits_in_trait_or_impl,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Given an `impl_id`, return the trait it implements along with some header information."]
    #[inline(always)]
    pub fn impl_trait_header(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.impl_trait_header,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Given an `impl_def_id`, return true if the self type is guaranteed to be unsized due"]
    #[doc =
    " to either being one of the built-in unsized types (str/slice/dyn) or to be a struct"]
    #[doc = " whose tail is one of those types."]
    #[inline(always)]
    pub fn impl_self_is_guaranteed_unsized(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.impl_self_is_guaranteed_unsized,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Maps a `DefId` of a type to a list of its inherent impls."]
    #[doc =
    " Contains implementations of methods that are inherent to a type."]
    #[doc = " Methods in these implementations don\'t need to be exported."]
    #[inline(always)]
    pub fn inherent_impls(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inherent_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting all inherent impls for `{:?}`"]
    #[inline(always)]
    pub fn incoherent_impls(self, key: SimplifiedType) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.incoherent_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Unsafety-check this `LocalDefId`."]
    #[inline(always)]
    pub fn check_transmutes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_transmutes,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Unsafety-check this `LocalDefId`."]
    #[inline(always)]
    pub fn check_unsafety(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_unsafety,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Checks well-formedness of tail calls (`become f()`)."]
    #[inline(always)]
    pub fn check_tail_calls(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_tail_calls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the types assumed to be well formed while \"inside\" of the given item."]
    #[doc = ""]
    #[doc =
    " Note that we\'ve liberated the late bound regions of function signatures, so"]
    #[doc =
    " this can not be used to check whether these types are well formed."]
    #[inline(always)]
    pub fn assumed_wf_types(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.assumed_wf_types,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " We need to store the assumed_wf_types for an RPITIT so that impls of foreign"]
    #[doc =
    " traits with return-position impl trait in traits can inherit the right wf types."]
    #[inline(always)]
    pub fn assumed_wf_types_for_rpitit(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.assumed_wf_types_for_rpitit,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Computes the signature of the function."]
    #[inline(always)]
    pub fn fn_sig(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.fn_sig,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Performs lint checking for the module."]
    #[inline(always)]
    pub fn lint_mod(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lint_mod,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking unused trait imports in crate"]
    #[inline(always)]
    pub fn check_unused_traits(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_unused_traits,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Checks the attributes in the module."]
    #[inline(always)]
    pub fn check_mod_attrs(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_mod_attrs,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Checks for uses of unstable APIs in the module."]
    #[inline(always)]
    pub fn check_mod_unstable_api_usage(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_mod_unstable_api_usage,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking privacy in  `describe_as_module(key.to_local_def_id(), tcx)` "]
    #[inline(always)]
    pub fn check_mod_privacy(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_mod_privacy,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking liveness of variables in  `tcx.def_path_str(key.to_def_id())` "]
    #[inline(always)]
    pub fn check_liveness(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_liveness,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Return the live symbols in the crate for dead code check."]
    #[doc = ""]
    #[doc =
    " The second return value maps from ADTs to ignored derived traits (e.g. Debug and Clone)."]
    #[inline(always)]
    pub fn live_symbols_and_ignored_derived_traits(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.live_symbols_and_ignored_derived_traits,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking deathness of variables in  `describe_as_module(key, tcx)` "]
    #[inline(always)]
    pub fn check_mod_deathness(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_mod_deathness,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that types are well-formed"]
    #[inline(always)]
    pub fn check_type_wf(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_type_wf,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Caches `CoerceUnsized` kinds for impls on custom types."]
    #[inline(always)]
    pub fn coerce_unsized_info(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coerce_unsized_info,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] type-checking  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn typeck(self, key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.typeck,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding used_trait_imports  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn used_trait_imports(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.used_trait_imports,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] coherence checking all impls of trait  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn coherent_trait(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.coherent_trait,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Borrow-checks the given typeck root, e.g. functions, const/static items,"]
    #[doc = " and its children, e.g. closures, inline consts."]
    #[inline(always)]
    pub fn mir_borrowck(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_borrowck,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Gets a complete map from all types to their inherent impls."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_inherent_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Checks all types in the crate for overlap in their inherent impls. Reports errors."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls_validity_check(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_inherent_impls_validity_check,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Checks all types in the crate for overlap in their inherent impls. Reports errors."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " **Not meant to be used** directly outside of coherence."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn crate_inherent_impls_overlap_check(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_inherent_impls_overlap_check,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Checks whether all impls in the crate pass the overlap check, returning"]
    #[doc =
    " which impls fail it. If all impls are correct, the returned slice is empty."]
    #[inline(always)]
    pub fn orphan_check_impl(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.orphan_check_impl,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Return the set of (transitive) callees that may result in a recursive call to `key`,"]
    #[doc = " if we were able to walk all callees."]
    #[inline(always)]
    pub fn mir_callgraph_cyclic(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_callgraph_cyclic,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Obtain all the calls into other local functions"]
    #[inline(always)]
    pub fn mir_inliner_callees(self, key: ty::InstanceKind<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_inliner_callees,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Computes the tag (if any) for a given type and variant."]
    #[doc = ""]
    #[doc =
    " `None` means that the variant doesn\'t need a tag (because it is niched)."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic for uninhabited variants and if the passed type is not an enum."]
    #[inline(always)]
    pub fn tag_for_variant(self,
        key: PseudoCanonicalInput<'tcx, (Ty<'tcx>, abi::VariantIdx)>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.tag_for_variant,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Evaluates a constant and returns the computed allocation."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly, use [`Self::eval_to_const_value_raw`] or"]
    #[doc = " [`Self::eval_to_valtree`] instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn eval_to_allocation_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.eval_to_allocation_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Evaluate a static\'s initializer, returning the allocation of the initializer\'s memory."]
    #[inline(always)]
    pub fn eval_static_initializer(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.eval_static_initializer,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Evaluates const items or anonymous constants[^1] into a representation"]
    #[doc = " suitable for the type system and const generics."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this** directly, use one of the following wrappers:"]
    #[doc = " [`TyCtxt::const_eval_poly`], [`TyCtxt::const_eval_resolve`],"]
    #[doc =
    " [`TyCtxt::const_eval_instance`], or [`TyCtxt::const_eval_global_id`]."]
    #[doc = ""]
    #[doc = " </div>"]
    #[doc = ""]
    #[doc =
    " [^1]: Such as enum variant explicit discriminants or array lengths."]
    #[inline(always)]
    pub fn eval_to_const_value_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.eval_to_const_value_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Evaluate a constant and convert it to a type level constant or"]
    #[doc = " return `None` if that is not possible."]
    #[inline(always)]
    pub fn eval_to_valtree(self,
        key: ty::PseudoCanonicalInput<'tcx, GlobalId<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.eval_to_valtree,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Converts a type-level constant value into a MIR constant value."]
    #[inline(always)]
    pub fn valtree_to_const_val(self, key: ty::Value<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.valtree_to_const_val,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] converting literal to const"]
    #[inline(always)]
    pub fn lit_to_const(self, key: LitToConstInput<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lit_to_const,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] match-checking  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn check_match(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_match,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Performs part of the privacy check and computes effective visibilities."]
    #[inline(always)]
    pub fn effective_visibilities(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.effective_visibilities,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking for private elements in public interfaces for  `describe_as_module(module_def_id, tcx)` "]
    #[inline(always)]
    pub fn check_private_in_public(self, key: LocalModDefId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_private_in_public,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] reachability"]
    #[inline(always)]
    pub fn reachable_set(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.reachable_set,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Per-body `region::ScopeTree`. The `DefId` should be the owner `DefId` for the body;"]
    #[doc =
    " in the case of closures, this will be redirected to the enclosing function."]
    #[inline(always)]
    pub fn region_scope_tree(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.region_scope_tree,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Generates a MIR body for the shim."]
    #[inline(always)]
    pub fn mir_shims(self, key: ty::InstanceKind<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.mir_shims,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " The `symbol_name` query provides the symbol name for calling a"]
    #[doc =
    " given instance from the local crate. In particular, it will also"]
    #[doc =
    " look up the correct symbol name of instances from upstream crates."]
    #[inline(always)]
    pub fn symbol_name(self, key: ty::Instance<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.symbol_name,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up definition kind of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn def_kind(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.def_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Gets the span for the definition."]
    #[inline(always)]
    pub fn def_span(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.def_span,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Gets the span for the identifier of the definition."]
    #[inline(always)]
    pub fn def_ident_span(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.def_ident_span,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Gets the span for the type of the definition."]
    #[doc = " Panics if it is not a definition that has a single type."]
    #[inline(always)]
    pub fn ty_span(self, key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.ty_span,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn lookup_stability(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lookup_stability,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up const stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn lookup_const_stability(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lookup_const_stability,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up default body stability of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn lookup_default_body_stability(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lookup_default_body_stability,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing should_inherit_track_caller of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn should_inherit_track_caller(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.should_inherit_track_caller,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing inherited_align of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn inherited_align(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inherited_align,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is deprecated"]
    #[inline(always)]
    pub fn lookup_deprecation_entry(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lookup_deprecation_entry,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Determines whether an item is annotated with `#[doc(hidden)]`."]
    #[inline(always)]
    pub fn is_doc_hidden(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_doc_hidden,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Determines whether an item is annotated with `#[doc(notable_trait)]`."]
    #[inline(always)]
    pub fn is_doc_notable_trait(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_doc_notable_trait,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns the attributes on the item at `def_id`."]
    #[doc = ""]
    #[doc = " Do not use this directly, use `tcx.get_attrs` instead."]
    #[inline(always)]
    pub fn attrs_for_def(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.attrs_for_def,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns the `CodegenFnAttrs` for the item at `def_id`."]
    #[doc = ""]
    #[doc =
    " If possible, use `tcx.codegen_instance_attrs` instead. That function takes the"]
    #[doc = " instance kind into account."]
    #[doc = ""]
    #[doc =
    " For example, the `#[naked]` attribute should be applied for `InstanceKind::Item`,"]
    #[doc =
    " but should not be applied if the instance kind is `InstanceKind::ReifyShim`."]
    #[doc =
    " Using this query would include the attribute regardless of the actual instance"]
    #[doc = " kind at the call site."]
    #[inline(always)]
    pub fn codegen_fn_attrs(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.codegen_fn_attrs,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing target features for inline asm of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn asm_target_features(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.asm_target_features,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up function parameter identifiers for  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn fn_arg_idents(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.fn_arg_idents,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Gets the rendered value of the specified constant or associated constant."]
    #[doc = " Used by rustdoc."]
    #[inline(always)]
    pub fn rendered_const(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.rendered_const,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Gets the rendered precise capturing args for an opaque for use in rustdoc."]
    #[inline(always)]
    pub fn rendered_precise_capturing_args(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.rendered_precise_capturing_args,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing specialization parent impl of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn impl_parent(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.impl_parent,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if item has MIR available:  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn is_mir_available(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_mir_available,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding all existential vtable entries for trait  `tcx.def_path_str(key)` "]
    #[inline(always)]
    pub fn own_existential_vtable_entries(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.own_existential_vtable_entries,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding all vtable entries for trait  `tcx.def_path_str(key.def_id)` "]
    #[inline(always)]
    pub fn vtable_entries(self, key: ty::TraitRef<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.vtable_entries,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding the slot within the vtable of  `key.self_ty()`  for the implementation of  `key.print_only_trait_name()` "]
    #[inline(always)]
    pub fn first_method_vtable_slot(self, key: ty::TraitRef<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.first_method_vtable_slot,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] finding the slot within vtable for trait object  `key.1`  vtable ptr during trait upcasting coercion from  `key.0`  vtable"]
    #[inline(always)]
    pub fn supertrait_vtable_slot(self, key: (Ty<'tcx>, Ty<'tcx>)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.supertrait_vtable_slot,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] vtable const allocation for < `key.0`  as  `key.1.map(| trait_ref | format!\n(\"{trait_ref}\")).unwrap_or_else(| | \"_\".to_owned())` >"]
    #[inline(always)]
    pub fn vtable_allocation(self,
        key: (Ty<'tcx>, Option<ty::ExistentialTraitRef<'tcx>>)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.vtable_allocation,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing candidate for  `key.value` "]
    #[inline(always)]
    pub fn codegen_select_candidate(self,
        key: PseudoCanonicalInput<'tcx, ty::TraitRef<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.codegen_select_candidate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Return all `impl` blocks in the current crate."]
    #[inline(always)]
    pub fn all_local_trait_impls(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.all_local_trait_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Return all `impl` blocks of the given trait in the current crate."]
    #[inline(always)]
    pub fn local_trait_impls(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.local_trait_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Given a trait `trait_id`, return all known `impl` blocks."]
    #[inline(always)]
    pub fn trait_impls_of(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trait_impls_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] building specialization graph of trait  `tcx.def_path_str(trait_id)` "]
    #[inline(always)]
    pub fn specialization_graph_of(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.specialization_graph_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining dyn-compatibility of trait  `tcx.def_path_str(trait_id)` "]
    #[inline(always)]
    pub fn dyn_compatibility_violations(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.dyn_compatibility_violations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if trait  `tcx.def_path_str(trait_id)`  is dyn-compatible"]
    #[inline(always)]
    pub fn is_dyn_compatible(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_dyn_compatible,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Gets the ParameterEnvironment for a given item; this environment"]
    #[doc =
    " will be in \"user-facing\" mode, meaning that it is suitable for"]
    #[doc = " type-checking etc, and it does not normalize specializable"]
    #[doc = " associated types."]
    #[doc = ""]
    #[doc =
    " You should almost certainly not use this. If you already have an InferCtxt, then"]
    #[doc =
    " you should also probably have a `ParamEnv` from when it was built. If you don\'t,"]
    #[doc =
    " then you should take a `TypingEnv` to ensure that you handle opaque types correctly."]
    #[inline(always)]
    pub fn param_env(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.param_env,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Like `param_env`, but returns the `ParamEnv` after all opaque types have been"]
    #[doc =
    " replaced with their hidden type. This is used in the old trait solver"]
    #[doc = " when in `PostAnalysis` mode and should not be called directly."]
    #[inline(always)]
    pub fn typing_env_normalized_for_post_analysis(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.typing_env_normalized_for_post_analysis,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Trait selection queries. These are best used by invoking `ty.is_copy_modulo_regions()`,"]
    #[doc =
    " `ty.is_copy()`, etc, since that will prune the environment where possible."]
    #[inline(always)]
    pub fn is_copy_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_copy_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Trait selection queries. These are best used by invoking `ty.is_use_cloned_modulo_regions()`,"]
    #[doc =
    " `ty.is_use_cloned()`, etc, since that will prune the environment where possible."]
    #[inline(always)]
    pub fn is_use_cloned_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_use_cloned_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Query backing `Ty::is_sized`."]
    #[inline(always)]
    pub fn is_sized_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_sized_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Query backing `Ty::is_freeze`."]
    #[inline(always)]
    pub fn is_freeze_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_freeze_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Query backing `Ty::is_unsafe_unpin`."]
    #[inline(always)]
    pub fn is_unsafe_unpin_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_unsafe_unpin_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Query backing `Ty::is_unpin`."]
    #[inline(always)]
    pub fn is_unpin_raw(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_unpin_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Query backing `Ty::is_async_drop`."]
    #[inline(always)]
    pub fn is_async_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_async_drop_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Query backing `Ty::needs_drop`."]
    #[inline(always)]
    pub fn needs_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.needs_drop_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Query backing `Ty::needs_async_drop`."]
    #[inline(always)]
    pub fn needs_async_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.needs_async_drop_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Query backing `Ty::has_significant_drop_raw`."]
    #[inline(always)]
    pub fn has_significant_drop_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_significant_drop_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Query backing `Ty::is_structural_eq_shallow`."]
    #[doc = ""]
    #[doc =
    " This is only correct for ADTs. Call `is_structural_eq_shallow` to handle all types"]
    #[doc = " correctly."]
    #[inline(always)]
    pub fn has_structural_eq_impl(self, key: Ty<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_structural_eq_impl,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " A list of types where the ADT requires drop if and only if any of"]
    #[doc =
    " those types require drop. If the ADT is known to always need drop"]
    #[doc = " then `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    pub fn adt_drop_tys(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_drop_tys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " A list of types where the ADT requires async drop if and only if any of"]
    #[doc =
    " those types require async drop. If the ADT is known to always need async drop"]
    #[doc = " then `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    pub fn adt_async_drop_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_async_drop_tys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " A list of types where the ADT requires drop if and only if any of those types"]
    #[doc =
    " has significant drop. A type marked with the attribute `rustc_insignificant_dtor`"]
    #[doc =
    " is considered to not be significant. A drop is significant if it is implemented"]
    #[doc =
    " by the user or does anything that will have any observable behavior (other than"]
    #[doc =
    " freeing up memory). If the ADT is known to have a significant destructor then"]
    #[doc = " `Err(AlwaysRequiresDrop)` is returned."]
    #[inline(always)]
    pub fn adt_significant_drop_tys(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.adt_significant_drop_tys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns a list of types which (a) have a potentially significant destructor"]
    #[doc =
    " and (b) may be dropped as a result of dropping a value of some type `ty`"]
    #[doc = " (in the given environment)."]
    #[doc = ""]
    #[doc =
    " The idea of \"significant\" drop is somewhat informal and is used only for"]
    #[doc =
    " diagnostics and edition migrations. The idea is that a significant drop may have"]
    #[doc =
    " some visible side-effect on execution; freeing memory is NOT considered a side-effect."]
    #[doc = " The rules are as follows:"]
    #[doc =
    " * Type with no explicit drop impl do not have significant drop."]
    #[doc =
    " * Types with a drop impl are assumed to have significant drop unless they have a `#[rustc_insignificant_dtor]` annotation."]
    #[doc = ""]
    #[doc =
    " Note that insignificant drop is a \"shallow\" property. A type like `Vec<LockGuard>` does not"]
    #[doc =
    " have significant drop but the type `LockGuard` does, and so if `ty  = Vec<LockGuard>`"]
    #[doc = " then the return value would be `&[LockGuard]`."]
    #[doc =
    " *IMPORTANT*: *DO NOT* run this query before promoted MIR body is constructed,"]
    #[doc = " because this query partially depends on that query."]
    #[doc = " Otherwise, there is a risk of query cycles."]
    #[inline(always)]
    pub fn list_significant_drop_tys(self,
        key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.list_significant_drop_tys,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Computes the layout of a type. Note that this implicitly"]
    #[doc =
    " executes in `TypingMode::PostAnalysis`, and will normalize the input type."]
    #[inline(always)]
    pub fn layout_of(self, key: ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.layout_of,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Compute a `FnAbi` suitable for indirect calls, i.e. to `fn` pointers."]
    #[doc = ""]
    #[doc =
    " NB: this doesn\'t handle virtual calls - those should use `fn_abi_of_instance`"]
    #[doc = " instead, where the instance is an `InstanceKind::Virtual`."]
    #[inline(always)]
    pub fn fn_abi_of_fn_ptr(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::PolyFnSig<'tcx>, &'tcx ty::List<Ty<'tcx>>)>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.fn_abi_of_fn_ptr,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Compute a `FnAbi` suitable for declaring/defining an `fn` instance, and for direct calls*"]
    #[doc =
    " to an `fn`. Indirectly-passed parameters in the returned ABI might not include all possible"]
    #[doc =
    " codegen optimization attributes (such as `ReadOnly` or `CapturesNone`), as deducing these"]
    #[doc =
    " requires inspection of function bodies that can lead to cycles when performed during typeck."]
    #[doc =
    " Post typeck, you should prefer the optimized ABI returned by `TyCtxt::fn_abi_of_instance`."]
    #[doc = ""]
    #[doc =
    " NB: the ABI returned by this query must not differ from that returned by"]
    #[doc = "     `fn_abi_of_instance_raw` in any other way."]
    #[doc = ""]
    #[doc =
    " * that includes virtual calls, which are represented by \"direct calls\" to an"]
    #[doc =
    "   `InstanceKind::Virtual` instance (of `<dyn Trait as Trait>::fn`)."]
    #[inline(always)]
    pub fn fn_abi_of_instance_no_deduced_attrs(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::Instance<'tcx>, &'tcx ty::List<Ty<'tcx>>)>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.fn_abi_of_instance_no_deduced_attrs,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Compute a `FnAbi` suitable for declaring/defining an `fn` instance, and for direct calls*"]
    #[doc =
    " to an `fn`. Indirectly-passed parameters in the returned ABI will include applicable"]
    #[doc =
    " codegen optimization attributes, including `ReadOnly` and `CapturesNone` -- deduction of"]
    #[doc =
    " which requires inspection of function bodies that can lead to cycles when performed during"]
    #[doc =
    " typeck. During typeck, you should therefore use instead the unoptimized ABI returned by"]
    #[doc = " `fn_abi_of_instance_no_deduced_attrs`."]
    #[doc = ""]
    #[doc =
    " For performance reasons, you should prefer to call the inherent `TyCtxt::fn_abi_of_instance`"]
    #[doc =
    " method rather than invoke this query: it delegates to this query if necessary, but where"]
    #[doc =
    " possible delegates instead to the `fn_abi_of_instance_no_deduced_attrs` query (thus avoiding"]
    #[doc = " unnecessary query system overhead)."]
    #[doc = ""]
    #[doc =
    " * that includes virtual calls, which are represented by \"direct calls\" to an"]
    #[doc =
    "   `InstanceKind::Virtual` instance (of `<dyn Trait as Trait>::fn`)."]
    #[inline(always)]
    pub fn fn_abi_of_instance_raw(self,
        key:
            ty::PseudoCanonicalInput<'tcx,
            (ty::Instance<'tcx>, &'tcx ty::List<Ty<'tcx>>)>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.fn_abi_of_instance_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting dylib dependency formats of crate"]
    #[inline(always)]
    pub fn dylib_dependency_formats(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.dylib_dependency_formats,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the linkage format of all dependencies"]
    #[inline(always)]
    pub fn dependency_formats(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.dependency_formats,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate is_compiler_builtins"]
    #[inline(always)]
    pub fn is_compiler_builtins(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_compiler_builtins,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_global_allocator"]
    #[inline(always)]
    pub fn has_global_allocator(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_global_allocator,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_alloc_error_handler"]
    #[inline(always)]
    pub fn has_alloc_error_handler(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_alloc_error_handler,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if the crate has_panic_handler"]
    #[inline(always)]
    pub fn has_panic_handler(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_panic_handler,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if a crate is `#![profiler_runtime]`"]
    #[inline(always)]
    pub fn is_profiler_runtime(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_profiler_runtime,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(key)`  contains FFI-unwind calls"]
    #[inline(always)]
    pub fn has_ffi_unwind_calls(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.has_ffi_unwind_calls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's required panic strategy"]
    #[inline(always)]
    pub fn required_panic_strategy(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.required_panic_strategy,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's configured panic-in-drop strategy"]
    #[inline(always)]
    pub fn panic_in_drop_strategy(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.panic_in_drop_strategy,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting whether a crate has `#![no_builtins]`"]
    #[inline(always)]
    pub fn is_no_builtins(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_no_builtins,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting a crate's symbol mangling version"]
    #[inline(always)]
    pub fn symbol_mangling_version(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.symbol_mangling_version,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting crate's ExternCrateData"]
    #[inline(always)]
    pub fn extern_crate(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.extern_crate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether the crate enabled `specialization`/`min_specialization`"]
    #[inline(always)]
    pub fn specialization_enabled_in(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.specialization_enabled_in,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing whether impls specialize one another"]
    #[inline(always)]
    pub fn specializes(self, key: (DefId, DefId)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.specializes,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting traits in scope at a block"]
    #[inline(always)]
    pub fn in_scope_traits_map(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.in_scope_traits_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns whether the impl or associated function has the `default` keyword."]
    #[doc =
    " Note: This will ICE on inherent impl items. Consider using `AssocItem::defaultness`."]
    #[inline(always)]
    pub fn defaultness(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.defaultness,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns whether the field corresponding to the `DefId` has a default field value."]
    #[inline(always)]
    pub fn default_field(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.default_field,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that  `tcx.def_path_str(key)`  is well-formed"]
    #[inline(always)]
    pub fn check_well_formed(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_well_formed,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking that  `tcx.def_path_str(key)` 's generics are constrained by the impl header"]
    #[inline(always)]
    pub fn enforce_impl_non_lifetime_params_are_constrained(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.enforce_impl_non_lifetime_params_are_constrained,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the exported symbols of a crate"]
    #[inline(always)]
    pub fn reachable_non_generics(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.reachable_non_generics,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is an exported symbol"]
    #[inline(always)]
    pub fn is_reachable_non_generic(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_reachable_non_generic,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking whether  `tcx.def_path_str(def_id)`  is reachable from outside the crate"]
    #[inline(always)]
    pub fn is_unreachable_local_definition(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_unreachable_local_definition,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " The entire set of monomorphizations the local crate can safely"]
    #[doc = " link to because they are exported from upstream crates. Do"]
    #[doc = " not depend on this directly, as its value changes anytime"]
    #[doc = " a monomorphization gets added or removed in any upstream"]
    #[doc =
    " crate. Instead use the narrower `upstream_monomorphizations_for`,"]
    #[doc = " `upstream_drop_glue_for`, `upstream_async_drop_glue_for`, or,"]
    #[doc = " even better, `Instance::upstream_monomorphization()`."]
    #[inline(always)]
    pub fn upstream_monomorphizations(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.upstream_monomorphizations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the set of upstream monomorphizations available for the"]
    #[doc =
    " generic function identified by the given `def_id`. The query makes"]
    #[doc =
    " sure to make a stable selection if the same monomorphization is"]
    #[doc = " available in multiple upstream crates."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[inline(always)]
    pub fn upstream_monomorphizations_for(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.upstream_monomorphizations_for,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the upstream crate that exports drop-glue for the given"]
    #[doc =
    " type (`args` is expected to be a single-item list containing the"]
    #[doc = " type one wants drop-glue for)."]
    #[doc = ""]
    #[doc =
    " This is a subset of `upstream_monomorphizations_for` in order to"]
    #[doc =
    " increase dep-tracking granularity. Otherwise adding or removing any"]
    #[doc = " type with drop-glue in any upstream crate would invalidate all"]
    #[doc = " functions calling drop-glue of an upstream type."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[doc = ""]
    #[doc =
    " NOTE: This query could easily be extended to also support other"]
    #[doc =
    "       common functions that have are large set of monomorphizations"]
    #[doc = "       (like `Clone::clone` for example)."]
    #[inline(always)]
    pub fn upstream_drop_glue_for(self, key: GenericArgsRef<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.upstream_drop_glue_for,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns the upstream crate that exports async-drop-glue for"]
    #[doc = " the given type (`args` is expected to be a single-item list"]
    #[doc = " containing the type one wants async-drop-glue for)."]
    #[doc = ""]
    #[doc = " This is a subset of `upstream_monomorphizations_for` in order"]
    #[doc = " to increase dep-tracking granularity. Otherwise adding or"]
    #[doc = " removing any type with async-drop-glue in any upstream crate"]
    #[doc = " would invalidate all functions calling async-drop-glue of an"]
    #[doc = " upstream type."]
    #[doc = ""]
    #[doc =
    " You likely want to call `Instance::upstream_monomorphization()`"]
    #[doc = " instead of invoking this query directly."]
    #[doc = ""]
    #[doc =
    " NOTE: This query could easily be extended to also support other"]
    #[doc =
    "       common functions that have are large set of monomorphizations"]
    #[doc = "       (like `Clone::clone` for example)."]
    #[inline(always)]
    pub fn upstream_async_drop_glue_for(self, key: GenericArgsRef<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.upstream_async_drop_glue_for,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns a list of all `extern` blocks of a crate."]
    #[inline(always)]
    pub fn foreign_modules(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.foreign_modules,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Lint against `extern fn` declarations having incompatible types."]
    #[inline(always)]
    pub fn clashing_extern_declarations(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.clashing_extern_declarations,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Identifies the entry-point (e.g., the `main` function) for a given"]
    #[doc =
    " crate, returning `None` if there is no entry point (such as for library crates)."]
    #[inline(always)]
    pub fn entry_fn(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.entry_fn,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Finds the `rustc_proc_macro_decls` item of a crate."]
    #[inline(always)]
    pub fn proc_macro_decls_static(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.proc_macro_decls_static,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up the hash a crate"]
    #[inline(always)]
    pub fn crate_hash(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_hash,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Gets the hash for the host proc macro. Used to support -Z dual-proc-macro."]
    #[inline(always)]
    pub fn crate_host_hash(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_host_hash,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Gets the extra data to put in each output filename for a crate."]
    #[doc =
    " For example, compiling the `foo` crate with `extra-filename=-a` creates a `libfoo-b.rlib` file."]
    #[inline(always)]
    pub fn extra_filename(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.extra_filename,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Gets the paths where the crate came from in the file system."]
    #[inline(always)]
    pub fn crate_extern_paths(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_extern_paths,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Given a crate and a trait, look up all impls of that trait in the crate."]
    #[doc = " Return `(impl_id, self_ty)`."]
    #[inline(always)]
    pub fn implementations_of_trait(self, key: (CrateNum, DefId)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.implementations_of_trait,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Collects all incoherent impls for the given crate and type."]
    #[doc = ""]
    #[doc =
    " Do not call this directly, but instead use the `incoherent_impls` query."]
    #[doc =
    " This query is only used to get the data necessary for that query."]
    #[inline(always)]
    pub fn crate_incoherent_impls(self, key: (CrateNum, SimplifiedType)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_incoherent_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Get the corresponding native library from the `native_libraries` query"]
    #[inline(always)]
    pub fn native_library(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.native_library,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] inheriting delegation signature"]
    #[inline(always)]
    pub fn inherit_sig_for_delegation_item(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inherit_sig_for_delegation_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Does lifetime resolution on items. Importantly, we can\'t resolve"]
    #[doc =
    " lifetimes directly on things like trait methods, because of trait params."]
    #[doc = " See `rustc_resolve::late::lifetimes` for details."]
    #[inline(always)]
    pub fn resolve_bound_vars(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.resolve_bound_vars,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up a named region inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    pub fn named_variable_map(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.named_variable_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] testing if a region is late bound inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    pub fn is_late_bound_map(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_late_bound_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the *default lifetime* to be used if a trait object type were to be passed for"]
    #[doc = " the type parameter given by `DefId`."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_object_lifetime_defaults]` on an item to basically"]
    #[doc =
    " print the result of this query for use in UI tests or for debugging purposes."]
    #[doc = ""]
    #[doc = " # Examples"]
    #[doc = ""]
    #[doc =
    " - For `T` in `struct Foo<\'a, T: \'a>(&\'a T);`, this would be `Param(\'a)`"]
    #[doc =
    " - For `T` in `struct Bar<\'a, T>(&\'a T);`, this would be `Empty`"]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not a type parameter."]
    #[inline(always)]
    pub fn object_lifetime_default(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.object_lifetime_default,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up late bound vars inside  `tcx.def_path_str(owner_id)` "]
    #[inline(always)]
    pub fn late_bound_vars_map(self, key: hir::OwnerId) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.late_bound_vars_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " For an opaque type, return the list of (captured lifetime, inner generic param)."]
    #[doc = " ```ignore (illustrative)"]
    #[doc =
    " fn foo<\'a: \'a, \'b, T>(&\'b u8) -> impl Into<Self> + \'b { ... }"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc =
    " We would return `[(\'a, \'_a), (\'b, \'_b)]`, with `\'a` early-bound and `\'b` late-bound."]
    #[doc = ""]
    #[doc = " After hir_ty_lowering, we get:"]
    #[doc = " ```ignore (pseudo-code)"]
    #[doc = " opaque foo::<\'a>::opaque<\'_a, \'_b>: Into<Foo<\'_a>> + \'_b;"]
    #[doc = "                          ^^^^^^^^ inner generic params"]
    #[doc =
    " fn foo<\'a>: for<\'b> fn(&\'b u8) -> foo::<\'a>::opaque::<\'a, \'b>"]
    #[doc =
    "                                                       ^^^^^^ captured lifetimes"]
    #[doc = " ```"]
    #[inline(always)]
    pub fn opaque_captured_lifetimes(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.opaque_captured_lifetimes,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Computes the visibility of the provided `def_id`."]
    #[doc = ""]
    #[doc =
    " If the item from the `def_id` doesn\'t have a visibility, it will panic. For example"]
    #[doc =
    " a generic type parameter will panic if you call this method on it:"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " use std::fmt::Debug;"]
    #[doc = ""]
    #[doc = " pub trait Foo<T: Debug> {}"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc = " In here, if you call `visibility` on `T`, it\'ll panic."]
    #[inline(always)]
    pub fn visibility(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.visibility,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing the uninhabited predicate of `{:?}`"]
    #[inline(always)]
    pub fn inhabited_predicate_adt(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inhabited_predicate_adt,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Do not call this query directly: invoke `Ty::inhabited_predicate` instead."]
    #[inline(always)]
    pub fn inhabited_predicate_type(self, key: Ty<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.inhabited_predicate_type,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching what a dependency looks like"]
    #[inline(always)]
    pub fn crate_dep_kind(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_dep_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Gets the name of the crate."]
    #[inline(always)]
    pub fn crate_name(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_name,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting child items of module  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn module_children(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.module_children,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Gets the number of definitions in a foreign crate."]
    #[doc = ""]
    #[doc =
    " This allows external tools to iterate over all definitions in a foreign crate."]
    #[doc = ""]
    #[doc =
    " This should never be used for the local crate, instead use `iter_local_def_id`."]
    #[inline(always)]
    pub fn num_extern_def_ids(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.num_extern_def_ids,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] calculating the lib features defined in a crate"]
    #[inline(always)]
    pub fn lib_features(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.lib_features,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Mapping from feature name to feature name based on the `implied_by` field of `#[unstable]`"]
    #[doc =
    " attributes. If a `#[unstable(feature = \"implier\", implied_by = \"impliee\")]` attribute"]
    #[doc = " exists, then this map will have a `impliee -> implier` entry."]
    #[doc = ""]
    #[doc =
    " This mapping is necessary unless both the `#[stable]` and `#[unstable]` attributes should"]
    #[doc =
    " specify their implications (both `implies` and `implied_by`). If only one of the two"]
    #[doc =
    " attributes do (as in the current implementation, `implied_by` in `#[unstable]`), then this"]
    #[doc =
    " mapping is necessary for diagnostics. When a \"unnecessary feature attribute\" error is"]
    #[doc =
    " reported, only the `#[stable]` attribute information is available, so the map is necessary"]
    #[doc =
    " to know that the feature implies another feature. If it were reversed, and the `#[stable]`"]
    #[doc =
    " attribute had an `implies` meta item, then a map would be necessary when avoiding a \"use of"]
    #[doc = " unstable feature\" error for a feature that was implied."]
    #[inline(always)]
    pub fn stability_implications(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.stability_implications,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Whether the function is an intrinsic"]
    #[inline(always)]
    pub fn intrinsic_raw(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.intrinsic_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the lang items defined in another crate by loading it from metadata."]
    #[inline(always)]
    pub fn get_lang_items(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.get_lang_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns all diagnostic items defined in all crates."]
    #[inline(always)]
    pub fn all_diagnostic_items(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.all_diagnostic_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the lang items defined in another crate by loading it from metadata."]
    #[inline(always)]
    pub fn defined_lang_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.defined_lang_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns the diagnostic items defined in a crate."]
    #[inline(always)]
    pub fn diagnostic_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.diagnostic_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] calculating the missing lang items in a crate"]
    #[inline(always)]
    pub fn missing_lang_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.missing_lang_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " The visible parent map is a map from every item to a visible parent."]
    #[doc = " It prefers the shortest visible path to an item."]
    #[doc = " Used for diagnostics, for example path trimming."]
    #[doc = " The parents are modules, enums or traits."]
    #[inline(always)]
    pub fn visible_parent_map(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.visible_parent_map,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Collects the \"trimmed\", shortest accessible paths to all items for diagnostics."]
    #[doc =
    " See the [provider docs](`rustc_middle::ty::print::trimmed_def_paths`) for more info."]
    #[inline(always)]
    pub fn trimmed_def_paths(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trimmed_def_paths,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] seeing if we're missing an `extern crate` item for this crate"]
    #[inline(always)]
    pub fn missing_extern_crate_item(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.missing_extern_crate_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking at the source for a crate"]
    #[inline(always)]
    pub fn used_crate_source(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.used_crate_source,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns the debugger visualizers defined for this crate."]
    #[doc =
    " NOTE: This query has to be marked `eval_always` because it reads data"]
    #[doc =
    "       directly from disk that is not tracked anywhere else. I.e. it"]
    #[doc = "       represents a genuine input to the query system."]
    #[inline(always)]
    pub fn debugger_visualizers(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.debugger_visualizers,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] generating a postorder list of CrateNums"]
    #[inline(always)]
    pub fn postorder_cnums(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.postorder_cnums,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns whether or not the crate with CrateNum \'cnum\'"]
    #[doc = " is marked as a private dependency"]
    #[inline(always)]
    pub fn is_private_dep(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_private_dep,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting the allocator kind for the current crate"]
    #[inline(always)]
    pub fn allocator_kind(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.allocator_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] alloc error handler kind for the current crate"]
    #[inline(always)]
    pub fn alloc_error_handler_kind(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.alloc_error_handler_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting upvars mentioned in  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn upvars_mentioned(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.upvars_mentioned,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " All available crates in the graph, including those that should not be user-facing"]
    #[doc = " (such as private crates)."]
    #[inline(always)]
    pub fn crates(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crates,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching `CrateNum`s for all crates loaded non-speculatively"]
    #[inline(always)]
    pub fn used_crates(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.used_crates,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " All crates that share the same name as crate `c`."]
    #[doc = ""]
    #[doc =
    " This normally occurs when multiple versions of the same dependency are present in the"]
    #[doc = " dependency tree."]
    #[inline(always)]
    pub fn duplicate_crate_names(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.duplicate_crate_names,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " A list of all traits in a crate, used by rustdoc and error reporting."]
    #[inline(always)]
    pub fn traits(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.traits,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching all trait impls in a crate"]
    #[inline(always)]
    pub fn trait_impls_in_crate(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trait_impls_in_crate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching the stable impl's order"]
    #[inline(always)]
    pub fn stable_order_of_exportable_impls(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.stable_order_of_exportable_impls,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] fetching all exportable items in a crate"]
    #[inline(always)]
    pub fn exportable_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.exportable_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " The list of non-generic symbols exported from the given crate."]
    #[doc = ""]
    #[doc = " This is separate from exported_generic_symbols to avoid having"]
    #[doc = " to deserialize all non-generic symbols too for upstream crates"]
    #[doc = " in the upstream_monomorphizations query."]
    #[doc = ""]
    #[doc =
    " - All names contained in `exported_non_generic_symbols(cnum)` are"]
    #[doc =
    "   guaranteed to correspond to a publicly visible symbol in `cnum`"]
    #[doc = "   machine code."]
    #[doc =
    " - The `exported_non_generic_symbols` and `exported_generic_symbols`"]
    #[doc = "   sets of different crates do not intersect."]
    #[inline(always)]
    pub fn exported_non_generic_symbols(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.exported_non_generic_symbols,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " The list of generic symbols exported from the given crate."]
    #[doc = ""]
    #[doc = " - All names contained in `exported_generic_symbols(cnum)` are"]
    #[doc =
    "   guaranteed to correspond to a publicly visible symbol in `cnum`"]
    #[doc = "   machine code."]
    #[doc =
    " - The `exported_non_generic_symbols` and `exported_generic_symbols`"]
    #[doc = "   sets of different crates do not intersect."]
    #[inline(always)]
    pub fn exported_generic_symbols(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.exported_generic_symbols,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collect_and_partition_mono_items"]
    #[inline(always)]
    pub fn collect_and_partition_mono_items(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.collect_and_partition_mono_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] determining whether  `tcx.def_path_str(def_id)`  needs codegen"]
    #[inline(always)]
    pub fn is_codegened_item(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_codegened_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] getting codegen unit `{sym}`"]
    #[inline(always)]
    pub fn codegen_unit(self, key: Symbol) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.codegen_unit,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] optimization level used by backend"]
    #[inline(always)]
    pub fn backend_optimization_level(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.backend_optimization_level,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Return the filenames where output artefacts shall be stored."]
    #[doc = ""]
    #[doc =
    " This query returns an `&Arc` because codegen backends need the value even after the `TyCtxt`"]
    #[doc = " has been destroyed."]
    #[inline(always)]
    pub fn output_filenames(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.output_filenames,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn normalize_canonicalized_projection(self,
        key: CanonicalAliasGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.normalize_canonicalized_projection,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn normalize_canonicalized_free_alias(self,
        key: CanonicalAliasGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.normalize_canonicalized_free_alias,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc = " Do not call this query directly: Invoke `normalize` instead."]
    #[doc = ""]
    #[doc = " </div>"]
    #[inline(always)]
    pub fn normalize_canonicalized_inherent_projection(self,
        key: CanonicalAliasGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.normalize_canonicalized_inherent_projection,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Do not call this query directly: invoke `try_normalize_erasing_regions` instead."]
    #[inline(always)]
    pub fn try_normalize_generic_arg_after_erasing_regions(self,
        key: PseudoCanonicalInput<'tcx, GenericArg<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.try_normalize_generic_arg_after_erasing_regions,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing implied outlives bounds for  `key.0.canonical.value.value.ty`  (hack disabled = {:?})"]
    #[inline(always)]
    pub fn implied_outlives_bounds(self,
        key: (CanonicalImpliedOutlivesBoundsGoal<'tcx>, bool)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.implied_outlives_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Do not call this query directly:"]
    #[doc =
    " invoke `DropckOutlives::new(dropped_ty)).fully_perform(typeck.infcx)` instead."]
    #[inline(always)]
    pub fn dropck_outlives(self, key: CanonicalDropckOutlivesGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.dropck_outlives,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Do not call this query directly: invoke `infcx.predicate_may_hold()` or"]
    #[doc = " `infcx.predicate_must_hold()` instead."]
    #[inline(always)]
    pub fn evaluate_obligation(self, key: CanonicalPredicateGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.evaluate_obligation,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Do not call this query directly: part of the `Eq` type-op"]
    #[inline(always)]
    pub fn type_op_ascribe_user_type(self,
        key: CanonicalTypeOpAscribeUserTypeGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_ascribe_user_type,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Do not call this query directly: part of the `ProvePredicate` type-op"]
    #[inline(always)]
    pub fn type_op_prove_predicate(self,
        key: CanonicalTypeOpProvePredicateGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_prove_predicate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_ty(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, Ty<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_normalize_ty,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_clause(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::Clause<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_normalize_clause,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_poly_fn_sig(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::PolyFnSig<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_normalize_poly_fn_sig,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Do not call this query directly: part of the `Normalize` type-op"]
    #[inline(always)]
    pub fn type_op_normalize_fn_sig(self,
        key: CanonicalTypeOpNormalizeGoal<'tcx, ty::FnSig<'tcx>>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.type_op_normalize_fn_sig,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking impossible instantiated predicates:  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    pub fn instantiate_and_check_impossible_predicates(self,
        key: (DefId, GenericArgsRef<'tcx>)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.instantiate_and_check_impossible_predicates,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(key.1)`  is impossible to reference within  `tcx.def_path_str(key.0)` "]
    #[inline(always)]
    pub fn is_impossible_associated_item(self, key: (DefId, DefId)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.is_impossible_associated_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] computing autoderef types for  `goal.canonical.value.value.self_ty` "]
    #[inline(always)]
    pub fn method_autoderef_steps(self,
        key: CanonicalMethodAutoderefStepsGoal<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.method_autoderef_steps,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Used by `-Znext-solver` to compute proof trees."]
    #[inline(always)]
    pub fn evaluate_root_goal_for_proof_tree_raw(self,
        key: solve::CanonicalInput<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.evaluate_root_goal_for_proof_tree_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Returns the Rust target features for the current target. These are not always the same as LLVM target features!"]
    #[inline(always)]
    pub fn rust_target_features(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.rust_target_features,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up implied target features"]
    #[inline(always)]
    pub fn implied_target_features(self, key: Symbol) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.implied_target_features,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up enabled feature gates"]
    #[inline(always)]
    pub fn features_query(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.features_query,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] the ast before macro expansion and name resolution"]
    #[inline(always)]
    pub fn crate_for_resolver(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.crate_for_resolver,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Attempt to resolve the given `DefId` to an `Instance`, for the"]
    #[doc = " given generics args (`GenericArgsRef`), returning one of:"]
    #[doc = "  * `Ok(Some(instance))` on success"]
    #[doc = "  * `Ok(None)` when the `GenericArgsRef` are still too generic,"]
    #[doc = "    and therefore don\'t allow finding the final `Instance`"]
    #[doc =
    "  * `Err(ErrorGuaranteed)` when the `Instance` resolution process"]
    #[doc =
    "    couldn\'t complete due to errors elsewhere - this is distinct"]
    #[doc =
    "    from `Ok(None)` to avoid misleading diagnostics when an error"]
    #[doc = "    has already been/will be emitted, for the original cause."]
    #[inline(always)]
    pub fn resolve_instance_raw(self,
        key: ty::PseudoCanonicalInput<'tcx, (DefId, GenericArgsRef<'tcx>)>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.resolve_instance_raw,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] revealing opaque types in `{:?}`"]
    #[inline(always)]
    pub fn reveal_opaque_types_in_bounds(self, key: ty::Clauses<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.reveal_opaque_types_in_bounds,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up limits"]
    #[inline(always)]
    pub fn limits(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.limits,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Performs an HIR-based well-formed check on the item with the given `HirId`. If"]
    #[doc =
    " we get an `Unimplemented` error that matches the provided `Predicate`, return"]
    #[doc = " the cause of the newly created obligation."]
    #[doc = ""]
    #[doc =
    " This is only used by error-reporting code to get a better cause (in particular, a better"]
    #[doc =
    " span) for an *existing* error. Therefore, it is best-effort, and may never handle"]
    #[doc =
    " all of the cases that the normal `ty::Ty`-based wfcheck does. This is fine,"]
    #[doc = " because the `ty::Ty`-based wfcheck is always run."]
    #[inline(always)]
    pub fn diagnostic_hir_wf_check(self,
        key: (ty::Predicate<'tcx>, WellFormedLoc)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.diagnostic_hir_wf_check,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " The list of backend features computed from CLI flags (`-Ctarget-cpu`, `-Ctarget-feature`,"]
    #[doc = " `--target` and similar)."]
    #[inline(always)]
    pub fn global_backend_features(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.global_backend_features,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking validity requirement for  `key.1.value` :  `key.0` "]
    #[inline(always)]
    pub fn check_validity_requirement(self,
        key:
            (ValidityRequirement, ty::PseudoCanonicalInput<'tcx, Ty<'tcx>>)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_validity_requirement,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " This takes the def-id of an associated item from a impl of a trait,"]
    #[doc =
    " and checks its validity against the trait item it corresponds to."]
    #[doc = ""]
    #[doc = " Any other def id will ICE."]
    #[inline(always)]
    pub fn compare_impl_item(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.compare_impl_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] deducing parameter attributes for  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn deduced_param_attrs(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.deduced_param_attrs,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] resolutions for documentation links for a module"]
    #[inline(always)]
    pub fn doc_link_resolutions(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.doc_link_resolutions,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] traits in scope for documentation links for a module"]
    #[inline(always)]
    pub fn doc_link_traits_in_scope(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.doc_link_traits_in_scope,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Get all item paths that were stripped by a `#[cfg]` in a particular crate."]
    #[doc =
    " Should not be called for the local crate before the resolver outputs are created, as it"]
    #[doc = " is only fed there."]
    #[inline(always)]
    pub fn stripped_cfg_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.stripped_cfg_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] check whether the item has a `where Self: Sized` bound"]
    #[inline(always)]
    pub fn generics_require_sized_self(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.generics_require_sized_self,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] whether the item should be made inlinable across crates"]
    #[inline(always)]
    pub fn cross_crate_inlinable(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.cross_crate_inlinable,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Perform monomorphization-time checking on this item."]
    #[doc =
    " This is used for lints/errors that can only be checked once the instance is fully"]
    #[doc = " monomorphized."]
    #[inline(always)]
    pub fn check_mono_item(self, key: ty::Instance<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_mono_item,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    " Builds the set of functions that should be skipped for the move-size check."]
    #[inline(always)]
    pub fn skip_move_check_fns(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.skip_move_check_fns,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] collecting items used by  `key.0` "]
    #[inline(always)]
    pub fn items_of_instance(self,
        key: (ty::Instance<'tcx>, CollectionMode)) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.items_of_instance,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] estimating codegen size of  `key` "]
    #[inline(always)]
    pub fn size_estimate(self, key: ty::Instance<'tcx>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.size_estimate,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] looking up anon const kind of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn anon_const_kind(self,
        key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.anon_const_kind,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] checking if  `tcx.def_path_str(def_id)`  is a trivial const"]
    #[inline(always)]
    pub fn trivial_const(self, key: impl crate::query::IntoQueryKey<DefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.trivial_const,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Checks for the nearest `#[sanitize(xyz = \"off\")]` or"]
    #[doc =
    " `#[sanitize(xyz = \"on\")]` on this def and any enclosing defs, up to the"]
    #[doc = " crate root."]
    #[doc = ""]
    #[doc = " Returns the sanitizer settings for this def."]
    #[inline(always)]
    pub fn sanitizer_settings_for(self,
        key: impl crate::query::IntoQueryKey<LocalDefId>) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.sanitizer_settings_for,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc =
    "[query description - consider adding a doc-comment!] check externally implementable items"]
    #[inline(always)]
    pub fn check_externally_implementable_items(self, key: ()) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.check_externally_implementable_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
    #[doc = " Returns a list of all `externally implementable items` crate."]
    #[inline(always)]
    pub fn externally_implementable_items(self, key: CrateNum) {
        crate::query::inner::query_ensure_ok_or_done(self.tcx,
            &self.tcx.query_system.query_vtables.externally_implementable_items,
            crate::query::IntoQueryKey::into_query_key(key),
            crate::query::EnsureMode::Done);
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<local_def_id_to_hir_id::Key<'tcx>> +
    Copy> TyCtxtFeed<'tcx, K> {
    #[doc = " Returns HIR ID for the given `LocalDefId`."]
    #[inline(always)]
    pub fn local_def_id_to_hir_id(self,
        value: local_def_id_to_hir_id::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.local_def_id_to_hir_id,
            self.key().into_query_key(),
            local_def_id_to_hir_id::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<opt_hir_owner_nodes::Key<'tcx>> +
    Copy> TyCtxtFeed<'tcx, K> {
    #[doc =
    " Gives access to the HIR nodes and bodies inside `key` if it\'s a HIR owner."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn opt_hir_owner_nodes(self,
        value: opt_hir_owner_nodes::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.opt_hir_owner_nodes,
            self.key().into_query_key(),
            opt_hir_owner_nodes::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<hir_attr_map::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc = " Gives access to the HIR attributes inside the HIR owner `key`."]
    #[doc = ""]
    #[doc = " This can be conveniently accessed by `tcx.hir_*` methods."]
    #[doc = " Avoid calling this query directly."]
    #[inline(always)]
    pub fn hir_attr_map(self, value: hir_attr_map::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.hir_attr_map,
            self.key().into_query_key(),
            hir_attr_map::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<type_of::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc = " Returns the *type* of the definition given by `DefId`."]
    #[doc = ""]
    #[doc =
    " For type aliases (whether eager or lazy) and associated types, this returns"]
    #[doc =
    " the underlying aliased type (not the corresponding [alias type])."]
    #[doc = ""]
    #[doc =
    " For opaque types, this returns and thus reveals the hidden type! If you"]
    #[doc = " want to detect cycle errors use `type_of_opaque` instead."]
    #[doc = ""]
    #[doc =
    " To clarify, for type definitions, this does *not* return the \"type of a type\""]
    #[doc =
    " (aka *kind* or *sort*) in the type-theoretical sense! It merely returns"]
    #[doc = " the type primarily *associated with* it."]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition doesn\'t (and can\'t"]
    #[doc = " conceptually) have an (underlying) type."]
    #[doc = ""]
    #[doc = " [alias type]: rustc_middle::ty::AliasTy"]
    #[inline(always)]
    pub fn type_of(self, value: type_of::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.type_of,
            self.key().into_query_key(),
            type_of::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<generics_of::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc = " Returns the *generics* of the definition given by `DefId`."]
    #[inline(always)]
    pub fn generics_of(self, value: generics_of::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.generics_of,
            self.key().into_query_key(),
            generics_of::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<explicit_item_bounds::Key<'tcx>> +
    Copy> TyCtxtFeed<'tcx, K> {
    #[doc =
    " Returns the explicitly user-written *bounds* on the associated or opaque type given by `DefId`"]
    #[doc =
    " that must be proven true at definition site (and which can be assumed at usage sites)."]
    #[doc = ""]
    #[doc =
    " For associated types, these must be satisfied for an implementation"]
    #[doc =
    " to be well-formed, and for opaque types, these are required to be"]
    #[doc = " satisfied by the hidden type of the opaque."]
    #[doc = ""]
    #[doc =
    " Bounds from the parent (e.g. with nested `impl Trait`) are not included."]
    #[doc = ""]
    #[doc =
    " Syntactially, these are the bounds written on associated types in trait"]
    #[doc = " definitions, or those after the `impl` keyword for an opaque:"]
    #[doc = ""]
    #[doc = " ```ignore (illustrative)"]
    #[doc = " trait Trait { type X: Bound + \'lt; }"]
    #[doc = " //                    ^^^^^^^^^^^"]
    #[doc = " fn function() -> impl Debug + Display { /*...*/ }"]
    #[doc = " //                    ^^^^^^^^^^^^^^^"]
    #[doc = " ```"]
    #[inline(always)]
    pub fn explicit_item_bounds(self,
        value: explicit_item_bounds::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_item_bounds,
            self.key().into_query_key(),
            explicit_item_bounds::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx,
    K: crate::query::IntoQueryKey<explicit_item_self_bounds::Key<'tcx>> +
    Copy> TyCtxtFeed<'tcx, K> {
    #[doc =
    " Returns the explicitly user-written *bounds* that share the `Self` type of the item."]
    #[doc = ""]
    #[doc =
    " These are a subset of the [explicit item bounds] that may explicitly be used for things"]
    #[doc = " like closure signature deduction."]
    #[doc = ""]
    #[doc = " [explicit item bounds]: Self::explicit_item_bounds"]
    #[inline(always)]
    pub fn explicit_item_self_bounds(self,
        value: explicit_item_self_bounds::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_item_self_bounds,
            self.key().into_query_key(),
            explicit_item_self_bounds::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<mir_built::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc =
    " Build the MIR for a given `DefId` and prepare it for const qualification."]
    #[doc = ""]
    #[doc = " See the [rustc dev guide] for more info."]
    #[doc = ""]
    #[doc =
    " [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/mir/construction.html"]
    #[inline(always)]
    pub fn mir_built(self, value: mir_built::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.mir_built,
            self.key().into_query_key(),
            mir_built::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<coverage_attr_on::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc =
    " Checks for the nearest `#[coverage(off)]` or `#[coverage(on)]` on"]
    #[doc = " this def and any enclosing defs, up to the crate root."]
    #[doc = ""]
    #[doc = " Returns `false` if `#[coverage(off)]` was found, or `true` if"]
    #[doc = " either `#[coverage(on)]` or no coverage attribute was found."]
    #[inline(always)]
    pub fn coverage_attr_on(self,
        value: coverage_attr_on::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.coverage_attr_on,
            self.key().into_query_key(),
            coverage_attr_on::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<explicit_predicates_of::Key<'tcx>> +
    Copy> TyCtxtFeed<'tcx, K> {
    #[doc =
    " Returns the explicitly user-written *predicates* of the definition given by `DefId`"]
    #[doc =
    " that must be proven true at usage sites (and which can be assumed at definition site)."]
    #[doc = ""]
    #[doc =
    " You should probably use [`TyCtxt::predicates_of`] unless you\'re looking for"]
    #[doc = " predicates with explicit spans for diagnostics purposes."]
    #[inline(always)]
    pub fn explicit_predicates_of(self,
        value: explicit_predicates_of::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.explicit_predicates_of,
            self.key().into_query_key(),
            explicit_predicates_of::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<inferred_outlives_of::Key<'tcx>> +
    Copy> TyCtxtFeed<'tcx, K> {
    #[doc =
    " Returns the *inferred outlives-predicates* of the item given by `DefId`."]
    #[doc = ""]
    #[doc =
    " E.g., for `struct Foo<\'a, T> { x: &\'a T }`, this would return `[T: \'a]`."]
    #[doc = ""]
    #[doc =
    " **Tip**: You can use `#[rustc_dump_inferred_outlives]` on an item to basically"]
    #[doc =
    " print the result of this query for use in UI tests or for debugging purposes."]
    #[inline(always)]
    pub fn inferred_outlives_of(self,
        value: inferred_outlives_of::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.inferred_outlives_of,
            self.key().into_query_key(),
            inferred_outlives_of::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<constness::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc =
    " Returns the constness of the function-like[^1] definition given by `DefId`."]
    #[doc = ""]
    #[doc =
    " Tuple struct/variant constructors are *always* const, foreign functions are"]
    #[doc =
    " *never* const. The rest is const iff marked with keyword `const` (or rather"]
    #[doc = " its parent in the case of associated functions)."]
    #[doc = ""]
    #[doc = " <div class=\"warning\">"]
    #[doc = ""]
    #[doc =
    " **Do not call this query** directly. It is only meant to cache the base data for the"]
    #[doc =
    " higher-level functions. Consider using `is_const_fn` or `is_const_trait_impl` instead."]
    #[doc = ""]
    #[doc =
    " Also note that neither of them takes into account feature gates, stability and"]
    #[doc = " const predicates/conditions!"]
    #[doc = ""]
    #[doc = " </div>"]
    #[doc = ""]
    #[doc = " # Panics"]
    #[doc = ""]
    #[doc =
    " This query will panic if the given definition is not function-like[^1]."]
    #[doc = ""]
    #[doc =
    " [^1]: Tuple struct/variant constructors, closures and free, associated and foreign functions."]
    #[inline(always)]
    pub fn constness(self, value: constness::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.constness,
            self.key().into_query_key(),
            constness::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<coroutine_kind::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc =
    " Returns `Some(coroutine_kind)` if the node pointed to by `def_id` is a coroutine."]
    #[inline(always)]
    pub fn coroutine_kind(self, value: coroutine_kind::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.coroutine_kind,
            self.key().into_query_key(),
            coroutine_kind::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<associated_item::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc =
    " Maps from a trait/impl item to the trait/impl item \"descriptor\"."]
    #[inline(always)]
    pub fn associated_item(self,
        value: associated_item::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.associated_item,
            self.key().into_query_key(),
            associated_item::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<eval_static_initializer::Key<'tcx>> +
    Copy> TyCtxtFeed<'tcx, K> {
    #[doc =
    " Evaluate a static\'s initializer, returning the allocation of the initializer\'s memory."]
    #[inline(always)]
    pub fn eval_static_initializer(self,
        value: eval_static_initializer::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.eval_static_initializer,
            self.key().into_query_key(),
            eval_static_initializer::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<def_kind::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc =
    "[query description - consider adding a doc-comment!] looking up definition kind of  `tcx.def_path_str(def_id)` "]
    #[inline(always)]
    pub fn def_kind(self, value: def_kind::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.def_kind,
            self.key().into_query_key(),
            def_kind::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<def_span::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc = " Gets the span for the definition."]
    #[inline(always)]
    pub fn def_span(self, value: def_span::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.def_span,
            self.key().into_query_key(),
            def_span::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<def_ident_span::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc = " Gets the span for the identifier of the definition."]
    #[inline(always)]
    pub fn def_ident_span(self, value: def_ident_span::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.def_ident_span,
            self.key().into_query_key(),
            def_ident_span::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<codegen_fn_attrs::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc = " Returns the `CodegenFnAttrs` for the item at `def_id`."]
    #[doc = ""]
    #[doc =
    " If possible, use `tcx.codegen_instance_attrs` instead. That function takes the"]
    #[doc = " instance kind into account."]
    #[doc = ""]
    #[doc =
    " For example, the `#[naked]` attribute should be applied for `InstanceKind::Item`,"]
    #[doc =
    " but should not be applied if the instance kind is `InstanceKind::ReifyShim`."]
    #[doc =
    " Using this query would include the attribute regardless of the actual instance"]
    #[doc = " kind at the call site."]
    #[inline(always)]
    pub fn codegen_fn_attrs(self,
        value: codegen_fn_attrs::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.codegen_fn_attrs,
            self.key().into_query_key(),
            codegen_fn_attrs::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<param_env::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc =
    " Gets the ParameterEnvironment for a given item; this environment"]
    #[doc =
    " will be in \"user-facing\" mode, meaning that it is suitable for"]
    #[doc = " type-checking etc, and it does not normalize specializable"]
    #[doc = " associated types."]
    #[doc = ""]
    #[doc =
    " You should almost certainly not use this. If you already have an InferCtxt, then"]
    #[doc =
    " you should also probably have a `ParamEnv` from when it was built. If you don\'t,"]
    #[doc =
    " then you should take a `TypingEnv` to ensure that you handle opaque types correctly."]
    #[inline(always)]
    pub fn param_env(self, value: param_env::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.param_env,
            self.key().into_query_key(),
            param_env::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<defaultness::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc =
    " Returns whether the impl or associated function has the `default` keyword."]
    #[doc =
    " Note: This will ICE on inherent impl items. Consider using `AssocItem::defaultness`."]
    #[inline(always)]
    pub fn defaultness(self, value: defaultness::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.defaultness,
            self.key().into_query_key(),
            defaultness::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<visibility::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc = " Computes the visibility of the provided `def_id`."]
    #[doc = ""]
    #[doc =
    " If the item from the `def_id` doesn\'t have a visibility, it will panic. For example"]
    #[doc =
    " a generic type parameter will panic if you call this method on it:"]
    #[doc = ""]
    #[doc = " ```"]
    #[doc = " use std::fmt::Debug;"]
    #[doc = ""]
    #[doc = " pub trait Foo<T: Debug> {}"]
    #[doc = " ```"]
    #[doc = ""]
    #[doc = " In here, if you call `visibility` on `T`, it\'ll panic."]
    #[inline(always)]
    pub fn visibility(self, value: visibility::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.visibility,
            self.key().into_query_key(),
            visibility::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<crate_name::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc = " Gets the name of the crate."]
    #[inline(always)]
    pub fn crate_name(self, value: crate_name::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.crate_name,
            self.key().into_query_key(),
            crate_name::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<output_filenames::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc = " Return the filenames where output artefacts shall be stored."]
    #[doc = ""]
    #[doc =
    " This query returns an `&Arc` because codegen backends need the value even after the `TyCtxt`"]
    #[doc = " has been destroyed."]
    #[inline(always)]
    pub fn output_filenames(self,
        value: output_filenames::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.output_filenames,
            self.key().into_query_key(),
            output_filenames::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<features_query::Key<'tcx>> + Copy>
    TyCtxtFeed<'tcx, K> {
    #[doc =
    "[query description - consider adding a doc-comment!] looking up enabled feature gates"]
    #[inline(always)]
    pub fn features_query(self, value: features_query::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.features_query,
            self.key().into_query_key(),
            features_query::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<crate_for_resolver::Key<'tcx>> +
    Copy> TyCtxtFeed<'tcx, K> {
    #[doc =
    "[query description - consider adding a doc-comment!] the ast before macro expansion and name resolution"]
    #[inline(always)]
    pub fn crate_for_resolver(self,
        value: crate_for_resolver::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.crate_for_resolver,
            self.key().into_query_key(),
            crate_for_resolver::provided_to_erased(self.tcx, value));
    }
}
impl<'tcx, K: crate::query::IntoQueryKey<sanitizer_settings_for::Key<'tcx>> +
    Copy> TyCtxtFeed<'tcx, K> {
    #[doc = " Checks for the nearest `#[sanitize(xyz = \"off\")]` or"]
    #[doc =
    " `#[sanitize(xyz = \"on\")]` on this def and any enclosing defs, up to the"]
    #[doc = " crate root."]
    #[doc = ""]
    #[doc = " Returns the sanitizer settings for this def."]
    #[inline(always)]
    pub fn sanitizer_settings_for(self,
        value: sanitizer_settings_for::ProvidedValue<'tcx>) {
        crate::query::inner::query_feed(self.tcx,
            &self.tcx.query_system.query_vtables.sanitizer_settings_for,
            self.key().into_query_key(),
            sanitizer_settings_for::provided_to_erased(self.tcx, value));
    }
}rustc_with_all_queries! { define_callbacks! }