]> git.lizzy.rs Git - rust.git/blob - src/librustc_metadata/encoder.rs
rustc: always include elidable lifetimes in HIR types.
[rust.git] / src / librustc_metadata / encoder.rs
1 // Copyright 2012-2015 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 use cstore;
12 use index::Index;
13 use schema::*;
14
15 use rustc::middle::cstore::{LinkMeta, LinkagePreference, NativeLibrary};
16 use rustc::hir::def;
17 use rustc::hir::def_id::{CrateNum, CRATE_DEF_INDEX, DefIndex, DefId};
18 use rustc::hir::map::definitions::DefPathTable;
19 use rustc::middle::dependency_format::Linkage;
20 use rustc::middle::lang_items;
21 use rustc::mir;
22 use rustc::traits::specialization_graph;
23 use rustc::ty::{self, Ty, TyCtxt};
24
25 use rustc::session::config::{self, CrateTypeProcMacro};
26 use rustc::util::nodemap::{FxHashMap, NodeSet};
27
28 use rustc_serialize::{Encodable, Encoder, SpecializedEncoder, opaque};
29 use std::hash::Hash;
30 use std::intrinsics;
31 use std::io::prelude::*;
32 use std::io::Cursor;
33 use std::rc::Rc;
34 use std::u32;
35 use syntax::ast::{self, CRATE_NODE_ID};
36 use syntax::codemap::Spanned;
37 use syntax::attr;
38 use syntax::symbol::Symbol;
39 use syntax_pos;
40
41 use rustc::hir::{self, PatKind};
42 use rustc::hir::itemlikevisit::ItemLikeVisitor;
43 use rustc::hir::intravisit::{Visitor, NestedVisitorMap};
44 use rustc::hir::intravisit;
45
46 use rustc_i128::{u128, i128};
47
48 use super::index_builder::{FromId, IndexBuilder, Untracked};
49
50 pub struct EncodeContext<'a, 'tcx: 'a> {
51     opaque: opaque::Encoder<'a>,
52     pub tcx: TyCtxt<'a, 'tcx, 'tcx>,
53     reexports: &'a def::ExportMap,
54     link_meta: &'a LinkMeta,
55     cstore: &'a cstore::CStore,
56     exported_symbols: &'a NodeSet,
57
58     lazy_state: LazyState,
59     type_shorthands: FxHashMap<Ty<'tcx>, usize>,
60     predicate_shorthands: FxHashMap<ty::Predicate<'tcx>, usize>,
61 }
62
63 macro_rules! encoder_methods {
64     ($($name:ident($ty:ty);)*) => {
65         $(fn $name(&mut self, value: $ty) -> Result<(), Self::Error> {
66             self.opaque.$name(value)
67         })*
68     }
69 }
70
71 impl<'a, 'tcx> Encoder for EncodeContext<'a, 'tcx> {
72     type Error = <opaque::Encoder<'a> as Encoder>::Error;
73
74     fn emit_nil(&mut self) -> Result<(), Self::Error> {
75         Ok(())
76     }
77
78     encoder_methods! {
79         emit_usize(usize);
80         emit_u128(u128);
81         emit_u64(u64);
82         emit_u32(u32);
83         emit_u16(u16);
84         emit_u8(u8);
85
86         emit_isize(isize);
87         emit_i128(i128);
88         emit_i64(i64);
89         emit_i32(i32);
90         emit_i16(i16);
91         emit_i8(i8);
92
93         emit_bool(bool);
94         emit_f64(f64);
95         emit_f32(f32);
96         emit_char(char);
97         emit_str(&str);
98     }
99 }
100
101 impl<'a, 'tcx, T> SpecializedEncoder<Lazy<T>> for EncodeContext<'a, 'tcx> {
102     fn specialized_encode(&mut self, lazy: &Lazy<T>) -> Result<(), Self::Error> {
103         self.emit_lazy_distance(lazy.position, Lazy::<T>::min_size())
104     }
105 }
106
107 impl<'a, 'tcx, T> SpecializedEncoder<LazySeq<T>> for EncodeContext<'a, 'tcx> {
108     fn specialized_encode(&mut self, seq: &LazySeq<T>) -> Result<(), Self::Error> {
109         self.emit_usize(seq.len)?;
110         if seq.len == 0 {
111             return Ok(());
112         }
113         self.emit_lazy_distance(seq.position, LazySeq::<T>::min_size(seq.len))
114     }
115 }
116
117 impl<'a, 'tcx> SpecializedEncoder<Ty<'tcx>> for EncodeContext<'a, 'tcx> {
118     fn specialized_encode(&mut self, ty: &Ty<'tcx>) -> Result<(), Self::Error> {
119         self.encode_with_shorthand(ty, &ty.sty, |ecx| &mut ecx.type_shorthands)
120     }
121 }
122
123 impl<'a, 'tcx> SpecializedEncoder<ty::GenericPredicates<'tcx>> for EncodeContext<'a, 'tcx> {
124     fn specialized_encode(&mut self,
125                           predicates: &ty::GenericPredicates<'tcx>)
126                           -> Result<(), Self::Error> {
127         predicates.parent.encode(self)?;
128         predicates.predicates.len().encode(self)?;
129         for predicate in &predicates.predicates {
130             self.encode_with_shorthand(predicate, predicate, |ecx| &mut ecx.predicate_shorthands)?
131         }
132         Ok(())
133     }
134 }
135
136 impl<'a, 'tcx> EncodeContext<'a, 'tcx> {
137     pub fn position(&self) -> usize {
138         self.opaque.position()
139     }
140
141     fn emit_node<F: FnOnce(&mut Self, usize) -> R, R>(&mut self, f: F) -> R {
142         assert_eq!(self.lazy_state, LazyState::NoNode);
143         let pos = self.position();
144         self.lazy_state = LazyState::NodeStart(pos);
145         let r = f(self, pos);
146         self.lazy_state = LazyState::NoNode;
147         r
148     }
149
150     fn emit_lazy_distance(&mut self,
151                           position: usize,
152                           min_size: usize)
153                           -> Result<(), <Self as Encoder>::Error> {
154         let min_end = position + min_size;
155         let distance = match self.lazy_state {
156             LazyState::NoNode => bug!("emit_lazy_distance: outside of a metadata node"),
157             LazyState::NodeStart(start) => {
158                 assert!(min_end <= start);
159                 start - min_end
160             }
161             LazyState::Previous(last_min_end) => {
162                 assert!(last_min_end <= position);
163                 position - last_min_end
164             }
165         };
166         self.lazy_state = LazyState::Previous(min_end);
167         self.emit_usize(distance)
168     }
169
170     pub fn lazy<T: Encodable>(&mut self, value: &T) -> Lazy<T> {
171         self.emit_node(|ecx, pos| {
172             value.encode(ecx).unwrap();
173
174             assert!(pos + Lazy::<T>::min_size() <= ecx.position());
175             Lazy::with_position(pos)
176         })
177     }
178
179     fn lazy_seq<I, T>(&mut self, iter: I) -> LazySeq<T>
180         where I: IntoIterator<Item = T>,
181               T: Encodable
182     {
183         self.emit_node(|ecx, pos| {
184             let len = iter.into_iter().map(|value| value.encode(ecx).unwrap()).count();
185
186             assert!(pos + LazySeq::<T>::min_size(len) <= ecx.position());
187             LazySeq::with_position_and_length(pos, len)
188         })
189     }
190
191     fn lazy_seq_ref<'b, I, T>(&mut self, iter: I) -> LazySeq<T>
192         where I: IntoIterator<Item = &'b T>,
193               T: 'b + Encodable
194     {
195         self.emit_node(|ecx, pos| {
196             let len = iter.into_iter().map(|value| value.encode(ecx).unwrap()).count();
197
198             assert!(pos + LazySeq::<T>::min_size(len) <= ecx.position());
199             LazySeq::with_position_and_length(pos, len)
200         })
201     }
202
203     /// Encode the given value or a previously cached shorthand.
204     fn encode_with_shorthand<T, U, M>(&mut self,
205                                       value: &T,
206                                       variant: &U,
207                                       map: M)
208                                       -> Result<(), <Self as Encoder>::Error>
209         where M: for<'b> Fn(&'b mut Self) -> &'b mut FxHashMap<T, usize>,
210               T: Clone + Eq + Hash,
211               U: Encodable
212     {
213         let existing_shorthand = map(self).get(value).cloned();
214         if let Some(shorthand) = existing_shorthand {
215             return self.emit_usize(shorthand);
216         }
217
218         let start = self.position();
219         variant.encode(self)?;
220         let len = self.position() - start;
221
222         // The shorthand encoding uses the same usize as the
223         // discriminant, with an offset so they can't conflict.
224         let discriminant = unsafe { intrinsics::discriminant_value(variant) };
225         assert!(discriminant < SHORTHAND_OFFSET as u64);
226         let shorthand = start + SHORTHAND_OFFSET;
227
228         // Get the number of bits that leb128 could fit
229         // in the same space as the fully encoded type.
230         let leb128_bits = len * 7;
231
232         // Check that the shorthand is a not longer than the
233         // full encoding itself, i.e. it's an obvious win.
234         if leb128_bits >= 64 || (shorthand as u64) < (1 << leb128_bits) {
235             map(self).insert(value.clone(), shorthand);
236         }
237
238         Ok(())
239     }
240
241     fn encode_item_variances(&mut self, def_id: DefId) -> LazySeq<ty::Variance> {
242         let tcx = self.tcx;
243         self.lazy_seq(tcx.item_variances(def_id).iter().cloned())
244     }
245
246     fn encode_item_type(&mut self, def_id: DefId) -> Lazy<Ty<'tcx>> {
247         let tcx = self.tcx;
248         self.lazy(&tcx.item_type(def_id))
249     }
250
251     /// Encode data for the given variant of the given ADT. The
252     /// index of the variant is untracked: this is ok because we
253     /// will have to lookup the adt-def by its id, and that gives us
254     /// the right to access any information in the adt-def (including,
255     /// e.g., the length of the various vectors).
256     fn encode_enum_variant_info(&mut self,
257                                 (enum_did, Untracked(index)): (DefId, Untracked<usize>))
258                                 -> Entry<'tcx> {
259         let tcx = self.tcx;
260         let def = tcx.lookup_adt_def(enum_did);
261         let variant = &def.variants[index];
262         let def_id = variant.did;
263
264         let data = VariantData {
265             ctor_kind: variant.ctor_kind,
266             disr: variant.disr_val.to_u128_unchecked(),
267             struct_ctor: None,
268         };
269
270         let enum_id = tcx.hir.as_local_node_id(enum_did).unwrap();
271         let enum_vis = &tcx.hir.expect_item(enum_id).vis;
272
273         Entry {
274             kind: EntryKind::Variant(self.lazy(&data)),
275             visibility: self.lazy(&ty::Visibility::from_hir(enum_vis, enum_id, tcx)),
276             span: self.lazy(&tcx.def_span(def_id)),
277             attributes: self.encode_attributes(&tcx.get_attrs(def_id)),
278             children: self.lazy_seq(variant.fields.iter().map(|f| {
279                 assert!(f.did.is_local());
280                 f.did.index
281             })),
282             stability: self.encode_stability(def_id),
283             deprecation: self.encode_deprecation(def_id),
284
285             ty: Some(self.encode_item_type(def_id)),
286             inherent_impls: LazySeq::empty(),
287             variances: LazySeq::empty(),
288             generics: Some(self.encode_generics(def_id)),
289             predicates: Some(self.encode_predicates(def_id)),
290
291             ast: None,
292             mir: None,
293         }
294     }
295
296     fn encode_info_for_mod(&mut self,
297                            FromId(id, (md, attrs, vis)): FromId<(&hir::Mod,
298                                                                  &[ast::Attribute],
299                                                                  &hir::Visibility)>)
300                            -> Entry<'tcx> {
301         let tcx = self.tcx;
302         let def_id = tcx.hir.local_def_id(id);
303
304         let data = ModData {
305             reexports: match self.reexports.get(&id) {
306                 Some(exports) if *vis == hir::Public => self.lazy_seq_ref(exports),
307                 _ => LazySeq::empty(),
308             },
309         };
310
311         Entry {
312             kind: EntryKind::Mod(self.lazy(&data)),
313             visibility: self.lazy(&ty::Visibility::from_hir(vis, id, tcx)),
314             span: self.lazy(&md.inner),
315             attributes: self.encode_attributes(attrs),
316             children: self.lazy_seq(md.item_ids.iter().map(|item_id| {
317                 tcx.hir.local_def_id(item_id.id).index
318             })),
319             stability: self.encode_stability(def_id),
320             deprecation: self.encode_deprecation(def_id),
321
322             ty: None,
323             inherent_impls: LazySeq::empty(),
324             variances: LazySeq::empty(),
325             generics: None,
326             predicates: None,
327
328             ast: None,
329             mir: None
330         }
331     }
332 }
333
334 impl<'a, 'b, 'tcx> IndexBuilder<'a, 'b, 'tcx> {
335     fn encode_fields(&mut self, adt_def_id: DefId) {
336         let def = self.tcx.lookup_adt_def(adt_def_id);
337         for (variant_index, variant) in def.variants.iter().enumerate() {
338             for (field_index, field) in variant.fields.iter().enumerate() {
339                 self.record(field.did,
340                             EncodeContext::encode_field,
341                             (adt_def_id, Untracked((variant_index, field_index))));
342             }
343         }
344     }
345 }
346
347 impl<'a, 'tcx> EncodeContext<'a, 'tcx> {
348     /// Encode data for the given field of the given variant of the
349     /// given ADT. The indices of the variant/field are untracked:
350     /// this is ok because we will have to lookup the adt-def by its
351     /// id, and that gives us the right to access any information in
352     /// the adt-def (including, e.g., the length of the various
353     /// vectors).
354     fn encode_field(&mut self,
355                     (adt_def_id, Untracked((variant_index, field_index))): (DefId,
356                                                                             Untracked<(usize,
357                                                                                        usize)>))
358                     -> Entry<'tcx> {
359         let tcx = self.tcx;
360         let variant = &tcx.lookup_adt_def(adt_def_id).variants[variant_index];
361         let field = &variant.fields[field_index];
362
363         let def_id = field.did;
364         let variant_id = tcx.hir.as_local_node_id(variant.did).unwrap();
365         let variant_data = tcx.hir.expect_variant_data(variant_id);
366
367         Entry {
368             kind: EntryKind::Field,
369             visibility: self.lazy(&field.vis),
370             span: self.lazy(&tcx.def_span(def_id)),
371             attributes: self.encode_attributes(&variant_data.fields()[field_index].attrs),
372             children: LazySeq::empty(),
373             stability: self.encode_stability(def_id),
374             deprecation: self.encode_deprecation(def_id),
375
376             ty: Some(self.encode_item_type(def_id)),
377             inherent_impls: LazySeq::empty(),
378             variances: LazySeq::empty(),
379             generics: Some(self.encode_generics(def_id)),
380             predicates: Some(self.encode_predicates(def_id)),
381
382             ast: None,
383             mir: None,
384         }
385     }
386
387     fn encode_struct_ctor(&mut self, (adt_def_id, def_id): (DefId, DefId)) -> Entry<'tcx> {
388         let tcx = self.tcx;
389         let variant = tcx.lookup_adt_def(adt_def_id).struct_variant();
390
391         let data = VariantData {
392             ctor_kind: variant.ctor_kind,
393             disr: variant.disr_val.to_u128_unchecked(),
394             struct_ctor: Some(def_id.index),
395         };
396
397         let struct_id = tcx.hir.as_local_node_id(adt_def_id).unwrap();
398         let struct_vis = &tcx.hir.expect_item(struct_id).vis;
399
400         Entry {
401             kind: EntryKind::Struct(self.lazy(&data)),
402             visibility: self.lazy(&ty::Visibility::from_hir(struct_vis, struct_id, tcx)),
403             span: self.lazy(&tcx.def_span(def_id)),
404             attributes: LazySeq::empty(),
405             children: LazySeq::empty(),
406             stability: self.encode_stability(def_id),
407             deprecation: self.encode_deprecation(def_id),
408
409             ty: Some(self.encode_item_type(def_id)),
410             inherent_impls: LazySeq::empty(),
411             variances: LazySeq::empty(),
412             generics: Some(self.encode_generics(def_id)),
413             predicates: Some(self.encode_predicates(def_id)),
414
415             ast: None,
416             mir: None,
417         }
418     }
419
420     fn encode_generics(&mut self, def_id: DefId) -> Lazy<Generics<'tcx>> {
421         let tcx = self.tcx;
422         let g = tcx.item_generics(def_id);
423         let regions = self.lazy_seq_ref(&g.regions);
424         let types = self.lazy_seq_ref(&g.types);
425         self.lazy(&Generics {
426             parent: g.parent,
427             parent_regions: g.parent_regions,
428             parent_types: g.parent_types,
429             regions: regions,
430             types: types,
431             has_self: g.has_self,
432         })
433     }
434
435     fn encode_predicates(&mut self, def_id: DefId) -> Lazy<ty::GenericPredicates<'tcx>> {
436         let tcx = self.tcx;
437         self.lazy(&tcx.item_predicates(def_id))
438     }
439
440     fn encode_info_for_trait_item(&mut self, def_id: DefId) -> Entry<'tcx> {
441         let tcx = self.tcx;
442
443         let node_id = tcx.hir.as_local_node_id(def_id).unwrap();
444         let ast_item = tcx.hir.expect_trait_item(node_id);
445         let trait_item = tcx.associated_item(def_id);
446
447         let container = match trait_item.defaultness {
448             hir::Defaultness::Default { has_value: true } =>
449                 AssociatedContainer::TraitWithDefault,
450             hir::Defaultness::Default { has_value: false } =>
451                 AssociatedContainer::TraitRequired,
452             hir::Defaultness::Final =>
453                 span_bug!(ast_item.span, "traits cannot have final items"),
454         };
455
456         let kind = match trait_item.kind {
457             ty::AssociatedKind::Const => EntryKind::AssociatedConst(container),
458             ty::AssociatedKind::Method => {
459                 let fn_data = if let hir::TraitItemKind::Method(_, ref m) = ast_item.node {
460                     let arg_names = match *m {
461                         hir::TraitMethod::Required(ref names) => {
462                             self.encode_fn_arg_names(names)
463                         }
464                         hir::TraitMethod::Provided(body) => {
465                             self.encode_fn_arg_names_for_body(body)
466                         }
467                     };
468                     FnData {
469                         constness: hir::Constness::NotConst,
470                         arg_names: arg_names
471                     }
472                 } else {
473                     bug!()
474                 };
475                 EntryKind::Method(self.lazy(&MethodData {
476                     fn_data: fn_data,
477                     container: container,
478                     has_self: trait_item.method_has_self_argument,
479                 }))
480             }
481             ty::AssociatedKind::Type => EntryKind::AssociatedType(container),
482         };
483
484         Entry {
485             kind: kind,
486             visibility: self.lazy(&trait_item.vis),
487             span: self.lazy(&ast_item.span),
488             attributes: self.encode_attributes(&ast_item.attrs),
489             children: LazySeq::empty(),
490             stability: self.encode_stability(def_id),
491             deprecation: self.encode_deprecation(def_id),
492
493             ty: match trait_item.kind {
494                 ty::AssociatedKind::Const |
495                 ty::AssociatedKind::Method => {
496                     Some(self.encode_item_type(def_id))
497                 }
498                 ty::AssociatedKind::Type => {
499                     if trait_item.defaultness.has_value() {
500                         Some(self.encode_item_type(def_id))
501                     } else {
502                         None
503                     }
504                 }
505             },
506             inherent_impls: LazySeq::empty(),
507             variances: LazySeq::empty(),
508             generics: Some(self.encode_generics(def_id)),
509             predicates: Some(self.encode_predicates(def_id)),
510
511             ast: if let hir::TraitItemKind::Const(_, Some(body)) = ast_item.node {
512                 Some(self.encode_body(body))
513             } else {
514                 None
515             },
516             mir: self.encode_mir(def_id),
517         }
518     }
519
520     fn encode_info_for_impl_item(&mut self, def_id: DefId) -> Entry<'tcx> {
521         let node_id = self.tcx.hir.as_local_node_id(def_id).unwrap();
522         let ast_item = self.tcx.hir.expect_impl_item(node_id);
523         let impl_item = self.tcx.associated_item(def_id);
524
525         let container = match impl_item.defaultness {
526             hir::Defaultness::Default { has_value: true } => AssociatedContainer::ImplDefault,
527             hir::Defaultness::Final => AssociatedContainer::ImplFinal,
528             hir::Defaultness::Default { has_value: false } =>
529                 span_bug!(ast_item.span, "impl items always have values (currently)"),
530         };
531
532         let kind = match impl_item.kind {
533             ty::AssociatedKind::Const => EntryKind::AssociatedConst(container),
534             ty::AssociatedKind::Method => {
535                 let fn_data = if let hir::ImplItemKind::Method(ref sig, body) = ast_item.node {
536                     FnData {
537                         constness: sig.constness,
538                         arg_names: self.encode_fn_arg_names_for_body(body),
539                     }
540                 } else {
541                     bug!()
542                 };
543                 EntryKind::Method(self.lazy(&MethodData {
544                     fn_data: fn_data,
545                     container: container,
546                     has_self: impl_item.method_has_self_argument,
547                 }))
548             }
549             ty::AssociatedKind::Type => EntryKind::AssociatedType(container)
550         };
551
552         let (ast, mir) = if let hir::ImplItemKind::Const(_, body) = ast_item.node {
553             (Some(body), true)
554         } else if let hir::ImplItemKind::Method(ref sig, body) = ast_item.node {
555             let generics = self.tcx.item_generics(def_id);
556             let types = generics.parent_types as usize + generics.types.len();
557             let needs_inline = types > 0 || attr::requests_inline(&ast_item.attrs);
558             let is_const_fn = sig.constness == hir::Constness::Const;
559             let ast = if is_const_fn { Some(body) } else { None };
560             let always_encode_mir = self.tcx.sess.opts.debugging_opts.always_encode_mir;
561             (ast, needs_inline || is_const_fn || always_encode_mir)
562         } else {
563             (None, false)
564         };
565
566         Entry {
567             kind: kind,
568             visibility: self.lazy(&impl_item.vis),
569             span: self.lazy(&ast_item.span),
570             attributes: self.encode_attributes(&ast_item.attrs),
571             children: LazySeq::empty(),
572             stability: self.encode_stability(def_id),
573             deprecation: self.encode_deprecation(def_id),
574
575             ty: Some(self.encode_item_type(def_id)),
576             inherent_impls: LazySeq::empty(),
577             variances: LazySeq::empty(),
578             generics: Some(self.encode_generics(def_id)),
579             predicates: Some(self.encode_predicates(def_id)),
580
581             ast: ast.map(|body| self.encode_body(body)),
582             mir: if mir { self.encode_mir(def_id) } else { None },
583         }
584     }
585
586     fn encode_fn_arg_names_for_body(&mut self, body_id: hir::BodyId)
587                                     -> LazySeq<ast::Name> {
588         let _ignore = self.tcx.dep_graph.in_ignore();
589         let body = self.tcx.hir.body(body_id);
590         self.lazy_seq(body.arguments.iter().map(|arg| {
591             match arg.pat.node {
592                 PatKind::Binding(_, _, name, _) => name.node,
593                 _ => Symbol::intern("")
594             }
595         }))
596     }
597
598     fn encode_fn_arg_names(&mut self, names: &[Spanned<ast::Name>])
599                            -> LazySeq<ast::Name> {
600         self.lazy_seq(names.iter().map(|name| name.node))
601     }
602
603     fn encode_mir(&mut self, def_id: DefId) -> Option<Lazy<mir::Mir<'tcx>>> {
604         self.tcx.mir_map.borrow().get(&def_id).map(|mir| self.lazy(&*mir.borrow()))
605     }
606
607     // Encodes the inherent implementations of a structure, enumeration, or trait.
608     fn encode_inherent_implementations(&mut self, def_id: DefId) -> LazySeq<DefIndex> {
609         match self.tcx.inherent_impls.borrow().get(&def_id) {
610             None => LazySeq::empty(),
611             Some(implementations) => {
612                 self.lazy_seq(implementations.iter().map(|&def_id| {
613                     assert!(def_id.is_local());
614                     def_id.index
615                 }))
616             }
617         }
618     }
619
620     fn encode_stability(&mut self, def_id: DefId) -> Option<Lazy<attr::Stability>> {
621         self.tcx.lookup_stability(def_id).map(|stab| self.lazy(stab))
622     }
623
624     fn encode_deprecation(&mut self, def_id: DefId) -> Option<Lazy<attr::Deprecation>> {
625         self.tcx.lookup_deprecation(def_id).map(|depr| self.lazy(&depr))
626     }
627
628     fn encode_info_for_item(&mut self, (def_id, item): (DefId, &'tcx hir::Item)) -> Entry<'tcx> {
629         let tcx = self.tcx;
630
631         debug!("encoding info for item at {}",
632                tcx.sess.codemap().span_to_string(item.span));
633
634         let kind = match item.node {
635             hir::ItemStatic(_, hir::MutMutable, _) => EntryKind::MutStatic,
636             hir::ItemStatic(_, hir::MutImmutable, _) => EntryKind::ImmStatic,
637             hir::ItemConst(..) => EntryKind::Const,
638             hir::ItemFn(_, _, constness, .., body) => {
639                 let data = FnData {
640                     constness: constness,
641                     arg_names: self.encode_fn_arg_names_for_body(body),
642                 };
643
644                 EntryKind::Fn(self.lazy(&data))
645             }
646             hir::ItemMod(ref m) => {
647                 return self.encode_info_for_mod(FromId(item.id, (m, &item.attrs, &item.vis)));
648             }
649             hir::ItemForeignMod(_) => EntryKind::ForeignMod,
650             hir::ItemTy(..) => EntryKind::Type,
651             hir::ItemEnum(..) => EntryKind::Enum,
652             hir::ItemStruct(ref struct_def, _) => {
653                 let variant = tcx.lookup_adt_def(def_id).struct_variant();
654
655                 // Encode def_ids for each field and method
656                 // for methods, write all the stuff get_trait_method
657                 // needs to know
658                 let struct_ctor = if !struct_def.is_struct() {
659                     Some(tcx.hir.local_def_id(struct_def.id()).index)
660                 } else {
661                     None
662                 };
663                 EntryKind::Struct(self.lazy(&VariantData {
664                     ctor_kind: variant.ctor_kind,
665                     disr: variant.disr_val.to_u128_unchecked(),
666                     struct_ctor: struct_ctor,
667                 }))
668             }
669             hir::ItemUnion(..) => {
670                 let variant = tcx.lookup_adt_def(def_id).struct_variant();
671
672                 EntryKind::Union(self.lazy(&VariantData {
673                     ctor_kind: variant.ctor_kind,
674                     disr: variant.disr_val.to_u128_unchecked(),
675                     struct_ctor: None,
676                 }))
677             }
678             hir::ItemDefaultImpl(..) => {
679                 let data = ImplData {
680                     polarity: hir::ImplPolarity::Positive,
681                     parent_impl: None,
682                     coerce_unsized_kind: None,
683                     trait_ref: tcx.impl_trait_ref(def_id).map(|trait_ref| self.lazy(&trait_ref)),
684                 };
685
686                 EntryKind::DefaultImpl(self.lazy(&data))
687             }
688             hir::ItemImpl(_, polarity, ..) => {
689                 let trait_ref = tcx.impl_trait_ref(def_id);
690                 let parent = if let Some(trait_ref) = trait_ref {
691                     let trait_def = tcx.lookup_trait_def(trait_ref.def_id);
692                     trait_def.ancestors(def_id).skip(1).next().and_then(|node| {
693                         match node {
694                             specialization_graph::Node::Impl(parent) => Some(parent),
695                             _ => None,
696                         }
697                     })
698                 } else {
699                     None
700                 };
701
702                 let data = ImplData {
703                     polarity: polarity,
704                     parent_impl: parent,
705                     coerce_unsized_kind: tcx.custom_coerce_unsized_kinds
706                         .borrow()
707                         .get(&def_id)
708                         .cloned(),
709                     trait_ref: trait_ref.map(|trait_ref| self.lazy(&trait_ref)),
710                 };
711
712                 EntryKind::Impl(self.lazy(&data))
713             }
714             hir::ItemTrait(..) => {
715                 let trait_def = tcx.lookup_trait_def(def_id);
716                 let data = TraitData {
717                     unsafety: trait_def.unsafety,
718                     paren_sugar: trait_def.paren_sugar,
719                     has_default_impl: tcx.trait_has_default_impl(def_id),
720                     super_predicates: self.lazy(&tcx.item_super_predicates(def_id)),
721                 };
722
723                 EntryKind::Trait(self.lazy(&data))
724             }
725             hir::ItemExternCrate(_) |
726             hir::ItemUse(..) => bug!("cannot encode info for item {:?}", item),
727         };
728
729         Entry {
730             kind: kind,
731             visibility: self.lazy(&ty::Visibility::from_hir(&item.vis, item.id, tcx)),
732             span: self.lazy(&item.span),
733             attributes: self.encode_attributes(&item.attrs),
734             children: match item.node {
735                 hir::ItemForeignMod(ref fm) => {
736                     self.lazy_seq(fm.items
737                         .iter()
738                         .map(|foreign_item| tcx.hir.local_def_id(foreign_item.id).index))
739                 }
740                 hir::ItemEnum(..) => {
741                     let def = self.tcx.lookup_adt_def(def_id);
742                     self.lazy_seq(def.variants.iter().map(|v| {
743                         assert!(v.did.is_local());
744                         v.did.index
745                     }))
746                 }
747                 hir::ItemStruct(..) |
748                 hir::ItemUnion(..) => {
749                     let def = self.tcx.lookup_adt_def(def_id);
750                     self.lazy_seq(def.struct_variant().fields.iter().map(|f| {
751                         assert!(f.did.is_local());
752                         f.did.index
753                     }))
754                 }
755                 hir::ItemImpl(..) |
756                 hir::ItemTrait(..) => {
757                     self.lazy_seq(tcx.associated_item_def_ids(def_id).iter().map(|&def_id| {
758                         assert!(def_id.is_local());
759                         def_id.index
760                     }))
761                 }
762                 _ => LazySeq::empty(),
763             },
764             stability: self.encode_stability(def_id),
765             deprecation: self.encode_deprecation(def_id),
766
767             ty: match item.node {
768                 hir::ItemStatic(..) |
769                 hir::ItemConst(..) |
770                 hir::ItemFn(..) |
771                 hir::ItemTy(..) |
772                 hir::ItemEnum(..) |
773                 hir::ItemStruct(..) |
774                 hir::ItemUnion(..) |
775                 hir::ItemImpl(..) => Some(self.encode_item_type(def_id)),
776                 _ => None,
777             },
778             inherent_impls: self.encode_inherent_implementations(def_id),
779             variances: match item.node {
780                 hir::ItemEnum(..) |
781                 hir::ItemStruct(..) |
782                 hir::ItemUnion(..) |
783                 hir::ItemTrait(..) => self.encode_item_variances(def_id),
784                 _ => LazySeq::empty(),
785             },
786             generics: match item.node {
787                 hir::ItemStatic(..) |
788                 hir::ItemConst(..) |
789                 hir::ItemFn(..) |
790                 hir::ItemTy(..) |
791                 hir::ItemEnum(..) |
792                 hir::ItemStruct(..) |
793                 hir::ItemUnion(..) |
794                 hir::ItemImpl(..) |
795                 hir::ItemTrait(..) => Some(self.encode_generics(def_id)),
796                 _ => None,
797             },
798             predicates: match item.node {
799                 hir::ItemStatic(..) |
800                 hir::ItemConst(..) |
801                 hir::ItemFn(..) |
802                 hir::ItemTy(..) |
803                 hir::ItemEnum(..) |
804                 hir::ItemStruct(..) |
805                 hir::ItemUnion(..) |
806                 hir::ItemImpl(..) |
807                 hir::ItemTrait(..) => Some(self.encode_predicates(def_id)),
808                 _ => None,
809             },
810
811             ast: match item.node {
812                 hir::ItemConst(_, body) |
813                 hir::ItemFn(_, _, hir::Constness::Const, _, _, body) => {
814                     Some(self.encode_body(body))
815                 }
816                 _ => None,
817             },
818             mir: match item.node {
819                 hir::ItemStatic(..) if self.tcx.sess.opts.debugging_opts.always_encode_mir => {
820                     self.encode_mir(def_id)
821                 }
822                 hir::ItemConst(..) => self.encode_mir(def_id),
823                 hir::ItemFn(_, _, constness, _, ref generics, _) => {
824                     let tps_len = generics.ty_params.len();
825                     let needs_inline = tps_len > 0 || attr::requests_inline(&item.attrs);
826                     let always_encode_mir = self.tcx.sess.opts.debugging_opts.always_encode_mir;
827                     if needs_inline || constness == hir::Constness::Const || always_encode_mir {
828                         self.encode_mir(def_id)
829                     } else {
830                         None
831                     }
832                 }
833                 _ => None,
834             },
835         }
836     }
837
838     /// Serialize the text of exported macros
839     fn encode_info_for_macro_def(&mut self, macro_def: &hir::MacroDef) -> Entry<'tcx> {
840         Entry {
841             kind: EntryKind::MacroDef(self.lazy(&MacroDef {
842                 body: ::syntax::print::pprust::tts_to_string(&macro_def.body)
843             })),
844             visibility: self.lazy(&ty::Visibility::Public),
845             span: self.lazy(&macro_def.span),
846
847             attributes: self.encode_attributes(&macro_def.attrs),
848             children: LazySeq::empty(),
849             stability: None,
850             deprecation: None,
851             ty: None,
852             inherent_impls: LazySeq::empty(),
853             variances: LazySeq::empty(),
854             generics: None,
855             predicates: None,
856             ast: None,
857             mir: None,
858         }
859     }
860 }
861
862 impl<'a, 'b, 'tcx> IndexBuilder<'a, 'b, 'tcx> {
863     /// In some cases, along with the item itself, we also
864     /// encode some sub-items. Usually we want some info from the item
865     /// so it's easier to do that here then to wait until we would encounter
866     /// normally in the visitor walk.
867     fn encode_addl_info_for_item(&mut self, item: &hir::Item) {
868         let def_id = self.tcx.hir.local_def_id(item.id);
869         match item.node {
870             hir::ItemStatic(..) |
871             hir::ItemConst(..) |
872             hir::ItemFn(..) |
873             hir::ItemMod(..) |
874             hir::ItemForeignMod(..) |
875             hir::ItemExternCrate(..) |
876             hir::ItemUse(..) |
877             hir::ItemDefaultImpl(..) |
878             hir::ItemTy(..) => {
879                 // no sub-item recording needed in these cases
880             }
881             hir::ItemEnum(..) => {
882                 self.encode_fields(def_id);
883
884                 let def = self.tcx.lookup_adt_def(def_id);
885                 for (i, variant) in def.variants.iter().enumerate() {
886                     self.record(variant.did,
887                                 EncodeContext::encode_enum_variant_info,
888                                 (def_id, Untracked(i)));
889                 }
890             }
891             hir::ItemStruct(ref struct_def, _) => {
892                 self.encode_fields(def_id);
893
894                 // If the struct has a constructor, encode it.
895                 if !struct_def.is_struct() {
896                     let ctor_def_id = self.tcx.hir.local_def_id(struct_def.id());
897                     self.record(ctor_def_id,
898                                 EncodeContext::encode_struct_ctor,
899                                 (def_id, ctor_def_id));
900                 }
901             }
902             hir::ItemUnion(..) => {
903                 self.encode_fields(def_id);
904             }
905             hir::ItemImpl(..) => {
906                 for &trait_item_def_id in &self.tcx.associated_item_def_ids(def_id)[..] {
907                     self.record(trait_item_def_id,
908                                 EncodeContext::encode_info_for_impl_item,
909                                 trait_item_def_id);
910                 }
911             }
912             hir::ItemTrait(..) => {
913                 for &item_def_id in &self.tcx.associated_item_def_ids(def_id)[..] {
914                     self.record(item_def_id,
915                                 EncodeContext::encode_info_for_trait_item,
916                                 item_def_id);
917                 }
918             }
919         }
920     }
921 }
922
923 impl<'a, 'tcx> EncodeContext<'a, 'tcx> {
924     fn encode_info_for_foreign_item(&mut self,
925                                     (def_id, nitem): (DefId, &hir::ForeignItem))
926                                     -> Entry<'tcx> {
927         let tcx = self.tcx;
928
929         debug!("writing foreign item {}", tcx.node_path_str(nitem.id));
930
931         let kind = match nitem.node {
932             hir::ForeignItemFn(_, ref names, _) => {
933                 let data = FnData {
934                     constness: hir::Constness::NotConst,
935                     arg_names: self.encode_fn_arg_names(names),
936                 };
937                 EntryKind::ForeignFn(self.lazy(&data))
938             }
939             hir::ForeignItemStatic(_, true) => EntryKind::ForeignMutStatic,
940             hir::ForeignItemStatic(_, false) => EntryKind::ForeignImmStatic,
941         };
942
943         Entry {
944             kind: kind,
945             visibility: self.lazy(&ty::Visibility::from_hir(&nitem.vis, nitem.id, tcx)),
946             span: self.lazy(&nitem.span),
947             attributes: self.encode_attributes(&nitem.attrs),
948             children: LazySeq::empty(),
949             stability: self.encode_stability(def_id),
950             deprecation: self.encode_deprecation(def_id),
951
952             ty: Some(self.encode_item_type(def_id)),
953             inherent_impls: LazySeq::empty(),
954             variances: LazySeq::empty(),
955             generics: Some(self.encode_generics(def_id)),
956             predicates: Some(self.encode_predicates(def_id)),
957
958             ast: None,
959             mir: None,
960         }
961     }
962 }
963
964 struct EncodeVisitor<'a, 'b: 'a, 'tcx: 'b> {
965     index: IndexBuilder<'a, 'b, 'tcx>,
966 }
967
968 impl<'a, 'b, 'tcx> Visitor<'tcx> for EncodeVisitor<'a, 'b, 'tcx> {
969     fn nested_visit_map<'this>(&'this mut self) -> NestedVisitorMap<'this, 'tcx> {
970         NestedVisitorMap::OnlyBodies(&self.index.tcx.hir)
971     }
972     fn visit_expr(&mut self, ex: &'tcx hir::Expr) {
973         intravisit::walk_expr(self, ex);
974         self.index.encode_info_for_expr(ex);
975     }
976     fn visit_item(&mut self, item: &'tcx hir::Item) {
977         intravisit::walk_item(self, item);
978         let def_id = self.index.tcx.hir.local_def_id(item.id);
979         match item.node {
980             hir::ItemExternCrate(_) |
981             hir::ItemUse(..) => (), // ignore these
982             _ => self.index.record(def_id, EncodeContext::encode_info_for_item, (def_id, item)),
983         }
984         self.index.encode_addl_info_for_item(item);
985     }
986     fn visit_foreign_item(&mut self, ni: &'tcx hir::ForeignItem) {
987         intravisit::walk_foreign_item(self, ni);
988         let def_id = self.index.tcx.hir.local_def_id(ni.id);
989         self.index.record(def_id,
990                           EncodeContext::encode_info_for_foreign_item,
991                           (def_id, ni));
992     }
993     fn visit_ty(&mut self, ty: &'tcx hir::Ty) {
994         intravisit::walk_ty(self, ty);
995         self.index.encode_info_for_ty(ty);
996     }
997     fn visit_macro_def(&mut self, macro_def: &'tcx hir::MacroDef) {
998         let def_id = self.index.tcx.hir.local_def_id(macro_def.id);
999         self.index.record(def_id, EncodeContext::encode_info_for_macro_def, macro_def);
1000     }
1001 }
1002
1003 impl<'a, 'b, 'tcx> IndexBuilder<'a, 'b, 'tcx> {
1004     fn encode_info_for_ty(&mut self, ty: &hir::Ty) {
1005         if let hir::TyImplTrait(_) = ty.node {
1006             let def_id = self.tcx.hir.local_def_id(ty.id);
1007             self.record(def_id, EncodeContext::encode_info_for_anon_ty, def_id);
1008         }
1009     }
1010
1011     fn encode_info_for_expr(&mut self, expr: &hir::Expr) {
1012         match expr.node {
1013             hir::ExprClosure(..) => {
1014                 let def_id = self.tcx.hir.local_def_id(expr.id);
1015                 self.record(def_id, EncodeContext::encode_info_for_closure, def_id);
1016             }
1017             _ => {}
1018         }
1019     }
1020 }
1021
1022 impl<'a, 'tcx> EncodeContext<'a, 'tcx> {
1023     fn encode_info_for_anon_ty(&mut self, def_id: DefId) -> Entry<'tcx> {
1024         let tcx = self.tcx;
1025         Entry {
1026             kind: EntryKind::Type,
1027             visibility: self.lazy(&ty::Visibility::Public),
1028             span: self.lazy(&tcx.def_span(def_id)),
1029             attributes: LazySeq::empty(),
1030             children: LazySeq::empty(),
1031             stability: None,
1032             deprecation: None,
1033
1034             ty: Some(self.encode_item_type(def_id)),
1035             inherent_impls: LazySeq::empty(),
1036             variances: LazySeq::empty(),
1037             generics: Some(self.encode_generics(def_id)),
1038             predicates: Some(self.encode_predicates(def_id)),
1039
1040             ast: None,
1041             mir: None,
1042         }
1043     }
1044
1045     fn encode_info_for_closure(&mut self, def_id: DefId) -> Entry<'tcx> {
1046         let tcx = self.tcx;
1047
1048         let data = ClosureData {
1049             kind: tcx.closure_kind(def_id),
1050             ty: self.lazy(&tcx.closure_tys.borrow()[&def_id]),
1051         };
1052
1053         Entry {
1054             kind: EntryKind::Closure(self.lazy(&data)),
1055             visibility: self.lazy(&ty::Visibility::Public),
1056             span: self.lazy(&tcx.def_span(def_id)),
1057             attributes: self.encode_attributes(&tcx.get_attrs(def_id)),
1058             children: LazySeq::empty(),
1059             stability: None,
1060             deprecation: None,
1061
1062             ty: Some(self.encode_item_type(def_id)),
1063             inherent_impls: LazySeq::empty(),
1064             variances: LazySeq::empty(),
1065             generics: Some(self.encode_generics(def_id)),
1066             predicates: None,
1067
1068             ast: None,
1069             mir: self.encode_mir(def_id),
1070         }
1071     }
1072
1073     fn encode_info_for_items(&mut self) -> Index {
1074         let krate = self.tcx.hir.krate();
1075         let mut index = IndexBuilder::new(self);
1076         index.record(DefId::local(CRATE_DEF_INDEX),
1077                      EncodeContext::encode_info_for_mod,
1078                      FromId(CRATE_NODE_ID, (&krate.module, &krate.attrs, &hir::Public)));
1079         let mut visitor = EncodeVisitor { index: index };
1080         krate.visit_all_item_likes(&mut visitor.as_deep_visitor());
1081         for macro_def in &krate.exported_macros {
1082             visitor.visit_macro_def(macro_def);
1083         }
1084         visitor.index.into_items()
1085     }
1086
1087     fn encode_attributes(&mut self, attrs: &[ast::Attribute]) -> LazySeq<ast::Attribute> {
1088         self.lazy_seq_ref(attrs)
1089     }
1090
1091     fn encode_crate_deps(&mut self) -> LazySeq<CrateDep> {
1092         fn get_ordered_deps(cstore: &cstore::CStore) -> Vec<(CrateNum, Rc<cstore::CrateMetadata>)> {
1093             // Pull the cnums and name,vers,hash out of cstore
1094             let mut deps = Vec::new();
1095             cstore.iter_crate_data(|cnum, val| {
1096                 deps.push((cnum, val.clone()));
1097             });
1098
1099             // Sort by cnum
1100             deps.sort_by(|kv1, kv2| kv1.0.cmp(&kv2.0));
1101
1102             // Sanity-check the crate numbers
1103             let mut expected_cnum = 1;
1104             for &(n, _) in &deps {
1105                 assert_eq!(n, CrateNum::new(expected_cnum));
1106                 expected_cnum += 1;
1107             }
1108
1109             deps
1110         }
1111
1112         // We're just going to write a list of crate 'name-hash-version's, with
1113         // the assumption that they are numbered 1 to n.
1114         // FIXME (#2166): This is not nearly enough to support correct versioning
1115         // but is enough to get transitive crate dependencies working.
1116         let deps = get_ordered_deps(self.cstore);
1117         self.lazy_seq(deps.iter().map(|&(_, ref dep)| {
1118             CrateDep {
1119                 name: dep.name(),
1120                 hash: dep.hash(),
1121                 kind: dep.dep_kind.get(),
1122             }
1123         }))
1124     }
1125
1126     fn encode_lang_items(&mut self) -> (LazySeq<(DefIndex, usize)>, LazySeq<lang_items::LangItem>) {
1127         let tcx = self.tcx;
1128         let lang_items = tcx.lang_items.items().iter();
1129         (self.lazy_seq(lang_items.enumerate().filter_map(|(i, &opt_def_id)| {
1130             if let Some(def_id) = opt_def_id {
1131                 if def_id.is_local() {
1132                     return Some((def_id.index, i));
1133                 }
1134             }
1135             None
1136         })),
1137          self.lazy_seq_ref(&tcx.lang_items.missing))
1138     }
1139
1140     fn encode_native_libraries(&mut self) -> LazySeq<NativeLibrary> {
1141         let used_libraries = self.tcx.sess.cstore.used_libraries();
1142         self.lazy_seq(used_libraries)
1143     }
1144
1145     fn encode_codemap(&mut self) -> LazySeq<syntax_pos::FileMap> {
1146         let codemap = self.tcx.sess.codemap();
1147         let all_filemaps = codemap.files.borrow();
1148         self.lazy_seq_ref(all_filemaps.iter()
1149             .filter(|filemap| {
1150                 // No need to re-export imported filemaps, as any downstream
1151                 // crate will import them from their original source.
1152                 !filemap.is_imported()
1153             })
1154             .map(|filemap| &**filemap))
1155     }
1156
1157     fn encode_def_path_table(&mut self) -> Lazy<DefPathTable> {
1158         let definitions = self.tcx.hir.definitions();
1159         self.lazy(definitions.def_path_table())
1160     }
1161 }
1162
1163 struct ImplVisitor<'a, 'tcx: 'a> {
1164     tcx: TyCtxt<'a, 'tcx, 'tcx>,
1165     impls: FxHashMap<DefId, Vec<DefIndex>>,
1166 }
1167
1168 impl<'a, 'tcx, 'v> ItemLikeVisitor<'v> for ImplVisitor<'a, 'tcx> {
1169     fn visit_item(&mut self, item: &hir::Item) {
1170         if let hir::ItemImpl(..) = item.node {
1171             let impl_id = self.tcx.hir.local_def_id(item.id);
1172             if let Some(trait_ref) = self.tcx.impl_trait_ref(impl_id) {
1173                 self.impls
1174                     .entry(trait_ref.def_id)
1175                     .or_insert(vec![])
1176                     .push(impl_id.index);
1177             }
1178         }
1179     }
1180
1181     fn visit_trait_item(&mut self, _trait_item: &'v hir::TraitItem) {}
1182
1183     fn visit_impl_item(&mut self, _impl_item: &'v hir::ImplItem) {
1184         // handled in `visit_item` above
1185     }
1186 }
1187
1188 impl<'a, 'tcx> EncodeContext<'a, 'tcx> {
1189     /// Encodes an index, mapping each trait to its (local) implementations.
1190     fn encode_impls(&mut self) -> LazySeq<TraitImpls> {
1191         let mut visitor = ImplVisitor {
1192             tcx: self.tcx,
1193             impls: FxHashMap(),
1194         };
1195         self.tcx.hir.krate().visit_all_item_likes(&mut visitor);
1196
1197         let all_impls: Vec<_> = visitor.impls
1198             .into_iter()
1199             .map(|(trait_def_id, impls)| {
1200                 TraitImpls {
1201                     trait_id: (trait_def_id.krate.as_u32(), trait_def_id.index),
1202                     impls: self.lazy_seq(impls),
1203                 }
1204             })
1205             .collect();
1206
1207         self.lazy_seq(all_impls)
1208     }
1209
1210     // Encodes all symbols exported from this crate into the metadata.
1211     //
1212     // This pass is seeded off the reachability list calculated in the
1213     // middle::reachable module but filters out items that either don't have a
1214     // symbol associated with them (they weren't translated) or if they're an FFI
1215     // definition (as that's not defined in this crate).
1216     fn encode_exported_symbols(&mut self) -> LazySeq<DefIndex> {
1217         let exported_symbols = self.exported_symbols;
1218         let tcx = self.tcx;
1219         self.lazy_seq(exported_symbols.iter().map(|&id| tcx.hir.local_def_id(id).index))
1220     }
1221
1222     fn encode_dylib_dependency_formats(&mut self) -> LazySeq<Option<LinkagePreference>> {
1223         match self.tcx.sess.dependency_formats.borrow().get(&config::CrateTypeDylib) {
1224             Some(arr) => {
1225                 self.lazy_seq(arr.iter().map(|slot| {
1226                     match *slot {
1227                         Linkage::NotLinked |
1228                         Linkage::IncludedFromDylib => None,
1229
1230                         Linkage::Dynamic => Some(LinkagePreference::RequireDynamic),
1231                         Linkage::Static => Some(LinkagePreference::RequireStatic),
1232                     }
1233                 }))
1234             }
1235             None => LazySeq::empty(),
1236         }
1237     }
1238
1239     fn encode_crate_root(&mut self) -> Lazy<CrateRoot> {
1240         let mut i = self.position();
1241         let crate_deps = self.encode_crate_deps();
1242         let dylib_dependency_formats = self.encode_dylib_dependency_formats();
1243         let dep_bytes = self.position() - i;
1244
1245         // Encode the language items.
1246         i = self.position();
1247         let (lang_items, lang_items_missing) = self.encode_lang_items();
1248         let lang_item_bytes = self.position() - i;
1249
1250         // Encode the native libraries used
1251         i = self.position();
1252         let native_libraries = self.encode_native_libraries();
1253         let native_lib_bytes = self.position() - i;
1254
1255         // Encode codemap
1256         i = self.position();
1257         let codemap = self.encode_codemap();
1258         let codemap_bytes = self.position() - i;
1259
1260         // Encode DefPathTable
1261         i = self.position();
1262         let def_path_table = self.encode_def_path_table();
1263         let def_path_table_bytes = self.position() - i;
1264
1265         // Encode the def IDs of impls, for coherence checking.
1266         i = self.position();
1267         let impls = self.encode_impls();
1268         let impl_bytes = self.position() - i;
1269
1270         // Encode exported symbols info.
1271         i = self.position();
1272         let exported_symbols = self.encode_exported_symbols();
1273         let exported_symbols_bytes = self.position() - i;
1274
1275         // Encode and index the items.
1276         i = self.position();
1277         let items = self.encode_info_for_items();
1278         let item_bytes = self.position() - i;
1279
1280         i = self.position();
1281         let index = items.write_index(&mut self.opaque.cursor);
1282         let index_bytes = self.position() - i;
1283
1284         let tcx = self.tcx;
1285         let link_meta = self.link_meta;
1286         let is_proc_macro = tcx.sess.crate_types.borrow().contains(&CrateTypeProcMacro);
1287         let root = self.lazy(&CrateRoot {
1288             name: link_meta.crate_name,
1289             triple: tcx.sess.opts.target_triple.clone(),
1290             hash: link_meta.crate_hash,
1291             disambiguator: tcx.sess.local_crate_disambiguator(),
1292             panic_strategy: tcx.sess.panic_strategy(),
1293             plugin_registrar_fn: tcx.sess
1294                 .plugin_registrar_fn
1295                 .get()
1296                 .map(|id| tcx.hir.local_def_id(id).index),
1297             macro_derive_registrar: if is_proc_macro {
1298                 let id = tcx.sess.derive_registrar_fn.get().unwrap();
1299                 Some(tcx.hir.local_def_id(id).index)
1300             } else {
1301                 None
1302             },
1303
1304             crate_deps: crate_deps,
1305             dylib_dependency_formats: dylib_dependency_formats,
1306             lang_items: lang_items,
1307             lang_items_missing: lang_items_missing,
1308             native_libraries: native_libraries,
1309             codemap: codemap,
1310             def_path_table: def_path_table,
1311             impls: impls,
1312             exported_symbols: exported_symbols,
1313             index: index,
1314         });
1315
1316         let total_bytes = self.position();
1317
1318         if self.tcx.sess.meta_stats() {
1319             let mut zero_bytes = 0;
1320             for e in self.opaque.cursor.get_ref() {
1321                 if *e == 0 {
1322                     zero_bytes += 1;
1323                 }
1324             }
1325
1326             println!("metadata stats:");
1327             println!("             dep bytes: {}", dep_bytes);
1328             println!("       lang item bytes: {}", lang_item_bytes);
1329             println!("          native bytes: {}", native_lib_bytes);
1330             println!("         codemap bytes: {}", codemap_bytes);
1331             println!("            impl bytes: {}", impl_bytes);
1332             println!("    exp. symbols bytes: {}", exported_symbols_bytes);
1333             println!("  def-path table bytes: {}", def_path_table_bytes);
1334             println!("            item bytes: {}", item_bytes);
1335             println!("           index bytes: {}", index_bytes);
1336             println!("            zero bytes: {}", zero_bytes);
1337             println!("           total bytes: {}", total_bytes);
1338         }
1339
1340         root
1341     }
1342 }
1343
1344 // NOTE(eddyb) The following comment was preserved for posterity, even
1345 // though it's no longer relevant as EBML (which uses nested & tagged
1346 // "documents") was replaced with a scheme that can't go out of bounds.
1347 //
1348 // And here we run into yet another obscure archive bug: in which metadata
1349 // loaded from archives may have trailing garbage bytes. Awhile back one of
1350 // our tests was failing sporadically on the OSX 64-bit builders (both nopt
1351 // and opt) by having ebml generate an out-of-bounds panic when looking at
1352 // metadata.
1353 //
1354 // Upon investigation it turned out that the metadata file inside of an rlib
1355 // (and ar archive) was being corrupted. Some compilations would generate a
1356 // metadata file which would end in a few extra bytes, while other
1357 // compilations would not have these extra bytes appended to the end. These
1358 // extra bytes were interpreted by ebml as an extra tag, so they ended up
1359 // being interpreted causing the out-of-bounds.
1360 //
1361 // The root cause of why these extra bytes were appearing was never
1362 // discovered, and in the meantime the solution we're employing is to insert
1363 // the length of the metadata to the start of the metadata. Later on this
1364 // will allow us to slice the metadata to the precise length that we just
1365 // generated regardless of trailing bytes that end up in it.
1366
1367 pub fn encode_metadata<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
1368                                  cstore: &cstore::CStore,
1369                                  reexports: &def::ExportMap,
1370                                  link_meta: &LinkMeta,
1371                                  exported_symbols: &NodeSet)
1372                                  -> Vec<u8> {
1373     let mut cursor = Cursor::new(vec![]);
1374     cursor.write_all(METADATA_HEADER).unwrap();
1375
1376     // Will be filed with the root position after encoding everything.
1377     cursor.write_all(&[0, 0, 0, 0]).unwrap();
1378
1379     let root = {
1380         let mut ecx = EncodeContext {
1381             opaque: opaque::Encoder::new(&mut cursor),
1382             tcx: tcx,
1383             reexports: reexports,
1384             link_meta: link_meta,
1385             cstore: cstore,
1386             exported_symbols: exported_symbols,
1387             lazy_state: LazyState::NoNode,
1388             type_shorthands: Default::default(),
1389             predicate_shorthands: Default::default(),
1390         };
1391
1392         // Encode the rustc version string in a predictable location.
1393         rustc_version().encode(&mut ecx).unwrap();
1394
1395         // Encode all the entries and extra information in the crate,
1396         // culminating in the `CrateRoot` which points to all of it.
1397         ecx.encode_crate_root()
1398     };
1399     let mut result = cursor.into_inner();
1400
1401     // Encode the root position.
1402     let header = METADATA_HEADER.len();
1403     let pos = root.position;
1404     result[header + 0] = (pos >> 24) as u8;
1405     result[header + 1] = (pos >> 16) as u8;
1406     result[header + 2] = (pos >> 8) as u8;
1407     result[header + 3] = (pos >> 0) as u8;
1408
1409     result
1410 }