1//! Mono Item Collection
2//! ====================
3//!
4//! This module is responsible for discovering all items that will contribute
5//! to code generation of the crate. The important part here is that it not only
6//! needs to find syntax-level items (functions, structs, etc) but also all
7//! their monomorphized instantiations. Every non-generic, non-const function
8//! maps to one LLVM artifact. Every generic function can produce
9//! from zero to N artifacts, depending on the sets of type arguments it
10//! is instantiated with.
11//! This also applies to generic items from other crates: A generic definition
12//! in crate X might produce monomorphizations that are compiled into crate Y.
13//! We also have to collect these here.
14//!
15//! The following kinds of "mono items" are handled here:
16//!
17//! - Functions
18//! - Methods
19//! - Closures
20//! - Statics
21//! - Drop glue
22//!
23//! The following things also result in LLVM artifacts, but are not collected
24//! here, since we instantiate them locally on demand when needed in a given
25//! codegen unit:
26//!
27//! - Constants
28//! - VTables
29//! - Object Shims
30//!
31//! The main entry point is `collect_crate_mono_items`, at the bottom of this file.
32//!
33//! General Algorithm
34//! -----------------
35//! Let's define some terms first:
36//!
37//! - A "mono item" is something that results in a function or global in
38//! the LLVM IR of a codegen unit. Mono items do not stand on their
39//! own, they can use other mono items. For example, if function
40//! `foo()` calls function `bar()` then the mono item for `foo()`
41//! uses the mono item for function `bar()`. In general, the
42//! definition for mono item A using a mono item B is that
43//! the LLVM artifact produced for A uses the LLVM artifact produced
44//! for B.
45//!
46//! - Mono items and the uses between them form a directed graph,
47//! where the mono items are the nodes and uses form the edges.
48//! Let's call this graph the "mono item graph".
49//!
50//! - The mono item graph for a program contains all mono items
51//! that are needed in order to produce the complete LLVM IR of the program.
52//!
53//! The purpose of the algorithm implemented in this module is to build the
54//! mono item graph for the current crate. It runs in two phases:
55//!
56//! 1. Discover the roots of the graph by traversing the HIR of the crate.
57//! 2. Starting from the roots, find uses by inspecting the MIR
58//! representation of the item corresponding to a given node, until no more
59//! new nodes are found.
60//!
61//! ### Discovering roots
62//! The roots of the mono item graph correspond to the public non-generic
63//! syntactic items in the source code. We find them by walking the HIR of the
64//! crate, and whenever we hit upon a public function, method, or static item,
65//! we create a mono item consisting of the items DefId and, since we only
66//! consider non-generic items, an empty type-parameters set. (In eager
67//! collection mode, during incremental compilation, all non-generic functions
68//! are considered as roots, as well as when the `-Clink-dead-code` option is
69//! specified. Functions marked `#[no_mangle]` and functions called by inlinable
70//! functions also always act as roots.)
71//!
72//! ### Finding uses
73//! Given a mono item node, we can discover uses by inspecting its MIR. We walk
74//! the MIR to find other mono items used by each mono item. Since the mono
75//! item we are currently at is always monomorphic, we also know the concrete
76//! type arguments of its used mono items. The specific forms a use can take in
77//! MIR are quite diverse. Here is an overview:
78//!
79//! #### Calling Functions/Methods
80//! The most obvious way for one mono item to use another is a
81//! function or method call (represented by a CALL terminator in MIR). But
82//! calls are not the only thing that might introduce a use between two
83//! function mono items, and as we will see below, they are just a
84//! specialization of the form described next, and consequently will not get any
85//! special treatment in the algorithm.
86//!
87//! #### Taking a reference to a function or method
88//! A function does not need to actually be called in order to be used by
89//! another function. It suffices to just take a reference in order to introduce
90//! an edge. Consider the following example:
91//!
92//! ```
93//! # use core::fmt::Display;
94//! fn print_val<T: Display>(x: T) {
95//! println!("{}", x);
96//! }
97//!
98//! fn call_fn(f: &dyn Fn(i32), x: i32) {
99//! f(x);
100//! }
101//!
102//! fn main() {
103//! let print_i32 = print_val::<i32>;
104//! call_fn(&print_i32, 0);
105//! }
106//! ```
107//! The MIR of none of these functions will contain an explicit call to
108//! `print_val::<i32>`. Nonetheless, in order to mono this program, we need
109//! an instance of this function. Thus, whenever we encounter a function or
110//! method in operand position, we treat it as a use of the current
111//! mono item. Calls are just a special case of that.
112//!
113//! #### Drop glue
114//! Drop glue mono items are introduced by MIR drop-statements. The
115//! generated mono item will have additional drop-glue item uses if the
116//! type to be dropped contains nested values that also need to be dropped. It
117//! might also have a function item use for the explicit `Drop::drop`
118//! implementation of its type.
119//!
120//! #### Unsizing Casts
121//! A subtle way of introducing use edges is by casting to a trait object.
122//! Since the resulting wide-pointer contains a reference to a vtable, we need to
123//! instantiate all dyn-compatible methods of the trait, as we need to store
124//! pointers to these functions even if they never get called anywhere. This can
125//! be seen as a special case of taking a function reference.
126//!
127//!
128//! Interaction with Cross-Crate Inlining
129//! -------------------------------------
130//! The binary of a crate will not only contain machine code for the items
131//! defined in the source code of that crate. It will also contain monomorphic
132//! instantiations of any extern generic functions and of functions marked with
133//! `#[inline]`.
134//! The collection algorithm handles this more or less mono. If it is
135//! about to create a mono item for something with an external `DefId`,
136//! it will take a look if the MIR for that item is available, and if so just
137//! proceed normally. If the MIR is not available, it assumes that the item is
138//! just linked to and no node is created; which is exactly what we want, since
139//! no machine code should be generated in the current crate for such an item.
140//!
141//! Eager and Lazy Collection Strategy
142//! ----------------------------------
143//! Mono item collection can be performed with one of two strategies:
144//!
145//! - Lazy strategy means that items will only be instantiated when actually
146//! used. The goal is to produce the least amount of machine code
147//! possible.
148//!
149//! - Eager strategy is meant to be used in conjunction with incremental compilation
150//! where a stable set of mono items is more important than a minimal
151//! one. Thus, eager strategy will instantiate drop-glue for every drop-able type
152//! in the crate, even if no drop call for that type exists (yet). It will
153//! also instantiate default implementations of trait methods, something that
154//! otherwise is only done on demand.
155//!
156//! Collection-time const evaluation and "mentioned" items
157//! ------------------------------------------------------
158//!
159//! One important role of collection is to evaluate all constants that are used by all the items
160//! which are being collected. Codegen can then rely on only encountering constants that evaluate
161//! successfully, and if a constant fails to evaluate, the collector has much better context to be
162//! able to show where this constant comes up.
163//!
164//! However, the exact set of "used" items (collected as described above), and therefore the exact
165//! set of used constants, can depend on optimizations. Optimizing away dead code may optimize away
166//! a function call that uses a failing constant, so an unoptimized build may fail where an
167//! optimized build succeeds. This is undesirable.
168//!
169//! To avoid this, the collector has the concept of "mentioned" items. Some time during the MIR
170//! pipeline, before any optimization-level-dependent optimizations, we compute a list of all items
171//! that syntactically appear in the code. These are considered "mentioned", and even if they are in
172//! dead code and get optimized away (which makes them no longer "used"), they are still
173//! "mentioned". For every used item, the collector ensures that all mentioned items, recursively,
174//! do not use a failing constant. This is reflected via the [`CollectionMode`], which determines
175//! whether we are visiting a used item or merely a mentioned item.
176//!
177//! The collector and "mentioned items" gathering (which lives in `rustc_mir_transform::mentioned_items`)
178//! need to stay in sync in the following sense:
179//!
180//! - For every item that the collector gather that could eventually lead to build failure (most
181//! likely due to containing a constant that fails to evaluate), a corresponding mentioned item
182//! must be added. This should use the exact same strategy as the ecollector to make sure they are
183//! in sync. However, while the collector works on monomorphized types, mentioned items are
184//! collected on generic MIR -- so any time the collector checks for a particular type (such as
185//! `ty::FnDef`), we have to just onconditionally add this as a mentioned item.
186//! - In `visit_mentioned_item`, we then do with that mentioned item exactly what the collector
187//! would have done during regular MIR visiting. Basically you can think of the collector having
188//! two stages, a pre-monomorphization stage and a post-monomorphization stage (usually quite
189//! literally separated by a call to `self.monomorphize`); the pre-monomorphizationn stage is
190//! duplicated in mentioned items gathering and the post-monomorphization stage is duplicated in
191//! `visit_mentioned_item`.
192//! - Finally, as a performance optimization, the collector should fill `used_mentioned_item` during
193//! its MIR traversal with exactly what mentioned item gathering would have added in the same
194//! situation. This detects mentioned items that have *not* been optimized away and hence don't
195//! need a dedicated traversal.
196//!
197//! Open Issues
198//! -----------
199//! Some things are not yet fully implemented in the current version of this
200//! module.
201//!
202//! ### Const Fns
203//! Ideally, no mono item should be generated for const fns unless there
204//! is a call to them that cannot be evaluated at compile time. At the moment
205//! this is not implemented however: a mono item will be produced
206//! regardless of whether it is actually needed or not.
207208mod autodiff;
209210use std::cell::OnceCell;
211use std::ops::ControlFlow;
212213use rustc_data_structures::fx::FxIndexMap;
214use rustc_data_structures::sync::{MTLock, par_for_each_in};
215use rustc_data_structures::unord::{UnordMap, UnordSet};
216use rustc_hiras hir;
217use rustc_hir::attrs::InlineAttr;
218use rustc_hir::def::DefKind;
219use rustc_hir::def_id::{DefId, DefIdMap, LocalDefId};
220use rustc_hir::lang_items::LangItem;
221use rustc_hir::limit::Limit;
222use rustc_middle::middle::codegen_fn_attrs::CodegenFnAttrFlags;
223use rustc_middle::mir::interpret::{AllocId, ErrorHandled, GlobalAlloc, Scalar};
224use rustc_middle::mir::mono::{
225 CollectionMode, InstantiationMode, MonoItem, NormalizationErrorInMono,
226};
227use rustc_middle::mir::visit::Visitor as MirVisitor;
228use rustc_middle::mir::{self, Body, Location, MentionedItem, traversal};
229use rustc_middle::query::TyCtxtAt;
230use rustc_middle::ty::adjustment::{CustomCoerceUnsized, PointerCoercion};
231use rustc_middle::ty::layout::ValidityRequirement;
232use rustc_middle::ty::{
233self, GenericArgs, GenericParamDefKind, Instance, InstanceKind, Ty, TyCtxt, TypeFoldable,
234TypeVisitable, TypeVisitableExt, TypeVisitor, VtblEntry,
235};
236use rustc_middle::util::Providers;
237use rustc_middle::{bug, span_bug};
238use rustc_session::config::{DebugInfo, EntryFnType};
239use rustc_span::source_map::{Spanned, dummy_spanned, respan};
240use rustc_span::{DUMMY_SP, Span};
241use tracing::{debug, instrument, trace};
242243use crate::collector::autodiff::collect_autodiff_fn;
244use crate::errors::{
245self, EncounteredErrorWhileInstantiating, EncounteredErrorWhileInstantiatingGlobalAsm,
246NoOptimizedMir, RecursionLimit,
247};
248249#[derive(#[automatically_derived]
impl ::core::cmp::PartialEq for MonoItemCollectionStrategy {
#[inline]
fn eq(&self, other: &MonoItemCollectionStrategy) -> bool {
let __self_discr = ::core::intrinsics::discriminant_value(self);
let __arg1_discr = ::core::intrinsics::discriminant_value(other);
__self_discr == __arg1_discr
}
}PartialEq)]
250pub(crate) enum MonoItemCollectionStrategy {
251 Eager,
252 Lazy,
253}
254255/// The state that is shared across the concurrent threads that are doing collection.
256struct SharedState<'tcx> {
257/// Items that have been or are currently being recursively collected.
258visited: MTLock<UnordSet<MonoItem<'tcx>>>,
259/// Items that have been or are currently being recursively treated as "mentioned", i.e., their
260 /// consts are evaluated but nothing is added to the collection.
261mentioned: MTLock<UnordSet<MonoItem<'tcx>>>,
262/// Which items are being used where, for better errors.
263usage_map: MTLock<UsageMap<'tcx>>,
264}
265266pub(crate) struct UsageMap<'tcx> {
267// Maps every mono item to the mono items used by it.
268pub used_map: UnordMap<MonoItem<'tcx>, Vec<MonoItem<'tcx>>>,
269270// Maps each mono item with users to the mono items that use it.
271 // Be careful: subsets `used_map`, so unused items are vacant.
272user_map: UnordMap<MonoItem<'tcx>, Vec<MonoItem<'tcx>>>,
273}
274275impl<'tcx> UsageMap<'tcx> {
276fn new() -> UsageMap<'tcx> {
277UsageMap { used_map: Default::default(), user_map: Default::default() }
278 }
279280fn record_used<'a>(&mut self, user_item: MonoItem<'tcx>, used_items: &'a MonoItems<'tcx>)
281where
282'tcx: 'a,
283 {
284for used_item in used_items.items() {
285self.user_map.entry(used_item).or_default().push(user_item);
286 }
287288if !self.used_map.insert(user_item, used_items.items().collect()).is_none() {
::core::panicking::panic("assertion failed: self.used_map.insert(user_item, used_items.items().collect()).is_none()")
};assert!(self.used_map.insert(user_item, used_items.items().collect()).is_none());
289 }
290291pub(crate) fn get_user_items(&self, item: MonoItem<'tcx>) -> &[MonoItem<'tcx>] {
292self.user_map.get(&item).map(|items| items.as_slice()).unwrap_or(&[])
293 }
294295/// Internally iterate over all inlined items used by `item`.
296pub(crate) fn for_each_inlined_used_item<F>(
297&self,
298 tcx: TyCtxt<'tcx>,
299 item: MonoItem<'tcx>,
300mut f: F,
301 ) where
302F: FnMut(MonoItem<'tcx>),
303 {
304let used_items = self.used_map.get(&item).unwrap();
305for used_item in used_items.iter() {
306let is_inlined = used_item.instantiation_mode(tcx) == InstantiationMode::LocalCopy;
307if is_inlined {
308 f(*used_item);
309 }
310 }
311 }
312}
313314struct MonoItems<'tcx> {
315// We want a set of MonoItem + Span where trying to re-insert a MonoItem with a different Span
316 // is ignored. Map does that, but it looks odd.
317items: FxIndexMap<MonoItem<'tcx>, Span>,
318}
319320impl<'tcx> MonoItems<'tcx> {
321fn new() -> Self {
322Self { items: FxIndexMap::default() }
323 }
324325fn is_empty(&self) -> bool {
326self.items.is_empty()
327 }
328329fn push(&mut self, item: Spanned<MonoItem<'tcx>>) {
330// Insert only if the entry does not exist. A normal insert would stomp the first span that
331 // got inserted.
332self.items.entry(item.node).or_insert(item.span);
333 }
334335fn items(&self) -> impl Iterator<Item = MonoItem<'tcx>> {
336self.items.keys().cloned()
337 }
338}
339340impl<'tcx> IntoIteratorfor MonoItems<'tcx> {
341type Item = Spanned<MonoItem<'tcx>>;
342type IntoIter = impl Iterator<Item = Spanned<MonoItem<'tcx>>>;
343344fn into_iter(self) -> Self::IntoIter {
345self.items.into_iter().map(|(item, span)| respan(span, item))
346 }
347}
348349impl<'tcx> Extend<Spanned<MonoItem<'tcx>>> for MonoItems<'tcx> {
350fn extend<I>(&mut self, iter: I)
351where
352I: IntoIterator<Item = Spanned<MonoItem<'tcx>>>,
353 {
354for item in iter {
355self.push(item)
356 }
357 }
358}
359360fn collect_items_root<'tcx>(
361 tcx: TyCtxt<'tcx>,
362 starting_item: Spanned<MonoItem<'tcx>>,
363 state: &SharedState<'tcx>,
364 recursion_limit: Limit,
365) {
366if !state.visited.lock_mut().insert(starting_item.node) {
367// We've been here already, no need to search again.
368return;
369 }
370let mut recursion_depths = DefIdMap::default();
371collect_items_rec(
372tcx,
373starting_item,
374state,
375&mut recursion_depths,
376recursion_limit,
377 CollectionMode::UsedItems,
378 );
379}
380381/// Collect all monomorphized items reachable from `starting_point`, and emit a note diagnostic if a
382/// post-monomorphization error is encountered during a collection step.
383///
384/// `mode` determined whether we are scanning for [used items][CollectionMode::UsedItems]
385/// or [mentioned items][CollectionMode::MentionedItems].
386#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("collect_items_rec",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(386u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["starting_item",
"mode"], ::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&starting_item)
as &dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&mode)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
let mut used_items = MonoItems::new();
let mut mentioned_items = MonoItems::new();
let recursion_depth_reset;
let error_count = tcx.dcx().err_count();
match starting_item.node {
MonoItem::Static(def_id) => {
recursion_depth_reset = None;
if mode == CollectionMode::UsedItems {
let instance = Instance::mono(tcx, def_id);
if true {
if !tcx.should_codegen_locally(instance) {
::core::panicking::panic("assertion failed: tcx.should_codegen_locally(instance)")
};
};
let DefKind::Static { nested, .. } =
tcx.def_kind(def_id) else {
::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))
};
if !nested {
let ty =
instance.ty(tcx, ty::TypingEnv::fully_monomorphized());
visit_drop_use(tcx, ty, true, starting_item.span,
&mut used_items);
}
if let Ok(alloc) = tcx.eval_static_initializer(def_id) {
for &prov in alloc.inner().provenance().ptrs().values() {
collect_alloc(tcx, prov.alloc_id(), &mut used_items);
}
}
if tcx.needs_thread_local_shim(def_id) {
used_items.push(respan(starting_item.span,
MonoItem::Fn(Instance {
def: InstanceKind::ThreadLocalShim(def_id),
args: GenericArgs::empty(),
})));
}
}
}
MonoItem::Fn(instance) => {
if true {
if !tcx.should_codegen_locally(instance) {
::core::panicking::panic("assertion failed: tcx.should_codegen_locally(instance)")
};
};
recursion_depth_reset =
Some(check_recursion_limit(tcx, instance,
starting_item.span, recursion_depths, recursion_limit));
rustc_data_structures::stack::ensure_sufficient_stack(||
{
let Ok((used, mentioned)) =
tcx.items_of_instance((instance,
mode)) else {
let def_id = instance.def_id();
let def_span = tcx.def_span(def_id);
let def_path_str = tcx.def_path_str(def_id);
tcx.dcx().emit_fatal(RecursionLimit {
span: starting_item.span,
instance,
def_span,
def_path_str,
});
};
used_items.extend(used.into_iter().copied());
mentioned_items.extend(mentioned.into_iter().copied());
});
}
MonoItem::GlobalAsm(item_id) => {
if !(mode == CollectionMode::UsedItems) {
{
::core::panicking::panic_fmt(format_args!("should never encounter global_asm when collecting mentioned items"));
}
};
recursion_depth_reset = None;
let item = tcx.hir_item(item_id);
if let hir::ItemKind::GlobalAsm { asm, .. } = item.kind {
for (op, op_sp) in asm.operands {
match *op {
hir::InlineAsmOperand::Const { .. } => {}
hir::InlineAsmOperand::SymFn { expr } => {
let fn_ty = tcx.typeck(item_id.owner_id).expr_ty(expr);
visit_fn_use(tcx, fn_ty, false, *op_sp, &mut used_items);
}
hir::InlineAsmOperand::SymStatic { path: _, def_id } => {
let instance = Instance::mono(tcx, def_id);
if tcx.should_codegen_locally(instance) {
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:524",
"rustc_monomorphize::collector", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(524u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("collecting static {0:?}",
def_id) as &dyn Value))])
});
} else { ; }
};
used_items.push(dummy_spanned(MonoItem::Static(def_id)));
}
}
hir::InlineAsmOperand::In { .. } |
hir::InlineAsmOperand::Out { .. } |
hir::InlineAsmOperand::InOut { .. } |
hir::InlineAsmOperand::SplitInOut { .. } |
hir::InlineAsmOperand::Label { .. } => {
::rustc_middle::util::bug::span_bug_fmt(*op_sp,
format_args!("invalid operand type for global_asm!"))
}
}
}
} else {
::rustc_middle::util::bug::span_bug_fmt(item.span,
format_args!("Mismatch between hir::Item type and MonoItem type"))
}
}
};
if tcx.dcx().err_count() > error_count &&
starting_item.node.is_generic_fn() &&
starting_item.node.is_user_defined() {
match starting_item.node {
MonoItem::Fn(instance) =>
tcx.dcx().emit_note(EncounteredErrorWhileInstantiating {
span: starting_item.span,
kind: "fn",
instance,
}),
MonoItem::Static(def_id) =>
tcx.dcx().emit_note(EncounteredErrorWhileInstantiating {
span: starting_item.span,
kind: "static",
instance: Instance::new_raw(def_id, GenericArgs::empty()),
}),
MonoItem::GlobalAsm(_) => {
tcx.dcx().emit_note(EncounteredErrorWhileInstantiatingGlobalAsm {
span: starting_item.span,
})
}
}
}
if mode == CollectionMode::UsedItems {
state.usage_map.lock_mut().record_used(starting_item.node,
&used_items);
}
{
let mut visited = OnceCell::default();
if mode == CollectionMode::UsedItems {
used_items.items.retain(|k, _|
visited.get_mut_or_init(||
state.visited.lock_mut()).insert(*k));
}
let mut mentioned = OnceCell::default();
mentioned_items.items.retain(|k, _|
{
!visited.get_or_init(|| state.visited.lock()).contains(k) &&
mentioned.get_mut_or_init(||
state.mentioned.lock_mut()).insert(*k)
});
}
if mode == CollectionMode::MentionedItems {
if !used_items.is_empty() {
{
::core::panicking::panic_fmt(format_args!("\'mentioned\' collection should never encounter used items"));
}
};
} else {
for used_item in used_items {
collect_items_rec(tcx, used_item, state, recursion_depths,
recursion_limit, CollectionMode::UsedItems);
}
}
for mentioned_item in mentioned_items {
collect_items_rec(tcx, mentioned_item, state,
recursion_depths, recursion_limit,
CollectionMode::MentionedItems);
}
if let Some((def_id, depth)) = recursion_depth_reset {
recursion_depths.insert(def_id, depth);
}
}
}
}#[instrument(skip(tcx, state, recursion_depths, recursion_limit), level = "debug")]387fn collect_items_rec<'tcx>(
388 tcx: TyCtxt<'tcx>,
389 starting_item: Spanned<MonoItem<'tcx>>,
390 state: &SharedState<'tcx>,
391 recursion_depths: &mut DefIdMap<usize>,
392 recursion_limit: Limit,
393 mode: CollectionMode,
394) {
395let mut used_items = MonoItems::new();
396let mut mentioned_items = MonoItems::new();
397let recursion_depth_reset;
398399// Post-monomorphization errors MVP
400 //
401 // We can encounter errors while monomorphizing an item, but we don't have a good way of
402 // showing a complete stack of spans ultimately leading to collecting the erroneous one yet.
403 // (It's also currently unclear exactly which diagnostics and information would be interesting
404 // to report in such cases)
405 //
406 // This leads to suboptimal error reporting: a post-monomorphization error (PME) will be
407 // shown with just a spanned piece of code causing the error, without information on where
408 // it was called from. This is especially obscure if the erroneous mono item is in a
409 // dependency. See for example issue #85155, where, before minimization, a PME happened two
410 // crates downstream from libcore's stdarch, without a way to know which dependency was the
411 // cause.
412 //
413 // If such an error occurs in the current crate, its span will be enough to locate the
414 // source. If the cause is in another crate, the goal here is to quickly locate which mono
415 // item in the current crate is ultimately responsible for causing the error.
416 //
417 // To give at least _some_ context to the user: while collecting mono items, we check the
418 // error count. If it has changed, a PME occurred, and we trigger some diagnostics about the
419 // current step of mono items collection.
420 //
421 // FIXME: don't rely on global state, instead bubble up errors. Note: this is very hard to do.
422let error_count = tcx.dcx().err_count();
423424// In `mentioned_items` we collect items that were mentioned in this MIR but possibly do not
425 // need to be monomorphized. This is done to ensure that optimizing away function calls does not
426 // hide const-eval errors that those calls would otherwise have triggered.
427match starting_item.node {
428 MonoItem::Static(def_id) => {
429 recursion_depth_reset = None;
430431// Statics always get evaluated (which is possible because they can't be generic), so for
432 // `MentionedItems` collection there's nothing to do here.
433if mode == CollectionMode::UsedItems {
434let instance = Instance::mono(tcx, def_id);
435436// Sanity check whether this ended up being collected accidentally
437debug_assert!(tcx.should_codegen_locally(instance));
438439let DefKind::Static { nested, .. } = tcx.def_kind(def_id) else { bug!() };
440// Nested statics have no type.
441if !nested {
442let ty = instance.ty(tcx, ty::TypingEnv::fully_monomorphized());
443 visit_drop_use(tcx, ty, true, starting_item.span, &mut used_items);
444 }
445446if let Ok(alloc) = tcx.eval_static_initializer(def_id) {
447for &prov in alloc.inner().provenance().ptrs().values() {
448 collect_alloc(tcx, prov.alloc_id(), &mut used_items);
449 }
450 }
451452if tcx.needs_thread_local_shim(def_id) {
453 used_items.push(respan(
454 starting_item.span,
455 MonoItem::Fn(Instance {
456 def: InstanceKind::ThreadLocalShim(def_id),
457 args: GenericArgs::empty(),
458 }),
459 ));
460 }
461 }
462463// mentioned_items stays empty since there's no codegen for statics. statics don't get
464 // optimized, and if they did then the const-eval interpreter would have to worry about
465 // mentioned_items.
466}
467 MonoItem::Fn(instance) => {
468// Sanity check whether this ended up being collected accidentally
469debug_assert!(tcx.should_codegen_locally(instance));
470471// Keep track of the monomorphization recursion depth
472recursion_depth_reset = Some(check_recursion_limit(
473 tcx,
474 instance,
475 starting_item.span,
476 recursion_depths,
477 recursion_limit,
478 ));
479480 rustc_data_structures::stack::ensure_sufficient_stack(|| {
481let Ok((used, mentioned)) = tcx.items_of_instance((instance, mode)) else {
482// Normalization errors here are usually due to trait solving overflow.
483 // FIXME: I assume that there are few type errors at post-analysis stage, but not
484 // entirely sure.
485 // We have to emit the error outside of `items_of_instance` to access the
486 // span of the `starting_item`.
487let def_id = instance.def_id();
488let def_span = tcx.def_span(def_id);
489let def_path_str = tcx.def_path_str(def_id);
490 tcx.dcx().emit_fatal(RecursionLimit {
491 span: starting_item.span,
492 instance,
493 def_span,
494 def_path_str,
495 });
496 };
497 used_items.extend(used.into_iter().copied());
498 mentioned_items.extend(mentioned.into_iter().copied());
499 });
500 }
501 MonoItem::GlobalAsm(item_id) => {
502assert!(
503 mode == CollectionMode::UsedItems,
504"should never encounter global_asm when collecting mentioned items"
505);
506 recursion_depth_reset = None;
507508let item = tcx.hir_item(item_id);
509if let hir::ItemKind::GlobalAsm { asm, .. } = item.kind {
510for (op, op_sp) in asm.operands {
511match *op {
512 hir::InlineAsmOperand::Const { .. } => {
513// Only constants which resolve to a plain integer
514 // are supported. Therefore the value should not
515 // depend on any other items.
516}
517 hir::InlineAsmOperand::SymFn { expr } => {
518let fn_ty = tcx.typeck(item_id.owner_id).expr_ty(expr);
519 visit_fn_use(tcx, fn_ty, false, *op_sp, &mut used_items);
520 }
521 hir::InlineAsmOperand::SymStatic { path: _, def_id } => {
522let instance = Instance::mono(tcx, def_id);
523if tcx.should_codegen_locally(instance) {
524trace!("collecting static {:?}", def_id);
525 used_items.push(dummy_spanned(MonoItem::Static(def_id)));
526 }
527 }
528 hir::InlineAsmOperand::In { .. }
529 | hir::InlineAsmOperand::Out { .. }
530 | hir::InlineAsmOperand::InOut { .. }
531 | hir::InlineAsmOperand::SplitInOut { .. }
532 | hir::InlineAsmOperand::Label { .. } => {
533span_bug!(*op_sp, "invalid operand type for global_asm!")
534 }
535 }
536 }
537 } else {
538span_bug!(item.span, "Mismatch between hir::Item type and MonoItem type")
539 }
540541// mention_items stays empty as nothing gets optimized here.
542}
543 };
544545// Check for PMEs and emit a diagnostic if one happened. To try to show relevant edges of the
546 // mono item graph.
547if tcx.dcx().err_count() > error_count
548 && starting_item.node.is_generic_fn()
549 && starting_item.node.is_user_defined()
550 {
551match starting_item.node {
552 MonoItem::Fn(instance) => tcx.dcx().emit_note(EncounteredErrorWhileInstantiating {
553 span: starting_item.span,
554 kind: "fn",
555 instance,
556 }),
557 MonoItem::Static(def_id) => tcx.dcx().emit_note(EncounteredErrorWhileInstantiating {
558 span: starting_item.span,
559 kind: "static",
560 instance: Instance::new_raw(def_id, GenericArgs::empty()),
561 }),
562 MonoItem::GlobalAsm(_) => {
563 tcx.dcx().emit_note(EncounteredErrorWhileInstantiatingGlobalAsm {
564 span: starting_item.span,
565 })
566 }
567 }
568 }
569// Only updating `usage_map` for used items as otherwise we may be inserting the same item
570 // multiple times (if it is first 'mentioned' and then later actually used), and the usage map
571 // logic does not like that.
572 // This is part of the output of collection and hence only relevant for "used" items.
573 // ("Mentioned" items are only considered internally during collection.)
574if mode == CollectionMode::UsedItems {
575 state.usage_map.lock_mut().record_used(starting_item.node, &used_items);
576 }
577578 {
579let mut visited = OnceCell::default();
580if mode == CollectionMode::UsedItems {
581 used_items
582 .items
583 .retain(|k, _| visited.get_mut_or_init(|| state.visited.lock_mut()).insert(*k));
584 }
585586let mut mentioned = OnceCell::default();
587 mentioned_items.items.retain(|k, _| {
588 !visited.get_or_init(|| state.visited.lock()).contains(k)
589 && mentioned.get_mut_or_init(|| state.mentioned.lock_mut()).insert(*k)
590 });
591 }
592if mode == CollectionMode::MentionedItems {
593assert!(used_items.is_empty(), "'mentioned' collection should never encounter used items");
594 } else {
595for used_item in used_items {
596 collect_items_rec(
597 tcx,
598 used_item,
599 state,
600 recursion_depths,
601 recursion_limit,
602 CollectionMode::UsedItems,
603 );
604 }
605 }
606607// Walk over mentioned items *after* used items, so that if an item is both mentioned and used then
608 // the loop above has fully collected it, so this loop will skip it.
609for mentioned_item in mentioned_items {
610 collect_items_rec(
611 tcx,
612 mentioned_item,
613 state,
614 recursion_depths,
615 recursion_limit,
616 CollectionMode::MentionedItems,
617 );
618 }
619620if let Some((def_id, depth)) = recursion_depth_reset {
621 recursion_depths.insert(def_id, depth);
622 }
623}
624625// Check whether we can normalize every type in the instantiated MIR body.
626fn check_normalization_error<'tcx>(
627 tcx: TyCtxt<'tcx>,
628 instance: Instance<'tcx>,
629 body: &Body<'tcx>,
630) -> Result<(), NormalizationErrorInMono> {
631struct NormalizationChecker<'tcx> {
632 tcx: TyCtxt<'tcx>,
633 instance: Instance<'tcx>,
634 }
635impl<'tcx> TypeVisitor<TyCtxt<'tcx>> for NormalizationChecker<'tcx> {
636type Result = ControlFlow<()>;
637638fn visit_ty(&mut self, t: Ty<'tcx>) -> Self::Result {
639match self.instance.try_instantiate_mir_and_normalize_erasing_regions(
640self.tcx,
641 ty::TypingEnv::fully_monomorphized(),
642 ty::EarlyBinder::bind(t),
643 ) {
644Ok(_) => ControlFlow::Continue(()),
645Err(_) => ControlFlow::Break(()),
646 }
647 }
648 }
649650let mut checker = NormalizationChecker { tcx, instance };
651if body.visit_with(&mut checker).is_break() { Err(NormalizationErrorInMono) } else { Ok(()) }
652}
653654fn check_recursion_limit<'tcx>(
655 tcx: TyCtxt<'tcx>,
656 instance: Instance<'tcx>,
657 span: Span,
658 recursion_depths: &mut DefIdMap<usize>,
659 recursion_limit: Limit,
660) -> (DefId, usize) {
661let def_id = instance.def_id();
662let recursion_depth = recursion_depths.get(&def_id).cloned().unwrap_or(0);
663{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:663",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(663u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!(" => recursion depth={0}",
recursion_depth) as &dyn Value))])
});
} else { ; }
};debug!(" => recursion depth={}", recursion_depth);
664665let adjusted_recursion_depth = if tcx.is_lang_item(def_id, LangItem::DropInPlace) {
666// HACK: drop_in_place creates tight monomorphization loops. Give
667 // it more margin.
668recursion_depth / 4
669} else {
670recursion_depth671 };
672673// Code that needs to instantiate the same function recursively
674 // more than the recursion limit is assumed to be causing an
675 // infinite expansion.
676if !recursion_limit.value_within_limit(adjusted_recursion_depth) {
677let def_span = tcx.def_span(def_id);
678let def_path_str = tcx.def_path_str(def_id);
679tcx.dcx().emit_fatal(RecursionLimit { span, instance, def_span, def_path_str });
680 }
681682recursion_depths.insert(def_id, recursion_depth + 1);
683684 (def_id, recursion_depth)
685}
686687struct MirUsedCollector<'a, 'tcx> {
688 tcx: TyCtxt<'tcx>,
689 body: &'a mir::Body<'tcx>,
690 used_items: &'a mut MonoItems<'tcx>,
691/// See the comment in `collect_items_of_instance` for the purpose of this set.
692 /// Note that this contains *not-monomorphized* items!
693used_mentioned_items: &'a mut UnordSet<MentionedItem<'tcx>>,
694 instance: Instance<'tcx>,
695}
696697impl<'a, 'tcx> MirUsedCollector<'a, 'tcx> {
698fn monomorphize<T>(&self, value: T) -> T
699where
700T: TypeFoldable<TyCtxt<'tcx>>,
701 {
702{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:702",
"rustc_monomorphize::collector", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(702u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("monomorphize: self.instance={0:?}",
self.instance) as &dyn Value))])
});
} else { ; }
};trace!("monomorphize: self.instance={:?}", self.instance);
703self.instance.instantiate_mir_and_normalize_erasing_regions(
704self.tcx,
705 ty::TypingEnv::fully_monomorphized(),
706 ty::EarlyBinder::bind(value),
707 )
708 }
709710/// Evaluates a *not yet monomorphized* constant.
711fn eval_constant(&mut self, constant: &mir::ConstOperand<'tcx>) -> Option<mir::ConstValue> {
712let const_ = self.monomorphize(constant.const_);
713// Evaluate the constant. This makes const eval failure a collection-time error (rather than
714 // a codegen-time error). rustc stops after collection if there was an error, so this
715 // ensures codegen never has to worry about failing consts.
716 // (codegen relies on this and ICEs will happen if this is violated.)
717match const_.eval(self.tcx, ty::TypingEnv::fully_monomorphized(), constant.span) {
718Ok(v) => Some(v),
719Err(ErrorHandled::TooGeneric(..)) => ::rustc_middle::util::bug::span_bug_fmt(constant.span,
format_args!("collection encountered polymorphic constant: {0:?}",
const_))span_bug!(
720constant.span,
721"collection encountered polymorphic constant: {:?}",
722 const_
723 ),
724Err(err @ ErrorHandled::Reported(..)) => {
725err.emit_note(self.tcx);
726return None;
727 }
728 }
729 }
730}
731732impl<'a, 'tcx> MirVisitor<'tcx> for MirUsedCollector<'a, 'tcx> {
733fn visit_rvalue(&mut self, rvalue: &mir::Rvalue<'tcx>, location: Location) {
734{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:734",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(734u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("visiting rvalue {0:?}",
*rvalue) as &dyn Value))])
});
} else { ; }
};debug!("visiting rvalue {:?}", *rvalue);
735736let span = self.body.source_info(location).span;
737738match *rvalue {
739// When doing an cast from a regular pointer to a wide pointer, we
740 // have to instantiate all methods of the trait being cast to, so we
741 // can build the appropriate vtable.
742mir::Rvalue::Cast(
743 mir::CastKind::PointerCoercion(PointerCoercion::Unsize, _),
744ref operand,
745 target_ty,
746 ) => {
747let source_ty = operand.ty(self.body, self.tcx);
748// *Before* monomorphizing, record that we already handled this mention.
749self.used_mentioned_items
750 .insert(MentionedItem::UnsizeCast { source_ty, target_ty });
751let target_ty = self.monomorphize(target_ty);
752let source_ty = self.monomorphize(source_ty);
753let (source_ty, target_ty) =
754find_tails_for_unsizing(self.tcx.at(span), source_ty, target_ty);
755// This could also be a different Unsize instruction, like
756 // from a fixed sized array to a slice. But we are only
757 // interested in things that produce a vtable.
758if target_ty.is_trait() && !source_ty.is_trait() {
759create_mono_items_for_vtable_methods(
760self.tcx,
761target_ty,
762source_ty,
763span,
764self.used_items,
765 );
766 }
767 }
768 mir::Rvalue::Cast(
769 mir::CastKind::PointerCoercion(PointerCoercion::ReifyFnPointer(_), _),
770ref operand,
771_,
772 ) => {
773let fn_ty = operand.ty(self.body, self.tcx);
774// *Before* monomorphizing, record that we already handled this mention.
775self.used_mentioned_items.insert(MentionedItem::Fn(fn_ty));
776let fn_ty = self.monomorphize(fn_ty);
777visit_fn_use(self.tcx, fn_ty, false, span, self.used_items);
778 }
779 mir::Rvalue::Cast(
780 mir::CastKind::PointerCoercion(PointerCoercion::ClosureFnPointer(_), _),
781ref operand,
782_,
783 ) => {
784let source_ty = operand.ty(self.body, self.tcx);
785// *Before* monomorphizing, record that we already handled this mention.
786self.used_mentioned_items.insert(MentionedItem::Closure(source_ty));
787let source_ty = self.monomorphize(source_ty);
788if let ty::Closure(def_id, args) = *source_ty.kind() {
789let instance =
790 Instance::resolve_closure(self.tcx, def_id, args, ty::ClosureKind::FnOnce);
791if self.tcx.should_codegen_locally(instance) {
792self.used_items.push(create_fn_mono_item(self.tcx, instance, span));
793 }
794 } else {
795::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!()796 }
797 }
798 mir::Rvalue::ThreadLocalRef(def_id) => {
799if !self.tcx.is_thread_local_static(def_id) {
::core::panicking::panic("assertion failed: self.tcx.is_thread_local_static(def_id)")
};assert!(self.tcx.is_thread_local_static(def_id));
800let instance = Instance::mono(self.tcx, def_id);
801if self.tcx.should_codegen_locally(instance) {
802{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:802",
"rustc_monomorphize::collector", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(802u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("collecting thread-local static {0:?}",
def_id) as &dyn Value))])
});
} else { ; }
};trace!("collecting thread-local static {:?}", def_id);
803self.used_items.push(respan(span, MonoItem::Static(def_id)));
804 }
805 }
806_ => { /* not interesting */ }
807 }
808809self.super_rvalue(rvalue, location);
810 }
811812/// This does not walk the MIR of the constant as that is not needed for codegen, all we need is
813 /// to ensure that the constant evaluates successfully and walk the result.
814#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("visit_const_operand",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(814u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["constant",
"_location"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&constant)
as &dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&_location)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
let Some(val) = self.eval_constant(constant) else { return };
collect_const_value(self.tcx, val, self.used_items);
}
}
}#[instrument(skip(self), level = "debug")]815fn visit_const_operand(&mut self, constant: &mir::ConstOperand<'tcx>, _location: Location) {
816// No `super_constant` as we don't care about `visit_ty`/`visit_ty_const`.
817let Some(val) = self.eval_constant(constant) else { return };
818 collect_const_value(self.tcx, val, self.used_items);
819 }
820821fn visit_terminator(&mut self, terminator: &mir::Terminator<'tcx>, location: Location) {
822{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:822",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(822u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("visiting terminator {0:?} @ {1:?}",
terminator, location) as &dyn Value))])
});
} else { ; }
};debug!("visiting terminator {:?} @ {:?}", terminator, location);
823let source = self.body.source_info(location).span;
824825let tcx = self.tcx;
826let push_mono_lang_item = |this: &mut Self, lang_item: LangItem| {
827let instance = Instance::mono(tcx, tcx.require_lang_item(lang_item, source));
828if tcx.should_codegen_locally(instance) {
829this.used_items.push(create_fn_mono_item(tcx, instance, source));
830 }
831 };
832833match terminator.kind {
834 mir::TerminatorKind::Call { ref func, .. }
835 | mir::TerminatorKind::TailCall { ref func, .. } => {
836let callee_ty = func.ty(self.body, tcx);
837// *Before* monomorphizing, record that we already handled this mention.
838self.used_mentioned_items.insert(MentionedItem::Fn(callee_ty));
839let callee_ty = self.monomorphize(callee_ty);
840841// HACK(explicit_tail_calls): collect tail calls to `#[track_caller]` functions as indirect,
842 // because we later call them as such, to prevent issues with ABI incompatibility.
843 // Ideally we'd replace such tail calls with normal call + return, but this requires
844 // post-mono MIR optimizations, which we don't yet have.
845let force_indirect_call =
846if #[allow(non_exhaustive_omitted_patterns)] match terminator.kind {
mir::TerminatorKind::TailCall { .. } => true,
_ => false,
}matches!(terminator.kind, mir::TerminatorKind::TailCall { .. })847 && let &ty::FnDef(def_id, args) = callee_ty.kind()
848 && let instance = ty::Instance::expect_resolve(
849self.tcx,
850 ty::TypingEnv::fully_monomorphized(),
851def_id,
852args,
853source,
854 )
855 && instance.def.requires_caller_location(self.tcx)
856 {
857true
858} else {
859false
860};
861862visit_fn_use(
863self.tcx,
864callee_ty,
865 !force_indirect_call,
866source,
867&mut self.used_items,
868 )
869 }
870 mir::TerminatorKind::Drop { ref place, .. } => {
871let ty = place.ty(self.body, self.tcx).ty;
872// *Before* monomorphizing, record that we already handled this mention.
873self.used_mentioned_items.insert(MentionedItem::Drop(ty));
874let ty = self.monomorphize(ty);
875visit_drop_use(self.tcx, ty, true, source, self.used_items);
876 }
877 mir::TerminatorKind::InlineAsm { ref operands, .. } => {
878for op in operands {
879match *op {
880 mir::InlineAsmOperand::SymFn { ref value } => {
881let fn_ty = value.const_.ty();
882// *Before* monomorphizing, record that we already handled this mention.
883self.used_mentioned_items.insert(MentionedItem::Fn(fn_ty));
884let fn_ty = self.monomorphize(fn_ty);
885 visit_fn_use(self.tcx, fn_ty, false, source, self.used_items);
886 }
887 mir::InlineAsmOperand::SymStatic { def_id } => {
888let instance = Instance::mono(self.tcx, def_id);
889if self.tcx.should_codegen_locally(instance) {
890{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:890",
"rustc_monomorphize::collector", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(890u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("collecting asm sym static {0:?}",
def_id) as &dyn Value))])
});
} else { ; }
};trace!("collecting asm sym static {:?}", def_id);
891self.used_items.push(respan(source, MonoItem::Static(def_id)));
892 }
893 }
894_ => {}
895 }
896 }
897 }
898 mir::TerminatorKind::Assert { ref msg, .. } => match &**msg {
899 mir::AssertKind::BoundsCheck { .. } => {
900push_mono_lang_item(self, LangItem::PanicBoundsCheck);
901 }
902 mir::AssertKind::MisalignedPointerDereference { .. } => {
903push_mono_lang_item(self, LangItem::PanicMisalignedPointerDereference);
904 }
905 mir::AssertKind::NullPointerDereference => {
906push_mono_lang_item(self, LangItem::PanicNullPointerDereference);
907 }
908 mir::AssertKind::InvalidEnumConstruction(_) => {
909push_mono_lang_item(self, LangItem::PanicInvalidEnumConstruction);
910 }
911_ => {
912push_mono_lang_item(self, msg.panic_function());
913 }
914 },
915 mir::TerminatorKind::UnwindTerminate(reason) => {
916push_mono_lang_item(self, reason.lang_item());
917 }
918 mir::TerminatorKind::Goto { .. }
919 | mir::TerminatorKind::SwitchInt { .. }
920 | mir::TerminatorKind::UnwindResume
921 | mir::TerminatorKind::Return
922 | mir::TerminatorKind::Unreachable => {}
923 mir::TerminatorKind::CoroutineDrop
924 | mir::TerminatorKind::Yield { .. }
925 | mir::TerminatorKind::FalseEdge { .. }
926 | mir::TerminatorKind::FalseUnwind { .. } => ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!(),
927 }
928929if let Some(mir::UnwindAction::Terminate(reason)) = terminator.unwind() {
930push_mono_lang_item(self, reason.lang_item());
931 }
932933self.super_terminator(terminator, location);
934 }
935}
936937fn visit_drop_use<'tcx>(
938 tcx: TyCtxt<'tcx>,
939 ty: Ty<'tcx>,
940 is_direct_call: bool,
941 source: Span,
942 output: &mut MonoItems<'tcx>,
943) {
944let instance = Instance::resolve_drop_in_place(tcx, ty);
945visit_instance_use(tcx, instance, is_direct_call, source, output);
946}
947948/// For every call of this function in the visitor, make sure there is a matching call in the
949/// `mentioned_items` pass!
950fn visit_fn_use<'tcx>(
951 tcx: TyCtxt<'tcx>,
952 ty: Ty<'tcx>,
953 is_direct_call: bool,
954 source: Span,
955 output: &mut MonoItems<'tcx>,
956) {
957if let ty::FnDef(def_id, args) = *ty.kind() {
958let instance = if is_direct_call {
959 ty::Instance::expect_resolve(
960tcx,
961 ty::TypingEnv::fully_monomorphized(),
962def_id,
963args,
964source,
965 )
966 } else {
967match ty::Instance::resolve_for_fn_ptr(
968tcx,
969 ty::TypingEnv::fully_monomorphized(),
970def_id,
971args,
972 ) {
973Some(instance) => instance,
974_ => ::rustc_middle::util::bug::bug_fmt(format_args!("failed to resolve instance for {0}",
ty))bug!("failed to resolve instance for {ty}"),
975 }
976 };
977visit_instance_use(tcx, instance, is_direct_call, source, output);
978 }
979}
980981fn visit_instance_use<'tcx>(
982 tcx: TyCtxt<'tcx>,
983 instance: ty::Instance<'tcx>,
984 is_direct_call: bool,
985 source: Span,
986 output: &mut MonoItems<'tcx>,
987) {
988{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:988",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(988u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("visit_item_use({0:?}, is_direct_call={1:?})",
instance, is_direct_call) as &dyn Value))])
});
} else { ; }
};debug!("visit_item_use({:?}, is_direct_call={:?})", instance, is_direct_call);
989if !tcx.should_codegen_locally(instance) {
990return;
991 }
992if let Some(intrinsic) = tcx.intrinsic(instance.def_id()) {
993collect_autodiff_fn(tcx, instance, intrinsic, output);
994995if let Some(_requirement) = ValidityRequirement::from_intrinsic(intrinsic.name) {
996// The intrinsics assert_inhabited, assert_zero_valid, and assert_mem_uninitialized_valid will
997 // be lowered in codegen to nothing or a call to panic_nounwind. So if we encounter any
998 // of those intrinsics, we need to include a mono item for panic_nounwind, else we may try to
999 // codegen a call to that function without generating code for the function itself.
1000let def_id = tcx.require_lang_item(LangItem::PanicNounwind, source);
1001let panic_instance = Instance::mono(tcx, def_id);
1002if tcx.should_codegen_locally(panic_instance) {
1003output.push(create_fn_mono_item(tcx, panic_instance, source));
1004 }
1005 } else if !intrinsic.must_be_overridden
1006 && !tcx.sess.replaced_intrinsics.contains(&intrinsic.name)
1007 {
1008// Codegen the fallback body of intrinsics with fallback bodies.
1009 // We have to skip this otherwise as there's no body to codegen.
1010 // We also skip intrinsics the backend handles, to reduce monomorphizations.
1011let instance = ty::Instance::new_raw(instance.def_id(), instance.args);
1012if tcx.should_codegen_locally(instance) {
1013output.push(create_fn_mono_item(tcx, instance, source));
1014 }
1015 }
1016 }
10171018match instance.def {
1019 ty::InstanceKind::Virtual(..) | ty::InstanceKind::Intrinsic(_) => {
1020if !is_direct_call {
1021::rustc_middle::util::bug::bug_fmt(format_args!("{0:?} being reified",
instance));bug!("{:?} being reified", instance);
1022 }
1023 }
1024 ty::InstanceKind::ThreadLocalShim(..) => {
1025::rustc_middle::util::bug::bug_fmt(format_args!("{0:?} being reified",
instance));bug!("{:?} being reified", instance);
1026 }
1027 ty::InstanceKind::DropGlue(_, None) => {
1028// Don't need to emit noop drop glue if we are calling directly.
1029 //
1030 // Note that we also optimize away the call to visit_instance_use in vtable construction
1031 // (see create_mono_items_for_vtable_methods).
1032if !is_direct_call {
1033output.push(create_fn_mono_item(tcx, instance, source));
1034 }
1035 }
1036 ty::InstanceKind::DropGlue(_, Some(_))
1037 | ty::InstanceKind::FutureDropPollShim(..)
1038 | ty::InstanceKind::AsyncDropGlue(_, _)
1039 | ty::InstanceKind::AsyncDropGlueCtorShim(_, _)
1040 | ty::InstanceKind::VTableShim(..)
1041 | ty::InstanceKind::ReifyShim(..)
1042 | ty::InstanceKind::ClosureOnceShim { .. }
1043 | ty::InstanceKind::ConstructCoroutineInClosureShim { .. }
1044 | ty::InstanceKind::Item(..)
1045 | ty::InstanceKind::FnPtrShim(..)
1046 | ty::InstanceKind::CloneShim(..)
1047 | ty::InstanceKind::FnPtrAddrShim(..) => {
1048output.push(create_fn_mono_item(tcx, instance, source));
1049 }
1050 }
1051}
10521053/// Returns `true` if we should codegen an instance in the local crate, or returns `false` if we
1054/// can just link to the upstream crate and therefore don't need a mono item.
1055fn should_codegen_locally<'tcx>(tcx: TyCtxt<'tcx>, instance: Instance<'tcx>) -> bool {
1056let Some(def_id) = instance.def.def_id_if_not_guaranteed_local_codegen() else {
1057return true;
1058 };
10591060if tcx.is_foreign_item(def_id) {
1061// Foreign items are always linked against, there's no way of instantiating them.
1062return false;
1063 }
10641065if tcx.def_kind(def_id).has_codegen_attrs()
1066 && #[allow(non_exhaustive_omitted_patterns)] match tcx.codegen_fn_attrs(def_id).inline
{
InlineAttr::Force { .. } => true,
_ => false,
}matches!(tcx.codegen_fn_attrs(def_id).inline, InlineAttr::Force { .. })1067 {
1068// `#[rustc_force_inline]` items should never be codegened. This should be caught by
1069 // the MIR validator.
1070tcx.dcx().delayed_bug("attempt to codegen `#[rustc_force_inline]` item");
1071 }
10721073if def_id.is_local() {
1074// Local items cannot be referred to locally without monomorphizing them locally.
1075return true;
1076 }
10771078if tcx.is_reachable_non_generic(def_id) || instance.upstream_monomorphization(tcx).is_some() {
1079// We can link to the item in question, no instance needed in this crate.
1080return false;
1081 }
10821083if let DefKind::Static { .. } = tcx.def_kind(def_id) {
1084// We cannot monomorphize statics from upstream crates.
1085return false;
1086 }
10871088// See comment in should_encode_mir in rustc_metadata for why we don't report
1089 // an error for constructors.
1090if !tcx.is_mir_available(def_id) && !#[allow(non_exhaustive_omitted_patterns)] match tcx.def_kind(def_id) {
DefKind::Ctor(..) => true,
_ => false,
}matches!(tcx.def_kind(def_id), DefKind::Ctor(..)) {
1091tcx.dcx().emit_fatal(NoOptimizedMir {
1092 span: tcx.def_span(def_id),
1093 crate_name: tcx.crate_name(def_id.krate),
1094 instance: instance.to_string(),
1095 });
1096 }
10971098true
1099}
11001101/// For a given pair of source and target type that occur in an unsizing coercion,
1102/// this function finds the pair of types that determines the vtable linking
1103/// them.
1104///
1105/// For example, the source type might be `&SomeStruct` and the target type
1106/// might be `&dyn SomeTrait` in a cast like:
1107///
1108/// ```rust,ignore (not real code)
1109/// let src: &SomeStruct = ...;
1110/// let target = src as &dyn SomeTrait;
1111/// ```
1112///
1113/// Then the output of this function would be (SomeStruct, SomeTrait) since for
1114/// constructing the `target` wide-pointer we need the vtable for that pair.
1115///
1116/// Things can get more complicated though because there's also the case where
1117/// the unsized type occurs as a field:
1118///
1119/// ```rust
1120/// struct ComplexStruct<T: ?Sized> {
1121/// a: u32,
1122/// b: f64,
1123/// c: T
1124/// }
1125/// ```
1126///
1127/// In this case, if `T` is sized, `&ComplexStruct<T>` is a thin pointer. If `T`
1128/// is unsized, `&SomeStruct` is a wide pointer, and the vtable it points to is
1129/// for the pair of `T` (which is a trait) and the concrete type that `T` was
1130/// originally coerced from:
1131///
1132/// ```rust,ignore (not real code)
1133/// let src: &ComplexStruct<SomeStruct> = ...;
1134/// let target = src as &ComplexStruct<dyn SomeTrait>;
1135/// ```
1136///
1137/// Again, we want this `find_vtable_types_for_unsizing()` to provide the pair
1138/// `(SomeStruct, SomeTrait)`.
1139///
1140/// Finally, there is also the case of custom unsizing coercions, e.g., for
1141/// smart pointers such as `Rc` and `Arc`.
1142fn find_tails_for_unsizing<'tcx>(
1143 tcx: TyCtxtAt<'tcx>,
1144 source_ty: Ty<'tcx>,
1145 target_ty: Ty<'tcx>,
1146) -> (Ty<'tcx>, Ty<'tcx>) {
1147let typing_env = ty::TypingEnv::fully_monomorphized();
1148if true {
if !!source_ty.has_param() {
{
::core::panicking::panic_fmt(format_args!("{0} should be fully monomorphic",
source_ty));
}
};
};debug_assert!(!source_ty.has_param(), "{source_ty} should be fully monomorphic");
1149if true {
if !!target_ty.has_param() {
{
::core::panicking::panic_fmt(format_args!("{0} should be fully monomorphic",
target_ty));
}
};
};debug_assert!(!target_ty.has_param(), "{target_ty} should be fully monomorphic");
11501151match (source_ty.kind(), target_ty.kind()) {
1152 (&ty::Pat(source, _), &ty::Pat(target, _)) => find_tails_for_unsizing(tcx, source, target),
1153 (
1154&ty::Ref(_, source_pointee, _),
1155&ty::Ref(_, target_pointee, _) | &ty::RawPtr(target_pointee, _),
1156 )
1157 | (&ty::RawPtr(source_pointee, _), &ty::RawPtr(target_pointee, _)) => {
1158tcx.struct_lockstep_tails_for_codegen(source_pointee, target_pointee, typing_env)
1159 }
11601161// `Box<T>` could go through the ADT code below, b/c it'll unpeel to `Unique<T>`,
1162 // and eventually bottom out in a raw ref, but we can micro-optimize it here.
1163(_, _)
1164if let Some(source_boxed) = source_ty.boxed_ty()
1165 && let Some(target_boxed) = target_ty.boxed_ty() =>
1166 {
1167tcx.struct_lockstep_tails_for_codegen(source_boxed, target_boxed, typing_env)
1168 }
11691170 (&ty::Adt(source_adt_def, source_args), &ty::Adt(target_adt_def, target_args)) => {
1171match (&source_adt_def, &target_adt_def) {
(left_val, right_val) => {
if !(*left_val == *right_val) {
let kind = ::core::panicking::AssertKind::Eq;
::core::panicking::assert_failed(kind, &*left_val, &*right_val,
::core::option::Option::None);
}
}
};assert_eq!(source_adt_def, target_adt_def);
1172let CustomCoerceUnsized::Struct(coerce_index) =
1173match crate::custom_coerce_unsize_info(tcx, source_ty, target_ty) {
1174Ok(ccu) => ccu,
1175Err(e) => {
1176let e = Ty::new_error(tcx.tcx, e);
1177return (e, e);
1178 }
1179 };
1180let coerce_field = &source_adt_def.non_enum_variant().fields[coerce_index];
1181// We're getting a possibly unnormalized type, so normalize it.
1182let source_field =
1183tcx.normalize_erasing_regions(typing_env, coerce_field.ty(*tcx, source_args));
1184let target_field =
1185tcx.normalize_erasing_regions(typing_env, coerce_field.ty(*tcx, target_args));
1186find_tails_for_unsizing(tcx, source_field, target_field)
1187 }
11881189_ => ::rustc_middle::util::bug::bug_fmt(format_args!("find_vtable_types_for_unsizing: invalid coercion {0:?} -> {1:?}",
source_ty, target_ty))bug!(
1190"find_vtable_types_for_unsizing: invalid coercion {:?} -> {:?}",
1191 source_ty,
1192 target_ty
1193 ),
1194 }
1195}
11961197x;#[instrument(skip(tcx), level = "debug", ret)]1198fn create_fn_mono_item<'tcx>(
1199 tcx: TyCtxt<'tcx>,
1200 instance: Instance<'tcx>,
1201 source: Span,
1202) -> Spanned<MonoItem<'tcx>> {
1203let def_id = instance.def_id();
1204if tcx.sess.opts.unstable_opts.profile_closures
1205 && def_id.is_local()
1206 && tcx.is_closure_like(def_id)
1207 {
1208crate::util::dump_closure_profile(tcx, instance);
1209 }
12101211 respan(source, MonoItem::Fn(instance))
1212}
12131214/// Creates a `MonoItem` for each method that is referenced by the vtable for
1215/// the given trait/impl pair.
1216fn create_mono_items_for_vtable_methods<'tcx>(
1217 tcx: TyCtxt<'tcx>,
1218 trait_ty: Ty<'tcx>,
1219 impl_ty: Ty<'tcx>,
1220 source: Span,
1221 output: &mut MonoItems<'tcx>,
1222) {
1223if !(!trait_ty.has_escaping_bound_vars() &&
!impl_ty.has_escaping_bound_vars()) {
::core::panicking::panic("assertion failed: !trait_ty.has_escaping_bound_vars() && !impl_ty.has_escaping_bound_vars()")
};assert!(!trait_ty.has_escaping_bound_vars() && !impl_ty.has_escaping_bound_vars());
12241225let ty::Dynamic(trait_ty, ..) = trait_ty.kind() else {
1226::rustc_middle::util::bug::bug_fmt(format_args!("create_mono_items_for_vtable_methods: {0:?} not a trait type",
trait_ty));bug!("create_mono_items_for_vtable_methods: {trait_ty:?} not a trait type");
1227 };
1228if let Some(principal) = trait_ty.principal() {
1229let trait_ref =
1230tcx.instantiate_bound_regions_with_erased(principal.with_self_ty(tcx, impl_ty));
1231if !!trait_ref.has_escaping_bound_vars() {
::core::panicking::panic("assertion failed: !trait_ref.has_escaping_bound_vars()")
};assert!(!trait_ref.has_escaping_bound_vars());
12321233// Walk all methods of the trait, including those of its supertraits
1234let entries = tcx.vtable_entries(trait_ref);
1235{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1235",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1235u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["entries"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&debug(&entries) as
&dyn Value))])
});
} else { ; }
};debug!(?entries);
1236let methods = entries1237 .iter()
1238 .filter_map(|entry| match entry {
1239 VtblEntry::MetadataDropInPlace
1240 | VtblEntry::MetadataSize
1241 | VtblEntry::MetadataAlign
1242 | VtblEntry::Vacant => None,
1243 VtblEntry::TraitVPtr(_) => {
1244// all super trait items already covered, so skip them.
1245None1246 }
1247 VtblEntry::Method(instance) => {
1248Some(*instance).filter(|instance| tcx.should_codegen_locally(*instance))
1249 }
1250 })
1251 .map(|item| create_fn_mono_item(tcx, item, source));
1252output.extend(methods);
1253 }
12541255// Also add the destructor, if it's necessary.
1256 //
1257 // This matches the check in vtable_allocation_provider in middle/ty/vtable.rs,
1258 // if we don't need drop we're not adding an actual pointer to the vtable.
1259if impl_ty.needs_drop(tcx, ty::TypingEnv::fully_monomorphized()) {
1260visit_drop_use(tcx, impl_ty, false, source, output);
1261 }
1262}
12631264/// Scans the CTFE alloc in order to find function pointers and statics that must be monomorphized.
1265fn collect_alloc<'tcx>(tcx: TyCtxt<'tcx>, alloc_id: AllocId, output: &mut MonoItems<'tcx>) {
1266match tcx.global_alloc(alloc_id) {
1267 GlobalAlloc::Static(def_id) => {
1268if !!tcx.is_thread_local_static(def_id) {
::core::panicking::panic("assertion failed: !tcx.is_thread_local_static(def_id)")
};assert!(!tcx.is_thread_local_static(def_id));
1269let instance = Instance::mono(tcx, def_id);
1270if tcx.should_codegen_locally(instance) {
1271{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1271",
"rustc_monomorphize::collector", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1271u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("collecting static {0:?}",
def_id) as &dyn Value))])
});
} else { ; }
};trace!("collecting static {:?}", def_id);
1272output.push(dummy_spanned(MonoItem::Static(def_id)));
1273 }
1274 }
1275 GlobalAlloc::Memory(alloc) => {
1276{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1276",
"rustc_monomorphize::collector", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1276u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("collecting {0:?} with {1:#?}",
alloc_id, alloc) as &dyn Value))])
});
} else { ; }
};trace!("collecting {:?} with {:#?}", alloc_id, alloc);
1277let ptrs = alloc.inner().provenance().ptrs();
1278// avoid `ensure_sufficient_stack` in the common case of "no pointers"
1279if !ptrs.is_empty() {
1280 rustc_data_structures::stack::ensure_sufficient_stack(move || {
1281for &prov in ptrs.values() {
1282 collect_alloc(tcx, prov.alloc_id(), output);
1283 }
1284 });
1285 }
1286 }
1287 GlobalAlloc::Function { instance, .. } => {
1288if tcx.should_codegen_locally(instance) {
1289{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1289",
"rustc_monomorphize::collector", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1289u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("collecting {0:?} with {1:#?}",
alloc_id, instance) as &dyn Value))])
});
} else { ; }
};trace!("collecting {:?} with {:#?}", alloc_id, instance);
1290output.push(create_fn_mono_item(tcx, instance, DUMMY_SP));
1291 }
1292 }
1293 GlobalAlloc::VTable(ty, dyn_ty) => {
1294let alloc_id = tcx.vtable_allocation((
1295ty,
1296dyn_ty1297 .principal()
1298 .map(|principal| tcx.instantiate_bound_regions_with_erased(principal)),
1299 ));
1300collect_alloc(tcx, alloc_id, output)
1301 }
1302 GlobalAlloc::TypeId { .. } => {}
1303 }
1304}
13051306/// Scans the MIR in order to find function calls, closures, and drop-glue.
1307///
1308/// Anything that's found is added to `output`. Furthermore the "mentioned items" of the MIR are returned.
1309#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("collect_items_of_instance",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1309u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["instance", "mode"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&instance)
as &dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&mode)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return:
Result<(MonoItems<'tcx>, MonoItems<'tcx>),
NormalizationErrorInMono> = loop {};
return __tracing_attr_fake_return;
}
{
let body = tcx.instance_mir(instance.def);
check_normalization_error(tcx, instance, body)?;
tcx.ensure_ok().check_mono_item(instance);
let mut used_items = MonoItems::new();
let mut mentioned_items = MonoItems::new();
let mut used_mentioned_items = Default::default();
let mut collector =
MirUsedCollector {
tcx,
body,
used_items: &mut used_items,
used_mentioned_items: &mut used_mentioned_items,
instance,
};
if mode == CollectionMode::UsedItems {
if tcx.sess.opts.debuginfo == DebugInfo::Full {
for var_debug_info in &body.var_debug_info {
collector.visit_var_debug_info(var_debug_info);
}
}
for (bb, data) in
traversal::mono_reachable(body, tcx, instance) {
collector.visit_basic_block_data(bb, data)
}
}
for const_op in body.required_consts() {
if let Some(val) = collector.eval_constant(const_op) {
collect_const_value(tcx, val, &mut mentioned_items);
}
}
for item in body.mentioned_items() {
if !collector.used_mentioned_items.contains(&item.node) {
let item_mono = collector.monomorphize(item.node);
visit_mentioned_item(tcx, &item_mono, item.span,
&mut mentioned_items);
}
}
Ok((used_items, mentioned_items))
}
}
}#[instrument(skip(tcx), level = "debug")]1310fn collect_items_of_instance<'tcx>(
1311 tcx: TyCtxt<'tcx>,
1312 instance: Instance<'tcx>,
1313 mode: CollectionMode,
1314) -> Result<(MonoItems<'tcx>, MonoItems<'tcx>), NormalizationErrorInMono> {
1315// This item is getting monomorphized, do mono-time checks.
1316let body = tcx.instance_mir(instance.def);
1317// Plenty of code paths later assume that everything can be normalized. So we have to check
1318 // normalization first.
1319 // We choose to emit the error outside to provide helpful diagnostics.
1320check_normalization_error(tcx, instance, body)?;
1321 tcx.ensure_ok().check_mono_item(instance);
13221323// Naively, in "used" collection mode, all functions get added to *both* `used_items` and
1324 // `mentioned_items`. Mentioned items processing will then notice that they have already been
1325 // visited, but at that point each mentioned item has been monomorphized, added to the
1326 // `mentioned_items` worklist, and checked in the global set of visited items. To remove that
1327 // overhead, we have a special optimization that avoids adding items to `mentioned_items` when
1328 // they are already added in `used_items`. We could just scan `used_items`, but that's a linear
1329 // scan and not very efficient. Furthermore we can only do that *after* monomorphizing the
1330 // mentioned item. So instead we collect all pre-monomorphized `MentionedItem` that were already
1331 // added to `used_items` in a hash set, which can efficiently query in the
1332 // `body.mentioned_items` loop below without even having to monomorphize the item.
1333let mut used_items = MonoItems::new();
1334let mut mentioned_items = MonoItems::new();
1335let mut used_mentioned_items = Default::default();
1336let mut collector = MirUsedCollector {
1337 tcx,
1338 body,
1339 used_items: &mut used_items,
1340 used_mentioned_items: &mut used_mentioned_items,
1341 instance,
1342 };
13431344if mode == CollectionMode::UsedItems {
1345if tcx.sess.opts.debuginfo == DebugInfo::Full {
1346for var_debug_info in &body.var_debug_info {
1347 collector.visit_var_debug_info(var_debug_info);
1348 }
1349 }
1350for (bb, data) in traversal::mono_reachable(body, tcx, instance) {
1351 collector.visit_basic_block_data(bb, data)
1352 }
1353 }
13541355// Always visit all `required_consts`, so that we evaluate them and abort compilation if any of
1356 // them errors.
1357for const_op in body.required_consts() {
1358if let Some(val) = collector.eval_constant(const_op) {
1359 collect_const_value(tcx, val, &mut mentioned_items);
1360 }
1361 }
13621363// Always gather mentioned items. We try to avoid processing items that we have already added to
1364 // `used_items` above.
1365for item in body.mentioned_items() {
1366if !collector.used_mentioned_items.contains(&item.node) {
1367let item_mono = collector.monomorphize(item.node);
1368 visit_mentioned_item(tcx, &item_mono, item.span, &mut mentioned_items);
1369 }
1370 }
13711372Ok((used_items, mentioned_items))
1373}
13741375fn items_of_instance<'tcx>(
1376 tcx: TyCtxt<'tcx>,
1377 (instance, mode): (Instance<'tcx>, CollectionMode),
1378) -> Result<
1379 (&'tcx [Spanned<MonoItem<'tcx>>], &'tcx [Spanned<MonoItem<'tcx>>]),
1380 NormalizationErrorInMono,
1381> {
1382let (used_items, mentioned_items) = collect_items_of_instance(tcx, instance, mode)?;
13831384let used_items = tcx.arena.alloc_from_iter(used_items);
1385let mentioned_items = tcx.arena.alloc_from_iter(mentioned_items);
13861387Ok((used_items, mentioned_items))
1388}
13891390/// `item` must be already monomorphized.
1391#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("visit_mentioned_item",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1391u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["item"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&item)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
match *item {
MentionedItem::Fn(ty) => {
if let ty::FnDef(def_id, args) = *ty.kind() {
let instance =
Instance::expect_resolve(tcx,
ty::TypingEnv::fully_monomorphized(), def_id, args, span);
visit_instance_use(tcx, instance, true, span, output);
}
}
MentionedItem::Drop(ty) => {
visit_drop_use(tcx, ty, true, span, output);
}
MentionedItem::UnsizeCast { source_ty, target_ty } => {
let (source_ty, target_ty) =
find_tails_for_unsizing(tcx.at(span), source_ty, target_ty);
if target_ty.is_trait() && !source_ty.is_trait() {
create_mono_items_for_vtable_methods(tcx, target_ty,
source_ty, span, output);
}
}
MentionedItem::Closure(source_ty) => {
if let ty::Closure(def_id, args) = *source_ty.kind() {
let instance =
Instance::resolve_closure(tcx, def_id, args,
ty::ClosureKind::FnOnce);
if tcx.should_codegen_locally(instance) {
output.push(create_fn_mono_item(tcx, instance, span));
}
} else {
::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))
}
}
}
}
}
}#[instrument(skip(tcx, span, output), level = "debug")]1392fn visit_mentioned_item<'tcx>(
1393 tcx: TyCtxt<'tcx>,
1394 item: &MentionedItem<'tcx>,
1395 span: Span,
1396 output: &mut MonoItems<'tcx>,
1397) {
1398match *item {
1399 MentionedItem::Fn(ty) => {
1400if let ty::FnDef(def_id, args) = *ty.kind() {
1401let instance = Instance::expect_resolve(
1402 tcx,
1403 ty::TypingEnv::fully_monomorphized(),
1404 def_id,
1405 args,
1406 span,
1407 );
1408// `visit_instance_use` was written for "used" item collection but works just as well
1409 // for "mentioned" item collection.
1410 // We can set `is_direct_call`; that just means we'll skip a bunch of shims that anyway
1411 // can't have their own failing constants.
1412visit_instance_use(tcx, instance, /*is_direct_call*/ true, span, output);
1413 }
1414 }
1415 MentionedItem::Drop(ty) => {
1416 visit_drop_use(tcx, ty, /*is_direct_call*/ true, span, output);
1417 }
1418 MentionedItem::UnsizeCast { source_ty, target_ty } => {
1419let (source_ty, target_ty) =
1420 find_tails_for_unsizing(tcx.at(span), source_ty, target_ty);
1421// This could also be a different Unsize instruction, like
1422 // from a fixed sized array to a slice. But we are only
1423 // interested in things that produce a vtable.
1424if target_ty.is_trait() && !source_ty.is_trait() {
1425 create_mono_items_for_vtable_methods(tcx, target_ty, source_ty, span, output);
1426 }
1427 }
1428 MentionedItem::Closure(source_ty) => {
1429if let ty::Closure(def_id, args) = *source_ty.kind() {
1430let instance =
1431 Instance::resolve_closure(tcx, def_id, args, ty::ClosureKind::FnOnce);
1432if tcx.should_codegen_locally(instance) {
1433 output.push(create_fn_mono_item(tcx, instance, span));
1434 }
1435 } else {
1436bug!()
1437 }
1438 }
1439 }
1440}
14411442#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("collect_const_value",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1442u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["value"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&value)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
match value {
mir::ConstValue::Scalar(Scalar::Ptr(ptr, _size)) => {
collect_alloc(tcx, ptr.provenance.alloc_id(), output)
}
mir::ConstValue::Indirect { alloc_id, .. } |
mir::ConstValue::Slice { alloc_id, meta: _ } =>
collect_alloc(tcx, alloc_id, output),
_ => {}
}
}
}
}#[instrument(skip(tcx, output), level = "debug")]1443fn collect_const_value<'tcx>(
1444 tcx: TyCtxt<'tcx>,
1445 value: mir::ConstValue,
1446 output: &mut MonoItems<'tcx>,
1447) {
1448match value {
1449 mir::ConstValue::Scalar(Scalar::Ptr(ptr, _size)) => {
1450 collect_alloc(tcx, ptr.provenance.alloc_id(), output)
1451 }
1452 mir::ConstValue::Indirect { alloc_id, .. }
1453 | mir::ConstValue::Slice { alloc_id, meta: _ } => collect_alloc(tcx, alloc_id, output),
1454_ => {}
1455 }
1456}
14571458//=-----------------------------------------------------------------------------
1459// Root Collection
1460//=-----------------------------------------------------------------------------
14611462// Find all non-generic items by walking the HIR. These items serve as roots to
1463// start monomorphizing from.
1464#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("collect_roots",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1464u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&[],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{ meta.fields().value_set(&[]) })
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: Vec<MonoItem<'_>> = loop {};
return __tracing_attr_fake_return;
}
{
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1466",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1466u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("collecting roots")
as &dyn Value))])
});
} else { ; }
};
let mut roots = MonoItems::new();
{
let entry_fn = tcx.entry_fn(());
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1472",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1472u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("collect_roots: entry_fn = {0:?}",
entry_fn) as &dyn Value))])
});
} else { ; }
};
let mut collector =
RootCollector {
tcx,
strategy: mode,
entry_fn,
output: &mut roots,
};
let crate_items = tcx.hir_crate_items(());
for id in crate_items.free_items() {
collector.process_item(id);
}
for id in crate_items.impl_items() {
collector.process_impl_item(id);
}
for id in crate_items.nested_bodies() {
collector.process_nested_body(id);
}
collector.push_extra_entry_roots();
}
roots.into_iter().filter_map(|Spanned { node: mono_item, .. }|
{
mono_item.is_instantiable(tcx).then_some(mono_item)
}).collect()
}
}
}#[instrument(skip(tcx, mode), level = "debug")]1465fn collect_roots(tcx: TyCtxt<'_>, mode: MonoItemCollectionStrategy) -> Vec<MonoItem<'_>> {
1466debug!("collecting roots");
1467let mut roots = MonoItems::new();
14681469 {
1470let entry_fn = tcx.entry_fn(());
14711472debug!("collect_roots: entry_fn = {:?}", entry_fn);
14731474let mut collector = RootCollector { tcx, strategy: mode, entry_fn, output: &mut roots };
14751476let crate_items = tcx.hir_crate_items(());
14771478for id in crate_items.free_items() {
1479 collector.process_item(id);
1480 }
14811482for id in crate_items.impl_items() {
1483 collector.process_impl_item(id);
1484 }
14851486for id in crate_items.nested_bodies() {
1487 collector.process_nested_body(id);
1488 }
14891490 collector.push_extra_entry_roots();
1491 }
14921493// We can only codegen items that are instantiable - items all of
1494 // whose predicates hold. Luckily, items that aren't instantiable
1495 // can't actually be used, so we can just skip codegenning them.
1496roots
1497 .into_iter()
1498 .filter_map(|Spanned { node: mono_item, .. }| {
1499 mono_item.is_instantiable(tcx).then_some(mono_item)
1500 })
1501 .collect()
1502}
15031504struct RootCollector<'a, 'tcx> {
1505 tcx: TyCtxt<'tcx>,
1506 strategy: MonoItemCollectionStrategy,
1507 output: &'a mut MonoItems<'tcx>,
1508 entry_fn: Option<(DefId, EntryFnType)>,
1509}
15101511impl<'v> RootCollector<'_, 'v> {
1512fn process_item(&mut self, id: hir::ItemId) {
1513match self.tcx.def_kind(id.owner_id) {
1514 DefKind::Enum | DefKind::Struct | DefKind::Union => {
1515if self.strategy == MonoItemCollectionStrategy::Eager1516 && !self.tcx.generics_of(id.owner_id).requires_monomorphization(self.tcx)
1517 {
1518{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1518",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1518u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("RootCollector: ADT drop-glue for `{0:?}`",
id) as &dyn Value))])
});
} else { ; }
};debug!("RootCollector: ADT drop-glue for `{id:?}`",);
1519let id_args =
1520 ty::GenericArgs::for_item(self.tcx, id.owner_id.to_def_id(), |param, _| {
1521match param.kind {
1522 GenericParamDefKind::Lifetime => {
1523self.tcx.lifetimes.re_erased.into()
1524 }
1525 GenericParamDefKind::Type { .. }
1526 | GenericParamDefKind::Const { .. } => {
1527{
::core::panicking::panic_fmt(format_args!("internal error: entered unreachable code: {0}",
format_args!("`own_requires_monomorphization` check means that we should have no type/const params")));
}unreachable!(
1528"`own_requires_monomorphization` check means that \
1529 we should have no type/const params"
1530)1531 }
1532 }
1533 });
15341535// This type is impossible to instantiate, so we should not try to
1536 // generate a `drop_in_place` instance for it.
1537if self.tcx.instantiate_and_check_impossible_predicates((
1538id.owner_id.to_def_id(),
1539id_args,
1540 )) {
1541return;
1542 }
15431544let ty =
1545self.tcx.type_of(id.owner_id.to_def_id()).instantiate(self.tcx, id_args);
1546if !!ty.has_non_region_param() {
::core::panicking::panic("assertion failed: !ty.has_non_region_param()")
};assert!(!ty.has_non_region_param());
1547visit_drop_use(self.tcx, ty, true, DUMMY_SP, self.output);
1548 }
1549 }
1550 DefKind::GlobalAsm => {
1551{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1551",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1551u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("RootCollector: ItemKind::GlobalAsm({0})",
self.tcx.def_path_str(id.owner_id)) as &dyn Value))])
});
} else { ; }
};debug!(
1552"RootCollector: ItemKind::GlobalAsm({})",
1553self.tcx.def_path_str(id.owner_id)
1554 );
1555self.output.push(dummy_spanned(MonoItem::GlobalAsm(id)));
1556 }
1557 DefKind::Static { .. } => {
1558let def_id = id.owner_id.to_def_id();
1559{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1559",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1559u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("RootCollector: ItemKind::Static({0})",
self.tcx.def_path_str(def_id)) as &dyn Value))])
});
} else { ; }
};debug!("RootCollector: ItemKind::Static({})", self.tcx.def_path_str(def_id));
1560self.output.push(dummy_spanned(MonoItem::Static(def_id)));
1561 }
1562 DefKind::Const => {
1563// Const items only generate mono items if they are actually used somewhere.
1564 // Just declaring them is insufficient.
15651566 // If we're collecting items eagerly, then recurse into all constants.
1567 // Otherwise the value is only collected when explicitly mentioned in other items.
1568if self.strategy == MonoItemCollectionStrategy::Eager {
1569let def_id = id.owner_id.to_def_id();
1570// Type Consts don't have bodies to evaluate
1571 // nor do they make sense as a static.
1572if self.tcx.is_type_const(def_id) {
1573// FIXME(mgca): Is this actually what we want? We may want to
1574 // normalize to a ValTree then convert to a const allocation and
1575 // collect that?
1576return;
1577 }
1578if self.tcx.generics_of(id.owner_id).own_requires_monomorphization() {
1579return;
1580 }
1581let Ok(val) = self.tcx.const_eval_poly(def_id) else {
1582return;
1583 };
1584collect_const_value(self.tcx, val, self.output);
1585 }
1586 }
1587 DefKind::Impl { of_trait: true } => {
1588if self.strategy == MonoItemCollectionStrategy::Eager {
1589create_mono_items_for_default_impls(self.tcx, id, self.output);
1590 }
1591 }
1592 DefKind::Fn => {
1593self.push_if_root(id.owner_id.def_id);
1594 }
1595_ => {}
1596 }
1597 }
15981599fn process_impl_item(&mut self, id: hir::ImplItemId) {
1600if self.tcx.def_kind(id.owner_id) == DefKind::AssocFn {
1601self.push_if_root(id.owner_id.def_id);
1602 }
1603 }
16041605fn process_nested_body(&mut self, def_id: LocalDefId) {
1606match self.tcx.def_kind(def_id) {
1607 DefKind::Closure => {
1608// for 'pub async fn foo(..)' also trying to monomorphize foo::{closure}
1609let is_pub_fn_coroutine =
1610match *self.tcx.type_of(def_id).instantiate_identity().kind() {
1611 ty::Coroutine(cor_id, _args) => {
1612let tcx = self.tcx;
1613let parent_id = tcx.parent(cor_id);
1614tcx.def_kind(parent_id) == DefKind::Fn1615 && tcx.asyncness(parent_id).is_async()
1616 && tcx.visibility(parent_id).is_public()
1617 }
1618 ty::Closure(..) | ty::CoroutineClosure(..) => false,
1619_ => ::core::panicking::panic("internal error: entered unreachable code")unreachable!(),
1620 };
1621if (self.strategy == MonoItemCollectionStrategy::Eager || is_pub_fn_coroutine)
1622 && !self1623 .tcx
1624 .generics_of(self.tcx.typeck_root_def_id(def_id.to_def_id()))
1625 .requires_monomorphization(self.tcx)
1626 {
1627let instance = match *self.tcx.type_of(def_id).instantiate_identity().kind() {
1628 ty::Closure(def_id, args)
1629 | ty::Coroutine(def_id, args)
1630 | ty::CoroutineClosure(def_id, args) => {
1631 Instance::new_raw(def_id, self.tcx.erase_and_anonymize_regions(args))
1632 }
1633_ => ::core::panicking::panic("internal error: entered unreachable code")unreachable!(),
1634 };
1635let Ok(instance) = self.tcx.try_normalize_erasing_regions(
1636 ty::TypingEnv::fully_monomorphized(),
1637instance,
1638 ) else {
1639// Don't ICE on an impossible-to-normalize closure.
1640return;
1641 };
1642let mono_item = create_fn_mono_item(self.tcx, instance, DUMMY_SP);
1643if mono_item.node.is_instantiable(self.tcx) {
1644self.output.push(mono_item);
1645 }
1646 }
1647 }
1648_ => {}
1649 }
1650 }
16511652fn is_root(&self, def_id: LocalDefId) -> bool {
1653 !self.tcx.generics_of(def_id).requires_monomorphization(self.tcx)
1654 && match self.strategy {
1655 MonoItemCollectionStrategy::Eager => {
1656 !#[allow(non_exhaustive_omitted_patterns)] match self.tcx.codegen_fn_attrs(def_id).inline
{
InlineAttr::Force { .. } => true,
_ => false,
}matches!(self.tcx.codegen_fn_attrs(def_id).inline, InlineAttr::Force { .. })1657 }
1658 MonoItemCollectionStrategy::Lazy => {
1659self.entry_fn.and_then(|(id, _)| id.as_local()) == Some(def_id)
1660 || self.tcx.is_reachable_non_generic(def_id)
1661 || {
1662let flags = self.tcx.codegen_fn_attrs(def_id).flags;
1663flags.intersects(
1664 CodegenFnAttrFlags::RUSTC_STD_INTERNAL_SYMBOL
1665 | CodegenFnAttrFlags::EXTERNALLY_IMPLEMENTABLE_ITEM,
1666 )
1667 }
1668 }
1669 }
1670 }
16711672/// If `def_id` represents a root, pushes it onto the list of
1673 /// outputs. (Note that all roots must be monomorphic.)
1674#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("push_if_root",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1674u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["def_id"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&def_id)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
if self.is_root(def_id) {
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1677",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1677u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("found root")
as &dyn Value))])
});
} else { ; }
};
let instance = Instance::mono(self.tcx, def_id.to_def_id());
self.output.push(create_fn_mono_item(self.tcx, instance,
DUMMY_SP));
}
}
}
}#[instrument(skip(self), level = "debug")]1675fn push_if_root(&mut self, def_id: LocalDefId) {
1676if self.is_root(def_id) {
1677debug!("found root");
16781679let instance = Instance::mono(self.tcx, def_id.to_def_id());
1680self.output.push(create_fn_mono_item(self.tcx, instance, DUMMY_SP));
1681 }
1682 }
16831684/// As a special case, when/if we encounter the
1685 /// `main()` function, we also have to generate a
1686 /// monomorphized copy of the start lang item based on
1687 /// the return type of `main`. This is not needed when
1688 /// the user writes their own `start` manually.
1689fn push_extra_entry_roots(&mut self) {
1690let Some((main_def_id, EntryFnType::Main { .. })) = self.entry_fn else {
1691return;
1692 };
16931694let main_instance = Instance::mono(self.tcx, main_def_id);
1695if self.tcx.should_codegen_locally(main_instance) {
1696self.output.push(create_fn_mono_item(
1697self.tcx,
1698main_instance,
1699self.tcx.def_span(main_def_id),
1700 ));
1701 }
17021703let Some(start_def_id) = self.tcx.lang_items().start_fn() else {
1704self.tcx.dcx().emit_fatal(errors::StartNotFound);
1705 };
1706let main_ret_ty = self.tcx.fn_sig(main_def_id).no_bound_vars().unwrap().output();
17071708// Given that `main()` has no arguments,
1709 // then its return type cannot have
1710 // late-bound regions, since late-bound
1711 // regions must appear in the argument
1712 // listing.
1713let main_ret_ty = self.tcx.normalize_erasing_regions(
1714 ty::TypingEnv::fully_monomorphized(),
1715main_ret_ty.no_bound_vars().unwrap(),
1716 );
17171718let start_instance = Instance::expect_resolve(
1719self.tcx,
1720 ty::TypingEnv::fully_monomorphized(),
1721start_def_id,
1722self.tcx.mk_args(&[main_ret_ty.into()]),
1723DUMMY_SP,
1724 );
17251726self.output.push(create_fn_mono_item(self.tcx, start_instance, DUMMY_SP));
1727 }
1728}
17291730#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("create_mono_items_for_default_impls",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1730u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["item"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&item)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
let impl_ = tcx.impl_trait_header(item.owner_id);
if impl_.polarity == ty::ImplPolarity::Negative { return; }
if tcx.generics_of(item.owner_id).own_requires_monomorphization()
{
return;
}
let only_region_params =
|param: &ty::GenericParamDef, _: &_|
match param.kind {
GenericParamDefKind::Lifetime =>
tcx.lifetimes.re_erased.into(),
GenericParamDefKind::Type { .. } |
GenericParamDefKind::Const { .. } => {
{
::core::panicking::panic_fmt(format_args!("internal error: entered unreachable code: {0}",
format_args!("`own_requires_monomorphization` check means that we should have no type/const params")));
}
}
};
let impl_args =
GenericArgs::for_item(tcx, item.owner_id.to_def_id(),
only_region_params);
let trait_ref = impl_.trait_ref.instantiate(tcx, impl_args);
if tcx.instantiate_and_check_impossible_predicates((item.owner_id.to_def_id(),
impl_args)) {
return;
}
let typing_env = ty::TypingEnv::fully_monomorphized();
let trait_ref =
tcx.normalize_erasing_regions(typing_env, trait_ref);
let overridden_methods =
tcx.impl_item_implementor_ids(item.owner_id);
for method in tcx.provided_trait_methods(trait_ref.def_id) {
if overridden_methods.contains_key(&method.def_id) {
continue;
}
if tcx.generics_of(method.def_id).own_requires_monomorphization()
{
continue;
}
let args =
trait_ref.args.extend_to(tcx, method.def_id,
only_region_params);
let instance =
ty::Instance::expect_resolve(tcx, typing_env, method.def_id,
args, DUMMY_SP);
let mono_item = create_fn_mono_item(tcx, instance, DUMMY_SP);
if mono_item.node.is_instantiable(tcx) &&
tcx.should_codegen_locally(instance) {
output.push(mono_item);
}
}
}
}
}#[instrument(level = "debug", skip(tcx, output))]1731fn create_mono_items_for_default_impls<'tcx>(
1732 tcx: TyCtxt<'tcx>,
1733 item: hir::ItemId,
1734 output: &mut MonoItems<'tcx>,
1735) {
1736let impl_ = tcx.impl_trait_header(item.owner_id);
17371738if impl_.polarity == ty::ImplPolarity::Negative {
1739return;
1740 }
17411742if tcx.generics_of(item.owner_id).own_requires_monomorphization() {
1743return;
1744 }
17451746// Lifetimes never affect trait selection, so we are allowed to eagerly
1747 // instantiate an instance of an impl method if the impl (and method,
1748 // which we check below) is only parameterized over lifetime. In that case,
1749 // we use the ReErased, which has no lifetime information associated with
1750 // it, to validate whether or not the impl is legal to instantiate at all.
1751let only_region_params = |param: &ty::GenericParamDef, _: &_| match param.kind {
1752 GenericParamDefKind::Lifetime => tcx.lifetimes.re_erased.into(),
1753 GenericParamDefKind::Type { .. } | GenericParamDefKind::Const { .. } => {
1754unreachable!(
1755"`own_requires_monomorphization` check means that \
1756 we should have no type/const params"
1757)
1758 }
1759 };
1760let impl_args = GenericArgs::for_item(tcx, item.owner_id.to_def_id(), only_region_params);
1761let trait_ref = impl_.trait_ref.instantiate(tcx, impl_args);
17621763// Unlike 'lazy' monomorphization that begins by collecting items transitively
1764 // called by `main` or other global items, when eagerly monomorphizing impl
1765 // items, we never actually check that the predicates of this impl are satisfied
1766 // in a empty param env (i.e. with no assumptions).
1767 //
1768 // Even though this impl has no type or const generic parameters, because we don't
1769 // consider higher-ranked predicates such as `for<'a> &'a mut [u8]: Copy` to
1770 // be trivially false. We must now check that the impl has no impossible-to-satisfy
1771 // predicates.
1772if tcx.instantiate_and_check_impossible_predicates((item.owner_id.to_def_id(), impl_args)) {
1773return;
1774 }
17751776let typing_env = ty::TypingEnv::fully_monomorphized();
1777let trait_ref = tcx.normalize_erasing_regions(typing_env, trait_ref);
1778let overridden_methods = tcx.impl_item_implementor_ids(item.owner_id);
1779for method in tcx.provided_trait_methods(trait_ref.def_id) {
1780if overridden_methods.contains_key(&method.def_id) {
1781continue;
1782 }
17831784if tcx.generics_of(method.def_id).own_requires_monomorphization() {
1785continue;
1786 }
17871788// As mentioned above, the method is legal to eagerly instantiate if it
1789 // only has lifetime generic parameters. This is validated by calling
1790 // `own_requires_monomorphization` on both the impl and method.
1791let args = trait_ref.args.extend_to(tcx, method.def_id, only_region_params);
1792let instance = ty::Instance::expect_resolve(tcx, typing_env, method.def_id, args, DUMMY_SP);
17931794let mono_item = create_fn_mono_item(tcx, instance, DUMMY_SP);
1795if mono_item.node.is_instantiable(tcx) && tcx.should_codegen_locally(instance) {
1796 output.push(mono_item);
1797 }
1798 }
1799}
18001801//=-----------------------------------------------------------------------------
1802// Top-level entry point, tying it all together
1803//=-----------------------------------------------------------------------------
18041805#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("collect_crate_mono_items",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1805u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&[],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{ meta.fields().value_set(&[]) })
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return:
(Vec<MonoItem<'tcx>>, UsageMap<'tcx>) = loop {};
return __tracing_attr_fake_return;
}
{
let _prof_timer =
tcx.prof.generic_activity("monomorphization_collector");
let roots =
tcx.sess.time("monomorphization_collector_root_collections",
|| collect_roots(tcx, strategy));
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_monomorphize/src/collector.rs:1816",
"rustc_monomorphize::collector", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_monomorphize/src/collector.rs"),
::tracing_core::__macro_support::Option::Some(1816u32),
::tracing_core::__macro_support::Option::Some("rustc_monomorphize::collector"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("building mono item graph, beginning at roots")
as &dyn Value))])
});
} else { ; }
};
let state =
SharedState {
visited: MTLock::new(UnordSet::default()),
mentioned: MTLock::new(UnordSet::default()),
usage_map: MTLock::new(UsageMap::new()),
};
let recursion_limit = tcx.recursion_limit();
tcx.sess.time("monomorphization_collector_graph_walk",
||
{
par_for_each_in(roots,
|root|
{
collect_items_root(tcx, dummy_spanned(*root), &state,
recursion_limit);
});
});
let mono_items =
tcx.with_stable_hashing_context(move |ref hcx|
{ state.visited.into_inner().into_sorted(hcx, true) });
(mono_items, state.usage_map.into_inner())
}
}
}#[instrument(skip(tcx, strategy), level = "debug")]1806pub(crate) fn collect_crate_mono_items<'tcx>(
1807 tcx: TyCtxt<'tcx>,
1808 strategy: MonoItemCollectionStrategy,
1809) -> (Vec<MonoItem<'tcx>>, UsageMap<'tcx>) {
1810let _prof_timer = tcx.prof.generic_activity("monomorphization_collector");
18111812let roots = tcx
1813 .sess
1814 .time("monomorphization_collector_root_collections", || collect_roots(tcx, strategy));
18151816debug!("building mono item graph, beginning at roots");
18171818let state = SharedState {
1819 visited: MTLock::new(UnordSet::default()),
1820 mentioned: MTLock::new(UnordSet::default()),
1821 usage_map: MTLock::new(UsageMap::new()),
1822 };
1823let recursion_limit = tcx.recursion_limit();
18241825 tcx.sess.time("monomorphization_collector_graph_walk", || {
1826 par_for_each_in(roots, |root| {
1827 collect_items_root(tcx, dummy_spanned(*root), &state, recursion_limit);
1828 });
1829 });
18301831// The set of MonoItems was created in an inherently indeterministic order because
1832 // of parallelism. We sort it here to ensure that the output is deterministic.
1833let mono_items = tcx.with_stable_hashing_context(move |ref hcx| {
1834 state.visited.into_inner().into_sorted(hcx, true)
1835 });
18361837 (mono_items, state.usage_map.into_inner())
1838}
18391840pub(crate) fn provide(providers: &mut Providers) {
1841providers.hooks.should_codegen_locally = should_codegen_locally;
1842providers.queries.items_of_instance = items_of_instance;
1843}