1mod autodiff;
209
210use std::cell::OnceCell;
211use std::ops::ControlFlow;
212
213use rustc_data_structures::fx::FxIndexMap;
214use rustc_data_structures::sync::{MTLock, par_for_each_in};
215use rustc_data_structures::unord::{UnordMap, UnordSet};
216use rustc_hir as 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::{
233 self, GenericArgs, GenericParamDefKind, Instance, InstanceKind, Ty, TyCtxt, TypeFoldable,
234 TypeVisitable, 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};
242
243use crate::collector::autodiff::collect_autodiff_fn;
244use crate::errors::{
245 self, EncounteredErrorWhileInstantiating, EncounteredErrorWhileInstantiatingGlobalAsm,
246 NoOptimizedMir, RecursionLimit,
247};
248
249#[derive(PartialEq)]
250pub(crate) enum MonoItemCollectionStrategy {
251 Eager,
252 Lazy,
253}
254
255struct SharedState<'tcx> {
257 visited: MTLock<UnordSet<MonoItem<'tcx>>>,
259 mentioned: MTLock<UnordSet<MonoItem<'tcx>>>,
262 usage_map: MTLock<UsageMap<'tcx>>,
264}
265
266pub(crate) struct UsageMap<'tcx> {
267 pub used_map: UnordMap<MonoItem<'tcx>, Vec<MonoItem<'tcx>>>,
269
270 user_map: UnordMap<MonoItem<'tcx>, Vec<MonoItem<'tcx>>>,
272}
273
274impl<'tcx> UsageMap<'tcx> {
275 fn new() -> UsageMap<'tcx> {
276 UsageMap { used_map: Default::default(), user_map: Default::default() }
277 }
278
279 fn record_used<'a>(&mut self, user_item: MonoItem<'tcx>, used_items: &'a MonoItems<'tcx>)
280 where
281 'tcx: 'a,
282 {
283 for used_item in used_items.items() {
284 self.user_map.entry(used_item).or_default().push(user_item);
285 }
286
287 assert!(self.used_map.insert(user_item, used_items.items().collect()).is_none());
288 }
289
290 pub(crate) fn get_user_items(&self, item: MonoItem<'tcx>) -> &[MonoItem<'tcx>] {
291 self.user_map.get(&item).map(|items| items.as_slice()).unwrap_or(&[])
292 }
293
294 pub(crate) fn for_each_inlined_used_item<F>(
296 &self,
297 tcx: TyCtxt<'tcx>,
298 item: MonoItem<'tcx>,
299 mut f: F,
300 ) where
301 F: FnMut(MonoItem<'tcx>),
302 {
303 let used_items = self.used_map.get(&item).unwrap();
304 for used_item in used_items.iter() {
305 let is_inlined = used_item.instantiation_mode(tcx) == InstantiationMode::LocalCopy;
306 if is_inlined {
307 f(*used_item);
308 }
309 }
310 }
311}
312
313struct MonoItems<'tcx> {
314 items: FxIndexMap<MonoItem<'tcx>, Span>,
317}
318
319impl<'tcx> MonoItems<'tcx> {
320 fn new() -> Self {
321 Self { items: FxIndexMap::default() }
322 }
323
324 fn is_empty(&self) -> bool {
325 self.items.is_empty()
326 }
327
328 fn push(&mut self, item: Spanned<MonoItem<'tcx>>) {
329 self.items.entry(item.node).or_insert(item.span);
332 }
333
334 fn items(&self) -> impl Iterator<Item = MonoItem<'tcx>> {
335 self.items.keys().cloned()
336 }
337}
338
339impl<'tcx> IntoIterator for MonoItems<'tcx> {
340 type Item = Spanned<MonoItem<'tcx>>;
341 type IntoIter = impl Iterator<Item = Spanned<MonoItem<'tcx>>>;
342
343 fn into_iter(self) -> Self::IntoIter {
344 self.items.into_iter().map(|(item, span)| respan(span, item))
345 }
346}
347
348impl<'tcx> Extend<Spanned<MonoItem<'tcx>>> for MonoItems<'tcx> {
349 fn extend<I>(&mut self, iter: I)
350 where
351 I: IntoIterator<Item = Spanned<MonoItem<'tcx>>>,
352 {
353 for item in iter {
354 self.push(item)
355 }
356 }
357}
358
359fn collect_items_root<'tcx>(
360 tcx: TyCtxt<'tcx>,
361 starting_item: Spanned<MonoItem<'tcx>>,
362 state: &SharedState<'tcx>,
363 recursion_limit: Limit,
364) {
365 if !state.visited.lock_mut().insert(starting_item.node) {
366 return;
368 }
369 let mut recursion_depths = DefIdMap::default();
370 collect_items_rec(
371 tcx,
372 starting_item,
373 state,
374 &mut recursion_depths,
375 recursion_limit,
376 CollectionMode::UsedItems,
377 );
378}
379
380#[instrument(skip(tcx, state, recursion_depths, recursion_limit), level = "debug")]
386fn collect_items_rec<'tcx>(
387 tcx: TyCtxt<'tcx>,
388 starting_item: Spanned<MonoItem<'tcx>>,
389 state: &SharedState<'tcx>,
390 recursion_depths: &mut DefIdMap<usize>,
391 recursion_limit: Limit,
392 mode: CollectionMode,
393) {
394 let mut used_items = MonoItems::new();
395 let mut mentioned_items = MonoItems::new();
396 let recursion_depth_reset;
397
398 let error_count = tcx.dcx().err_count();
422
423 match starting_item.node {
427 MonoItem::Static(def_id) => {
428 recursion_depth_reset = None;
429
430 if mode == CollectionMode::UsedItems {
433 let instance = Instance::mono(tcx, def_id);
434
435 debug_assert!(tcx.should_codegen_locally(instance));
437
438 let DefKind::Static { nested, .. } = tcx.def_kind(def_id) else { bug!() };
439 if !nested {
441 let ty = instance.ty(tcx, ty::TypingEnv::fully_monomorphized());
442 visit_drop_use(tcx, ty, true, starting_item.span, &mut used_items);
443 }
444
445 if let Ok(alloc) = tcx.eval_static_initializer(def_id) {
446 for &prov in alloc.inner().provenance().ptrs().values() {
447 collect_alloc(tcx, prov.alloc_id(), &mut used_items);
448 }
449 }
450
451 if tcx.needs_thread_local_shim(def_id) {
452 used_items.push(respan(
453 starting_item.span,
454 MonoItem::Fn(Instance {
455 def: InstanceKind::ThreadLocalShim(def_id),
456 args: GenericArgs::empty(),
457 }),
458 ));
459 }
460 }
461
462 }
466 MonoItem::Fn(instance) => {
467 debug_assert!(tcx.should_codegen_locally(instance));
469
470 recursion_depth_reset = Some(check_recursion_limit(
472 tcx,
473 instance,
474 starting_item.span,
475 recursion_depths,
476 recursion_limit,
477 ));
478
479 rustc_data_structures::stack::ensure_sufficient_stack(|| {
480 let Ok((used, mentioned)) = tcx.items_of_instance((instance, mode)) else {
481 let def_id = instance.def_id();
487 let def_span = tcx.def_span(def_id);
488 let def_path_str = tcx.def_path_str(def_id);
489 tcx.dcx().emit_fatal(RecursionLimit {
490 span: starting_item.span,
491 instance,
492 def_span,
493 def_path_str,
494 });
495 };
496 used_items.extend(used.into_iter().copied());
497 mentioned_items.extend(mentioned.into_iter().copied());
498 });
499 }
500 MonoItem::GlobalAsm(item_id) => {
501 assert!(
502 mode == CollectionMode::UsedItems,
503 "should never encounter global_asm when collecting mentioned items"
504 );
505 recursion_depth_reset = None;
506
507 let item = tcx.hir_item(item_id);
508 if let hir::ItemKind::GlobalAsm { asm, .. } = item.kind {
509 for (op, op_sp) in asm.operands {
510 match *op {
511 hir::InlineAsmOperand::Const { .. } => {
512 }
516 hir::InlineAsmOperand::SymFn { expr } => {
517 let fn_ty = tcx.typeck(item_id.owner_id).expr_ty(expr);
518 visit_fn_use(tcx, fn_ty, false, *op_sp, &mut used_items);
519 }
520 hir::InlineAsmOperand::SymStatic { path: _, def_id } => {
521 let instance = Instance::mono(tcx, def_id);
522 if tcx.should_codegen_locally(instance) {
523 trace!("collecting static {:?}", def_id);
524 used_items.push(dummy_spanned(MonoItem::Static(def_id)));
525 }
526 }
527 hir::InlineAsmOperand::In { .. }
528 | hir::InlineAsmOperand::Out { .. }
529 | hir::InlineAsmOperand::InOut { .. }
530 | hir::InlineAsmOperand::SplitInOut { .. }
531 | hir::InlineAsmOperand::Label { .. } => {
532 span_bug!(*op_sp, "invalid operand type for global_asm!")
533 }
534 }
535 }
536 } else {
537 span_bug!(item.span, "Mismatch between hir::Item type and MonoItem type")
538 }
539
540 }
542 };
543
544 if tcx.dcx().err_count() > error_count
547 && starting_item.node.is_generic_fn()
548 && starting_item.node.is_user_defined()
549 {
550 match starting_item.node {
551 MonoItem::Fn(instance) => tcx.dcx().emit_note(EncounteredErrorWhileInstantiating {
552 span: starting_item.span,
553 kind: "fn",
554 instance,
555 }),
556 MonoItem::Static(def_id) => tcx.dcx().emit_note(EncounteredErrorWhileInstantiating {
557 span: starting_item.span,
558 kind: "static",
559 instance: Instance::new_raw(def_id, GenericArgs::empty()),
560 }),
561 MonoItem::GlobalAsm(_) => {
562 tcx.dcx().emit_note(EncounteredErrorWhileInstantiatingGlobalAsm {
563 span: starting_item.span,
564 })
565 }
566 }
567 }
568 if mode == CollectionMode::UsedItems {
574 state.usage_map.lock_mut().record_used(starting_item.node, &used_items);
575 }
576
577 {
578 let mut visited = OnceCell::default();
579 if mode == CollectionMode::UsedItems {
580 used_items
581 .items
582 .retain(|k, _| visited.get_mut_or_init(|| state.visited.lock_mut()).insert(*k));
583 }
584
585 let mut mentioned = OnceCell::default();
586 mentioned_items.items.retain(|k, _| {
587 !visited.get_or_init(|| state.visited.lock()).contains(k)
588 && mentioned.get_mut_or_init(|| state.mentioned.lock_mut()).insert(*k)
589 });
590 }
591 if mode == CollectionMode::MentionedItems {
592 assert!(used_items.is_empty(), "'mentioned' collection should never encounter used items");
593 } else {
594 for used_item in used_items {
595 collect_items_rec(
596 tcx,
597 used_item,
598 state,
599 recursion_depths,
600 recursion_limit,
601 CollectionMode::UsedItems,
602 );
603 }
604 }
605
606 for mentioned_item in mentioned_items {
609 collect_items_rec(
610 tcx,
611 mentioned_item,
612 state,
613 recursion_depths,
614 recursion_limit,
615 CollectionMode::MentionedItems,
616 );
617 }
618
619 if let Some((def_id, depth)) = recursion_depth_reset {
620 recursion_depths.insert(def_id, depth);
621 }
622}
623
624fn check_normalization_error<'tcx>(
626 tcx: TyCtxt<'tcx>,
627 instance: Instance<'tcx>,
628 body: &Body<'tcx>,
629) -> Result<(), NormalizationErrorInMono> {
630 struct NormalizationChecker<'tcx> {
631 tcx: TyCtxt<'tcx>,
632 instance: Instance<'tcx>,
633 }
634 impl<'tcx> TypeVisitor<TyCtxt<'tcx>> for NormalizationChecker<'tcx> {
635 type Result = ControlFlow<()>;
636
637 fn visit_ty(&mut self, t: Ty<'tcx>) -> Self::Result {
638 match self.instance.try_instantiate_mir_and_normalize_erasing_regions(
639 self.tcx,
640 ty::TypingEnv::fully_monomorphized(),
641 ty::EarlyBinder::bind(t),
642 ) {
643 Ok(_) => ControlFlow::Continue(()),
644 Err(_) => ControlFlow::Break(()),
645 }
646 }
647 }
648
649 let mut checker = NormalizationChecker { tcx, instance };
650 if body.visit_with(&mut checker).is_break() { Err(NormalizationErrorInMono) } else { Ok(()) }
651}
652
653fn check_recursion_limit<'tcx>(
654 tcx: TyCtxt<'tcx>,
655 instance: Instance<'tcx>,
656 span: Span,
657 recursion_depths: &mut DefIdMap<usize>,
658 recursion_limit: Limit,
659) -> (DefId, usize) {
660 let def_id = instance.def_id();
661 let recursion_depth = recursion_depths.get(&def_id).cloned().unwrap_or(0);
662 debug!(" => recursion depth={}", recursion_depth);
663
664 let adjusted_recursion_depth = if tcx.is_lang_item(def_id, LangItem::DropInPlace) {
665 recursion_depth / 4
668 } else {
669 recursion_depth
670 };
671
672 if !recursion_limit.value_within_limit(adjusted_recursion_depth) {
676 let def_span = tcx.def_span(def_id);
677 let def_path_str = tcx.def_path_str(def_id);
678 tcx.dcx().emit_fatal(RecursionLimit { span, instance, def_span, def_path_str });
679 }
680
681 recursion_depths.insert(def_id, recursion_depth + 1);
682
683 (def_id, recursion_depth)
684}
685
686struct MirUsedCollector<'a, 'tcx> {
687 tcx: TyCtxt<'tcx>,
688 body: &'a mir::Body<'tcx>,
689 used_items: &'a mut MonoItems<'tcx>,
690 used_mentioned_items: &'a mut UnordSet<MentionedItem<'tcx>>,
693 instance: Instance<'tcx>,
694}
695
696impl<'a, 'tcx> MirUsedCollector<'a, 'tcx> {
697 fn monomorphize<T>(&self, value: T) -> T
698 where
699 T: TypeFoldable<TyCtxt<'tcx>>,
700 {
701 trace!("monomorphize: self.instance={:?}", self.instance);
702 self.instance.instantiate_mir_and_normalize_erasing_regions(
703 self.tcx,
704 ty::TypingEnv::fully_monomorphized(),
705 ty::EarlyBinder::bind(value),
706 )
707 }
708
709 fn eval_constant(&mut self, constant: &mir::ConstOperand<'tcx>) -> Option<mir::ConstValue> {
711 let const_ = self.monomorphize(constant.const_);
712 match const_.eval(self.tcx, ty::TypingEnv::fully_monomorphized(), constant.span) {
717 Ok(v) => Some(v),
718 Err(ErrorHandled::TooGeneric(..)) => span_bug!(
719 constant.span,
720 "collection encountered polymorphic constant: {:?}",
721 const_
722 ),
723 Err(err @ ErrorHandled::Reported(..)) => {
724 err.emit_note(self.tcx);
725 return None;
726 }
727 }
728 }
729}
730
731impl<'a, 'tcx> MirVisitor<'tcx> for MirUsedCollector<'a, 'tcx> {
732 fn visit_rvalue(&mut self, rvalue: &mir::Rvalue<'tcx>, location: Location) {
733 debug!("visiting rvalue {:?}", *rvalue);
734
735 let span = self.body.source_info(location).span;
736
737 match *rvalue {
738 mir::Rvalue::Cast(
742 mir::CastKind::PointerCoercion(PointerCoercion::Unsize, _),
743 ref operand,
744 target_ty,
745 ) => {
746 let source_ty = operand.ty(self.body, self.tcx);
747 self.used_mentioned_items
749 .insert(MentionedItem::UnsizeCast { source_ty, target_ty });
750 let target_ty = self.monomorphize(target_ty);
751 let source_ty = self.monomorphize(source_ty);
752 let (source_ty, target_ty) =
753 find_tails_for_unsizing(self.tcx.at(span), source_ty, target_ty);
754 if target_ty.is_trait() && !source_ty.is_trait() {
758 create_mono_items_for_vtable_methods(
759 self.tcx,
760 target_ty,
761 source_ty,
762 span,
763 self.used_items,
764 );
765 }
766 }
767 mir::Rvalue::Cast(
768 mir::CastKind::PointerCoercion(PointerCoercion::ReifyFnPointer, _),
769 ref operand,
770 _,
771 ) => {
772 let fn_ty = operand.ty(self.body, self.tcx);
773 self.used_mentioned_items.insert(MentionedItem::Fn(fn_ty));
775 let fn_ty = self.monomorphize(fn_ty);
776 visit_fn_use(self.tcx, fn_ty, false, span, self.used_items);
777 }
778 mir::Rvalue::Cast(
779 mir::CastKind::PointerCoercion(PointerCoercion::ClosureFnPointer(_), _),
780 ref operand,
781 _,
782 ) => {
783 let source_ty = operand.ty(self.body, self.tcx);
784 self.used_mentioned_items.insert(MentionedItem::Closure(source_ty));
786 let source_ty = self.monomorphize(source_ty);
787 if let ty::Closure(def_id, args) = *source_ty.kind() {
788 let instance =
789 Instance::resolve_closure(self.tcx, def_id, args, ty::ClosureKind::FnOnce);
790 if self.tcx.should_codegen_locally(instance) {
791 self.used_items.push(create_fn_mono_item(self.tcx, instance, span));
792 }
793 } else {
794 bug!()
795 }
796 }
797 mir::Rvalue::ThreadLocalRef(def_id) => {
798 assert!(self.tcx.is_thread_local_static(def_id));
799 let instance = Instance::mono(self.tcx, def_id);
800 if self.tcx.should_codegen_locally(instance) {
801 trace!("collecting thread-local static {:?}", def_id);
802 self.used_items.push(respan(span, MonoItem::Static(def_id)));
803 }
804 }
805 _ => { }
806 }
807
808 self.super_rvalue(rvalue, location);
809 }
810
811 #[instrument(skip(self), level = "debug")]
814 fn visit_const_operand(&mut self, constant: &mir::ConstOperand<'tcx>, _location: Location) {
815 let Some(val) = self.eval_constant(constant) else { return };
817 collect_const_value(self.tcx, val, self.used_items);
818 }
819
820 fn visit_terminator(&mut self, terminator: &mir::Terminator<'tcx>, location: Location) {
821 debug!("visiting terminator {:?} @ {:?}", terminator, location);
822 let source = self.body.source_info(location).span;
823
824 let tcx = self.tcx;
825 let push_mono_lang_item = |this: &mut Self, lang_item: LangItem| {
826 let instance = Instance::mono(tcx, tcx.require_lang_item(lang_item, source));
827 if tcx.should_codegen_locally(instance) {
828 this.used_items.push(create_fn_mono_item(tcx, instance, source));
829 }
830 };
831
832 match terminator.kind {
833 mir::TerminatorKind::Call { ref func, .. }
834 | mir::TerminatorKind::TailCall { ref func, .. } => {
835 let callee_ty = func.ty(self.body, tcx);
836 self.used_mentioned_items.insert(MentionedItem::Fn(callee_ty));
838 let callee_ty = self.monomorphize(callee_ty);
839
840 let force_indirect_call =
845 if matches!(terminator.kind, mir::TerminatorKind::TailCall { .. })
846 && let &ty::FnDef(def_id, args) = callee_ty.kind()
847 && let instance = ty::Instance::expect_resolve(
848 self.tcx,
849 ty::TypingEnv::fully_monomorphized(),
850 def_id,
851 args,
852 source,
853 )
854 && instance.def.requires_caller_location(self.tcx)
855 {
856 true
857 } else {
858 false
859 };
860
861 visit_fn_use(
862 self.tcx,
863 callee_ty,
864 !force_indirect_call,
865 source,
866 &mut self.used_items,
867 )
868 }
869 mir::TerminatorKind::Drop { ref place, .. } => {
870 let ty = place.ty(self.body, self.tcx).ty;
871 self.used_mentioned_items.insert(MentionedItem::Drop(ty));
873 let ty = self.monomorphize(ty);
874 visit_drop_use(self.tcx, ty, true, source, self.used_items);
875 }
876 mir::TerminatorKind::InlineAsm { ref operands, .. } => {
877 for op in operands {
878 match *op {
879 mir::InlineAsmOperand::SymFn { ref value } => {
880 let fn_ty = value.const_.ty();
881 self.used_mentioned_items.insert(MentionedItem::Fn(fn_ty));
883 let fn_ty = self.monomorphize(fn_ty);
884 visit_fn_use(self.tcx, fn_ty, false, source, self.used_items);
885 }
886 mir::InlineAsmOperand::SymStatic { def_id } => {
887 let instance = Instance::mono(self.tcx, def_id);
888 if self.tcx.should_codegen_locally(instance) {
889 trace!("collecting asm sym static {:?}", def_id);
890 self.used_items.push(respan(source, MonoItem::Static(def_id)));
891 }
892 }
893 _ => {}
894 }
895 }
896 }
897 mir::TerminatorKind::Assert { ref msg, .. } => match &**msg {
898 mir::AssertKind::BoundsCheck { .. } => {
899 push_mono_lang_item(self, LangItem::PanicBoundsCheck);
900 }
901 mir::AssertKind::MisalignedPointerDereference { .. } => {
902 push_mono_lang_item(self, LangItem::PanicMisalignedPointerDereference);
903 }
904 mir::AssertKind::NullPointerDereference => {
905 push_mono_lang_item(self, LangItem::PanicNullPointerDereference);
906 }
907 mir::AssertKind::InvalidEnumConstruction(_) => {
908 push_mono_lang_item(self, LangItem::PanicInvalidEnumConstruction);
909 }
910 _ => {
911 push_mono_lang_item(self, msg.panic_function());
912 }
913 },
914 mir::TerminatorKind::UnwindTerminate(reason) => {
915 push_mono_lang_item(self, reason.lang_item());
916 }
917 mir::TerminatorKind::Goto { .. }
918 | mir::TerminatorKind::SwitchInt { .. }
919 | mir::TerminatorKind::UnwindResume
920 | mir::TerminatorKind::Return
921 | mir::TerminatorKind::Unreachable => {}
922 mir::TerminatorKind::CoroutineDrop
923 | mir::TerminatorKind::Yield { .. }
924 | mir::TerminatorKind::FalseEdge { .. }
925 | mir::TerminatorKind::FalseUnwind { .. } => bug!(),
926 }
927
928 if let Some(mir::UnwindAction::Terminate(reason)) = terminator.unwind() {
929 push_mono_lang_item(self, reason.lang_item());
930 }
931
932 self.super_terminator(terminator, location);
933 }
934}
935
936fn visit_drop_use<'tcx>(
937 tcx: TyCtxt<'tcx>,
938 ty: Ty<'tcx>,
939 is_direct_call: bool,
940 source: Span,
941 output: &mut MonoItems<'tcx>,
942) {
943 let instance = Instance::resolve_drop_in_place(tcx, ty);
944 visit_instance_use(tcx, instance, is_direct_call, source, output);
945}
946
947fn visit_fn_use<'tcx>(
950 tcx: TyCtxt<'tcx>,
951 ty: Ty<'tcx>,
952 is_direct_call: bool,
953 source: Span,
954 output: &mut MonoItems<'tcx>,
955) {
956 if let ty::FnDef(def_id, args) = *ty.kind() {
957 let instance = if is_direct_call {
958 ty::Instance::expect_resolve(
959 tcx,
960 ty::TypingEnv::fully_monomorphized(),
961 def_id,
962 args,
963 source,
964 )
965 } else {
966 match ty::Instance::resolve_for_fn_ptr(
967 tcx,
968 ty::TypingEnv::fully_monomorphized(),
969 def_id,
970 args,
971 ) {
972 Some(instance) => instance,
973 _ => bug!("failed to resolve instance for {ty}"),
974 }
975 };
976 visit_instance_use(tcx, instance, is_direct_call, source, output);
977 }
978}
979
980fn visit_instance_use<'tcx>(
981 tcx: TyCtxt<'tcx>,
982 instance: ty::Instance<'tcx>,
983 is_direct_call: bool,
984 source: Span,
985 output: &mut MonoItems<'tcx>,
986) {
987 debug!("visit_item_use({:?}, is_direct_call={:?})", instance, is_direct_call);
988 if !tcx.should_codegen_locally(instance) {
989 return;
990 }
991 if let Some(intrinsic) = tcx.intrinsic(instance.def_id()) {
992 collect_autodiff_fn(tcx, instance, intrinsic, output);
993
994 if let Some(_requirement) = ValidityRequirement::from_intrinsic(intrinsic.name) {
995 let def_id = tcx.require_lang_item(LangItem::PanicNounwind, source);
1000 let panic_instance = Instance::mono(tcx, def_id);
1001 if tcx.should_codegen_locally(panic_instance) {
1002 output.push(create_fn_mono_item(tcx, panic_instance, source));
1003 }
1004 } else if !intrinsic.must_be_overridden {
1005 let instance = ty::Instance::new_raw(instance.def_id(), instance.args);
1010 if tcx.should_codegen_locally(instance) {
1011 output.push(create_fn_mono_item(tcx, instance, source));
1012 }
1013 }
1014 }
1015
1016 match instance.def {
1017 ty::InstanceKind::Virtual(..) | ty::InstanceKind::Intrinsic(_) => {
1018 if !is_direct_call {
1019 bug!("{:?} being reified", instance);
1020 }
1021 }
1022 ty::InstanceKind::ThreadLocalShim(..) => {
1023 bug!("{:?} being reified", instance);
1024 }
1025 ty::InstanceKind::DropGlue(_, None) => {
1026 if !is_direct_call {
1031 output.push(create_fn_mono_item(tcx, instance, source));
1032 }
1033 }
1034 ty::InstanceKind::DropGlue(_, Some(_))
1035 | ty::InstanceKind::FutureDropPollShim(..)
1036 | ty::InstanceKind::AsyncDropGlue(_, _)
1037 | ty::InstanceKind::AsyncDropGlueCtorShim(_, _)
1038 | ty::InstanceKind::VTableShim(..)
1039 | ty::InstanceKind::ReifyShim(..)
1040 | ty::InstanceKind::ClosureOnceShim { .. }
1041 | ty::InstanceKind::ConstructCoroutineInClosureShim { .. }
1042 | ty::InstanceKind::Item(..)
1043 | ty::InstanceKind::FnPtrShim(..)
1044 | ty::InstanceKind::CloneShim(..)
1045 | ty::InstanceKind::FnPtrAddrShim(..) => {
1046 output.push(create_fn_mono_item(tcx, instance, source));
1047 }
1048 }
1049}
1050
1051fn should_codegen_locally<'tcx>(tcx: TyCtxt<'tcx>, instance: Instance<'tcx>) -> bool {
1054 let Some(def_id) = instance.def.def_id_if_not_guaranteed_local_codegen() else {
1055 return true;
1056 };
1057
1058 if tcx.is_foreign_item(def_id) {
1059 return false;
1061 }
1062
1063 if tcx.def_kind(def_id).has_codegen_attrs()
1064 && matches!(tcx.codegen_fn_attrs(def_id).inline, InlineAttr::Force { .. })
1065 {
1066 tcx.dcx().delayed_bug("attempt to codegen `#[rustc_force_inline]` item");
1069 }
1070
1071 if def_id.is_local() {
1072 return true;
1074 }
1075
1076 if tcx.is_reachable_non_generic(def_id) || instance.upstream_monomorphization(tcx).is_some() {
1077 return false;
1079 }
1080
1081 if let DefKind::Static { .. } = tcx.def_kind(def_id) {
1082 return false;
1084 }
1085
1086 if !tcx.is_mir_available(def_id) {
1087 tcx.dcx().emit_fatal(NoOptimizedMir {
1088 span: tcx.def_span(def_id),
1089 crate_name: tcx.crate_name(def_id.krate),
1090 instance: instance.to_string(),
1091 });
1092 }
1093
1094 true
1095}
1096
1097fn find_tails_for_unsizing<'tcx>(
1139 tcx: TyCtxtAt<'tcx>,
1140 source_ty: Ty<'tcx>,
1141 target_ty: Ty<'tcx>,
1142) -> (Ty<'tcx>, Ty<'tcx>) {
1143 let typing_env = ty::TypingEnv::fully_monomorphized();
1144 debug_assert!(!source_ty.has_param(), "{source_ty} should be fully monomorphic");
1145 debug_assert!(!target_ty.has_param(), "{target_ty} should be fully monomorphic");
1146
1147 match (source_ty.kind(), target_ty.kind()) {
1148 (&ty::Pat(source, _), &ty::Pat(target, _)) => find_tails_for_unsizing(tcx, source, target),
1149 (
1150 &ty::Ref(_, source_pointee, _),
1151 &ty::Ref(_, target_pointee, _) | &ty::RawPtr(target_pointee, _),
1152 )
1153 | (&ty::RawPtr(source_pointee, _), &ty::RawPtr(target_pointee, _)) => {
1154 tcx.struct_lockstep_tails_for_codegen(source_pointee, target_pointee, typing_env)
1155 }
1156
1157 (_, _)
1160 if let Some(source_boxed) = source_ty.boxed_ty()
1161 && let Some(target_boxed) = target_ty.boxed_ty() =>
1162 {
1163 tcx.struct_lockstep_tails_for_codegen(source_boxed, target_boxed, typing_env)
1164 }
1165
1166 (&ty::Adt(source_adt_def, source_args), &ty::Adt(target_adt_def, target_args)) => {
1167 assert_eq!(source_adt_def, target_adt_def);
1168 let CustomCoerceUnsized::Struct(coerce_index) =
1169 match crate::custom_coerce_unsize_info(tcx, source_ty, target_ty) {
1170 Ok(ccu) => ccu,
1171 Err(e) => {
1172 let e = Ty::new_error(tcx.tcx, e);
1173 return (e, e);
1174 }
1175 };
1176 let coerce_field = &source_adt_def.non_enum_variant().fields[coerce_index];
1177 let source_field =
1179 tcx.normalize_erasing_regions(typing_env, coerce_field.ty(*tcx, source_args));
1180 let target_field =
1181 tcx.normalize_erasing_regions(typing_env, coerce_field.ty(*tcx, target_args));
1182 find_tails_for_unsizing(tcx, source_field, target_field)
1183 }
1184
1185 _ => bug!(
1186 "find_vtable_types_for_unsizing: invalid coercion {:?} -> {:?}",
1187 source_ty,
1188 target_ty
1189 ),
1190 }
1191}
1192
1193#[instrument(skip(tcx), level = "debug", ret)]
1194fn create_fn_mono_item<'tcx>(
1195 tcx: TyCtxt<'tcx>,
1196 instance: Instance<'tcx>,
1197 source: Span,
1198) -> Spanned<MonoItem<'tcx>> {
1199 let def_id = instance.def_id();
1200 if tcx.sess.opts.unstable_opts.profile_closures
1201 && def_id.is_local()
1202 && tcx.is_closure_like(def_id)
1203 {
1204 crate::util::dump_closure_profile(tcx, instance);
1205 }
1206
1207 respan(source, MonoItem::Fn(instance))
1208}
1209
1210fn create_mono_items_for_vtable_methods<'tcx>(
1213 tcx: TyCtxt<'tcx>,
1214 trait_ty: Ty<'tcx>,
1215 impl_ty: Ty<'tcx>,
1216 source: Span,
1217 output: &mut MonoItems<'tcx>,
1218) {
1219 assert!(!trait_ty.has_escaping_bound_vars() && !impl_ty.has_escaping_bound_vars());
1220
1221 let ty::Dynamic(trait_ty, ..) = trait_ty.kind() else {
1222 bug!("create_mono_items_for_vtable_methods: {trait_ty:?} not a trait type");
1223 };
1224 if let Some(principal) = trait_ty.principal() {
1225 let trait_ref =
1226 tcx.instantiate_bound_regions_with_erased(principal.with_self_ty(tcx, impl_ty));
1227 assert!(!trait_ref.has_escaping_bound_vars());
1228
1229 let entries = tcx.vtable_entries(trait_ref);
1231 debug!(?entries);
1232 let methods = entries
1233 .iter()
1234 .filter_map(|entry| match entry {
1235 VtblEntry::MetadataDropInPlace
1236 | VtblEntry::MetadataSize
1237 | VtblEntry::MetadataAlign
1238 | VtblEntry::Vacant => None,
1239 VtblEntry::TraitVPtr(_) => {
1240 None
1242 }
1243 VtblEntry::Method(instance) => {
1244 Some(*instance).filter(|instance| tcx.should_codegen_locally(*instance))
1245 }
1246 })
1247 .map(|item| create_fn_mono_item(tcx, item, source));
1248 output.extend(methods);
1249 }
1250
1251 if impl_ty.needs_drop(tcx, ty::TypingEnv::fully_monomorphized()) {
1256 visit_drop_use(tcx, impl_ty, false, source, output);
1257 }
1258}
1259
1260fn collect_alloc<'tcx>(tcx: TyCtxt<'tcx>, alloc_id: AllocId, output: &mut MonoItems<'tcx>) {
1262 match tcx.global_alloc(alloc_id) {
1263 GlobalAlloc::Static(def_id) => {
1264 assert!(!tcx.is_thread_local_static(def_id));
1265 let instance = Instance::mono(tcx, def_id);
1266 if tcx.should_codegen_locally(instance) {
1267 trace!("collecting static {:?}", def_id);
1268 output.push(dummy_spanned(MonoItem::Static(def_id)));
1269 }
1270 }
1271 GlobalAlloc::Memory(alloc) => {
1272 trace!("collecting {:?} with {:#?}", alloc_id, alloc);
1273 let ptrs = alloc.inner().provenance().ptrs();
1274 if !ptrs.is_empty() {
1276 rustc_data_structures::stack::ensure_sufficient_stack(move || {
1277 for &prov in ptrs.values() {
1278 collect_alloc(tcx, prov.alloc_id(), output);
1279 }
1280 });
1281 }
1282 }
1283 GlobalAlloc::Function { instance, .. } => {
1284 if tcx.should_codegen_locally(instance) {
1285 trace!("collecting {:?} with {:#?}", alloc_id, instance);
1286 output.push(create_fn_mono_item(tcx, instance, DUMMY_SP));
1287 }
1288 }
1289 GlobalAlloc::VTable(ty, dyn_ty) => {
1290 let alloc_id = tcx.vtable_allocation((
1291 ty,
1292 dyn_ty
1293 .principal()
1294 .map(|principal| tcx.instantiate_bound_regions_with_erased(principal)),
1295 ));
1296 collect_alloc(tcx, alloc_id, output)
1297 }
1298 GlobalAlloc::TypeId { .. } => {}
1299 }
1300}
1301
1302#[instrument(skip(tcx), level = "debug")]
1306fn collect_items_of_instance<'tcx>(
1307 tcx: TyCtxt<'tcx>,
1308 instance: Instance<'tcx>,
1309 mode: CollectionMode,
1310) -> Result<(MonoItems<'tcx>, MonoItems<'tcx>), NormalizationErrorInMono> {
1311 let body = tcx.instance_mir(instance.def);
1313 check_normalization_error(tcx, instance, body)?;
1317 tcx.ensure_ok().check_mono_item(instance);
1318
1319 let mut used_items = MonoItems::new();
1330 let mut mentioned_items = MonoItems::new();
1331 let mut used_mentioned_items = Default::default();
1332 let mut collector = MirUsedCollector {
1333 tcx,
1334 body,
1335 used_items: &mut used_items,
1336 used_mentioned_items: &mut used_mentioned_items,
1337 instance,
1338 };
1339
1340 if mode == CollectionMode::UsedItems {
1341 if tcx.sess.opts.debuginfo == DebugInfo::Full {
1342 for var_debug_info in &body.var_debug_info {
1343 collector.visit_var_debug_info(var_debug_info);
1344 }
1345 }
1346 for (bb, data) in traversal::mono_reachable(body, tcx, instance) {
1347 collector.visit_basic_block_data(bb, data)
1348 }
1349 }
1350
1351 for const_op in body.required_consts() {
1354 if let Some(val) = collector.eval_constant(const_op) {
1355 collect_const_value(tcx, val, &mut mentioned_items);
1356 }
1357 }
1358
1359 for item in body.mentioned_items() {
1362 if !collector.used_mentioned_items.contains(&item.node) {
1363 let item_mono = collector.monomorphize(item.node);
1364 visit_mentioned_item(tcx, &item_mono, item.span, &mut mentioned_items);
1365 }
1366 }
1367
1368 Ok((used_items, mentioned_items))
1369}
1370
1371fn items_of_instance<'tcx>(
1372 tcx: TyCtxt<'tcx>,
1373 (instance, mode): (Instance<'tcx>, CollectionMode),
1374) -> Result<
1375 (&'tcx [Spanned<MonoItem<'tcx>>], &'tcx [Spanned<MonoItem<'tcx>>]),
1376 NormalizationErrorInMono,
1377> {
1378 let (used_items, mentioned_items) = collect_items_of_instance(tcx, instance, mode)?;
1379
1380 let used_items = tcx.arena.alloc_from_iter(used_items);
1381 let mentioned_items = tcx.arena.alloc_from_iter(mentioned_items);
1382
1383 Ok((used_items, mentioned_items))
1384}
1385
1386#[instrument(skip(tcx, span, output), level = "debug")]
1388fn visit_mentioned_item<'tcx>(
1389 tcx: TyCtxt<'tcx>,
1390 item: &MentionedItem<'tcx>,
1391 span: Span,
1392 output: &mut MonoItems<'tcx>,
1393) {
1394 match *item {
1395 MentionedItem::Fn(ty) => {
1396 if let ty::FnDef(def_id, args) = *ty.kind() {
1397 let instance = Instance::expect_resolve(
1398 tcx,
1399 ty::TypingEnv::fully_monomorphized(),
1400 def_id,
1401 args,
1402 span,
1403 );
1404 visit_instance_use(tcx, instance, true, span, output);
1409 }
1410 }
1411 MentionedItem::Drop(ty) => {
1412 visit_drop_use(tcx, ty, true, span, output);
1413 }
1414 MentionedItem::UnsizeCast { source_ty, target_ty } => {
1415 let (source_ty, target_ty) =
1416 find_tails_for_unsizing(tcx.at(span), source_ty, target_ty);
1417 if target_ty.is_trait() && !source_ty.is_trait() {
1421 create_mono_items_for_vtable_methods(tcx, target_ty, source_ty, span, output);
1422 }
1423 }
1424 MentionedItem::Closure(source_ty) => {
1425 if let ty::Closure(def_id, args) = *source_ty.kind() {
1426 let instance =
1427 Instance::resolve_closure(tcx, def_id, args, ty::ClosureKind::FnOnce);
1428 if tcx.should_codegen_locally(instance) {
1429 output.push(create_fn_mono_item(tcx, instance, span));
1430 }
1431 } else {
1432 bug!()
1433 }
1434 }
1435 }
1436}
1437
1438#[instrument(skip(tcx, output), level = "debug")]
1439fn collect_const_value<'tcx>(
1440 tcx: TyCtxt<'tcx>,
1441 value: mir::ConstValue,
1442 output: &mut MonoItems<'tcx>,
1443) {
1444 match value {
1445 mir::ConstValue::Scalar(Scalar::Ptr(ptr, _size)) => {
1446 collect_alloc(tcx, ptr.provenance.alloc_id(), output)
1447 }
1448 mir::ConstValue::Indirect { alloc_id, .. }
1449 | mir::ConstValue::Slice { alloc_id, meta: _ } => collect_alloc(tcx, alloc_id, output),
1450 _ => {}
1451 }
1452}
1453
1454#[instrument(skip(tcx, mode), level = "debug")]
1461fn collect_roots(tcx: TyCtxt<'_>, mode: MonoItemCollectionStrategy) -> Vec<MonoItem<'_>> {
1462 debug!("collecting roots");
1463 let mut roots = MonoItems::new();
1464
1465 {
1466 let entry_fn = tcx.entry_fn(());
1467
1468 debug!("collect_roots: entry_fn = {:?}", entry_fn);
1469
1470 let mut collector = RootCollector { tcx, strategy: mode, entry_fn, output: &mut roots };
1471
1472 let crate_items = tcx.hir_crate_items(());
1473
1474 for id in crate_items.free_items() {
1475 collector.process_item(id);
1476 }
1477
1478 for id in crate_items.impl_items() {
1479 collector.process_impl_item(id);
1480 }
1481
1482 for id in crate_items.nested_bodies() {
1483 collector.process_nested_body(id);
1484 }
1485
1486 collector.push_extra_entry_roots();
1487 }
1488
1489 roots
1493 .into_iter()
1494 .filter_map(|Spanned { node: mono_item, .. }| {
1495 mono_item.is_instantiable(tcx).then_some(mono_item)
1496 })
1497 .collect()
1498}
1499
1500struct RootCollector<'a, 'tcx> {
1501 tcx: TyCtxt<'tcx>,
1502 strategy: MonoItemCollectionStrategy,
1503 output: &'a mut MonoItems<'tcx>,
1504 entry_fn: Option<(DefId, EntryFnType)>,
1505}
1506
1507impl<'v> RootCollector<'_, 'v> {
1508 fn process_item(&mut self, id: hir::ItemId) {
1509 match self.tcx.def_kind(id.owner_id) {
1510 DefKind::Enum | DefKind::Struct | DefKind::Union => {
1511 if self.strategy == MonoItemCollectionStrategy::Eager
1512 && !self.tcx.generics_of(id.owner_id).requires_monomorphization(self.tcx)
1513 {
1514 debug!("RootCollector: ADT drop-glue for `{id:?}`",);
1515 let id_args =
1516 ty::GenericArgs::for_item(self.tcx, id.owner_id.to_def_id(), |param, _| {
1517 match param.kind {
1518 GenericParamDefKind::Lifetime => {
1519 self.tcx.lifetimes.re_erased.into()
1520 }
1521 GenericParamDefKind::Type { .. }
1522 | GenericParamDefKind::Const { .. } => {
1523 unreachable!(
1524 "`own_requires_monomorphization` check means that \
1525 we should have no type/const params"
1526 )
1527 }
1528 }
1529 });
1530
1531 if self.tcx.instantiate_and_check_impossible_predicates((
1534 id.owner_id.to_def_id(),
1535 id_args,
1536 )) {
1537 return;
1538 }
1539
1540 let ty =
1541 self.tcx.type_of(id.owner_id.to_def_id()).instantiate(self.tcx, id_args);
1542 assert!(!ty.has_non_region_param());
1543 visit_drop_use(self.tcx, ty, true, DUMMY_SP, self.output);
1544 }
1545 }
1546 DefKind::GlobalAsm => {
1547 debug!(
1548 "RootCollector: ItemKind::GlobalAsm({})",
1549 self.tcx.def_path_str(id.owner_id)
1550 );
1551 self.output.push(dummy_spanned(MonoItem::GlobalAsm(id)));
1552 }
1553 DefKind::Static { .. } => {
1554 let def_id = id.owner_id.to_def_id();
1555 debug!("RootCollector: ItemKind::Static({})", self.tcx.def_path_str(def_id));
1556 self.output.push(dummy_spanned(MonoItem::Static(def_id)));
1557 }
1558 DefKind::Const => {
1559 if self.strategy == MonoItemCollectionStrategy::Eager {
1565 if !self.tcx.generics_of(id.owner_id).own_requires_monomorphization()
1566 && let Ok(val) = self.tcx.const_eval_poly(id.owner_id.to_def_id())
1567 {
1568 collect_const_value(self.tcx, val, self.output);
1569 }
1570 }
1571 }
1572 DefKind::Impl { of_trait: true } => {
1573 if self.strategy == MonoItemCollectionStrategy::Eager {
1574 create_mono_items_for_default_impls(self.tcx, id, self.output);
1575 }
1576 }
1577 DefKind::Fn => {
1578 self.push_if_root(id.owner_id.def_id);
1579 }
1580 _ => {}
1581 }
1582 }
1583
1584 fn process_impl_item(&mut self, id: hir::ImplItemId) {
1585 if matches!(self.tcx.def_kind(id.owner_id), DefKind::AssocFn) {
1586 self.push_if_root(id.owner_id.def_id);
1587 }
1588 }
1589
1590 fn process_nested_body(&mut self, def_id: LocalDefId) {
1591 match self.tcx.def_kind(def_id) {
1592 DefKind::Closure => {
1593 let is_pub_fn_coroutine =
1595 match *self.tcx.type_of(def_id).instantiate_identity().kind() {
1596 ty::Coroutine(cor_id, _args) => {
1597 let tcx = self.tcx;
1598 let parent_id = tcx.parent(cor_id);
1599 tcx.def_kind(parent_id) == DefKind::Fn
1600 && tcx.asyncness(parent_id).is_async()
1601 && tcx.visibility(parent_id).is_public()
1602 }
1603 ty::Closure(..) | ty::CoroutineClosure(..) => false,
1604 _ => unreachable!(),
1605 };
1606 if (self.strategy == MonoItemCollectionStrategy::Eager || is_pub_fn_coroutine)
1607 && !self
1608 .tcx
1609 .generics_of(self.tcx.typeck_root_def_id(def_id.to_def_id()))
1610 .requires_monomorphization(self.tcx)
1611 {
1612 let instance = match *self.tcx.type_of(def_id).instantiate_identity().kind() {
1613 ty::Closure(def_id, args)
1614 | ty::Coroutine(def_id, args)
1615 | ty::CoroutineClosure(def_id, args) => {
1616 Instance::new_raw(def_id, self.tcx.erase_and_anonymize_regions(args))
1617 }
1618 _ => unreachable!(),
1619 };
1620 let Ok(instance) = self.tcx.try_normalize_erasing_regions(
1621 ty::TypingEnv::fully_monomorphized(),
1622 instance,
1623 ) else {
1624 return;
1626 };
1627 let mono_item = create_fn_mono_item(self.tcx, instance, DUMMY_SP);
1628 if mono_item.node.is_instantiable(self.tcx) {
1629 self.output.push(mono_item);
1630 }
1631 }
1632 }
1633 _ => {}
1634 }
1635 }
1636
1637 fn is_root(&self, def_id: LocalDefId) -> bool {
1638 !self.tcx.generics_of(def_id).requires_monomorphization(self.tcx)
1639 && match self.strategy {
1640 MonoItemCollectionStrategy::Eager => {
1641 !matches!(self.tcx.codegen_fn_attrs(def_id).inline, InlineAttr::Force { .. })
1642 }
1643 MonoItemCollectionStrategy::Lazy => {
1644 self.entry_fn.and_then(|(id, _)| id.as_local()) == Some(def_id)
1645 || self.tcx.is_reachable_non_generic(def_id)
1646 || self
1647 .tcx
1648 .codegen_fn_attrs(def_id)
1649 .flags
1650 .contains(CodegenFnAttrFlags::RUSTC_STD_INTERNAL_SYMBOL)
1651 }
1652 }
1653 }
1654
1655 #[instrument(skip(self), level = "debug")]
1658 fn push_if_root(&mut self, def_id: LocalDefId) {
1659 if self.is_root(def_id) {
1660 debug!("found root");
1661
1662 let instance = Instance::mono(self.tcx, def_id.to_def_id());
1663 self.output.push(create_fn_mono_item(self.tcx, instance, DUMMY_SP));
1664 }
1665 }
1666
1667 fn push_extra_entry_roots(&mut self) {
1673 let Some((main_def_id, EntryFnType::Main { .. })) = self.entry_fn else {
1674 return;
1675 };
1676
1677 let main_instance = Instance::mono(self.tcx, main_def_id);
1678 if self.tcx.should_codegen_locally(main_instance) {
1679 self.output.push(create_fn_mono_item(
1680 self.tcx,
1681 main_instance,
1682 self.tcx.def_span(main_def_id),
1683 ));
1684 }
1685
1686 let Some(start_def_id) = self.tcx.lang_items().start_fn() else {
1687 self.tcx.dcx().emit_fatal(errors::StartNotFound);
1688 };
1689 let main_ret_ty = self.tcx.fn_sig(main_def_id).no_bound_vars().unwrap().output();
1690
1691 let main_ret_ty = self.tcx.normalize_erasing_regions(
1697 ty::TypingEnv::fully_monomorphized(),
1698 main_ret_ty.no_bound_vars().unwrap(),
1699 );
1700
1701 let start_instance = Instance::expect_resolve(
1702 self.tcx,
1703 ty::TypingEnv::fully_monomorphized(),
1704 start_def_id,
1705 self.tcx.mk_args(&[main_ret_ty.into()]),
1706 DUMMY_SP,
1707 );
1708
1709 self.output.push(create_fn_mono_item(self.tcx, start_instance, DUMMY_SP));
1710 }
1711}
1712
1713#[instrument(level = "debug", skip(tcx, output))]
1714fn create_mono_items_for_default_impls<'tcx>(
1715 tcx: TyCtxt<'tcx>,
1716 item: hir::ItemId,
1717 output: &mut MonoItems<'tcx>,
1718) {
1719 let impl_ = tcx.impl_trait_header(item.owner_id);
1720
1721 if matches!(impl_.polarity, ty::ImplPolarity::Negative) {
1722 return;
1723 }
1724
1725 if tcx.generics_of(item.owner_id).own_requires_monomorphization() {
1726 return;
1727 }
1728
1729 let only_region_params = |param: &ty::GenericParamDef, _: &_| match param.kind {
1735 GenericParamDefKind::Lifetime => tcx.lifetimes.re_erased.into(),
1736 GenericParamDefKind::Type { .. } | GenericParamDefKind::Const { .. } => {
1737 unreachable!(
1738 "`own_requires_monomorphization` check means that \
1739 we should have no type/const params"
1740 )
1741 }
1742 };
1743 let impl_args = GenericArgs::for_item(tcx, item.owner_id.to_def_id(), only_region_params);
1744 let trait_ref = impl_.trait_ref.instantiate(tcx, impl_args);
1745
1746 if tcx.instantiate_and_check_impossible_predicates((item.owner_id.to_def_id(), impl_args)) {
1756 return;
1757 }
1758
1759 let typing_env = ty::TypingEnv::fully_monomorphized();
1760 let trait_ref = tcx.normalize_erasing_regions(typing_env, trait_ref);
1761 let overridden_methods = tcx.impl_item_implementor_ids(item.owner_id);
1762 for method in tcx.provided_trait_methods(trait_ref.def_id) {
1763 if overridden_methods.contains_key(&method.def_id) {
1764 continue;
1765 }
1766
1767 if tcx.generics_of(method.def_id).own_requires_monomorphization() {
1768 continue;
1769 }
1770
1771 let args = trait_ref.args.extend_to(tcx, method.def_id, only_region_params);
1775 let instance = ty::Instance::expect_resolve(tcx, typing_env, method.def_id, args, DUMMY_SP);
1776
1777 let mono_item = create_fn_mono_item(tcx, instance, DUMMY_SP);
1778 if mono_item.node.is_instantiable(tcx) && tcx.should_codegen_locally(instance) {
1779 output.push(mono_item);
1780 }
1781 }
1782}
1783
1784#[instrument(skip(tcx, strategy), level = "debug")]
1789pub(crate) fn collect_crate_mono_items<'tcx>(
1790 tcx: TyCtxt<'tcx>,
1791 strategy: MonoItemCollectionStrategy,
1792) -> (Vec<MonoItem<'tcx>>, UsageMap<'tcx>) {
1793 let _prof_timer = tcx.prof.generic_activity("monomorphization_collector");
1794
1795 let roots = tcx
1796 .sess
1797 .time("monomorphization_collector_root_collections", || collect_roots(tcx, strategy));
1798
1799 debug!("building mono item graph, beginning at roots");
1800
1801 let state = SharedState {
1802 visited: MTLock::new(UnordSet::default()),
1803 mentioned: MTLock::new(UnordSet::default()),
1804 usage_map: MTLock::new(UsageMap::new()),
1805 };
1806 let recursion_limit = tcx.recursion_limit();
1807
1808 tcx.sess.time("monomorphization_collector_graph_walk", || {
1809 par_for_each_in(roots, |root| {
1810 collect_items_root(tcx, dummy_spanned(*root), &state, recursion_limit);
1811 });
1812 });
1813
1814 let mono_items = tcx.with_stable_hashing_context(move |ref hcx| {
1817 state.visited.into_inner().into_sorted(hcx, true)
1818 });
1819
1820 (mono_items, state.usage_map.into_inner())
1821}
1822
1823pub(crate) fn provide(providers: &mut Providers) {
1824 providers.hooks.should_codegen_locally = should_codegen_locally;
1825 providers.items_of_instance = items_of_instance;
1826}