]> git.lizzy.rs Git - rust.git/blob - src/librustc_codegen_utils/symbol_names.rs
rustc: remove ty::item_path::RootMode by moving local logic into the printer.
[rust.git] / src / librustc_codegen_utils / symbol_names.rs
1 //! The Rust Linkage Model and Symbol Names
2 //! =======================================
3 //!
4 //! The semantic model of Rust linkage is, broadly, that "there's no global
5 //! namespace" between crates. Our aim is to preserve the illusion of this
6 //! model despite the fact that it's not *quite* possible to implement on
7 //! modern linkers. We initially didn't use system linkers at all, but have
8 //! been convinced of their utility.
9 //!
10 //! There are a few issues to handle:
11 //!
12 //!  - Linkers operate on a flat namespace, so we have to flatten names.
13 //!    We do this using the C++ namespace-mangling technique. Foo::bar
14 //!    symbols and such.
15 //!
16 //!  - Symbols for distinct items with the same *name* need to get different
17 //!    linkage-names. Examples of this are monomorphizations of functions or
18 //!    items within anonymous scopes that end up having the same path.
19 //!
20 //!  - Symbols in different crates but with same names "within" the crate need
21 //!    to get different linkage-names.
22 //!
23 //!  - Symbol names should be deterministic: Two consecutive runs of the
24 //!    compiler over the same code base should produce the same symbol names for
25 //!    the same items.
26 //!
27 //!  - Symbol names should not depend on any global properties of the code base,
28 //!    so that small modifications to the code base do not result in all symbols
29 //!    changing. In previous versions of the compiler, symbol names incorporated
30 //!    the SVH (Stable Version Hash) of the crate. This scheme turned out to be
31 //!    infeasible when used in conjunction with incremental compilation because
32 //!    small code changes would invalidate all symbols generated previously.
33 //!
34 //!  - Even symbols from different versions of the same crate should be able to
35 //!    live next to each other without conflict.
36 //!
37 //! In order to fulfill the above requirements the following scheme is used by
38 //! the compiler:
39 //!
40 //! The main tool for avoiding naming conflicts is the incorporation of a 64-bit
41 //! hash value into every exported symbol name. Anything that makes a difference
42 //! to the symbol being named, but does not show up in the regular path needs to
43 //! be fed into this hash:
44 //!
45 //! - Different monomorphizations of the same item have the same path but differ
46 //!   in their concrete type parameters, so these parameters are part of the
47 //!   data being digested for the symbol hash.
48 //!
49 //! - Rust allows items to be defined in anonymous scopes, such as in
50 //!   `fn foo() { { fn bar() {} } { fn bar() {} } }`. Both `bar` functions have
51 //!   the path `foo::bar`, since the anonymous scopes do not contribute to the
52 //!   path of an item. The compiler already handles this case via so-called
53 //!   disambiguating `DefPaths` which use indices to distinguish items with the
54 //!   same name. The DefPaths of the functions above are thus `foo[0]::bar[0]`
55 //!   and `foo[0]::bar[1]`. In order to incorporate this disambiguation
56 //!   information into the symbol name too, these indices are fed into the
57 //!   symbol hash, so that the above two symbols would end up with different
58 //!   hash values.
59 //!
60 //! The two measures described above suffice to avoid intra-crate conflicts. In
61 //! order to also avoid inter-crate conflicts two more measures are taken:
62 //!
63 //! - The name of the crate containing the symbol is prepended to the symbol
64 //!   name, i.e., symbols are "crate qualified". For example, a function `foo` in
65 //!   module `bar` in crate `baz` would get a symbol name like
66 //!   `baz::bar::foo::{hash}` instead of just `bar::foo::{hash}`. This avoids
67 //!   simple conflicts between functions from different crates.
68 //!
69 //! - In order to be able to also use symbols from two versions of the same
70 //!   crate (which naturally also have the same name), a stronger measure is
71 //!   required: The compiler accepts an arbitrary "disambiguator" value via the
72 //!   `-C metadata` command-line argument. This disambiguator is then fed into
73 //!   the symbol hash of every exported item. Consequently, the symbols in two
74 //!   identical crates but with different disambiguators are not in conflict
75 //!   with each other. This facility is mainly intended to be used by build
76 //!   tools like Cargo.
77 //!
78 //! A note on symbol name stability
79 //! -------------------------------
80 //! Previous versions of the compiler resorted to feeding NodeIds into the
81 //! symbol hash in order to disambiguate between items with the same path. The
82 //! current version of the name generation algorithm takes great care not to do
83 //! that, since NodeIds are notoriously unstable: A small change to the
84 //! code base will offset all NodeIds after the change and thus, much as using
85 //! the SVH in the hash, invalidate an unbounded number of symbol names. This
86 //! makes re-using previously compiled code for incremental compilation
87 //! virtually impossible. Thus, symbol hash generation exclusively relies on
88 //! DefPaths which are much more robust in the face of changes to the code base.
89
90 use rustc::hir::def_id::{CrateNum, DefId, LOCAL_CRATE};
91 use rustc::hir::Node;
92 use rustc::hir::CodegenFnAttrFlags;
93 use rustc::hir::map::definitions::DefPathData;
94 use rustc::ich::NodeIdHashingMode;
95 use rustc::ty::item_path::{self, ItemPathPrinter};
96 use rustc::ty::print::PrintCx;
97 use rustc::ty::query::Providers;
98 use rustc::ty::subst::SubstsRef;
99 use rustc::ty::{self, Ty, TyCtxt, TypeFoldable};
100 use rustc::util::common::record_time;
101 use rustc_data_structures::stable_hasher::{HashStable, StableHasher};
102 use rustc_mir::monomorphize::item::{InstantiationMode, MonoItem, MonoItemExt};
103 use rustc_mir::monomorphize::Instance;
104
105 use syntax_pos::symbol::Symbol;
106
107 use log::debug;
108
109 use std::fmt::Write;
110 use std::mem::discriminant;
111
112 pub fn provide(providers: &mut Providers<'_>) {
113     *providers = Providers {
114         def_symbol_name,
115         symbol_name,
116
117         ..*providers
118     };
119 }
120
121 fn get_symbol_hash<'a, 'tcx>(
122     tcx: TyCtxt<'a, 'tcx, 'tcx>,
123
124     // the DefId of the item this name is for
125     def_id: DefId,
126
127     // instance this name will be for
128     instance: Instance<'tcx>,
129
130     // type of the item, without any generic
131     // parameters substituted; this is
132     // included in the hash as a kind of
133     // safeguard.
134     item_type: Ty<'tcx>,
135
136     // values for generic type parameters,
137     // if any.
138     substs: SubstsRef<'tcx>,
139 ) -> u64 {
140     debug!(
141         "get_symbol_hash(def_id={:?}, parameters={:?})",
142         def_id, substs
143     );
144
145     let mut hasher = StableHasher::<u64>::new();
146     let mut hcx = tcx.create_stable_hashing_context();
147
148     record_time(&tcx.sess.perf_stats.symbol_hash_time, || {
149         // the main symbol name is not necessarily unique; hash in the
150         // compiler's internal def-path, guaranteeing each symbol has a
151         // truly unique path
152         tcx.def_path_hash(def_id).hash_stable(&mut hcx, &mut hasher);
153
154         // Include the main item-type. Note that, in this case, the
155         // assertions about `needs_subst` may not hold, but this item-type
156         // ought to be the same for every reference anyway.
157         assert!(!item_type.has_erasable_regions());
158         hcx.while_hashing_spans(false, |hcx| {
159             hcx.with_node_id_hashing_mode(NodeIdHashingMode::HashDefPath, |hcx| {
160                 item_type.hash_stable(hcx, &mut hasher);
161             });
162         });
163
164         // If this is a function, we hash the signature as well.
165         // This is not *strictly* needed, but it may help in some
166         // situations, see the `run-make/a-b-a-linker-guard` test.
167         if let ty::FnDef(..) = item_type.sty {
168             item_type.fn_sig(tcx).hash_stable(&mut hcx, &mut hasher);
169         }
170
171         // also include any type parameters (for generic items)
172         assert!(!substs.has_erasable_regions());
173         assert!(!substs.needs_subst());
174         substs.hash_stable(&mut hcx, &mut hasher);
175
176         let is_generic = substs.non_erasable_generics().next().is_some();
177         let avoid_cross_crate_conflicts =
178             // If this is an instance of a generic function, we also hash in
179             // the ID of the instantiating crate. This avoids symbol conflicts
180             // in case the same instances is emitted in two crates of the same
181             // project.
182             is_generic ||
183
184             // If we're dealing with an instance of a function that's inlined from
185             // another crate but we're marking it as globally shared to our
186             // compliation (aka we're not making an internal copy in each of our
187             // codegen units) then this symbol may become an exported (but hidden
188             // visibility) symbol. This means that multiple crates may do the same
189             // and we want to be sure to avoid any symbol conflicts here.
190             match MonoItem::Fn(instance).instantiation_mode(tcx) {
191                 InstantiationMode::GloballyShared { may_conflict: true } => true,
192                 _ => false,
193             };
194
195         if avoid_cross_crate_conflicts {
196             let instantiating_crate = if is_generic {
197                 if !def_id.is_local() && tcx.sess.opts.share_generics() {
198                     // If we are re-using a monomorphization from another crate,
199                     // we have to compute the symbol hash accordingly.
200                     let upstream_monomorphizations = tcx.upstream_monomorphizations_for(def_id);
201
202                     upstream_monomorphizations
203                         .and_then(|monos| monos.get(&substs).cloned())
204                         .unwrap_or(LOCAL_CRATE)
205                 } else {
206                     LOCAL_CRATE
207                 }
208             } else {
209                 LOCAL_CRATE
210             };
211
212             (&tcx.original_crate_name(instantiating_crate).as_str()[..])
213                 .hash_stable(&mut hcx, &mut hasher);
214             (&tcx.crate_disambiguator(instantiating_crate)).hash_stable(&mut hcx, &mut hasher);
215         }
216
217         // We want to avoid accidental collision between different types of instances.
218         // Especially, VtableShim may overlap with its original instance without this.
219         discriminant(&instance.def).hash_stable(&mut hcx, &mut hasher);
220     });
221
222     // 64 bits should be enough to avoid collisions.
223     hasher.finish()
224 }
225
226 fn def_symbol_name<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>, def_id: DefId) -> ty::SymbolName {
227     item_path::with_forced_absolute_paths(|| {
228         let mut cx = PrintCx::new(tcx);
229         SymbolPathPrinter::print_item_path(&mut cx, def_id).into_interned()
230     })
231 }
232
233 fn symbol_name<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>, instance: Instance<'tcx>) -> ty::SymbolName {
234     ty::SymbolName {
235         name: Symbol::intern(&compute_symbol_name(tcx, instance)).as_interned_str(),
236     }
237 }
238
239 fn compute_symbol_name<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>, instance: Instance<'tcx>) -> String {
240     let def_id = instance.def_id();
241     let substs = instance.substs;
242
243     debug!("symbol_name(def_id={:?}, substs={:?})", def_id, substs);
244
245     let hir_id = tcx.hir().as_local_hir_id(def_id);
246
247     if def_id.is_local() {
248         if tcx.plugin_registrar_fn(LOCAL_CRATE) == Some(def_id) {
249             let disambiguator = tcx.sess.local_crate_disambiguator();
250             return tcx.sess.generate_plugin_registrar_symbol(disambiguator);
251         }
252         if tcx.proc_macro_decls_static(LOCAL_CRATE) == Some(def_id) {
253             let disambiguator = tcx.sess.local_crate_disambiguator();
254             return tcx.sess.generate_proc_macro_decls_symbol(disambiguator);
255         }
256     }
257
258     // FIXME(eddyb) Precompute a custom symbol name based on attributes.
259     let is_foreign = if let Some(id) = hir_id {
260         match tcx.hir().get_by_hir_id(id) {
261             Node::ForeignItem(_) => true,
262             _ => false,
263         }
264     } else {
265         tcx.is_foreign_item(def_id)
266     };
267
268     let attrs = tcx.codegen_fn_attrs(def_id);
269     if is_foreign {
270         if let Some(name) = attrs.link_name {
271             return name.to_string();
272         }
273         // Don't mangle foreign items.
274         return tcx.item_name(def_id).to_string();
275     }
276
277     if let Some(name) = &attrs.export_name {
278         // Use provided name
279         return name.to_string();
280     }
281
282     if attrs.flags.contains(CodegenFnAttrFlags::NO_MANGLE) {
283         // Don't mangle
284         return tcx.item_name(def_id).to_string();
285     }
286
287     // We want to compute the "type" of this item. Unfortunately, some
288     // kinds of items (e.g., closures) don't have an entry in the
289     // item-type array. So walk back up the find the closest parent
290     // that DOES have an entry.
291     let mut ty_def_id = def_id;
292     let instance_ty;
293     loop {
294         let key = tcx.def_key(ty_def_id);
295         match key.disambiguated_data.data {
296             DefPathData::TypeNs(_) | DefPathData::ValueNs(_) => {
297                 instance_ty = tcx.type_of(ty_def_id);
298                 break;
299             }
300             _ => {
301                 // if we're making a symbol for something, there ought
302                 // to be a value or type-def or something in there
303                 // *somewhere*
304                 ty_def_id.index = key.parent.unwrap_or_else(|| {
305                     bug!(
306                         "finding type for {:?}, encountered def-id {:?} with no \
307                          parent",
308                         def_id,
309                         ty_def_id
310                     );
311                 });
312             }
313         }
314     }
315
316     // Erase regions because they may not be deterministic when hashed
317     // and should not matter anyhow.
318     let instance_ty = tcx.erase_regions(&instance_ty);
319
320     let hash = get_symbol_hash(tcx, def_id, instance, instance_ty, substs);
321
322     let mut buf = SymbolPath::from_interned(tcx.def_symbol_name(def_id), tcx);
323
324     if instance.is_vtable_shim() {
325         buf.push("{{vtable-shim}}");
326     }
327
328     buf.finish(hash)
329 }
330
331 // Follow C++ namespace-mangling style, see
332 // http://en.wikipedia.org/wiki/Name_mangling for more info.
333 //
334 // It turns out that on macOS you can actually have arbitrary symbols in
335 // function names (at least when given to LLVM), but this is not possible
336 // when using unix's linker. Perhaps one day when we just use a linker from LLVM
337 // we won't need to do this name mangling. The problem with name mangling is
338 // that it seriously limits the available characters. For example we can't
339 // have things like &T in symbol names when one would theoretically
340 // want them for things like impls of traits on that type.
341 //
342 // To be able to work on all platforms and get *some* reasonable output, we
343 // use C++ name-mangling.
344 #[derive(Debug)]
345 struct SymbolPath {
346     result: String,
347     temp_buf: String,
348     strict_naming: bool,
349 }
350
351 impl SymbolPath {
352     fn new(tcx: TyCtxt<'_, '_, '_>) -> Self {
353         let mut result = SymbolPath {
354             result: String::with_capacity(64),
355             temp_buf: String::with_capacity(16),
356             strict_naming: tcx.has_strict_asm_symbol_naming(),
357         };
358         result.result.push_str("_ZN"); // _Z == Begin name-sequence, N == nested
359         result
360     }
361
362     fn from_interned(symbol: ty::SymbolName, tcx: TyCtxt<'_, '_, '_>) -> Self {
363         let mut result = SymbolPath {
364             result: String::with_capacity(64),
365             temp_buf: String::with_capacity(16),
366             strict_naming: tcx.has_strict_asm_symbol_naming(),
367         };
368         result.result.push_str(&symbol.as_str());
369         result
370     }
371
372     fn into_interned(self) -> ty::SymbolName {
373         ty::SymbolName {
374             name: Symbol::intern(&self.result).as_interned_str(),
375         }
376     }
377
378     fn push(&mut self, text: &str) {
379         self.temp_buf.clear();
380         let need_underscore = sanitize(&mut self.temp_buf, text, self.strict_naming);
381         let _ = write!(
382             self.result,
383             "{}",
384             self.temp_buf.len() + (need_underscore as usize)
385         );
386         if need_underscore {
387             self.result.push('_');
388         }
389         self.result.push_str(&self.temp_buf);
390     }
391
392     fn finish(mut self, hash: u64) -> String {
393         // E = end name-sequence
394         let _ = write!(self.result, "17h{:016x}E", hash);
395         self.result
396     }
397 }
398
399 struct SymbolPathPrinter;
400
401 impl ItemPathPrinter for SymbolPathPrinter {
402     type Path = SymbolPath;
403
404     fn path_crate(cx: &mut PrintCx<'_, '_, '_>, cnum: CrateNum) -> Self::Path {
405         let mut path = SymbolPath::new(cx.tcx);
406         path.push(&cx.tcx.original_crate_name(cnum).as_str());
407         path
408     }
409     fn path_impl(cx: &mut PrintCx<'_, '_, '_>, text: &str) -> Self::Path {
410         let mut path = SymbolPath::new(cx.tcx);
411         path.push(text);
412         path
413     }
414     fn path_append(mut path: Self::Path, text: &str) -> Self::Path {
415         path.push(text);
416         path
417     }
418 }
419
420 // Name sanitation. LLVM will happily accept identifiers with weird names, but
421 // gas doesn't!
422 // gas accepts the following characters in symbols: a-z, A-Z, 0-9, ., _, $
423 // NVPTX assembly has more strict naming rules than gas, so additionally, dots
424 // are replaced with '$' there.
425 //
426 // returns true if an underscore must be added at the start
427 fn sanitize(result: &mut String, s: &str, strict_naming: bool) -> bool {
428     for c in s.chars() {
429         match c {
430             // Escape these with $ sequences
431             '@' => result.push_str("$SP$"),
432             '*' => result.push_str("$BP$"),
433             '&' => result.push_str("$RF$"),
434             '<' => result.push_str("$LT$"),
435             '>' => result.push_str("$GT$"),
436             '(' => result.push_str("$LP$"),
437             ')' => result.push_str("$RP$"),
438             ',' => result.push_str("$C$"),
439
440             '-' | ':' | '.' if strict_naming => {
441                 // NVPTX doesn't support these characters in symbol names.
442                 result.push('$')
443             }
444
445             // '.' doesn't occur in types and functions, so reuse it
446             // for ':' and '-'
447             '-' | ':' => result.push('.'),
448
449             // These are legal symbols
450             'a'..='z' | 'A'..='Z' | '0'..='9' | '_' | '.' | '$' => result.push(c),
451
452             _ => {
453                 result.push('$');
454                 for c in c.escape_unicode().skip(1) {
455                     match c {
456                         '{' => {}
457                         '}' => result.push('$'),
458                         c => result.push(c),
459                     }
460                 }
461             }
462         }
463     }
464
465     // Underscore-qualify anything that didn't start as an ident.
466     !result.is_empty() && result.as_bytes()[0] != '_' as u8
467         && !(result.as_bytes()[0] as char).is_xid_start()
468 }