]> git.lizzy.rs Git - rust.git/blob - src/librustc_mir/monomorphize/partitioning.rs
1a4849ac199a097f9da29c1c6da9905d24297c4f
[rust.git] / src / librustc_mir / monomorphize / partitioning.rs
1 // Copyright 2016 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! Partitioning Codegen Units for Incremental Compilation
12 //! ======================================================
13 //!
14 //! The task of this module is to take the complete set of translation items of
15 //! a crate and produce a set of codegen units from it, where a codegen unit
16 //! is a named set of (translation-item, linkage) pairs. That is, this module
17 //! decides which translation item appears in which codegen units with which
18 //! linkage. The following paragraphs describe some of the background on the
19 //! partitioning scheme.
20 //!
21 //! The most important opportunity for saving on compilation time with
22 //! incremental compilation is to avoid re-translating and re-optimizing code.
23 //! Since the unit of translation and optimization for LLVM is "modules" or, how
24 //! we call them "codegen units", the particulars of how much time can be saved
25 //! by incremental compilation are tightly linked to how the output program is
26 //! partitioned into these codegen units prior to passing it to LLVM --
27 //! especially because we have to treat codegen units as opaque entities once
28 //! they are created: There is no way for us to incrementally update an existing
29 //! LLVM module and so we have to build any such module from scratch if it was
30 //! affected by some change in the source code.
31 //!
32 //! From that point of view it would make sense to maximize the number of
33 //! codegen units by, for example, putting each function into its own module.
34 //! That way only those modules would have to be re-compiled that were actually
35 //! affected by some change, minimizing the number of functions that could have
36 //! been re-used but just happened to be located in a module that is
37 //! re-compiled.
38 //!
39 //! However, since LLVM optimization does not work across module boundaries,
40 //! using such a highly granular partitioning would lead to very slow runtime
41 //! code since it would effectively prohibit inlining and other inter-procedure
42 //! optimizations. We want to avoid that as much as possible.
43 //!
44 //! Thus we end up with a trade-off: The bigger the codegen units, the better
45 //! LLVM's optimizer can do its work, but also the smaller the compilation time
46 //! reduction we get from incremental compilation.
47 //!
48 //! Ideally, we would create a partitioning such that there are few big codegen
49 //! units with few interdependencies between them. For now though, we use the
50 //! following heuristic to determine the partitioning:
51 //!
52 //! - There are two codegen units for every source-level module:
53 //! - One for "stable", that is non-generic, code
54 //! - One for more "volatile" code, i.e. monomorphized instances of functions
55 //!   defined in that module
56 //!
57 //! In order to see why this heuristic makes sense, let's take a look at when a
58 //! codegen unit can get invalidated:
59 //!
60 //! 1. The most straightforward case is when the BODY of a function or global
61 //! changes. Then any codegen unit containing the code for that item has to be
62 //! re-compiled. Note that this includes all codegen units where the function
63 //! has been inlined.
64 //!
65 //! 2. The next case is when the SIGNATURE of a function or global changes. In
66 //! this case, all codegen units containing a REFERENCE to that item have to be
67 //! re-compiled. This is a superset of case 1.
68 //!
69 //! 3. The final and most subtle case is when a REFERENCE to a generic function
70 //! is added or removed somewhere. Even though the definition of the function
71 //! might be unchanged, a new REFERENCE might introduce a new monomorphized
72 //! instance of this function which has to be placed and compiled somewhere.
73 //! Conversely, when removing a REFERENCE, it might have been the last one with
74 //! that particular set of generic arguments and thus we have to remove it.
75 //!
76 //! From the above we see that just using one codegen unit per source-level
77 //! module is not such a good idea, since just adding a REFERENCE to some
78 //! generic item somewhere else would invalidate everything within the module
79 //! containing the generic item. The heuristic above reduces this detrimental
80 //! side-effect of references a little by at least not touching the non-generic
81 //! code of the module.
82 //!
83 //! A Note on Inlining
84 //! ------------------
85 //! As briefly mentioned above, in order for LLVM to be able to inline a
86 //! function call, the body of the function has to be available in the LLVM
87 //! module where the call is made. This has a few consequences for partitioning:
88 //!
89 //! - The partitioning algorithm has to take care of placing functions into all
90 //!   codegen units where they should be available for inlining. It also has to
91 //!   decide on the correct linkage for these functions.
92 //!
93 //! - The partitioning algorithm has to know which functions are likely to get
94 //!   inlined, so it can distribute function instantiations accordingly. Since
95 //!   there is no way of knowing for sure which functions LLVM will decide to
96 //!   inline in the end, we apply a heuristic here: Only functions marked with
97 //!   #[inline] are considered for inlining by the partitioner. The current
98 //!   implementation will not try to determine if a function is likely to be
99 //!   inlined by looking at the functions definition.
100 //!
101 //! Note though that as a side-effect of creating a codegen units per
102 //! source-level module, functions from the same module will be available for
103 //! inlining, even when they are not marked #[inline].
104
105 use monomorphize::collector::InliningMap;
106 use rustc::dep_graph::WorkProductId;
107 use rustc::hir::def_id::DefId;
108 use rustc::hir::map::DefPathData;
109 use rustc::mir::mono::{Linkage, Visibility};
110 use rustc::ty::{self, TyCtxt, InstanceDef};
111 use rustc::ty::item_path::characteristic_def_id_of_type;
112 use rustc::util::nodemap::{FxHashMap, FxHashSet};
113 use std::collections::hash_map::Entry;
114 use syntax::ast::NodeId;
115 use syntax::symbol::{Symbol, InternedString};
116 use rustc::mir::mono::MonoItem;
117 use monomorphize::item::{MonoItemExt, InstantiationMode};
118
119 pub use rustc::mir::mono::CodegenUnit;
120
121 pub enum PartitioningStrategy {
122     /// Generate one codegen unit per source-level module.
123     PerModule,
124
125     /// Partition the whole crate into a fixed number of codegen units.
126     FixedUnitCount(usize)
127 }
128
129 pub trait CodegenUnitExt<'tcx> {
130     fn as_codegen_unit(&self) -> &CodegenUnit<'tcx>;
131
132     fn contains_item(&self, item: &MonoItem<'tcx>) -> bool {
133         self.items().contains_key(item)
134     }
135
136     fn name<'a>(&'a self) -> &'a InternedString
137         where 'tcx: 'a,
138     {
139         &self.as_codegen_unit().name()
140     }
141
142     fn items(&self) -> &FxHashMap<MonoItem<'tcx>, (Linkage, Visibility)> {
143         &self.as_codegen_unit().items()
144     }
145
146     fn work_product_id(&self) -> WorkProductId {
147         WorkProductId::from_cgu_name(self.name())
148     }
149
150     fn items_in_deterministic_order<'a>(&self,
151                                         tcx: TyCtxt<'a, 'tcx, 'tcx>)
152                                         -> Vec<(MonoItem<'tcx>,
153                                                 (Linkage, Visibility))> {
154         // The codegen tests rely on items being process in the same order as
155         // they appear in the file, so for local items, we sort by node_id first
156         #[derive(PartialEq, Eq, PartialOrd, Ord)]
157         pub struct ItemSortKey(Option<NodeId>, ty::SymbolName);
158
159         fn item_sort_key<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
160                                    item: MonoItem<'tcx>) -> ItemSortKey {
161             ItemSortKey(match item {
162                 MonoItem::Fn(ref instance) => {
163                     match instance.def {
164                         // We only want to take NodeIds of user-defined
165                         // instances into account. The others don't matter for
166                         // the codegen tests and can even make item order
167                         // unstable.
168                         InstanceDef::Item(def_id) => {
169                             tcx.hir.as_local_node_id(def_id)
170                         }
171                         InstanceDef::Intrinsic(..) |
172                         InstanceDef::FnPtrShim(..) |
173                         InstanceDef::Virtual(..) |
174                         InstanceDef::ClosureOnceShim { .. } |
175                         InstanceDef::DropGlue(..) |
176                         InstanceDef::CloneShim(..) => {
177                             None
178                         }
179                     }
180                 }
181                 MonoItem::Static(node_id) |
182                 MonoItem::GlobalAsm(node_id) => {
183                     Some(node_id)
184                 }
185             }, item.symbol_name(tcx))
186         }
187
188         let items: Vec<_> = self.items().iter().map(|(&i, &l)| (i, l)).collect();
189         let mut items : Vec<_> = items.iter()
190             .map(|il| (il, item_sort_key(tcx, il.0))).collect();
191         items.sort_by(|&(_, ref key1), &(_, ref key2)| key1.cmp(key2));
192         items.into_iter().map(|(&item_linkage, _)| item_linkage).collect()
193     }
194 }
195
196 impl<'tcx> CodegenUnitExt<'tcx> for CodegenUnit<'tcx> {
197     fn as_codegen_unit(&self) -> &CodegenUnit<'tcx> {
198         self
199     }
200 }
201
202 // Anything we can't find a proper codegen unit for goes into this.
203 const FALLBACK_CODEGEN_UNIT: &'static str = "__rustc_fallback_codegen_unit";
204
205 pub fn partition<'a, 'tcx, I>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
206                               trans_items: I,
207                               strategy: PartitioningStrategy,
208                               inlining_map: &InliningMap<'tcx>)
209                               -> Vec<CodegenUnit<'tcx>>
210     where I: Iterator<Item = MonoItem<'tcx>>
211 {
212     // In the first step, we place all regular translation items into their
213     // respective 'home' codegen unit. Regular translation items are all
214     // functions and statics defined in the local crate.
215     let mut initial_partitioning = place_root_translation_items(tcx,
216                                                                 trans_items);
217
218     debug_dump(tcx, "INITIAL PARTITIONING:", initial_partitioning.codegen_units.iter());
219
220     // If the partitioning should produce a fixed count of codegen units, merge
221     // until that count is reached.
222     if let PartitioningStrategy::FixedUnitCount(count) = strategy {
223         merge_codegen_units(&mut initial_partitioning, count, &tcx.crate_name.as_str());
224
225         debug_dump(tcx, "POST MERGING:", initial_partitioning.codegen_units.iter());
226     }
227
228     // In the next step, we use the inlining map to determine which additional
229     // translation items have to go into each codegen unit. These additional
230     // translation items can be drop-glue, functions from external crates, and
231     // local functions the definition of which is marked with #[inline].
232     let mut post_inlining = place_inlined_translation_items(initial_partitioning,
233                                                             inlining_map);
234
235     debug_dump(tcx, "POST INLINING:", post_inlining.codegen_units.iter());
236
237     // Next we try to make as many symbols "internal" as possible, so LLVM has
238     // more freedom to optimize.
239     internalize_symbols(tcx, &mut post_inlining, inlining_map);
240
241     // Finally, sort by codegen unit name, so that we get deterministic results
242     let PostInliningPartitioning {
243         codegen_units: mut result,
244         trans_item_placements: _,
245         internalization_candidates: _,
246     } = post_inlining;
247
248     result.sort_by(|cgu1, cgu2| {
249         cgu1.name().cmp(cgu2.name())
250     });
251
252     result
253 }
254
255 struct PreInliningPartitioning<'tcx> {
256     codegen_units: Vec<CodegenUnit<'tcx>>,
257     roots: FxHashSet<MonoItem<'tcx>>,
258     internalization_candidates: FxHashSet<MonoItem<'tcx>>,
259 }
260
261 /// For symbol internalization, we need to know whether a symbol/trans-item is
262 /// accessed from outside the codegen unit it is defined in. This type is used
263 /// to keep track of that.
264 #[derive(Clone, PartialEq, Eq, Debug)]
265 enum TransItemPlacement {
266     SingleCgu { cgu_name: InternedString },
267     MultipleCgus,
268 }
269
270 struct PostInliningPartitioning<'tcx> {
271     codegen_units: Vec<CodegenUnit<'tcx>>,
272     trans_item_placements: FxHashMap<MonoItem<'tcx>, TransItemPlacement>,
273     internalization_candidates: FxHashSet<MonoItem<'tcx>>,
274 }
275
276 fn place_root_translation_items<'a, 'tcx, I>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
277                                              trans_items: I)
278                                              -> PreInliningPartitioning<'tcx>
279     where I: Iterator<Item = MonoItem<'tcx>>
280 {
281     let mut roots = FxHashSet();
282     let mut codegen_units = FxHashMap();
283     let is_incremental_build = tcx.sess.opts.incremental.is_some();
284     let mut internalization_candidates = FxHashSet();
285
286     for trans_item in trans_items {
287         match trans_item.instantiation_mode(tcx) {
288             InstantiationMode::GloballyShared { .. } => {}
289             InstantiationMode::LocalCopy => continue,
290         }
291
292         let characteristic_def_id = characteristic_def_id_of_trans_item(tcx, trans_item);
293         let is_volatile = is_incremental_build &&
294                           trans_item.is_generic_fn();
295
296         let codegen_unit_name = match characteristic_def_id {
297             Some(def_id) => compute_codegen_unit_name(tcx, def_id, is_volatile),
298             None => Symbol::intern(FALLBACK_CODEGEN_UNIT).as_str(),
299         };
300
301         let make_codegen_unit = || {
302             CodegenUnit::new(codegen_unit_name.clone())
303         };
304
305         let codegen_unit = codegen_units.entry(codegen_unit_name.clone())
306                                             .or_insert_with(make_codegen_unit);
307
308         let (linkage, visibility) = match trans_item.explicit_linkage(tcx) {
309             Some(explicit_linkage) => (explicit_linkage, Visibility::Default),
310             None => {
311                 match trans_item {
312                     MonoItem::Fn(ref instance) => {
313                         let visibility = match instance.def {
314                             InstanceDef::Item(def_id) => {
315                                 // If we encounter the lang start item, we set the visibility to
316                                 // default.
317                                 if tcx.lang_items().start_fn() == Some(def_id) {
318                                     Visibility::Default
319                                 } else if def_id.is_local() {
320                                     if tcx.is_exported_symbol(def_id) {
321                                         Visibility::Default
322                                     } else {
323                                         Visibility::Hidden
324                                     }
325                                 } else {
326                                     Visibility::Hidden
327                                 }
328                             }
329                             InstanceDef::FnPtrShim(..) |
330                             InstanceDef::Virtual(..) |
331                             InstanceDef::Intrinsic(..) |
332                             InstanceDef::ClosureOnceShim { .. } |
333                             InstanceDef::DropGlue(..) |
334                             InstanceDef::CloneShim(..) => {
335                                 Visibility::Hidden
336                             }
337                         };
338                         (Linkage::External, visibility)
339                     }
340                     MonoItem::Static(node_id) |
341                     MonoItem::GlobalAsm(node_id) => {
342                         let def_id = tcx.hir.local_def_id(node_id);
343                         let visibility = if tcx.is_exported_symbol(def_id) {
344                             Visibility::Default
345                         } else {
346                             Visibility::Hidden
347                         };
348                         (Linkage::External, visibility)
349                     }
350                 }
351             }
352         };
353         if visibility == Visibility::Hidden {
354             internalization_candidates.insert(trans_item);
355         }
356
357         codegen_unit.items_mut().insert(trans_item, (linkage, visibility));
358         roots.insert(trans_item);
359     }
360
361     // always ensure we have at least one CGU; otherwise, if we have a
362     // crate with just types (for example), we could wind up with no CGU
363     if codegen_units.is_empty() {
364         let codegen_unit_name = Symbol::intern(FALLBACK_CODEGEN_UNIT).as_str();
365         codegen_units.insert(codegen_unit_name.clone(),
366                              CodegenUnit::new(codegen_unit_name.clone()));
367     }
368
369     PreInliningPartitioning {
370         codegen_units: codegen_units.into_iter()
371                                     .map(|(_, codegen_unit)| codegen_unit)
372                                     .collect(),
373         roots,
374         internalization_candidates,
375     }
376 }
377
378 fn merge_codegen_units<'tcx>(initial_partitioning: &mut PreInliningPartitioning<'tcx>,
379                              target_cgu_count: usize,
380                              crate_name: &str) {
381     assert!(target_cgu_count >= 1);
382     let codegen_units = &mut initial_partitioning.codegen_units;
383
384     // Note that at this point in time the `codegen_units` here may not be in a
385     // deterministic order (but we know they're deterministically the same set).
386     // We want this merging to produce a deterministic ordering of codegen units
387     // from the input.
388     //
389     // Due to basically how we've implemented the merging below (merge the two
390     // smallest into each other) we're sure to start off with a deterministic
391     // order (sorted by name). This'll mean that if two cgus have the same size
392     // the stable sort below will keep everything nice and deterministic.
393     codegen_units.sort_by_key(|cgu| cgu.name().clone());
394
395     // Merge the two smallest codegen units until the target size is reached.
396     // Note that "size" is estimated here rather inaccurately as the number of
397     // translation items in a given unit. This could be improved on.
398     while codegen_units.len() > target_cgu_count {
399         // Sort small cgus to the back
400         codegen_units.sort_by_key(|cgu| -(cgu.items().len() as i64));
401         let mut smallest = codegen_units.pop().unwrap();
402         let second_smallest = codegen_units.last_mut().unwrap();
403
404         for (k, v) in smallest.items_mut().drain() {
405             second_smallest.items_mut().insert(k, v);
406         }
407     }
408
409     for (index, cgu) in codegen_units.iter_mut().enumerate() {
410         cgu.set_name(numbered_codegen_unit_name(crate_name, index));
411     }
412 }
413
414 fn place_inlined_translation_items<'tcx>(initial_partitioning: PreInliningPartitioning<'tcx>,
415                                          inlining_map: &InliningMap<'tcx>)
416                                          -> PostInliningPartitioning<'tcx> {
417     let mut new_partitioning = Vec::new();
418     let mut trans_item_placements = FxHashMap();
419
420     let PreInliningPartitioning {
421         codegen_units: initial_cgus,
422         roots,
423         internalization_candidates,
424     } = initial_partitioning;
425
426     let single_codegen_unit = initial_cgus.len() == 1;
427
428     for old_codegen_unit in initial_cgus {
429         // Collect all items that need to be available in this codegen unit
430         let mut reachable = FxHashSet();
431         for root in old_codegen_unit.items().keys() {
432             follow_inlining(*root, inlining_map, &mut reachable);
433         }
434
435         let mut new_codegen_unit = CodegenUnit::new(old_codegen_unit.name().clone());
436
437         // Add all translation items that are not already there
438         for trans_item in reachable {
439             if let Some(linkage) = old_codegen_unit.items().get(&trans_item) {
440                 // This is a root, just copy it over
441                 new_codegen_unit.items_mut().insert(trans_item, *linkage);
442             } else {
443                 if roots.contains(&trans_item) {
444                     bug!("GloballyShared trans-item inlined into other CGU: \
445                           {:?}", trans_item);
446                 }
447
448                 // This is a cgu-private copy
449                 new_codegen_unit.items_mut().insert(
450                     trans_item,
451                     (Linkage::Internal, Visibility::Default),
452                 );
453             }
454
455             if !single_codegen_unit {
456                 // If there is more than one codegen unit, we need to keep track
457                 // in which codegen units each translation item is placed:
458                 match trans_item_placements.entry(trans_item) {
459                     Entry::Occupied(e) => {
460                         let placement = e.into_mut();
461                         debug_assert!(match *placement {
462                             TransItemPlacement::SingleCgu { ref cgu_name } => {
463                                 *cgu_name != *new_codegen_unit.name()
464                             }
465                             TransItemPlacement::MultipleCgus => true,
466                         });
467                         *placement = TransItemPlacement::MultipleCgus;
468                     }
469                     Entry::Vacant(e) => {
470                         e.insert(TransItemPlacement::SingleCgu {
471                             cgu_name: new_codegen_unit.name().clone()
472                         });
473                     }
474                 }
475             }
476         }
477
478         new_partitioning.push(new_codegen_unit);
479     }
480
481     return PostInliningPartitioning {
482         codegen_units: new_partitioning,
483         trans_item_placements,
484         internalization_candidates,
485     };
486
487     fn follow_inlining<'tcx>(trans_item: MonoItem<'tcx>,
488                              inlining_map: &InliningMap<'tcx>,
489                              visited: &mut FxHashSet<MonoItem<'tcx>>) {
490         if !visited.insert(trans_item) {
491             return;
492         }
493
494         inlining_map.with_inlining_candidates(trans_item, |target| {
495             follow_inlining(target, inlining_map, visited);
496         });
497     }
498 }
499
500 fn internalize_symbols<'a, 'tcx>(_tcx: TyCtxt<'a, 'tcx, 'tcx>,
501                                  partitioning: &mut PostInliningPartitioning<'tcx>,
502                                  inlining_map: &InliningMap<'tcx>) {
503     if partitioning.codegen_units.len() == 1 {
504         // Fast path for when there is only one codegen unit. In this case we
505         // can internalize all candidates, since there is nowhere else they
506         // could be accessed from.
507         for cgu in &mut partitioning.codegen_units {
508             for candidate in &partitioning.internalization_candidates {
509                 cgu.items_mut().insert(*candidate,
510                                        (Linkage::Internal, Visibility::Default));
511             }
512         }
513
514         return;
515     }
516
517     // Build a map from every translation item to all the translation items that
518     // reference it.
519     let mut accessor_map: FxHashMap<MonoItem<'tcx>, Vec<MonoItem<'tcx>>> = FxHashMap();
520     inlining_map.iter_accesses(|accessor, accessees| {
521         for accessee in accessees {
522             accessor_map.entry(*accessee)
523                         .or_insert(Vec::new())
524                         .push(accessor);
525         }
526     });
527
528     let trans_item_placements = &partitioning.trans_item_placements;
529
530     // For each internalization candidates in each codegen unit, check if it is
531     // accessed from outside its defining codegen unit.
532     for cgu in &mut partitioning.codegen_units {
533         let home_cgu = TransItemPlacement::SingleCgu {
534             cgu_name: cgu.name().clone()
535         };
536
537         for (accessee, linkage_and_visibility) in cgu.items_mut() {
538             if !partitioning.internalization_candidates.contains(accessee) {
539                 // This item is no candidate for internalizing, so skip it.
540                 continue
541             }
542             debug_assert_eq!(trans_item_placements[accessee], home_cgu);
543
544             if let Some(accessors) = accessor_map.get(accessee) {
545                 if accessors.iter()
546                             .filter_map(|accessor| {
547                                 // Some accessors might not have been
548                                 // instantiated. We can safely ignore those.
549                                 trans_item_placements.get(accessor)
550                             })
551                             .any(|placement| *placement != home_cgu) {
552                     // Found an accessor from another CGU, so skip to the next
553                     // item without marking this one as internal.
554                     continue
555                 }
556             }
557
558             // If we got here, we did not find any accesses from other CGUs,
559             // so it's fine to make this translation item internal.
560             *linkage_and_visibility = (Linkage::Internal, Visibility::Default);
561         }
562     }
563 }
564
565 fn characteristic_def_id_of_trans_item<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
566                                                  trans_item: MonoItem<'tcx>)
567                                                  -> Option<DefId> {
568     match trans_item {
569         MonoItem::Fn(instance) => {
570             let def_id = match instance.def {
571                 ty::InstanceDef::Item(def_id) => def_id,
572                 ty::InstanceDef::FnPtrShim(..) |
573                 ty::InstanceDef::ClosureOnceShim { .. } |
574                 ty::InstanceDef::Intrinsic(..) |
575                 ty::InstanceDef::DropGlue(..) |
576                 ty::InstanceDef::Virtual(..) |
577                 ty::InstanceDef::CloneShim(..) => return None
578             };
579
580             // If this is a method, we want to put it into the same module as
581             // its self-type. If the self-type does not provide a characteristic
582             // DefId, we use the location of the impl after all.
583
584             if tcx.trait_of_item(def_id).is_some() {
585                 let self_ty = instance.substs.type_at(0);
586                 // This is an implementation of a trait method.
587                 return characteristic_def_id_of_type(self_ty).or(Some(def_id));
588             }
589
590             if let Some(impl_def_id) = tcx.impl_of_method(def_id) {
591                 // This is a method within an inherent impl, find out what the
592                 // self-type is:
593                 let impl_self_ty = tcx.trans_impl_self_ty(impl_def_id, instance.substs);
594                 if let Some(def_id) = characteristic_def_id_of_type(impl_self_ty) {
595                     return Some(def_id);
596                 }
597             }
598
599             Some(def_id)
600         }
601         MonoItem::Static(node_id) |
602         MonoItem::GlobalAsm(node_id) => Some(tcx.hir.local_def_id(node_id)),
603     }
604 }
605
606 fn compute_codegen_unit_name<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
607                                        def_id: DefId,
608                                        volatile: bool)
609                                        -> InternedString {
610     // Unfortunately we cannot just use the `ty::item_path` infrastructure here
611     // because we need paths to modules and the DefIds of those are not
612     // available anymore for external items.
613     let mut mod_path = String::with_capacity(64);
614
615     let def_path = tcx.def_path(def_id);
616     mod_path.push_str(&tcx.crate_name(def_path.krate).as_str());
617
618     for part in tcx.def_path(def_id)
619                    .data
620                    .iter()
621                    .take_while(|part| {
622                         match part.data {
623                             DefPathData::Module(..) => true,
624                             _ => false,
625                         }
626                     }) {
627         mod_path.push_str("-");
628         mod_path.push_str(&part.data.as_interned_str());
629     }
630
631     if volatile {
632         mod_path.push_str(".volatile");
633     }
634
635     return Symbol::intern(&mod_path[..]).as_str();
636 }
637
638 fn numbered_codegen_unit_name(crate_name: &str, index: usize) -> InternedString {
639     Symbol::intern(&format!("{}{}", crate_name, index)).as_str()
640 }
641
642 fn debug_dump<'a, 'b, 'tcx, I>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
643                                label: &str,
644                                cgus: I)
645     where I: Iterator<Item=&'b CodegenUnit<'tcx>>,
646           'tcx: 'a + 'b
647 {
648     if cfg!(debug_assertions) {
649         debug!("{}", label);
650         for cgu in cgus {
651             debug!("CodegenUnit {}:", cgu.name());
652
653             for (trans_item, linkage) in cgu.items() {
654                 let symbol_name = trans_item.symbol_name(tcx);
655                 let symbol_hash_start = symbol_name.rfind('h');
656                 let symbol_hash = symbol_hash_start.map(|i| &symbol_name[i ..])
657                                                    .unwrap_or("<no hash>");
658
659                 debug!(" - {} [{:?}] [{}]",
660                        trans_item.to_string(tcx),
661                        linkage,
662                        symbol_hash);
663             }
664
665             debug!("");
666         }
667     }
668 }