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