]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_codegen_ssa/src/back/symbol_export.rs
e14ebe3ae48f937c6901d9e936cb5bcc9ab3b597
[rust.git] / compiler / rustc_codegen_ssa / src / back / symbol_export.rs
1 use std::collections::hash_map::Entry::*;
2
3 use rustc_ast::expand::allocator::ALLOCATOR_METHODS;
4 use rustc_data_structures::fingerprint::Fingerprint;
5 use rustc_data_structures::fx::FxHashMap;
6 use rustc_hir as hir;
7 use rustc_hir::def_id::{CrateNum, DefId, DefIdMap, LocalDefId, CRATE_DEF_INDEX, LOCAL_CRATE};
8 use rustc_hir::Node;
9 use rustc_index::vec::IndexVec;
10 use rustc_middle::middle::codegen_fn_attrs::CodegenFnAttrFlags;
11 use rustc_middle::middle::exported_symbols::{
12     metadata_symbol_name, ExportedSymbol, SymbolExportInfo, SymbolExportLevel,
13 };
14 use rustc_middle::ty::query::{ExternProviders, Providers};
15 use rustc_middle::ty::subst::{GenericArgKind, SubstsRef};
16 use rustc_middle::ty::Instance;
17 use rustc_middle::ty::{SymbolName, TyCtxt};
18 use rustc_session::config::CrateType;
19 use rustc_target::spec::SanitizerSet;
20
21 pub fn threshold(tcx: TyCtxt<'_>) -> SymbolExportLevel {
22     crates_export_threshold(&tcx.sess.crate_types())
23 }
24
25 fn crate_export_threshold(crate_type: CrateType) -> SymbolExportLevel {
26     match crate_type {
27         CrateType::Executable | CrateType::Staticlib | CrateType::ProcMacro | CrateType::Cdylib => {
28             SymbolExportLevel::C
29         }
30         CrateType::Rlib | CrateType::Dylib => SymbolExportLevel::Rust,
31     }
32 }
33
34 pub fn crates_export_threshold(crate_types: &[CrateType]) -> SymbolExportLevel {
35     if crate_types
36         .iter()
37         .any(|&crate_type| crate_export_threshold(crate_type) == SymbolExportLevel::Rust)
38     {
39         SymbolExportLevel::Rust
40     } else {
41         SymbolExportLevel::C
42     }
43 }
44
45 fn reachable_non_generics_provider(tcx: TyCtxt<'_>, cnum: CrateNum) -> DefIdMap<SymbolExportInfo> {
46     assert_eq!(cnum, LOCAL_CRATE);
47
48     if !tcx.sess.opts.output_types.should_codegen() {
49         return Default::default();
50     }
51
52     // Check to see if this crate is a "special runtime crate". These
53     // crates, implementation details of the standard library, typically
54     // have a bunch of `pub extern` and `#[no_mangle]` functions as the
55     // ABI between them. We don't want their symbols to have a `C`
56     // export level, however, as they're just implementation details.
57     // Down below we'll hardwire all of the symbols to the `Rust` export
58     // level instead.
59     let special_runtime_crate =
60         tcx.is_panic_runtime(LOCAL_CRATE) || tcx.is_compiler_builtins(LOCAL_CRATE);
61
62     let mut reachable_non_generics: DefIdMap<_> = tcx
63         .reachable_set(())
64         .iter()
65         .filter_map(|&def_id| {
66             // We want to ignore some FFI functions that are not exposed from
67             // this crate. Reachable FFI functions can be lumped into two
68             // categories:
69             //
70             // 1. Those that are included statically via a static library
71             // 2. Those included otherwise (e.g., dynamically or via a framework)
72             //
73             // Although our LLVM module is not literally emitting code for the
74             // statically included symbols, it's an export of our library which
75             // needs to be passed on to the linker and encoded in the metadata.
76             //
77             // As a result, if this id is an FFI item (foreign item) then we only
78             // let it through if it's included statically.
79             match tcx.hir().get_by_def_id(def_id) {
80                 Node::ForeignItem(..) => {
81                     tcx.is_statically_included_foreign_item(def_id).then_some(def_id)
82                 }
83
84                 // Only consider nodes that actually have exported symbols.
85                 Node::Item(&hir::Item {
86                     kind: hir::ItemKind::Static(..) | hir::ItemKind::Fn(..),
87                     ..
88                 })
89                 | Node::ImplItem(&hir::ImplItem { kind: hir::ImplItemKind::Fn(..), .. }) => {
90                     let generics = tcx.generics_of(def_id);
91                     if !generics.requires_monomorphization(tcx)
92                         // Functions marked with #[inline] are codegened with "internal"
93                         // linkage and are not exported unless marked with an extern
94                         // indicator
95                         && (!Instance::mono(tcx, def_id.to_def_id()).def.generates_cgu_internal_copy(tcx)
96                             || tcx.codegen_fn_attrs(def_id.to_def_id()).contains_extern_indicator())
97                     {
98                         Some(def_id)
99                     } else {
100                         None
101                     }
102                 }
103
104                 _ => None,
105             }
106         })
107         .map(|def_id| {
108             let export_level = if special_runtime_crate {
109                 let name = tcx.symbol_name(Instance::mono(tcx, def_id.to_def_id())).name;
110                 // We can probably do better here by just ensuring that
111                 // it has hidden visibility rather than public
112                 // visibility, as this is primarily here to ensure it's
113                 // not stripped during LTO.
114                 //
115                 // In general though we won't link right if these
116                 // symbols are stripped, and LTO currently strips them.
117                 match name {
118                     "rust_eh_personality"
119                     | "rust_eh_register_frames"
120                     | "rust_eh_unregister_frames" =>
121                         SymbolExportLevel::C,
122                     _ => SymbolExportLevel::Rust,
123                 }
124             } else {
125                 symbol_export_level(tcx, def_id.to_def_id())
126             };
127             debug!(
128                 "EXPORTED SYMBOL (local): {} ({:?})",
129                 tcx.symbol_name(Instance::mono(tcx, def_id.to_def_id())),
130                 export_level
131             );
132             (def_id.to_def_id(), SymbolExportInfo {
133                 level: export_level,
134             })
135         })
136         .collect();
137
138     if let Some(id) = tcx.proc_macro_decls_static(()) {
139         reachable_non_generics.insert(
140             id.to_def_id(),
141             SymbolExportInfo { level: SymbolExportLevel::C },
142         );
143     }
144
145     reachable_non_generics
146 }
147
148 fn is_reachable_non_generic_provider_local(tcx: TyCtxt<'_>, def_id: DefId) -> bool {
149     let export_threshold = threshold(tcx);
150
151     if let Some(&info) = tcx.reachable_non_generics(def_id.krate).get(&def_id) {
152         info.level.is_below_threshold(export_threshold)
153     } else {
154         false
155     }
156 }
157
158 fn is_reachable_non_generic_provider_extern(tcx: TyCtxt<'_>, def_id: DefId) -> bool {
159     tcx.reachable_non_generics(def_id.krate).contains_key(&def_id)
160 }
161
162 fn exported_symbols_provider_local<'tcx>(
163     tcx: TyCtxt<'tcx>,
164     cnum: CrateNum,
165 ) -> &'tcx [(ExportedSymbol<'tcx>, SymbolExportInfo)] {
166     assert_eq!(cnum, LOCAL_CRATE);
167
168     if !tcx.sess.opts.output_types.should_codegen() {
169         return &[];
170     }
171
172     let mut symbols: Vec<_> = tcx
173         .reachable_non_generics(LOCAL_CRATE)
174         .iter()
175         .map(|(&def_id, &info)| (ExportedSymbol::NonGeneric(def_id), info))
176         .collect();
177
178     if tcx.entry_fn(()).is_some() {
179         let exported_symbol = ExportedSymbol::NoDefId(SymbolName::new(tcx, "main"));
180
181         symbols.push((
182             exported_symbol,
183             SymbolExportInfo { level: SymbolExportLevel::C },
184         ));
185     }
186
187     if tcx.allocator_kind(()).is_some() {
188         for method in ALLOCATOR_METHODS {
189             let symbol_name = format!("__rust_{}", method.name);
190             let exported_symbol = ExportedSymbol::NoDefId(SymbolName::new(tcx, &symbol_name));
191
192             symbols.push((
193                 exported_symbol,
194                 SymbolExportInfo { level: SymbolExportLevel::Rust },
195             ));
196         }
197     }
198
199     if tcx.sess.instrument_coverage() || tcx.sess.opts.cg.profile_generate.enabled() {
200         // These are weak symbols that point to the profile version and the
201         // profile name, which need to be treated as exported so LTO doesn't nix
202         // them.
203         const PROFILER_WEAK_SYMBOLS: [&str; 2] =
204             ["__llvm_profile_raw_version", "__llvm_profile_filename"];
205
206         symbols.extend(PROFILER_WEAK_SYMBOLS.iter().map(|sym| {
207             let exported_symbol = ExportedSymbol::NoDefId(SymbolName::new(tcx, sym));
208             (
209                 exported_symbol,
210                 SymbolExportInfo { level: SymbolExportLevel::C },
211             )
212         }));
213     }
214
215     if tcx.sess.opts.debugging_opts.sanitizer.contains(SanitizerSet::MEMORY) {
216         // Similar to profiling, preserve weak msan symbol during LTO.
217         const MSAN_WEAK_SYMBOLS: [&str; 2] = ["__msan_track_origins", "__msan_keep_going"];
218
219         symbols.extend(MSAN_WEAK_SYMBOLS.iter().map(|sym| {
220             let exported_symbol = ExportedSymbol::NoDefId(SymbolName::new(tcx, sym));
221             (
222                 exported_symbol,
223                 SymbolExportInfo { level: SymbolExportLevel::C },
224             )
225         }));
226     }
227
228     if tcx.sess.crate_types().contains(&CrateType::Dylib) {
229         let symbol_name = metadata_symbol_name(tcx);
230         let exported_symbol = ExportedSymbol::NoDefId(SymbolName::new(tcx, &symbol_name));
231
232         symbols.push((
233             exported_symbol,
234             SymbolExportInfo { level: SymbolExportLevel::Rust },
235         ));
236     }
237
238     if tcx.sess.opts.share_generics() && tcx.local_crate_exports_generics() {
239         use rustc_middle::mir::mono::{Linkage, MonoItem, Visibility};
240         use rustc_middle::ty::InstanceDef;
241
242         // Normally, we require that shared monomorphizations are not hidden,
243         // because if we want to re-use a monomorphization from a Rust dylib, it
244         // needs to be exported.
245         // However, on platforms that don't allow for Rust dylibs, having
246         // external linkage is enough for monomorphization to be linked to.
247         let need_visibility = tcx.sess.target.dynamic_linking && !tcx.sess.target.only_cdylib;
248
249         let (_, cgus) = tcx.collect_and_partition_mono_items(());
250
251         for (mono_item, &(linkage, visibility)) in cgus.iter().flat_map(|cgu| cgu.items().iter()) {
252             if linkage != Linkage::External {
253                 // We can only re-use things with external linkage, otherwise
254                 // we'll get a linker error
255                 continue;
256             }
257
258             if need_visibility && visibility == Visibility::Hidden {
259                 // If we potentially share things from Rust dylibs, they must
260                 // not be hidden
261                 continue;
262             }
263
264             match *mono_item {
265                 MonoItem::Fn(Instance { def: InstanceDef::Item(def), substs }) => {
266                     if substs.non_erasable_generics().next().is_some() {
267                         let symbol = ExportedSymbol::Generic(def.did, substs);
268                         symbols.push((
269                             symbol,
270                             SymbolExportInfo {
271                                 level: SymbolExportLevel::Rust,
272                             },
273                         ));
274                     }
275                 }
276                 MonoItem::Fn(Instance { def: InstanceDef::DropGlue(_, Some(ty)), substs }) => {
277                     // A little sanity-check
278                     debug_assert_eq!(
279                         substs.non_erasable_generics().next(),
280                         Some(GenericArgKind::Type(ty))
281                     );
282                     symbols.push((
283                         ExportedSymbol::DropGlue(ty),
284                         SymbolExportInfo {
285                             level: SymbolExportLevel::Rust,
286                         },
287                     ));
288                 }
289                 _ => {
290                     // Any other symbols don't qualify for sharing
291                 }
292             }
293         }
294     }
295
296     // Sort so we get a stable incr. comp. hash.
297     symbols.sort_by_cached_key(|s| s.0.symbol_name_for_local_instance(tcx));
298
299     tcx.arena.alloc_from_iter(symbols)
300 }
301
302 fn upstream_monomorphizations_provider(
303     tcx: TyCtxt<'_>,
304     (): (),
305 ) -> DefIdMap<FxHashMap<SubstsRef<'_>, CrateNum>> {
306     let cnums = tcx.crates(());
307
308     let mut instances: DefIdMap<FxHashMap<_, _>> = Default::default();
309
310     let cnum_stable_ids: IndexVec<CrateNum, Fingerprint> = {
311         let mut cnum_stable_ids = IndexVec::from_elem_n(Fingerprint::ZERO, cnums.len() + 1);
312
313         for &cnum in cnums.iter() {
314             cnum_stable_ids[cnum] =
315                 tcx.def_path_hash(DefId { krate: cnum, index: CRATE_DEF_INDEX }).0;
316         }
317
318         cnum_stable_ids
319     };
320
321     let drop_in_place_fn_def_id = tcx.lang_items().drop_in_place_fn();
322
323     for &cnum in cnums.iter() {
324         for (exported_symbol, _) in tcx.exported_symbols(cnum).iter() {
325             let (def_id, substs) = match *exported_symbol {
326                 ExportedSymbol::Generic(def_id, substs) => (def_id, substs),
327                 ExportedSymbol::DropGlue(ty) => {
328                     if let Some(drop_in_place_fn_def_id) = drop_in_place_fn_def_id {
329                         (drop_in_place_fn_def_id, tcx.intern_substs(&[ty.into()]))
330                     } else {
331                         // `drop_in_place` in place does not exist, don't try
332                         // to use it.
333                         continue;
334                     }
335                 }
336                 ExportedSymbol::NonGeneric(..) | ExportedSymbol::NoDefId(..) => {
337                     // These are no monomorphizations
338                     continue;
339                 }
340             };
341
342             let substs_map = instances.entry(def_id).or_default();
343
344             match substs_map.entry(substs) {
345                 Occupied(mut e) => {
346                     // If there are multiple monomorphizations available,
347                     // we select one deterministically.
348                     let other_cnum = *e.get();
349                     if cnum_stable_ids[other_cnum] > cnum_stable_ids[cnum] {
350                         e.insert(cnum);
351                     }
352                 }
353                 Vacant(e) => {
354                     e.insert(cnum);
355                 }
356             }
357         }
358     }
359
360     instances
361 }
362
363 fn upstream_monomorphizations_for_provider(
364     tcx: TyCtxt<'_>,
365     def_id: DefId,
366 ) -> Option<&FxHashMap<SubstsRef<'_>, CrateNum>> {
367     debug_assert!(!def_id.is_local());
368     tcx.upstream_monomorphizations(()).get(&def_id)
369 }
370
371 fn upstream_drop_glue_for_provider<'tcx>(
372     tcx: TyCtxt<'tcx>,
373     substs: SubstsRef<'tcx>,
374 ) -> Option<CrateNum> {
375     if let Some(def_id) = tcx.lang_items().drop_in_place_fn() {
376         tcx.upstream_monomorphizations_for(def_id).and_then(|monos| monos.get(&substs).cloned())
377     } else {
378         None
379     }
380 }
381
382 fn is_unreachable_local_definition_provider(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool {
383     !tcx.reachable_set(()).contains(&def_id)
384 }
385
386 pub fn provide(providers: &mut Providers) {
387     providers.reachable_non_generics = reachable_non_generics_provider;
388     providers.is_reachable_non_generic = is_reachable_non_generic_provider_local;
389     providers.exported_symbols = exported_symbols_provider_local;
390     providers.upstream_monomorphizations = upstream_monomorphizations_provider;
391     providers.is_unreachable_local_definition = is_unreachable_local_definition_provider;
392     providers.upstream_drop_glue_for = upstream_drop_glue_for_provider;
393     providers.wasm_import_module_map = wasm_import_module_map;
394 }
395
396 pub fn provide_extern(providers: &mut ExternProviders) {
397     providers.is_reachable_non_generic = is_reachable_non_generic_provider_extern;
398     providers.upstream_monomorphizations_for = upstream_monomorphizations_for_provider;
399 }
400
401 fn symbol_export_level(tcx: TyCtxt<'_>, sym_def_id: DefId) -> SymbolExportLevel {
402     // We export anything that's not mangled at the "C" layer as it probably has
403     // to do with ABI concerns. We do not, however, apply such treatment to
404     // special symbols in the standard library for various plumbing between
405     // core/std/allocators/etc. For example symbols used to hook up allocation
406     // are not considered for export
407     let codegen_fn_attrs = tcx.codegen_fn_attrs(sym_def_id);
408     let is_extern = codegen_fn_attrs.contains_extern_indicator();
409     let std_internal =
410         codegen_fn_attrs.flags.contains(CodegenFnAttrFlags::RUSTC_STD_INTERNAL_SYMBOL);
411
412     if is_extern && !std_internal {
413         let target = &tcx.sess.target.llvm_target;
414         // WebAssembly cannot export data symbols, so reduce their export level
415         if target.contains("emscripten") {
416             if let Some(Node::Item(&hir::Item { kind: hir::ItemKind::Static(..), .. })) =
417                 tcx.hir().get_if_local(sym_def_id)
418             {
419                 return SymbolExportLevel::Rust;
420             }
421         }
422
423         SymbolExportLevel::C
424     } else {
425         SymbolExportLevel::Rust
426     }
427 }
428
429 /// This is the symbol name of the given instance instantiated in a specific crate.
430 pub fn symbol_name_for_instance_in_crate<'tcx>(
431     tcx: TyCtxt<'tcx>,
432     symbol: ExportedSymbol<'tcx>,
433     instantiating_crate: CrateNum,
434 ) -> String {
435     // If this is something instantiated in the local crate then we might
436     // already have cached the name as a query result.
437     if instantiating_crate == LOCAL_CRATE {
438         return symbol.symbol_name_for_local_instance(tcx).to_string();
439     }
440
441     // This is something instantiated in an upstream crate, so we have to use
442     // the slower (because uncached) version of computing the symbol name.
443     match symbol {
444         ExportedSymbol::NonGeneric(def_id) => {
445             rustc_symbol_mangling::symbol_name_for_instance_in_crate(
446                 tcx,
447                 Instance::mono(tcx, def_id),
448                 instantiating_crate,
449             )
450         }
451         ExportedSymbol::Generic(def_id, substs) => {
452             rustc_symbol_mangling::symbol_name_for_instance_in_crate(
453                 tcx,
454                 Instance::new(def_id, substs),
455                 instantiating_crate,
456             )
457         }
458         ExportedSymbol::DropGlue(ty) => rustc_symbol_mangling::symbol_name_for_instance_in_crate(
459             tcx,
460             Instance::resolve_drop_in_place(tcx, ty),
461             instantiating_crate,
462         ),
463         ExportedSymbol::NoDefId(symbol_name) => symbol_name.to_string(),
464     }
465 }
466
467 fn wasm_import_module_map(tcx: TyCtxt<'_>, cnum: CrateNum) -> FxHashMap<DefId, String> {
468     // Build up a map from DefId to a `NativeLib` structure, where
469     // `NativeLib` internally contains information about
470     // `#[link(wasm_import_module = "...")]` for example.
471     let native_libs = tcx.native_libraries(cnum);
472
473     let def_id_to_native_lib = native_libs
474         .iter()
475         .filter_map(|lib| lib.foreign_module.map(|id| (id, lib)))
476         .collect::<FxHashMap<_, _>>();
477
478     let mut ret = FxHashMap::default();
479     for (def_id, lib) in tcx.foreign_modules(cnum).iter() {
480         let module = def_id_to_native_lib.get(&def_id).and_then(|s| s.wasm_import_module);
481         let Some(module) = module else { continue };
482         ret.extend(lib.foreign_items.iter().map(|id| {
483             assert_eq!(id.krate, cnum);
484             (*id, module.to_string())
485         }));
486     }
487
488     ret
489 }