]> git.lizzy.rs Git - rust.git/blob - src/librustc/metadata/decoder.rs
rollup merge of #16840 : huonw/feature-has-added
[rust.git] / src / librustc / metadata / decoder.rs
1 // Copyright 2012-2014 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 // Decoding metadata from a single crate's metadata
12
13 #![allow(non_camel_case_types)]
14
15 use back::svh::Svh;
16 use metadata::cstore::crate_metadata;
17 use metadata::common::*;
18 use metadata::csearch::StaticMethodInfo;
19 use metadata::csearch;
20 use metadata::cstore;
21 use metadata::tydecode::{parse_ty_data, parse_region_data, parse_def_id,
22                          parse_type_param_def_data, parse_bounds_data,
23                          parse_bare_fn_ty_data, parse_trait_ref_data};
24 use middle::def;
25 use middle::lang_items;
26 use middle::resolve::TraitItemKind;
27 use middle::subst;
28 use middle::ty::{ImplContainer, TraitContainer};
29 use middle::ty;
30 use middle::typeck;
31 use middle::astencode::vtable_decoder_helpers;
32
33 use std::gc::Gc;
34 use std::hash::Hash;
35 use std::hash;
36 use std::io::extensions::u64_from_be_bytes;
37 use std::io;
38 use std::collections::hashmap::HashMap;
39 use std::rc::Rc;
40 use std::u64;
41 use rbml::reader;
42 use rbml;
43 use serialize::Decodable;
44 use syntax::ast_map;
45 use syntax::attr;
46 use syntax::parse::token::{IdentInterner, special_idents};
47 use syntax::parse::token;
48 use syntax::print::pprust;
49 use syntax::ast;
50 use syntax::codemap;
51
52 pub type Cmd<'a> = &'a crate_metadata;
53
54 // A function that takes a def_id relative to the crate being searched and
55 // returns a def_id relative to the compilation environment, i.e. if we hit a
56 // def_id for an item defined in another crate, somebody needs to figure out
57 // what crate that's in and give us a def_id that makes sense for the current
58 // build.
59
60 fn lookup_hash<'a>(d: rbml::Doc<'a>, eq_fn: |&[u8]| -> bool,
61                    hash: u64) -> Option<rbml::Doc<'a>> {
62     let index = reader::get_doc(d, tag_index);
63     let table = reader::get_doc(index, tag_index_table);
64     let hash_pos = table.start + (hash % 256 * 4) as uint;
65     let pos = u64_from_be_bytes(d.data, hash_pos, 4) as uint;
66     let tagged_doc = reader::doc_at(d.data, pos).unwrap();
67
68     let belt = tag_index_buckets_bucket_elt;
69
70     let mut ret = None;
71     reader::tagged_docs(tagged_doc.doc, belt, |elt| {
72         let pos = u64_from_be_bytes(elt.data, elt.start, 4) as uint;
73         if eq_fn(elt.data.slice(elt.start + 4, elt.end)) {
74             ret = Some(reader::doc_at(d.data, pos).unwrap().doc);
75             false
76         } else {
77             true
78         }
79     });
80     ret
81 }
82
83 pub fn maybe_find_item<'a>(item_id: ast::NodeId,
84                            items: rbml::Doc<'a>) -> Option<rbml::Doc<'a>> {
85     fn eq_item(bytes: &[u8], item_id: ast::NodeId) -> bool {
86         return u64_from_be_bytes(
87             bytes.slice(0u, 4u), 0u, 4u) as ast::NodeId
88             == item_id;
89     }
90     lookup_hash(items,
91                 |a| eq_item(a, item_id),
92                 hash::hash(&(item_id as i64)))
93 }
94
95 fn find_item<'a>(item_id: ast::NodeId, items: rbml::Doc<'a>) -> rbml::Doc<'a> {
96     match maybe_find_item(item_id, items) {
97        None => fail!("lookup_item: id not found: {}", item_id),
98        Some(d) => d
99     }
100 }
101
102 // Looks up an item in the given metadata and returns an rbml doc pointing
103 // to the item data.
104 fn lookup_item<'a>(item_id: ast::NodeId, data: &'a [u8]) -> rbml::Doc<'a> {
105     let items = reader::get_doc(rbml::Doc::new(data), tag_items);
106     find_item(item_id, items)
107 }
108
109 #[deriving(PartialEq)]
110 enum Family {
111     ImmStatic,             // c
112     MutStatic,             // b
113     Fn,                    // f
114     UnsafeFn,              // u
115     StaticMethod,          // F
116     UnsafeStaticMethod,    // U
117     Type,                  // y
118     ForeignType,           // T
119     Mod,                   // m
120     ForeignMod,            // n
121     Enum,                  // t
122     TupleVariant,          // v
123     StructVariant,         // V
124     Impl,                  // i
125     Trait,                 // I
126     Struct,                // S
127     PublicField,           // g
128     InheritedField         // N
129 }
130
131 fn item_family(item: rbml::Doc) -> Family {
132     let fam = reader::get_doc(item, tag_items_data_item_family);
133     match reader::doc_as_u8(fam) as char {
134       'c' => ImmStatic,
135       'b' => MutStatic,
136       'f' => Fn,
137       'u' => UnsafeFn,
138       'F' => StaticMethod,
139       'U' => UnsafeStaticMethod,
140       'y' => Type,
141       'T' => ForeignType,
142       'm' => Mod,
143       'n' => ForeignMod,
144       't' => Enum,
145       'v' => TupleVariant,
146       'V' => StructVariant,
147       'i' => Impl,
148       'I' => Trait,
149       'S' => Struct,
150       'g' => PublicField,
151       'N' => InheritedField,
152        c => fail!("unexpected family char: {}", c)
153     }
154 }
155
156 fn item_visibility(item: rbml::Doc) -> ast::Visibility {
157     match reader::maybe_get_doc(item, tag_items_data_item_visibility) {
158         None => ast::Public,
159         Some(visibility_doc) => {
160             match reader::doc_as_u8(visibility_doc) as char {
161                 'y' => ast::Public,
162                 'i' => ast::Inherited,
163                 _ => fail!("unknown visibility character")
164             }
165         }
166     }
167 }
168
169 fn item_sort(item: rbml::Doc) -> char {
170     let mut ret = 'r';
171     reader::tagged_docs(item, tag_item_trait_item_sort, |doc| {
172         ret = doc.as_str_slice().as_bytes()[0] as char;
173         false
174     });
175     ret
176 }
177
178 fn item_symbol(item: rbml::Doc) -> String {
179     reader::get_doc(item, tag_items_data_item_symbol).as_str().to_string()
180 }
181
182 fn item_parent_item(d: rbml::Doc) -> Option<ast::DefId> {
183     let mut ret = None;
184     reader::tagged_docs(d, tag_items_data_parent_item, |did| {
185         ret = Some(reader::with_doc_data(did, parse_def_id));
186         false
187     });
188     ret
189 }
190
191 fn item_reqd_and_translated_parent_item(cnum: ast::CrateNum,
192                                         d: rbml::Doc) -> ast::DefId {
193     let trait_did = item_parent_item(d).expect("item without parent");
194     ast::DefId { krate: cnum, node: trait_did.node }
195 }
196
197 fn item_def_id(d: rbml::Doc, cdata: Cmd) -> ast::DefId {
198     let tagdoc = reader::get_doc(d, tag_def_id);
199     return translate_def_id(cdata, reader::with_doc_data(tagdoc, parse_def_id));
200 }
201
202 fn get_provided_source(d: rbml::Doc, cdata: Cmd) -> Option<ast::DefId> {
203     reader::maybe_get_doc(d, tag_item_method_provided_source).map(|doc| {
204         translate_def_id(cdata, reader::with_doc_data(doc, parse_def_id))
205     })
206 }
207
208 fn each_reexport(d: rbml::Doc, f: |rbml::Doc| -> bool) -> bool {
209     reader::tagged_docs(d, tag_items_data_item_reexport, f)
210 }
211
212 fn variant_disr_val(d: rbml::Doc) -> Option<ty::Disr> {
213     reader::maybe_get_doc(d, tag_disr_val).and_then(|val_doc| {
214         reader::with_doc_data(val_doc, |data| u64::parse_bytes(data, 10u))
215     })
216 }
217
218 fn doc_type(doc: rbml::Doc, tcx: &ty::ctxt, cdata: Cmd) -> ty::t {
219     let tp = reader::get_doc(doc, tag_items_data_item_type);
220     parse_ty_data(tp.data, cdata.cnum, tp.start, tcx,
221                   |_, did| translate_def_id(cdata, did))
222 }
223
224 fn doc_method_fty(doc: rbml::Doc, tcx: &ty::ctxt, cdata: Cmd) -> ty::BareFnTy {
225     let tp = reader::get_doc(doc, tag_item_method_fty);
226     parse_bare_fn_ty_data(tp.data, cdata.cnum, tp.start, tcx,
227                           |_, did| translate_def_id(cdata, did))
228 }
229
230 pub fn item_type(_item_id: ast::DefId, item: rbml::Doc,
231                  tcx: &ty::ctxt, cdata: Cmd) -> ty::t {
232     doc_type(item, tcx, cdata)
233 }
234
235 fn doc_trait_ref(doc: rbml::Doc, tcx: &ty::ctxt, cdata: Cmd) -> ty::TraitRef {
236     parse_trait_ref_data(doc.data, cdata.cnum, doc.start, tcx,
237                          |_, did| translate_def_id(cdata, did))
238 }
239
240 fn item_trait_ref(doc: rbml::Doc, tcx: &ty::ctxt, cdata: Cmd) -> ty::TraitRef {
241     let tp = reader::get_doc(doc, tag_item_trait_ref);
242     doc_trait_ref(tp, tcx, cdata)
243 }
244
245 fn doc_bounds(doc: rbml::Doc, tcx: &ty::ctxt, cdata: Cmd) -> ty::ParamBounds {
246     parse_bounds_data(doc.data, cdata.cnum, doc.start, tcx,
247                       |_, did| translate_def_id(cdata, did))
248 }
249
250 fn trait_def_bounds(doc: rbml::Doc, tcx: &ty::ctxt, cdata: Cmd) -> ty::ParamBounds {
251     let d = reader::get_doc(doc, tag_trait_def_bounds);
252     doc_bounds(d, tcx, cdata)
253 }
254
255 fn enum_variant_ids(item: rbml::Doc, cdata: Cmd) -> Vec<ast::DefId> {
256     let mut ids: Vec<ast::DefId> = Vec::new();
257     let v = tag_items_data_item_variant;
258     reader::tagged_docs(item, v, |p| {
259         let ext = reader::with_doc_data(p, parse_def_id);
260         ids.push(ast::DefId { krate: cdata.cnum, node: ext.node });
261         true
262     });
263     return ids;
264 }
265
266 fn item_path(item_doc: rbml::Doc) -> Vec<ast_map::PathElem> {
267     let path_doc = reader::get_doc(item_doc, tag_path);
268
269     let len_doc = reader::get_doc(path_doc, tag_path_len);
270     let len = reader::doc_as_u32(len_doc) as uint;
271
272     let mut result = Vec::with_capacity(len);
273     reader::docs(path_doc, |tag, elt_doc| {
274         if tag == tag_path_elem_mod {
275             let s = elt_doc.as_str_slice();
276             result.push(ast_map::PathMod(token::intern(s)));
277         } else if tag == tag_path_elem_name {
278             let s = elt_doc.as_str_slice();
279             result.push(ast_map::PathName(token::intern(s)));
280         } else {
281             // ignore tag_path_len element
282         }
283         true
284     });
285
286     result
287 }
288
289 fn item_name(intr: &IdentInterner, item: rbml::Doc) -> ast::Ident {
290     let name = reader::get_doc(item, tag_paths_data_name);
291     let string = name.as_str_slice();
292     match intr.find_equiv(&string) {
293         None => token::str_to_ident(string),
294         Some(val) => ast::Ident::new(val),
295     }
296 }
297
298 fn item_to_def_like(item: rbml::Doc, did: ast::DefId, cnum: ast::CrateNum)
299     -> DefLike {
300     let fam = item_family(item);
301     match fam {
302         ImmStatic => DlDef(def::DefStatic(did, false)),
303         MutStatic => DlDef(def::DefStatic(did, true)),
304         Struct    => DlDef(def::DefStruct(did)),
305         UnsafeFn  => DlDef(def::DefFn(did, ast::UnsafeFn)),
306         Fn        => DlDef(def::DefFn(did, ast::NormalFn)),
307         StaticMethod | UnsafeStaticMethod => {
308             let fn_style = if fam == UnsafeStaticMethod {
309                 ast::UnsafeFn
310             } else {
311                 ast::NormalFn
312             };
313             // def_static_method carries an optional field of its enclosing
314             // trait or enclosing impl (if this is an inherent static method).
315             // So we need to detect whether this is in a trait or not, which
316             // we do through the mildly hacky way of checking whether there is
317             // a trait_parent_sort.
318             let provenance = if reader::maybe_get_doc(
319                   item, tag_item_trait_parent_sort).is_some() {
320                 def::FromTrait(item_reqd_and_translated_parent_item(cnum,
321                                                                     item))
322             } else {
323                 def::FromImpl(item_reqd_and_translated_parent_item(cnum,
324                                                                    item))
325             };
326             DlDef(def::DefStaticMethod(did, provenance, fn_style))
327         }
328         Type | ForeignType => DlDef(def::DefTy(did)),
329         Mod => DlDef(def::DefMod(did)),
330         ForeignMod => DlDef(def::DefForeignMod(did)),
331         StructVariant => {
332             let enum_did = item_reqd_and_translated_parent_item(cnum, item);
333             DlDef(def::DefVariant(enum_did, did, true))
334         }
335         TupleVariant => {
336             let enum_did = item_reqd_and_translated_parent_item(cnum, item);
337             DlDef(def::DefVariant(enum_did, did, false))
338         }
339         Trait => DlDef(def::DefTrait(did)),
340         Enum => DlDef(def::DefTy(did)),
341         Impl => DlImpl(did),
342         PublicField | InheritedField => DlField,
343     }
344 }
345
346 pub fn get_trait_def(cdata: Cmd,
347                      item_id: ast::NodeId,
348                      tcx: &ty::ctxt) -> ty::TraitDef
349 {
350     let item_doc = lookup_item(item_id, cdata.data());
351     let generics = doc_generics(item_doc, tcx, cdata, tag_item_generics);
352     let bounds = trait_def_bounds(item_doc, tcx, cdata);
353
354     ty::TraitDef {
355         generics: generics,
356         bounds: bounds,
357         trait_ref: Rc::new(item_trait_ref(item_doc, tcx, cdata))
358     }
359 }
360
361 pub fn get_type(cdata: Cmd, id: ast::NodeId, tcx: &ty::ctxt)
362     -> ty::Polytype {
363
364     let item = lookup_item(id, cdata.data());
365
366     let t = item_type(ast::DefId { krate: cdata.cnum, node: id }, item, tcx,
367                       cdata);
368
369     let generics = doc_generics(item, tcx, cdata, tag_item_generics);
370
371     ty::Polytype {
372         generics: generics,
373         ty: t
374     }
375 }
376
377 pub fn get_stability(cdata: Cmd, id: ast::NodeId) -> Option<attr::Stability> {
378     let item = lookup_item(id, cdata.data());
379     reader::maybe_get_doc(item, tag_items_data_item_stability).map(|doc| {
380         let mut decoder = reader::Decoder::new(doc);
381         Decodable::decode(&mut decoder).unwrap()
382     })
383 }
384
385 pub fn get_impl_trait(cdata: Cmd,
386                       id: ast::NodeId,
387                       tcx: &ty::ctxt) -> Option<Rc<ty::TraitRef>>
388 {
389     let item_doc = lookup_item(id, cdata.data());
390     reader::maybe_get_doc(item_doc, tag_item_trait_ref).map(|tp| {
391         Rc::new(doc_trait_ref(tp, tcx, cdata))
392     })
393 }
394
395 pub fn get_impl_vtables(cdata: Cmd,
396                         id: ast::NodeId,
397                         tcx: &ty::ctxt)
398                         -> typeck::vtable_res
399 {
400     let item_doc = lookup_item(id, cdata.data());
401     let vtables_doc = reader::get_doc(item_doc, tag_item_impl_vtables);
402     let mut decoder = reader::Decoder::new(vtables_doc);
403     decoder.read_vtable_res(tcx, cdata)
404 }
405
406
407 pub fn get_symbol(data: &[u8], id: ast::NodeId) -> String {
408     return item_symbol(lookup_item(id, data));
409 }
410
411 // Something that a name can resolve to.
412 #[deriving(Clone)]
413 pub enum DefLike {
414     DlDef(def::Def),
415     DlImpl(ast::DefId),
416     DlField
417 }
418
419 /// Iterates over the language items in the given crate.
420 pub fn each_lang_item(cdata: Cmd, f: |ast::NodeId, uint| -> bool) -> bool {
421     let root = rbml::Doc::new(cdata.data());
422     let lang_items = reader::get_doc(root, tag_lang_items);
423     reader::tagged_docs(lang_items, tag_lang_items_item, |item_doc| {
424         let id_doc = reader::get_doc(item_doc, tag_lang_items_item_id);
425         let id = reader::doc_as_u32(id_doc) as uint;
426         let node_id_doc = reader::get_doc(item_doc,
427                                           tag_lang_items_item_node_id);
428         let node_id = reader::doc_as_u32(node_id_doc) as ast::NodeId;
429
430         f(node_id, id)
431     })
432 }
433
434 pub type GetCrateDataCb<'a> = |ast::CrateNum|: 'a -> Rc<crate_metadata>;
435
436 fn each_child_of_item_or_crate(intr: Rc<IdentInterner>,
437                                cdata: Cmd,
438                                item_doc: rbml::Doc,
439                                get_crate_data: GetCrateDataCb,
440                                callback: |DefLike,
441                                           ast::Ident,
442                                           ast::Visibility|) {
443     // Iterate over all children.
444     let _ = reader::tagged_docs(item_doc, tag_mod_child, |child_info_doc| {
445         let child_def_id = reader::with_doc_data(child_info_doc,
446                                                  parse_def_id);
447         let child_def_id = translate_def_id(cdata, child_def_id);
448
449         // This item may be in yet another crate if it was the child of a
450         // reexport.
451         let crate_data = if child_def_id.krate == cdata.cnum {
452             None
453         } else {
454             Some(get_crate_data(child_def_id.krate))
455         };
456         let crate_data = match crate_data {
457             Some(ref cdata) => &**cdata,
458             None => cdata
459         };
460
461         let other_crates_items = reader::get_doc(rbml::Doc::new(crate_data.data()), tag_items);
462
463         // Get the item.
464         match maybe_find_item(child_def_id.node, other_crates_items) {
465             None => {}
466             Some(child_item_doc) => {
467                 // Hand off the item to the callback.
468                 let child_name = item_name(&*intr, child_item_doc);
469                 let def_like = item_to_def_like(child_item_doc,
470                                                 child_def_id,
471                                                 cdata.cnum);
472                 let visibility = item_visibility(child_item_doc);
473                 callback(def_like, child_name, visibility);
474
475             }
476         }
477
478         true
479     });
480
481     // As a special case, iterate over all static methods of
482     // associated implementations too. This is a bit of a botch.
483     // --pcwalton
484     let _ = reader::tagged_docs(item_doc,
485                                 tag_items_data_item_inherent_impl,
486                                 |inherent_impl_def_id_doc| {
487         let inherent_impl_def_id = item_def_id(inherent_impl_def_id_doc,
488                                                cdata);
489         let items = reader::get_doc(rbml::Doc::new(cdata.data()), tag_items);
490         match maybe_find_item(inherent_impl_def_id.node, items) {
491             None => {}
492             Some(inherent_impl_doc) => {
493                 let _ = reader::tagged_docs(inherent_impl_doc,
494                                             tag_item_impl_item,
495                                             |impl_item_def_id_doc| {
496                     let impl_item_def_id = item_def_id(impl_item_def_id_doc,
497                                                        cdata);
498                     match maybe_find_item(impl_item_def_id.node, items) {
499                         None => {}
500                         Some(impl_method_doc) => {
501                             match item_family(impl_method_doc) {
502                                 StaticMethod | UnsafeStaticMethod => {
503                                     // Hand off the static method
504                                     // to the callback.
505                                     let static_method_name =
506                                         item_name(&*intr, impl_method_doc);
507                                     let static_method_def_like =
508                                         item_to_def_like(impl_method_doc,
509                                                          impl_item_def_id,
510                                                          cdata.cnum);
511                                     callback(static_method_def_like,
512                                              static_method_name,
513                                              item_visibility(impl_method_doc));
514                                 }
515                                 _ => {}
516                             }
517                         }
518                     }
519
520                     true
521                 });
522             }
523         }
524
525         true
526     });
527
528     // Iterate over all reexports.
529     let _ = each_reexport(item_doc, |reexport_doc| {
530         let def_id_doc = reader::get_doc(reexport_doc,
531                                          tag_items_data_item_reexport_def_id);
532         let child_def_id = reader::with_doc_data(def_id_doc,
533                                                  parse_def_id);
534         let child_def_id = translate_def_id(cdata, child_def_id);
535
536         let name_doc = reader::get_doc(reexport_doc,
537                                        tag_items_data_item_reexport_name);
538         let name = name_doc.as_str_slice();
539
540         // This reexport may be in yet another crate.
541         let crate_data = if child_def_id.krate == cdata.cnum {
542             None
543         } else {
544             Some(get_crate_data(child_def_id.krate))
545         };
546         let crate_data = match crate_data {
547             Some(ref cdata) => &**cdata,
548             None => cdata
549         };
550
551         let other_crates_items = reader::get_doc(rbml::Doc::new(crate_data.data()), tag_items);
552
553         // Get the item.
554         match maybe_find_item(child_def_id.node, other_crates_items) {
555             None => {}
556             Some(child_item_doc) => {
557                 // Hand off the item to the callback.
558                 let def_like = item_to_def_like(child_item_doc,
559                                                 child_def_id,
560                                                 child_def_id.krate);
561                 // These items have a public visibility because they're part of
562                 // a public re-export.
563                 callback(def_like, token::str_to_ident(name), ast::Public);
564             }
565         }
566
567         true
568     });
569 }
570
571 /// Iterates over each child of the given item.
572 pub fn each_child_of_item(intr: Rc<IdentInterner>,
573                           cdata: Cmd,
574                           id: ast::NodeId,
575                           get_crate_data: GetCrateDataCb,
576                           callback: |DefLike, ast::Ident, ast::Visibility|) {
577     // Find the item.
578     let root_doc = rbml::Doc::new(cdata.data());
579     let items = reader::get_doc(root_doc, tag_items);
580     let item_doc = match maybe_find_item(id, items) {
581         None => return,
582         Some(item_doc) => item_doc,
583     };
584
585     each_child_of_item_or_crate(intr,
586                                 cdata,
587                                 item_doc,
588                                 get_crate_data,
589                                 callback)
590 }
591
592 /// Iterates over all the top-level crate items.
593 pub fn each_top_level_item_of_crate(intr: Rc<IdentInterner>,
594                                     cdata: Cmd,
595                                     get_crate_data: GetCrateDataCb,
596                                     callback: |DefLike,
597                                                ast::Ident,
598                                                ast::Visibility|) {
599     let root_doc = rbml::Doc::new(cdata.data());
600     let misc_info_doc = reader::get_doc(root_doc, tag_misc_info);
601     let crate_items_doc = reader::get_doc(misc_info_doc,
602                                           tag_misc_info_crate_items);
603
604     each_child_of_item_or_crate(intr,
605                                 cdata,
606                                 crate_items_doc,
607                                 get_crate_data,
608                                 callback)
609 }
610
611 pub fn get_item_path(cdata: Cmd, id: ast::NodeId) -> Vec<ast_map::PathElem> {
612     item_path(lookup_item(id, cdata.data()))
613 }
614
615 pub type DecodeInlinedItem<'a> = |cdata: Cmd,
616                                   tcx: &ty::ctxt,
617                                   path: Vec<ast_map::PathElem>,
618                                   par_doc: rbml::Doc|: 'a
619                                   -> Result<ast::InlinedItem, Vec<ast_map::PathElem> >;
620
621 pub fn maybe_get_item_ast(cdata: Cmd, tcx: &ty::ctxt, id: ast::NodeId,
622                           decode_inlined_item: DecodeInlinedItem)
623                           -> csearch::found_ast {
624     debug!("Looking up item: {}", id);
625     let item_doc = lookup_item(id, cdata.data());
626     let path = Vec::from_slice(item_path(item_doc).init());
627     match decode_inlined_item(cdata, tcx, path, item_doc) {
628         Ok(ref ii) => csearch::found(*ii),
629         Err(path) => {
630             match item_parent_item(item_doc) {
631                 Some(did) => {
632                     let did = translate_def_id(cdata, did);
633                     let parent_item = lookup_item(did.node, cdata.data());
634                     match decode_inlined_item(cdata, tcx, path, parent_item) {
635                         Ok(ref ii) => csearch::found_parent(did, *ii),
636                         Err(_) => csearch::not_found
637                     }
638                 }
639                 None => csearch::not_found
640             }
641         }
642     }
643 }
644
645 pub fn get_enum_variants(intr: Rc<IdentInterner>, cdata: Cmd, id: ast::NodeId,
646                      tcx: &ty::ctxt) -> Vec<Rc<ty::VariantInfo>> {
647     let data = cdata.data();
648     let items = reader::get_doc(rbml::Doc::new(data), tag_items);
649     let item = find_item(id, items);
650     let mut disr_val = 0;
651     enum_variant_ids(item, cdata).iter().map(|did| {
652         let item = find_item(did.node, items);
653         let ctor_ty = item_type(ast::DefId { krate: cdata.cnum, node: id},
654                                 item, tcx, cdata);
655         let name = item_name(&*intr, item);
656         let arg_tys = match ty::get(ctor_ty).sty {
657             ty::ty_bare_fn(ref f) => f.sig.inputs.clone(),
658             _ => Vec::new(), // Nullary enum variant.
659         };
660         match variant_disr_val(item) {
661             Some(val) => { disr_val = val; }
662             _         => { /* empty */ }
663         }
664         let old_disr_val = disr_val;
665         disr_val += 1;
666         Rc::new(ty::VariantInfo {
667             args: arg_tys,
668             arg_names: None,
669             ctor_ty: ctor_ty,
670             name: name,
671             // I'm not even sure if we encode visibility
672             // for variants -- TEST -- tjc
673             id: *did,
674             disr_val: old_disr_val,
675             vis: ast::Inherited
676         })
677     }).collect()
678 }
679
680 fn get_explicit_self(item: rbml::Doc) -> ty::ExplicitSelfCategory {
681     fn get_mutability(ch: u8) -> ast::Mutability {
682         match ch as char {
683             'i' => ast::MutImmutable,
684             'm' => ast::MutMutable,
685             _ => fail!("unknown mutability character: `{}`", ch as char),
686         }
687     }
688
689     let explicit_self_doc = reader::get_doc(item, tag_item_trait_method_explicit_self);
690     let string = explicit_self_doc.as_str_slice();
691
692     let explicit_self_kind = string.as_bytes()[0];
693     match explicit_self_kind as char {
694         's' => ty::StaticExplicitSelfCategory,
695         'v' => ty::ByValueExplicitSelfCategory,
696         '~' => ty::ByBoxExplicitSelfCategory,
697         // FIXME(#4846) expl. region
698         '&' => {
699             ty::ByReferenceExplicitSelfCategory(
700                 ty::ReEmpty,
701                 get_mutability(string.as_bytes()[1]))
702         }
703         _ => fail!("unknown self type code: `{}`", explicit_self_kind as char)
704     }
705 }
706
707 /// Returns the def IDs of all the items in the given implementation.
708 pub fn get_impl_items(cdata: Cmd, impl_id: ast::NodeId)
709                       -> Vec<ty::ImplOrTraitItemId> {
710     let mut impl_items = Vec::new();
711     reader::tagged_docs(lookup_item(impl_id, cdata.data()),
712                         tag_item_impl_item, |doc| {
713         let def_id = item_def_id(doc, cdata);
714         match item_sort(doc) {
715             'r' | 'p' => impl_items.push(ty::MethodTraitItemId(def_id)),
716             _ => fail!("unknown impl item sort"),
717         }
718         true
719     });
720
721     impl_items
722 }
723
724 pub fn get_trait_item_name_and_kind(intr: Rc<IdentInterner>,
725                                     cdata: Cmd,
726                                     id: ast::NodeId)
727                                     -> (ast::Ident, TraitItemKind) {
728     let doc = lookup_item(id, cdata.data());
729     let name = item_name(&*intr, doc);
730     match item_sort(doc) {
731         'r' | 'p' => {
732             let explicit_self = get_explicit_self(doc);
733             (name, TraitItemKind::from_explicit_self_category(explicit_self))
734         }
735         c => {
736             fail!("get_trait_item_name_and_kind(): unknown trait item kind \
737                    in metadata: `{}`", c)
738         }
739     }
740 }
741
742 pub fn get_impl_or_trait_item(intr: Rc<IdentInterner>,
743                               cdata: Cmd,
744                               id: ast::NodeId,
745                               tcx: &ty::ctxt)
746                               -> ty::ImplOrTraitItem {
747     let method_doc = lookup_item(id, cdata.data());
748
749     let def_id = item_def_id(method_doc, cdata);
750
751     let container_id = item_reqd_and_translated_parent_item(cdata.cnum,
752                                                             method_doc);
753     let container_doc = lookup_item(container_id.node, cdata.data());
754     let container = match item_family(container_doc) {
755         Trait => TraitContainer(container_id),
756         _ => ImplContainer(container_id),
757     };
758
759     let name = item_name(&*intr, method_doc);
760
761     match item_sort(method_doc) {
762         'r' | 'p' => {
763             let generics = doc_generics(method_doc, tcx, cdata,
764                                         tag_method_ty_generics);
765             let fty = doc_method_fty(method_doc, tcx, cdata);
766             let vis = item_visibility(method_doc);
767             let explicit_self = get_explicit_self(method_doc);
768             let provided_source = get_provided_source(method_doc, cdata);
769
770             ty::MethodTraitItem(Rc::new(ty::Method::new(name,
771                                                         generics,
772                                                         fty,
773                                                         explicit_self,
774                                                         vis,
775                                                         def_id,
776                                                         container,
777                                                         provided_source)))
778         }
779         _ => fail!("unknown impl/trait item sort"),
780     }
781 }
782
783 pub fn get_trait_item_def_ids(cdata: Cmd, id: ast::NodeId)
784                               -> Vec<ty::ImplOrTraitItemId> {
785     let data = cdata.data();
786     let item = lookup_item(id, data);
787     let mut result = Vec::new();
788     reader::tagged_docs(item, tag_item_trait_item, |mth| {
789         let def_id = item_def_id(mth, cdata);
790         match item_sort(mth) {
791             'r' | 'p' => result.push(ty::MethodTraitItemId(def_id)),
792             _ => fail!("unknown trait item sort"),
793         }
794         true
795     });
796     result
797 }
798
799 pub fn get_item_variances(cdata: Cmd, id: ast::NodeId) -> ty::ItemVariances {
800     let data = cdata.data();
801     let item_doc = lookup_item(id, data);
802     let variance_doc = reader::get_doc(item_doc, tag_item_variances);
803     let mut decoder = reader::Decoder::new(variance_doc);
804     Decodable::decode(&mut decoder).unwrap()
805 }
806
807 pub fn get_provided_trait_methods(intr: Rc<IdentInterner>,
808                                   cdata: Cmd,
809                                   id: ast::NodeId,
810                                   tcx: &ty::ctxt)
811                                   -> Vec<Rc<ty::Method>> {
812     let data = cdata.data();
813     let item = lookup_item(id, data);
814     let mut result = Vec::new();
815
816     reader::tagged_docs(item, tag_item_trait_item, |mth_id| {
817         let did = item_def_id(mth_id, cdata);
818         let mth = lookup_item(did.node, data);
819
820         if item_sort(mth) == 'p' {
821             let trait_item = get_impl_or_trait_item(intr.clone(),
822                                                     cdata,
823                                                     did.node,
824                                                     tcx);
825             match trait_item {
826                 ty::MethodTraitItem(ref method) => {
827                     result.push((*method).clone())
828                 }
829             }
830         }
831         true
832     });
833
834     return result;
835 }
836
837 /// Returns the supertraits of the given trait.
838 pub fn get_supertraits(cdata: Cmd, id: ast::NodeId, tcx: &ty::ctxt)
839                     -> Vec<Rc<ty::TraitRef>> {
840     let mut results = Vec::new();
841     let item_doc = lookup_item(id, cdata.data());
842     reader::tagged_docs(item_doc, tag_item_super_trait_ref, |trait_doc| {
843         // NB. Only reads the ones that *aren't* builtin-bounds. See also
844         // get_trait_def() for collecting the builtin bounds.
845         // FIXME(#8559): The builtin bounds shouldn't be encoded in the first place.
846         let trait_ref = doc_trait_ref(trait_doc, tcx, cdata);
847         if tcx.lang_items.to_builtin_kind(trait_ref.def_id).is_none() {
848             results.push(Rc::new(trait_ref));
849         }
850         true
851     });
852     return results;
853 }
854
855 pub fn get_type_name_if_impl(cdata: Cmd,
856                              node_id: ast::NodeId) -> Option<ast::Ident> {
857     let item = lookup_item(node_id, cdata.data());
858     if item_family(item) != Impl {
859         return None;
860     }
861
862     let mut ret = None;
863     reader::tagged_docs(item, tag_item_impl_type_basename, |doc| {
864         ret = Some(token::str_to_ident(doc.as_str_slice()));
865         false
866     });
867
868     ret
869 }
870
871 pub fn get_static_methods_if_impl(intr: Rc<IdentInterner>,
872                                   cdata: Cmd,
873                                   node_id: ast::NodeId)
874                                -> Option<Vec<StaticMethodInfo> > {
875     let item = lookup_item(node_id, cdata.data());
876     if item_family(item) != Impl {
877         return None;
878     }
879
880     // If this impl implements a trait, don't consider it.
881     let ret = reader::tagged_docs(item, tag_item_trait_ref, |_doc| {
882         false
883     });
884
885     if !ret { return None }
886
887     let mut impl_method_ids = Vec::new();
888     reader::tagged_docs(item, tag_item_impl_item, |impl_method_doc| {
889         impl_method_ids.push(item_def_id(impl_method_doc, cdata));
890         true
891     });
892
893     let mut static_impl_methods = Vec::new();
894     for impl_method_id in impl_method_ids.iter() {
895         let impl_method_doc = lookup_item(impl_method_id.node, cdata.data());
896         let family = item_family(impl_method_doc);
897         match family {
898             StaticMethod | UnsafeStaticMethod => {
899                 let fn_style;
900                 match item_family(impl_method_doc) {
901                     StaticMethod => fn_style = ast::NormalFn,
902                     UnsafeStaticMethod => fn_style = ast::UnsafeFn,
903                     _ => fail!()
904                 }
905
906                 static_impl_methods.push(StaticMethodInfo {
907                     ident: item_name(&*intr, impl_method_doc),
908                     def_id: item_def_id(impl_method_doc, cdata),
909                     fn_style: fn_style,
910                     vis: item_visibility(impl_method_doc),
911                 });
912             }
913             _ => {}
914         }
915     }
916
917     return Some(static_impl_methods);
918 }
919
920 /// If node_id is the constructor of a tuple struct, retrieve the NodeId of
921 /// the actual type definition, otherwise, return None
922 pub fn get_tuple_struct_definition_if_ctor(cdata: Cmd,
923                                            node_id: ast::NodeId)
924     -> Option<ast::DefId>
925 {
926     let item = lookup_item(node_id, cdata.data());
927     let mut ret = None;
928     reader::tagged_docs(item, tag_items_data_item_is_tuple_struct_ctor, |_| {
929         ret = Some(item_reqd_and_translated_parent_item(cdata.cnum, item));
930         false
931     });
932     ret
933 }
934
935 pub fn get_item_attrs(cdata: Cmd,
936                       orig_node_id: ast::NodeId,
937                       f: |Vec<ast::Attribute>|) {
938     // The attributes for a tuple struct are attached to the definition, not the ctor;
939     // we assume that someone passing in a tuple struct ctor is actually wanting to
940     // look at the definition
941     let node_id = get_tuple_struct_definition_if_ctor(cdata, orig_node_id);
942     let node_id = node_id.map(|x| x.node).unwrap_or(orig_node_id);
943     let item = lookup_item(node_id, cdata.data());
944     f(get_attributes(item));
945 }
946
947 pub fn get_struct_field_attrs(cdata: Cmd) -> HashMap<ast::NodeId, Vec<ast::Attribute>> {
948     let data = rbml::Doc::new(cdata.data());
949     let fields = reader::get_doc(data, tag_struct_fields);
950     let mut map = HashMap::new();
951     reader::tagged_docs(fields, tag_struct_field, |field| {
952         let id = reader::doc_as_u32(reader::get_doc(field, tag_struct_field_id));
953         let attrs = get_attributes(field);
954         map.insert(id, attrs);
955         true
956     });
957     map
958 }
959
960 fn struct_field_family_to_visibility(family: Family) -> ast::Visibility {
961     match family {
962       PublicField => ast::Public,
963       InheritedField => ast::Inherited,
964       _ => fail!()
965     }
966 }
967
968 pub fn get_struct_fields(intr: Rc<IdentInterner>, cdata: Cmd, id: ast::NodeId)
969     -> Vec<ty::field_ty> {
970     let data = cdata.data();
971     let item = lookup_item(id, data);
972     let mut result = Vec::new();
973     reader::tagged_docs(item, tag_item_field, |an_item| {
974         let f = item_family(an_item);
975         if f == PublicField || f == InheritedField {
976             // FIXME #6993: name should be of type Name, not Ident
977             let name = item_name(&*intr, an_item);
978             let did = item_def_id(an_item, cdata);
979             let tagdoc = reader::get_doc(an_item, tag_item_field_origin);
980             let origin_id =  translate_def_id(cdata, reader::with_doc_data(tagdoc, parse_def_id));
981             result.push(ty::field_ty {
982                 name: name.name,
983                 id: did,
984                 vis: struct_field_family_to_visibility(f),
985                 origin: origin_id,
986             });
987         }
988         true
989     });
990     reader::tagged_docs(item, tag_item_unnamed_field, |an_item| {
991         let did = item_def_id(an_item, cdata);
992         let tagdoc = reader::get_doc(an_item, tag_item_field_origin);
993         let f = item_family(an_item);
994         let origin_id =  translate_def_id(cdata, reader::with_doc_data(tagdoc, parse_def_id));
995         result.push(ty::field_ty {
996             name: special_idents::unnamed_field.name,
997             id: did,
998             vis: struct_field_family_to_visibility(f),
999             origin: origin_id,
1000         });
1001         true
1002     });
1003     result
1004 }
1005
1006 fn get_meta_items(md: rbml::Doc) -> Vec<Gc<ast::MetaItem>> {
1007     let mut items: Vec<Gc<ast::MetaItem>> = Vec::new();
1008     reader::tagged_docs(md, tag_meta_item_word, |meta_item_doc| {
1009         let nd = reader::get_doc(meta_item_doc, tag_meta_item_name);
1010         let n = token::intern_and_get_ident(nd.as_str_slice());
1011         items.push(attr::mk_word_item(n));
1012         true
1013     });
1014     reader::tagged_docs(md, tag_meta_item_name_value, |meta_item_doc| {
1015         let nd = reader::get_doc(meta_item_doc, tag_meta_item_name);
1016         let vd = reader::get_doc(meta_item_doc, tag_meta_item_value);
1017         let n = token::intern_and_get_ident(nd.as_str_slice());
1018         let v = token::intern_and_get_ident(vd.as_str_slice());
1019         // FIXME (#623): Should be able to decode MetaNameValue variants,
1020         // but currently the encoder just drops them
1021         items.push(attr::mk_name_value_item_str(n, v));
1022         true
1023     });
1024     reader::tagged_docs(md, tag_meta_item_list, |meta_item_doc| {
1025         let nd = reader::get_doc(meta_item_doc, tag_meta_item_name);
1026         let n = token::intern_and_get_ident(nd.as_str_slice());
1027         let subitems = get_meta_items(meta_item_doc);
1028         items.push(attr::mk_list_item(n, subitems.move_iter().collect()));
1029         true
1030     });
1031     return items;
1032 }
1033
1034 fn get_attributes(md: rbml::Doc) -> Vec<ast::Attribute> {
1035     let mut attrs: Vec<ast::Attribute> = Vec::new();
1036     match reader::maybe_get_doc(md, tag_attributes) {
1037       Some(attrs_d) => {
1038         reader::tagged_docs(attrs_d, tag_attribute, |attr_doc| {
1039             let is_sugared_doc = reader::doc_as_u8(
1040                 reader::get_doc(attr_doc, tag_attribute_is_sugared_doc)
1041             ) == 1;
1042             let meta_items = get_meta_items(attr_doc);
1043             // Currently it's only possible to have a single meta item on
1044             // an attribute
1045             assert_eq!(meta_items.len(), 1u);
1046             let meta_item = *meta_items.get(0);
1047             attrs.push(
1048                 codemap::Spanned {
1049                     node: ast::Attribute_ {
1050                         id: attr::mk_attr_id(),
1051                         style: ast::AttrOuter,
1052                         value: meta_item,
1053                         is_sugared_doc: is_sugared_doc,
1054                     },
1055                     span: codemap::DUMMY_SP
1056                 });
1057             true
1058         });
1059       }
1060       None => ()
1061     }
1062     return attrs;
1063 }
1064
1065 fn list_crate_attributes(md: rbml::Doc, hash: &Svh,
1066                          out: &mut io::Writer) -> io::IoResult<()> {
1067     try!(write!(out, "=Crate Attributes ({})=\n", *hash));
1068
1069     let r = get_attributes(md);
1070     for attr in r.iter() {
1071         try!(write!(out, "{}\n", pprust::attribute_to_string(attr)));
1072     }
1073
1074     write!(out, "\n\n")
1075 }
1076
1077 pub fn get_crate_attributes(data: &[u8]) -> Vec<ast::Attribute> {
1078     get_attributes(rbml::Doc::new(data))
1079 }
1080
1081 #[deriving(Clone)]
1082 pub struct CrateDep {
1083     pub cnum: ast::CrateNum,
1084     pub name: String,
1085     pub hash: Svh,
1086 }
1087
1088 pub fn get_crate_deps(data: &[u8]) -> Vec<CrateDep> {
1089     let mut deps: Vec<CrateDep> = Vec::new();
1090     let cratedoc = rbml::Doc::new(data);
1091     let depsdoc = reader::get_doc(cratedoc, tag_crate_deps);
1092     let mut crate_num = 1;
1093     fn docstr(doc: rbml::Doc, tag_: uint) -> String {
1094         let d = reader::get_doc(doc, tag_);
1095         d.as_str_slice().to_string()
1096     }
1097     reader::tagged_docs(depsdoc, tag_crate_dep, |depdoc| {
1098         let name = docstr(depdoc, tag_crate_dep_crate_name);
1099         let hash = Svh::new(docstr(depdoc, tag_crate_dep_hash).as_slice());
1100         deps.push(CrateDep {
1101             cnum: crate_num,
1102             name: name,
1103             hash: hash,
1104         });
1105         crate_num += 1;
1106         true
1107     });
1108     return deps;
1109 }
1110
1111 fn list_crate_deps(data: &[u8], out: &mut io::Writer) -> io::IoResult<()> {
1112     try!(write!(out, "=External Dependencies=\n"));
1113     for dep in get_crate_deps(data).iter() {
1114         try!(write!(out, "{} {}-{}\n", dep.cnum, dep.name, dep.hash));
1115     }
1116     try!(write!(out, "\n"));
1117     Ok(())
1118 }
1119
1120 pub fn maybe_get_crate_hash(data: &[u8]) -> Option<Svh> {
1121     let cratedoc = rbml::Doc::new(data);
1122     reader::maybe_get_doc(cratedoc, tag_crate_hash).map(|doc| {
1123         Svh::new(doc.as_str_slice())
1124     })
1125 }
1126
1127 pub fn get_crate_hash(data: &[u8]) -> Svh {
1128     let cratedoc = rbml::Doc::new(data);
1129     let hashdoc = reader::get_doc(cratedoc, tag_crate_hash);
1130     Svh::new(hashdoc.as_str_slice())
1131 }
1132
1133 pub fn maybe_get_crate_name(data: &[u8]) -> Option<String> {
1134     let cratedoc = rbml::Doc::new(data);
1135     reader::maybe_get_doc(cratedoc, tag_crate_crate_name).map(|doc| {
1136         doc.as_str_slice().to_string()
1137     })
1138 }
1139
1140 pub fn get_crate_triple(data: &[u8]) -> Option<String> {
1141     let cratedoc = rbml::Doc::new(data);
1142     let triple_doc = reader::maybe_get_doc(cratedoc, tag_crate_triple);
1143     triple_doc.map(|s| s.as_str().to_string())
1144 }
1145
1146 pub fn get_crate_name(data: &[u8]) -> String {
1147     maybe_get_crate_name(data).expect("no crate name in crate")
1148 }
1149
1150 pub fn list_crate_metadata(bytes: &[u8], out: &mut io::Writer) -> io::IoResult<()> {
1151     let hash = get_crate_hash(bytes);
1152     let md = rbml::Doc::new(bytes);
1153     try!(list_crate_attributes(md, &hash, out));
1154     list_crate_deps(bytes, out)
1155 }
1156
1157 // Translates a def_id from an external crate to a def_id for the current
1158 // compilation environment. We use this when trying to load types from
1159 // external crates - if those types further refer to types in other crates
1160 // then we must translate the crate number from that encoded in the external
1161 // crate to the correct local crate number.
1162 pub fn translate_def_id(cdata: Cmd, did: ast::DefId) -> ast::DefId {
1163     if did.krate == ast::LOCAL_CRATE {
1164         return ast::DefId { krate: cdata.cnum, node: did.node };
1165     }
1166
1167     match cdata.cnum_map.find(&did.krate) {
1168         Some(&n) => {
1169             ast::DefId {
1170                 krate: n,
1171                 node: did.node,
1172             }
1173         }
1174         None => fail!("didn't find a crate in the cnum_map")
1175     }
1176 }
1177
1178 pub fn each_impl(cdata: Cmd, callback: |ast::DefId|) {
1179     let impls_doc = reader::get_doc(rbml::Doc::new(cdata.data()), tag_impls);
1180     let _ = reader::tagged_docs(impls_doc, tag_impls_impl, |impl_doc| {
1181         callback(item_def_id(impl_doc, cdata));
1182         true
1183     });
1184 }
1185
1186 pub fn each_implementation_for_type(cdata: Cmd,
1187                                     id: ast::NodeId,
1188                                     callback: |ast::DefId|) {
1189     let item_doc = lookup_item(id, cdata.data());
1190     reader::tagged_docs(item_doc,
1191                         tag_items_data_item_inherent_impl,
1192                         |impl_doc| {
1193         let implementation_def_id = item_def_id(impl_doc, cdata);
1194         callback(implementation_def_id);
1195         true
1196     });
1197 }
1198
1199 pub fn each_implementation_for_trait(cdata: Cmd,
1200                                      id: ast::NodeId,
1201                                      callback: |ast::DefId|) {
1202     let item_doc = lookup_item(id, cdata.data());
1203
1204     let _ = reader::tagged_docs(item_doc,
1205                                 tag_items_data_item_extension_impl,
1206                                 |impl_doc| {
1207         let implementation_def_id = item_def_id(impl_doc, cdata);
1208         callback(implementation_def_id);
1209         true
1210     });
1211 }
1212
1213 pub fn get_trait_of_item(cdata: Cmd, id: ast::NodeId, tcx: &ty::ctxt)
1214                          -> Option<ast::DefId> {
1215     let item_doc = lookup_item(id, cdata.data());
1216     let parent_item_id = match item_parent_item(item_doc) {
1217         None => return None,
1218         Some(item_id) => item_id,
1219     };
1220     let parent_item_id = translate_def_id(cdata, parent_item_id);
1221     let parent_item_doc = lookup_item(parent_item_id.node, cdata.data());
1222     match item_family(parent_item_doc) {
1223         Trait => Some(item_def_id(parent_item_doc, cdata)),
1224         Impl => {
1225             reader::maybe_get_doc(parent_item_doc, tag_item_trait_ref)
1226                 .map(|_| item_trait_ref(parent_item_doc, tcx, cdata).def_id)
1227         }
1228         _ => None
1229     }
1230 }
1231
1232
1233 pub fn get_native_libraries(cdata: Cmd)
1234                             -> Vec<(cstore::NativeLibaryKind, String)> {
1235     let libraries = reader::get_doc(rbml::Doc::new(cdata.data()),
1236                                     tag_native_libraries);
1237     let mut result = Vec::new();
1238     reader::tagged_docs(libraries, tag_native_libraries_lib, |lib_doc| {
1239         let kind_doc = reader::get_doc(lib_doc, tag_native_libraries_kind);
1240         let name_doc = reader::get_doc(lib_doc, tag_native_libraries_name);
1241         let kind: cstore::NativeLibaryKind =
1242             FromPrimitive::from_u32(reader::doc_as_u32(kind_doc)).unwrap();
1243         let name = name_doc.as_str().to_string();
1244         result.push((kind, name));
1245         true
1246     });
1247     return result;
1248 }
1249
1250 pub fn get_plugin_registrar_fn(data: &[u8]) -> Option<ast::NodeId> {
1251     reader::maybe_get_doc(rbml::Doc::new(data), tag_plugin_registrar_fn)
1252         .map(|doc| FromPrimitive::from_u32(reader::doc_as_u32(doc)).unwrap())
1253 }
1254
1255 pub fn get_exported_macros(data: &[u8]) -> Vec<String> {
1256     let macros = reader::get_doc(rbml::Doc::new(data),
1257                                  tag_exported_macros);
1258     let mut result = Vec::new();
1259     reader::tagged_docs(macros, tag_macro_def, |macro_doc| {
1260         result.push(macro_doc.as_str().to_string());
1261         true
1262     });
1263     result
1264 }
1265
1266 pub fn get_dylib_dependency_formats(cdata: Cmd)
1267     -> Vec<(ast::CrateNum, cstore::LinkagePreference)>
1268 {
1269     let formats = reader::get_doc(rbml::Doc::new(cdata.data()),
1270                                   tag_dylib_dependency_formats);
1271     let mut result = Vec::new();
1272
1273     debug!("found dylib deps: {}", formats.as_str_slice());
1274     for spec in formats.as_str_slice().split(',') {
1275         if spec.len() == 0 { continue }
1276         let cnum = spec.split(':').nth(0).unwrap();
1277         let link = spec.split(':').nth(1).unwrap();
1278         let cnum = from_str(cnum).unwrap();
1279         let cnum = match cdata.cnum_map.find(&cnum) {
1280             Some(&n) => n,
1281             None => fail!("didn't find a crate in the cnum_map")
1282         };
1283         result.push((cnum, if link == "d" {
1284             cstore::RequireDynamic
1285         } else {
1286             cstore::RequireStatic
1287         }));
1288     }
1289     return result;
1290 }
1291
1292 pub fn get_missing_lang_items(cdata: Cmd)
1293     -> Vec<lang_items::LangItem>
1294 {
1295     let items = reader::get_doc(rbml::Doc::new(cdata.data()), tag_lang_items);
1296     let mut result = Vec::new();
1297     reader::tagged_docs(items, tag_lang_items_missing, |missing_doc| {
1298         let item: lang_items::LangItem =
1299             FromPrimitive::from_u32(reader::doc_as_u32(missing_doc)).unwrap();
1300         result.push(item);
1301         true
1302     });
1303     return result;
1304 }
1305
1306 pub fn get_method_arg_names(cdata: Cmd, id: ast::NodeId) -> Vec<String> {
1307     let mut ret = Vec::new();
1308     let method_doc = lookup_item(id, cdata.data());
1309     match reader::maybe_get_doc(method_doc, tag_method_argument_names) {
1310         Some(args_doc) => {
1311             reader::tagged_docs(args_doc, tag_method_argument_name, |name_doc| {
1312                 ret.push(name_doc.as_str_slice().to_string());
1313                 true
1314             });
1315         }
1316         None => {}
1317     }
1318     return ret;
1319 }
1320
1321 pub fn get_reachable_extern_fns(cdata: Cmd) -> Vec<ast::DefId> {
1322     let mut ret = Vec::new();
1323     let items = reader::get_doc(rbml::Doc::new(cdata.data()),
1324                                 tag_reachable_extern_fns);
1325     reader::tagged_docs(items, tag_reachable_extern_fn_id, |doc| {
1326         ret.push(ast::DefId {
1327             krate: cdata.cnum,
1328             node: reader::doc_as_u32(doc),
1329         });
1330         true
1331     });
1332     return ret;
1333 }
1334
1335 pub fn is_typedef(cdata: Cmd, id: ast::NodeId) -> bool {
1336     let item_doc = lookup_item(id, cdata.data());
1337     match item_family(item_doc) {
1338         Type => true,
1339         _ => false,
1340     }
1341 }
1342
1343 fn doc_generics(base_doc: rbml::Doc,
1344                 tcx: &ty::ctxt,
1345                 cdata: Cmd,
1346                 tag: uint)
1347                 -> ty::Generics
1348 {
1349     let doc = reader::get_doc(base_doc, tag);
1350
1351     let mut types = subst::VecPerParamSpace::empty();
1352     reader::tagged_docs(doc, tag_type_param_def, |p| {
1353         let bd = parse_type_param_def_data(
1354             p.data, p.start, cdata.cnum, tcx,
1355             |_, did| translate_def_id(cdata, did));
1356         types.push(bd.space, bd);
1357         true
1358     });
1359
1360     let mut regions = subst::VecPerParamSpace::empty();
1361     reader::tagged_docs(doc, tag_region_param_def, |rp_doc| {
1362         let ident_str_doc = reader::get_doc(rp_doc,
1363                                             tag_region_param_def_ident);
1364         let ident = item_name(&*token::get_ident_interner(), ident_str_doc);
1365         let def_id_doc = reader::get_doc(rp_doc,
1366                                          tag_region_param_def_def_id);
1367         let def_id = reader::with_doc_data(def_id_doc, parse_def_id);
1368         let def_id = translate_def_id(cdata, def_id);
1369
1370         let doc = reader::get_doc(rp_doc, tag_region_param_def_space);
1371         let space = subst::ParamSpace::from_uint(reader::doc_as_u64(doc) as uint);
1372
1373         let doc = reader::get_doc(rp_doc, tag_region_param_def_index);
1374         let index = reader::doc_as_u64(doc) as uint;
1375
1376         let mut bounds = Vec::new();
1377         reader::tagged_docs(rp_doc, tag_items_data_region, |p| {
1378             bounds.push(
1379                 parse_region_data(
1380                     p.data, cdata.cnum, p.start, tcx,
1381                     |_, did| translate_def_id(cdata, did)));
1382             true
1383         });
1384
1385         regions.push(space, ty::RegionParameterDef { name: ident.name,
1386                                                      def_id: def_id,
1387                                                      space: space,
1388                                                      index: index,
1389                                                      bounds: bounds });
1390
1391         true
1392     });
1393
1394     ty::Generics { types: types, regions: regions }
1395 }