]> git.lizzy.rs Git - rust.git/blob - src/librustc/hir/map/mod.rs
Rollup merge of #63055 - Mark-Simulacrum:save-analysis-clean-2, r=Xanewok
[rust.git] / src / librustc / hir / map / mod.rs
1 use self::collector::NodeCollector;
2 pub use self::def_collector::DefCollector;
3 pub use self::definitions::{
4     Definitions, DefKey, DefPath, DefPathData, DisambiguatedDefPathData, DefPathHash
5 };
6
7 use crate::dep_graph::{DepGraph, DepNode, DepKind, DepNodeIndex};
8
9 use crate::hir::def_id::{CRATE_DEF_INDEX, DefId, LocalDefId};
10
11 use crate::middle::cstore::CrateStoreDyn;
12
13 use rustc_target::spec::abi::Abi;
14 use rustc_data_structures::svh::Svh;
15 use rustc_data_structures::indexed_vec::IndexVec;
16 use syntax::ast::{self, Name, NodeId};
17 use syntax::source_map::Spanned;
18 use syntax::ext::base::MacroKind;
19 use syntax_pos::{Span, DUMMY_SP};
20
21 use crate::hir::*;
22 use crate::hir::DefKind;
23 use crate::hir::itemlikevisit::ItemLikeVisitor;
24 use crate::hir::print::Nested;
25 use crate::util::nodemap::FxHashMap;
26 use crate::util::common::time;
27
28 use std::result::Result::Err;
29 use crate::ty::query::Providers;
30
31 pub mod blocks;
32 mod collector;
33 mod def_collector;
34 pub mod definitions;
35 mod hir_id_validator;
36
37 /// Represents an entry and its parent `HirId`.
38 #[derive(Copy, Clone, Debug)]
39 pub struct Entry<'hir> {
40     parent: HirId,
41     dep_node: DepNodeIndex,
42     node: Node<'hir>,
43 }
44
45 impl<'hir> Entry<'hir> {
46     fn parent_node(self) -> Option<HirId> {
47         match self.node {
48             Node::Crate | Node::MacroDef(_) => None,
49             _ => Some(self.parent),
50         }
51     }
52
53     fn fn_decl(&self) -> Option<&'hir FnDecl> {
54         match self.node {
55             Node::Item(ref item) => {
56                 match item.node {
57                     ItemKind::Fn(ref fn_decl, _, _, _) => Some(fn_decl),
58                     _ => None,
59                 }
60             }
61
62             Node::TraitItem(ref item) => {
63                 match item.node {
64                     TraitItemKind::Method(ref method_sig, _) => Some(&method_sig.decl),
65                     _ => None
66                 }
67             }
68
69             Node::ImplItem(ref item) => {
70                 match item.node {
71                     ImplItemKind::Method(ref method_sig, _) => Some(&method_sig.decl),
72                     _ => None,
73                 }
74             }
75
76             Node::Expr(ref expr) => {
77                 match expr.node {
78                     ExprKind::Closure(_, ref fn_decl, ..) => Some(fn_decl),
79                     _ => None,
80                 }
81             }
82
83             _ => None,
84         }
85     }
86
87     fn associated_body(self) -> Option<BodyId> {
88         match self.node {
89             Node::Item(item) => {
90                 match item.node {
91                     ItemKind::Const(_, body) |
92                     ItemKind::Static(.., body) |
93                     ItemKind::Fn(_, _, _, body) => Some(body),
94                     _ => None,
95                 }
96             }
97
98             Node::TraitItem(item) => {
99                 match item.node {
100                     TraitItemKind::Const(_, Some(body)) |
101                     TraitItemKind::Method(_, TraitMethod::Provided(body)) => Some(body),
102                     _ => None
103                 }
104             }
105
106             Node::ImplItem(item) => {
107                 match item.node {
108                     ImplItemKind::Const(_, body) |
109                     ImplItemKind::Method(_, body) => Some(body),
110                     _ => None,
111                 }
112             }
113
114             Node::AnonConst(constant) => Some(constant.body),
115
116             Node::Expr(expr) => {
117                 match expr.node {
118                     ExprKind::Closure(.., body, _, _) => Some(body),
119                     _ => None,
120                 }
121             }
122
123             _ => None
124         }
125     }
126
127     fn is_body_owner(self, hir_id: HirId) -> bool {
128         match self.associated_body() {
129             Some(b) => b.hir_id == hir_id,
130             None => false,
131         }
132     }
133 }
134
135 /// Stores a crate and any number of inlined items from other crates.
136 pub struct Forest {
137     krate: Crate,
138     pub dep_graph: DepGraph,
139 }
140
141 impl Forest {
142     pub fn new(krate: Crate, dep_graph: &DepGraph) -> Forest {
143         Forest {
144             krate,
145             dep_graph: dep_graph.clone(),
146         }
147     }
148
149     pub fn krate(&self) -> &Crate {
150         self.dep_graph.read(DepNode::new_no_params(DepKind::Krate));
151         &self.krate
152     }
153
154     /// This is used internally in the dependency tracking system.
155     /// Use the `krate` method to ensure your dependency on the
156     /// crate is tracked.
157     pub fn untracked_krate(&self) -> &Crate {
158         &self.krate
159     }
160 }
161
162 /// This type is effectively a `HashMap<HirId, Entry<'hir>>`,
163 /// but it is implemented as 2 layers of arrays.
164 /// - first we have `A = Vec<Option<B>>` mapping a `DefIndex`'s index to an inner value
165 /// - which is `B = IndexVec<ItemLocalId, Option<Entry<'hir>>` which gives you the `Entry`.
166 pub(super) type HirEntryMap<'hir> = Vec<Option<IndexVec<ItemLocalId, Option<Entry<'hir>>>>>;
167
168 /// Represents a mapping from `NodeId`s to AST elements and their parent `NodeId`s.
169 #[derive(Clone)]
170 pub struct Map<'hir> {
171     /// The backing storage for all the AST nodes.
172     pub forest: &'hir Forest,
173
174     /// Same as the dep_graph in forest, just available with one fewer
175     /// deref. This is a gratuitous micro-optimization.
176     pub dep_graph: DepGraph,
177
178     /// The SVH of the local crate.
179     pub crate_hash: Svh,
180
181     map: HirEntryMap<'hir>,
182
183     definitions: &'hir Definitions,
184
185     /// The reverse mapping of `node_to_hir_id`.
186     hir_to_node_id: FxHashMap<HirId, NodeId>,
187 }
188
189 impl<'hir> Map<'hir> {
190     #[inline]
191     fn lookup(&self, id: HirId) -> Option<&Entry<'hir>> {
192         let local_map = self.map.get(id.owner.index())?;
193         local_map.as_ref()?.get(id.local_id)?.as_ref()
194     }
195
196     /// Registers a read in the dependency graph of the AST node with
197     /// the given `id`. This needs to be called each time a public
198     /// function returns the HIR for a node -- in other words, when it
199     /// "reveals" the content of a node to the caller (who might not
200     /// otherwise have had access to those contents, and hence needs a
201     /// read recorded). If the function just returns a DefId or
202     /// HirId, no actual content was returned, so no read is needed.
203     pub fn read(&self, hir_id: HirId) {
204         if let Some(entry) = self.lookup(hir_id) {
205             self.dep_graph.read_index(entry.dep_node);
206         } else {
207             bug!("called `HirMap::read()` with invalid `HirId`: {:?}", hir_id)
208         }
209     }
210
211     #[inline]
212     pub fn definitions(&self) -> &'hir Definitions {
213         self.definitions
214     }
215
216     pub fn def_key(&self, def_id: DefId) -> DefKey {
217         assert!(def_id.is_local());
218         self.definitions.def_key(def_id.index)
219     }
220
221     pub fn def_path_from_hir_id(&self, id: HirId) -> Option<DefPath> {
222         self.opt_local_def_id(id).map(|def_id| {
223             self.def_path(def_id)
224         })
225     }
226
227     pub fn def_path(&self, def_id: DefId) -> DefPath {
228         assert!(def_id.is_local());
229         self.definitions.def_path(def_id.index)
230     }
231
232     #[inline]
233     pub fn local_def_id_from_node_id(&self, node: NodeId) -> DefId {
234         self.opt_local_def_id_from_node_id(node).unwrap_or_else(|| {
235             let hir_id = self.node_to_hir_id(node);
236             bug!("local_def_id_from_node_id: no entry for `{}`, which has a map of `{:?}`",
237                  node, self.find_entry(hir_id))
238         })
239     }
240
241     #[inline]
242     pub fn local_def_id(&self, hir_id: HirId) -> DefId {
243         self.opt_local_def_id(hir_id).unwrap_or_else(|| {
244             bug!("local_def_id: no entry for `{:?}`, which has a map of `{:?}`",
245                  hir_id, self.find_entry(hir_id))
246         })
247     }
248
249     #[inline]
250     pub fn opt_local_def_id(&self, hir_id: HirId) -> Option<DefId> {
251         let node_id = self.hir_to_node_id(hir_id);
252         self.definitions.opt_local_def_id(node_id)
253     }
254
255     #[inline]
256     pub fn opt_local_def_id_from_node_id(&self, node: NodeId) -> Option<DefId> {
257         self.definitions.opt_local_def_id(node)
258     }
259
260     #[inline]
261     pub fn as_local_node_id(&self, def_id: DefId) -> Option<NodeId> {
262         self.definitions.as_local_node_id(def_id)
263     }
264
265     #[inline]
266     pub fn as_local_hir_id(&self, def_id: DefId) -> Option<HirId> {
267         self.definitions.as_local_hir_id(def_id)
268     }
269
270     #[inline]
271     pub fn hir_to_node_id(&self, hir_id: HirId) -> NodeId {
272         self.hir_to_node_id[&hir_id]
273     }
274
275     #[inline]
276     pub fn node_to_hir_id(&self, node_id: NodeId) -> HirId {
277         self.definitions.node_to_hir_id(node_id)
278     }
279
280     #[inline]
281     pub fn def_index_to_hir_id(&self, def_index: DefIndex) -> HirId {
282         self.definitions.def_index_to_hir_id(def_index)
283     }
284
285     #[inline]
286     pub fn local_def_id_to_hir_id(&self, def_id: LocalDefId) -> HirId {
287         self.definitions.def_index_to_hir_id(def_id.to_def_id().index)
288     }
289
290     fn def_kind(&self, hir_id: HirId) -> Option<DefKind> {
291         let node = if let Some(node) = self.find(hir_id) {
292             node
293         } else {
294             return None
295         };
296
297         Some(match node {
298             Node::Item(item) => {
299                 match item.node {
300                     ItemKind::Static(..) => DefKind::Static,
301                     ItemKind::Const(..) => DefKind::Const,
302                     ItemKind::Fn(..) => DefKind::Fn,
303                     ItemKind::Mod(..) => DefKind::Mod,
304                     ItemKind::Existential(..) => DefKind::Existential,
305                     ItemKind::Ty(..) => DefKind::TyAlias,
306                     ItemKind::Enum(..) => DefKind::Enum,
307                     ItemKind::Struct(..) => DefKind::Struct,
308                     ItemKind::Union(..) => DefKind::Union,
309                     ItemKind::Trait(..) => DefKind::Trait,
310                     ItemKind::TraitAlias(..) => DefKind::TraitAlias,
311                     ItemKind::ExternCrate(_) |
312                     ItemKind::Use(..) |
313                     ItemKind::ForeignMod(..) |
314                     ItemKind::GlobalAsm(..) |
315                     ItemKind::Impl(..) => return None,
316                 }
317             }
318             Node::ForeignItem(item) => {
319                 match item.node {
320                     ForeignItemKind::Fn(..) => DefKind::Fn,
321                     ForeignItemKind::Static(..) => DefKind::Static,
322                     ForeignItemKind::Type => DefKind::ForeignTy,
323                 }
324             }
325             Node::TraitItem(item) => {
326                 match item.node {
327                     TraitItemKind::Const(..) => DefKind::AssocConst,
328                     TraitItemKind::Method(..) => DefKind::Method,
329                     TraitItemKind::Type(..) => DefKind::AssocTy,
330                 }
331             }
332             Node::ImplItem(item) => {
333                 match item.node {
334                     ImplItemKind::Const(..) => DefKind::AssocConst,
335                     ImplItemKind::Method(..) => DefKind::Method,
336                     ImplItemKind::Type(..) => DefKind::AssocTy,
337                     ImplItemKind::Existential(..) => DefKind::AssocExistential,
338                 }
339             }
340             Node::Variant(_) => DefKind::Variant,
341             Node::Ctor(variant_data) => {
342                 // FIXME(eddyb) is this even possible, if we have a `Node::Ctor`?
343                 if variant_data.ctor_hir_id().is_none() {
344                     return None;
345                 }
346                 let ctor_of = match self.find(self.get_parent_node(hir_id)) {
347                     Some(Node::Item(..)) => def::CtorOf::Struct,
348                     Some(Node::Variant(..)) => def::CtorOf::Variant,
349                     _ => unreachable!(),
350                 };
351                 DefKind::Ctor(ctor_of, def::CtorKind::from_hir(variant_data))
352             }
353             Node::AnonConst(_) |
354             Node::Field(_) |
355             Node::Expr(_) |
356             Node::Stmt(_) |
357             Node::PathSegment(_) |
358             Node::Ty(_) |
359             Node::TraitRef(_) |
360             Node::Pat(_) |
361             Node::Binding(_) |
362             Node::Local(_) |
363             Node::Arg(_) |
364             Node::Arm(_) |
365             Node::Lifetime(_) |
366             Node::Visibility(_) |
367             Node::Block(_) |
368             Node::Crate => return None,
369             Node::MacroDef(_) => DefKind::Macro(MacroKind::Bang),
370             Node::GenericParam(param) => {
371                 match param.kind {
372                     GenericParamKind::Lifetime { .. } => return None,
373                     GenericParamKind::Type { .. } => DefKind::TyParam,
374                     GenericParamKind::Const { .. } => DefKind::ConstParam,
375                 }
376             }
377         })
378     }
379
380     fn find_entry(&self, id: HirId) -> Option<Entry<'hir>> {
381         self.lookup(id).cloned()
382     }
383
384     pub fn krate(&self) -> &'hir Crate {
385         self.forest.krate()
386     }
387
388     pub fn trait_item(&self, id: TraitItemId) -> &'hir TraitItem {
389         self.read(id.hir_id);
390
391         // N.B., intentionally bypass `self.forest.krate()` so that we
392         // do not trigger a read of the whole krate here
393         self.forest.krate.trait_item(id)
394     }
395
396     pub fn impl_item(&self, id: ImplItemId) -> &'hir ImplItem {
397         self.read(id.hir_id);
398
399         // N.B., intentionally bypass `self.forest.krate()` so that we
400         // do not trigger a read of the whole krate here
401         self.forest.krate.impl_item(id)
402     }
403
404     pub fn body(&self, id: BodyId) -> &'hir Body {
405         self.read(id.hir_id);
406
407         // N.B., intentionally bypass `self.forest.krate()` so that we
408         // do not trigger a read of the whole krate here
409         self.forest.krate.body(id)
410     }
411
412     pub fn fn_decl_by_hir_id(&self, hir_id: HirId) -> Option<&'hir FnDecl> {
413         if let Some(entry) = self.find_entry(hir_id) {
414             entry.fn_decl()
415         } else {
416             bug!("no entry for hir_id `{}`", hir_id)
417         }
418     }
419
420     /// Returns the `HirId` that corresponds to the definition of
421     /// which this is the body of, i.e., a `fn`, `const` or `static`
422     /// item (possibly associated), a closure, or a `hir::AnonConst`.
423     pub fn body_owner(&self, BodyId { hir_id }: BodyId) -> HirId {
424         let parent = self.get_parent_node(hir_id);
425         assert!(self.lookup(parent).map_or(false, |e| e.is_body_owner(hir_id)));
426         parent
427     }
428
429     pub fn body_owner_def_id(&self, id: BodyId) -> DefId {
430         self.local_def_id(self.body_owner(id))
431     }
432
433     /// Given a `HirId`, returns the `BodyId` associated with it,
434     /// if the node is a body owner, otherwise returns `None`.
435     pub fn maybe_body_owned_by(&self, hir_id: HirId) -> Option<BodyId> {
436         if let Some(entry) = self.find_entry(hir_id) {
437             if self.dep_graph.is_fully_enabled() {
438                 let hir_id_owner = hir_id.owner;
439                 let def_path_hash = self.definitions.def_path_hash(hir_id_owner);
440                 self.dep_graph.read(def_path_hash.to_dep_node(DepKind::HirBody));
441             }
442
443             entry.associated_body()
444         } else {
445             bug!("no entry for id `{}`", hir_id)
446         }
447     }
448
449     /// Given a body owner's id, returns the `BodyId` associated with it.
450     pub fn body_owned_by(&self, id: HirId) -> BodyId {
451         self.maybe_body_owned_by(id).unwrap_or_else(|| {
452             span_bug!(self.span(id), "body_owned_by: {} has no associated body",
453                       self.node_to_string(id));
454         })
455     }
456
457     pub fn body_owner_kind(&self, id: HirId) -> BodyOwnerKind {
458         match self.get(id) {
459             Node::Item(&Item { node: ItemKind::Const(..), .. }) |
460             Node::TraitItem(&TraitItem { node: TraitItemKind::Const(..), .. }) |
461             Node::ImplItem(&ImplItem { node: ImplItemKind::Const(..), .. }) |
462             Node::AnonConst(_) => {
463                 BodyOwnerKind::Const
464             }
465             Node::Ctor(..) |
466             Node::Item(&Item { node: ItemKind::Fn(..), .. }) |
467             Node::TraitItem(&TraitItem { node: TraitItemKind::Method(..), .. }) |
468             Node::ImplItem(&ImplItem { node: ImplItemKind::Method(..), .. }) => {
469                 BodyOwnerKind::Fn
470             }
471             Node::Item(&Item { node: ItemKind::Static(_, m, _), .. }) => {
472                 BodyOwnerKind::Static(m)
473             }
474             Node::Expr(&Expr { node: ExprKind::Closure(..), .. }) => {
475                 BodyOwnerKind::Closure
476             }
477             node => bug!("{:#?} is not a body node", node),
478         }
479     }
480
481     pub fn ty_param_owner(&self, id: HirId) -> HirId {
482         match self.get(id) {
483             Node::Item(&Item { node: ItemKind::Trait(..), .. }) |
484             Node::Item(&Item { node: ItemKind::TraitAlias(..), .. }) => id,
485             Node::GenericParam(_) => self.get_parent_node(id),
486             _ => bug!("ty_param_owner: {} not a type parameter", self.node_to_string(id))
487         }
488     }
489
490     pub fn ty_param_name(&self, id: HirId) -> Name {
491         match self.get(id) {
492             Node::Item(&Item { node: ItemKind::Trait(..), .. }) |
493             Node::Item(&Item { node: ItemKind::TraitAlias(..), .. }) => kw::SelfUpper,
494             Node::GenericParam(param) => param.name.ident().name,
495             _ => bug!("ty_param_name: {} not a type parameter", self.node_to_string(id)),
496         }
497     }
498
499     pub fn trait_impls(&self, trait_did: DefId) -> &'hir [HirId] {
500         self.dep_graph.read(DepNode::new_no_params(DepKind::AllLocalTraitImpls));
501
502         // N.B., intentionally bypass `self.forest.krate()` so that we
503         // do not trigger a read of the whole krate here
504         self.forest.krate.trait_impls.get(&trait_did).map_or(&[], |xs| &xs[..])
505     }
506
507     /// Gets the attributes on the crate. This is preferable to
508     /// invoking `krate.attrs` because it registers a tighter
509     /// dep-graph access.
510     pub fn krate_attrs(&self) -> &'hir [ast::Attribute] {
511         let def_path_hash = self.definitions.def_path_hash(CRATE_DEF_INDEX);
512
513         self.dep_graph.read(def_path_hash.to_dep_node(DepKind::Hir));
514         &self.forest.krate.attrs
515     }
516
517     pub fn get_module(&self, module: DefId) -> (&'hir Mod, Span, HirId)
518     {
519         let hir_id = self.as_local_hir_id(module).unwrap();
520         self.read(hir_id);
521         match self.find_entry(hir_id).unwrap().node {
522             Node::Item(&Item {
523                 span,
524                 node: ItemKind::Mod(ref m),
525                 ..
526             }) => (m, span, hir_id),
527             Node::Crate => (&self.forest.krate.module, self.forest.krate.span, hir_id),
528             _ => panic!("not a module")
529         }
530     }
531
532     pub fn visit_item_likes_in_module<V>(&self, module: DefId, visitor: &mut V)
533         where V: ItemLikeVisitor<'hir>
534     {
535         let hir_id = self.as_local_hir_id(module).unwrap();
536
537         // Read the module so we'll be re-executed if new items
538         // appear immediately under in the module. If some new item appears
539         // in some nested item in the module, we'll be re-executed due to reads
540         // in the expect_* calls the loops below
541         self.read(hir_id);
542
543         let node_id = self.hir_to_node_id[&hir_id];
544
545         let module = &self.forest.krate.modules[&node_id];
546
547         for id in &module.items {
548             visitor.visit_item(self.expect_item(*id));
549         }
550
551         for id in &module.trait_items {
552             visitor.visit_trait_item(self.expect_trait_item(id.hir_id));
553         }
554
555         for id in &module.impl_items {
556             visitor.visit_impl_item(self.expect_impl_item(id.hir_id));
557         }
558     }
559
560     /// Retrieves the `Node` corresponding to `id`, panicking if it cannot be found.
561     pub fn get(&self, id: HirId) -> Node<'hir> {
562         // read recorded by `find`
563         self.find(id).unwrap_or_else(||
564             bug!("couldn't find hir id {} in the HIR map", id))
565     }
566
567     pub fn get_if_local(&self, id: DefId) -> Option<Node<'hir>> {
568         self.as_local_hir_id(id).map(|id| self.get(id)) // read recorded by `get`
569     }
570
571     pub fn get_generics(&self, id: DefId) -> Option<&'hir Generics> {
572         self.get_if_local(id).and_then(|node| {
573             match node {
574                 Node::ImplItem(ref impl_item) => Some(&impl_item.generics),
575                 Node::TraitItem(ref trait_item) => Some(&trait_item.generics),
576                 Node::Item(ref item) => {
577                     match item.node {
578                         ItemKind::Fn(_, _, ref generics, _) |
579                         ItemKind::Ty(_, ref generics) |
580                         ItemKind::Enum(_, ref generics) |
581                         ItemKind::Struct(_, ref generics) |
582                         ItemKind::Union(_, ref generics) |
583                         ItemKind::Trait(_, _, ref generics, ..) |
584                         ItemKind::TraitAlias(ref generics, _) |
585                         ItemKind::Impl(_, _, _, ref generics, ..) => Some(generics),
586                         _ => None,
587                     }
588                 }
589                 _ => None,
590             }
591         })
592     }
593
594     /// Retrieves the `Node` corresponding to `id`, returning `None` if cannot be found.
595     pub fn find(&self, hir_id: HirId) -> Option<Node<'hir>> {
596         let result = self.find_entry(hir_id).and_then(|entry| {
597             if let Node::Crate = entry.node {
598                 None
599             } else {
600                 Some(entry.node)
601             }
602         });
603         if result.is_some() {
604             self.read(hir_id);
605         }
606         result
607     }
608
609     /// Similar to `get_parent`; returns the parent HIR Id, or just `hir_id` if there
610     /// is no parent. Note that the parent may be `CRATE_HIR_ID`, which is not itself
611     /// present in the map, so passing the return value of `get_parent_node` to
612     /// `get` may in fact panic.
613     /// This function returns the immediate parent in the HIR, whereas `get_parent`
614     /// returns the enclosing item. Note that this might not be the actual parent
615     /// node in the HIR -- some kinds of nodes are not in the map and these will
616     /// never appear as the parent node. Thus, you can always walk the parent nodes
617     /// from a node to the root of the HIR (unless you get back the same ID here,
618     /// which can happen if the ID is not in the map itself or is just weird).
619     pub fn get_parent_node(&self, hir_id: HirId) -> HirId {
620         if self.dep_graph.is_fully_enabled() {
621             let hir_id_owner = hir_id.owner;
622             let def_path_hash = self.definitions.def_path_hash(hir_id_owner);
623             self.dep_graph.read(def_path_hash.to_dep_node(DepKind::HirBody));
624         }
625
626         self.find_entry(hir_id)
627             .and_then(|x| x.parent_node())
628             .unwrap_or(hir_id)
629     }
630
631     /// Check if the node is an argument. An argument is a local variable whose
632     /// immediate parent is an item or a closure.
633     pub fn is_argument(&self, id: HirId) -> bool {
634         match self.find(id) {
635             Some(Node::Binding(_)) => (),
636             _ => return false,
637         }
638         match self.find(self.get_parent_node(id)) {
639             Some(Node::Item(_)) |
640             Some(Node::TraitItem(_)) |
641             Some(Node::ImplItem(_)) => true,
642             Some(Node::Expr(e)) => {
643                 match e.node {
644                     ExprKind::Closure(..) => true,
645                     _ => false,
646                 }
647             }
648             _ => false,
649         }
650     }
651
652     pub fn is_const_scope(&self, hir_id: HirId) -> bool {
653         self.walk_parent_nodes(hir_id, |node| match *node {
654             Node::Item(Item { node: ItemKind::Const(_, _), .. }) => true,
655             Node::Item(Item { node: ItemKind::Fn(_, header, _, _), .. }) => header.is_const(),
656             _ => false,
657         }, |_| false).map(|id| id != CRATE_HIR_ID).unwrap_or(false)
658     }
659
660     /// If there is some error when walking the parents (e.g., a node does not
661     /// have a parent in the map or a node can't be found), then we return the
662     /// last good `HirId` we found. Note that reaching the crate root (`id == 0`),
663     /// is not an error, since items in the crate module have the crate root as
664     /// parent.
665     fn walk_parent_nodes<F, F2>(&self,
666                                 start_id: HirId,
667                                 found: F,
668                                 bail_early: F2)
669         -> Result<HirId, HirId>
670         where F: Fn(&Node<'hir>) -> bool, F2: Fn(&Node<'hir>) -> bool
671     {
672         let mut id = start_id;
673         loop {
674             let parent_id = self.get_parent_node(id);
675             if parent_id == CRATE_HIR_ID {
676                 return Ok(CRATE_HIR_ID);
677             }
678             if parent_id == id {
679                 return Err(id);
680             }
681
682             if let Some(entry) = self.find_entry(parent_id) {
683                 if let Node::Crate = entry.node {
684                     return Err(id);
685                 }
686                 if found(&entry.node) {
687                     return Ok(parent_id);
688                 } else if bail_early(&entry.node) {
689                     return Err(parent_id);
690                 }
691                 id = parent_id;
692             } else {
693                 return Err(id);
694             }
695         }
696     }
697
698     /// Retrieves the `HirId` for `id`'s enclosing method, unless there's a
699     /// `while` or `loop` before reaching it, as block tail returns are not
700     /// available in them.
701     ///
702     /// ```
703     /// fn foo(x: usize) -> bool {
704     ///     if x == 1 {
705     ///         true  // `get_return_block` gets passed the `id` corresponding
706     ///     } else {  // to this, it will return `foo`'s `HirId`.
707     ///         false
708     ///     }
709     /// }
710     /// ```
711     ///
712     /// ```
713     /// fn foo(x: usize) -> bool {
714     ///     loop {
715     ///         true  // `get_return_block` gets passed the `id` corresponding
716     ///     }         // to this, it will return `None`.
717     ///     false
718     /// }
719     /// ```
720     pub fn get_return_block(&self, id: HirId) -> Option<HirId> {
721         let match_fn = |node: &Node<'_>| {
722             match *node {
723                 Node::Item(_) |
724                 Node::ForeignItem(_) |
725                 Node::TraitItem(_) |
726                 Node::Expr(Expr { node: ExprKind::Closure(..), ..}) |
727                 Node::ImplItem(_) => true,
728                 _ => false,
729             }
730         };
731         let match_non_returning_block = |node: &Node<'_>| {
732             match *node {
733                 Node::Expr(ref expr) => {
734                     match expr.node {
735                         ExprKind::Loop(..) | ExprKind::Ret(..) => true,
736                         _ => false,
737                     }
738                 }
739                 _ => false,
740             }
741         };
742
743         self.walk_parent_nodes(id, match_fn, match_non_returning_block).ok()
744     }
745
746     /// Retrieves the `HirId` for `id`'s parent item, or `id` itself if no
747     /// parent item is in this map. The "parent item" is the closest parent node
748     /// in the HIR which is recorded by the map and is an item, either an item
749     /// in a module, trait, or impl.
750     pub fn get_parent_item(&self, hir_id: HirId) -> HirId {
751         match self.walk_parent_nodes(hir_id, |node| match *node {
752             Node::Item(_) |
753             Node::ForeignItem(_) |
754             Node::TraitItem(_) |
755             Node::ImplItem(_) => true,
756             _ => false,
757         }, |_| false) {
758             Ok(id) => id,
759             Err(id) => id,
760         }
761     }
762
763     /// Returns the `DefId` of `id`'s nearest module parent, or `id` itself if no
764     /// module parent is in this map.
765     pub fn get_module_parent(&self, id: HirId) -> DefId {
766         self.local_def_id(self.get_module_parent_node(id))
767     }
768
769     /// Returns the `HirId` of `id`'s nearest module parent, or `id` itself if no
770     /// module parent is in this map.
771     pub fn get_module_parent_node(&self, hir_id: HirId) -> HirId {
772         match self.walk_parent_nodes(hir_id, |node| match *node {
773             Node::Item(&Item { node: ItemKind::Mod(_), .. }) => true,
774             _ => false,
775         }, |_| false) {
776             Ok(id) => id,
777             Err(id) => id,
778         }
779     }
780
781     /// Returns the nearest enclosing scope. A scope is roughly an item or block.
782     pub fn get_enclosing_scope(&self, hir_id: HirId) -> Option<HirId> {
783         self.walk_parent_nodes(hir_id, |node| match *node {
784             Node::Item(i) => {
785                 match i.node {
786                     ItemKind::Fn(..)
787                     | ItemKind::Mod(..)
788                     | ItemKind::Enum(..)
789                     | ItemKind::Struct(..)
790                     | ItemKind::Union(..)
791                     | ItemKind::Trait(..)
792                     | ItemKind::Impl(..) => true,
793                     _ => false,
794                 }
795             },
796             Node::ForeignItem(fi) => {
797                 match fi.node {
798                     ForeignItemKind::Fn(..) => true,
799                     _ => false,
800                 }
801             },
802             Node::TraitItem(ti) => {
803                 match ti.node {
804                     TraitItemKind::Method(..) => true,
805                     _ => false,
806                 }
807             },
808             Node::ImplItem(ii) => {
809                 match ii.node {
810                     ImplItemKind::Method(..) => true,
811                     _ => false,
812                 }
813             },
814             Node::Block(_) => true,
815             _ => false,
816         }, |_| false).ok()
817     }
818
819     /// Returns the defining scope for an existential type definition.
820     pub fn get_defining_scope(&self, id: HirId) -> Option<HirId> {
821         let mut scope = id;
822         loop {
823             scope = self.get_enclosing_scope(scope)?;
824             if scope == CRATE_HIR_ID {
825                 return Some(CRATE_HIR_ID);
826             }
827             match self.get(scope) {
828                 Node::Item(i) => {
829                     match i.node {
830                         ItemKind::Existential(ExistTy { impl_trait_fn: None, .. }) => {}
831                         _ => break,
832                     }
833                 }
834                 Node::Block(_) => {}
835                 _ => break,
836             }
837         }
838         Some(scope)
839     }
840
841     pub fn get_parent_did(&self, id: HirId) -> DefId {
842         self.local_def_id(self.get_parent_item(id))
843     }
844
845     pub fn get_foreign_abi(&self, hir_id: HirId) -> Abi {
846         let parent = self.get_parent_item(hir_id);
847         if let Some(entry) = self.find_entry(parent) {
848             if let Entry {
849                 node: Node::Item(Item { node: ItemKind::ForeignMod(ref nm), .. }), .. } = entry
850             {
851                 self.read(hir_id); // reveals some of the content of a node
852                 return nm.abi;
853             }
854         }
855         bug!("expected foreign mod or inlined parent, found {}", self.node_to_string(parent))
856     }
857
858     pub fn expect_item(&self, id: HirId) -> &'hir Item {
859         match self.find(id) { // read recorded by `find`
860             Some(Node::Item(item)) => item,
861             _ => bug!("expected item, found {}", self.node_to_string(id))
862         }
863     }
864
865     pub fn expect_impl_item(&self, id: HirId) -> &'hir ImplItem {
866         match self.find(id) {
867             Some(Node::ImplItem(item)) => item,
868             _ => bug!("expected impl item, found {}", self.node_to_string(id))
869         }
870     }
871
872     pub fn expect_trait_item(&self, id: HirId) -> &'hir TraitItem {
873         match self.find(id) {
874             Some(Node::TraitItem(item)) => item,
875             _ => bug!("expected trait item, found {}", self.node_to_string(id))
876         }
877     }
878
879     pub fn expect_variant_data(&self, id: HirId) -> &'hir VariantData {
880         match self.find(id) {
881             Some(Node::Item(i)) => {
882                 match i.node {
883                     ItemKind::Struct(ref struct_def, _) |
884                     ItemKind::Union(ref struct_def, _) => struct_def,
885                     _ => bug!("struct ID bound to non-struct {}", self.node_to_string(id))
886                 }
887             }
888             Some(Node::Variant(variant)) => &variant.node.data,
889             Some(Node::Ctor(data)) => data,
890             _ => bug!("expected struct or variant, found {}", self.node_to_string(id))
891         }
892     }
893
894     pub fn expect_variant(&self, id: HirId) -> &'hir Variant {
895         match self.find(id) {
896             Some(Node::Variant(variant)) => variant,
897             _ => bug!("expected variant, found {}", self.node_to_string(id)),
898         }
899     }
900
901     pub fn expect_foreign_item(&self, id: HirId) -> &'hir ForeignItem {
902         match self.find(id) {
903             Some(Node::ForeignItem(item)) => item,
904             _ => bug!("expected foreign item, found {}", self.node_to_string(id))
905         }
906     }
907
908     pub fn expect_expr(&self, id: HirId) -> &'hir Expr {
909         match self.find(id) { // read recorded by find
910             Some(Node::Expr(expr)) => expr,
911             _ => bug!("expected expr, found {}", self.node_to_string(id))
912         }
913     }
914
915     pub fn name(&self, id: HirId) -> Name {
916         match self.get(id) {
917             Node::Item(i) => i.ident.name,
918             Node::ForeignItem(fi) => fi.ident.name,
919             Node::ImplItem(ii) => ii.ident.name,
920             Node::TraitItem(ti) => ti.ident.name,
921             Node::Variant(v) => v.node.ident.name,
922             Node::Field(f) => f.ident.name,
923             Node::Lifetime(lt) => lt.name.ident().name,
924             Node::GenericParam(param) => param.name.ident().name,
925             Node::Binding(&Pat { node: PatKind::Binding(_, _, l, _), .. }) => l.name,
926             Node::Ctor(..) => self.name(self.get_parent_item(id)),
927             _ => bug!("no name for {}", self.node_to_string(id))
928         }
929     }
930
931     /// Given a node ID, gets a list of attributes associated with the AST
932     /// corresponding to the node-ID.
933     pub fn attrs(&self, id: HirId) -> &'hir [ast::Attribute] {
934         self.read(id); // reveals attributes on the node
935         let attrs = match self.find_entry(id).map(|entry| entry.node) {
936             Some(Node::Arg(a)) => Some(&a.attrs[..]),
937             Some(Node::Local(l)) => Some(&l.attrs[..]),
938             Some(Node::Item(i)) => Some(&i.attrs[..]),
939             Some(Node::ForeignItem(fi)) => Some(&fi.attrs[..]),
940             Some(Node::TraitItem(ref ti)) => Some(&ti.attrs[..]),
941             Some(Node::ImplItem(ref ii)) => Some(&ii.attrs[..]),
942             Some(Node::Variant(ref v)) => Some(&v.node.attrs[..]),
943             Some(Node::Field(ref f)) => Some(&f.attrs[..]),
944             Some(Node::Expr(ref e)) => Some(&*e.attrs),
945             Some(Node::Stmt(ref s)) => Some(s.node.attrs()),
946             Some(Node::Arm(ref a)) => Some(&*a.attrs),
947             Some(Node::GenericParam(param)) => Some(&param.attrs[..]),
948             // Unit/tuple structs/variants take the attributes straight from
949             // the struct/variant definition.
950             Some(Node::Ctor(..)) => return self.attrs(self.get_parent_item(id)),
951             Some(Node::Crate) => Some(&self.forest.krate.attrs[..]),
952             _ => None
953         };
954         attrs.unwrap_or(&[])
955     }
956
957     /// Returns an iterator that yields all the hir ids in the map.
958     fn all_ids<'a>(&'a self) -> impl Iterator<Item = HirId> + 'a {
959         // This code is a bit awkward because the map is implemented as 2 levels of arrays,
960         // see the comment on `HirEntryMap`.
961         // Iterate over all the indices and return a reference to
962         // local maps and their index given that they exist.
963         self.map.iter().enumerate().filter_map(|(i, local_map)| {
964             local_map.as_ref().map(|m| (i, m))
965         }).flat_map(move |(array_index, local_map)| {
966             // Iterate over each valid entry in the local map
967             local_map.iter_enumerated().filter_map(move |(i, entry)| entry.map(move |_| {
968                 // Reconstruct the HirId based on the 3 indices we used to find it
969                 HirId {
970                     owner: DefIndex::from(array_index),
971                     local_id: i,
972                 }
973             }))
974         })
975     }
976
977     /// Returns an iterator that yields the node id's with paths that
978     /// match `parts`.  (Requires `parts` is non-empty.)
979     ///
980     /// For example, if given `parts` equal to `["bar", "quux"]`, then
981     /// the iterator will produce node id's for items with paths
982     /// such as `foo::bar::quux`, `bar::quux`, `other::bar::quux`, and
983     /// any other such items it can find in the map.
984     pub fn nodes_matching_suffix<'a>(&'a self, parts: &'a [String])
985                                  -> impl Iterator<Item = NodeId> + 'a {
986         let nodes = NodesMatchingSuffix {
987             map: self,
988             item_name: parts.last().unwrap(),
989             in_which: &parts[..parts.len() - 1],
990         };
991
992         self.all_ids().filter(move |hir| nodes.matches_suffix(*hir)).map(move |hir| {
993             self.hir_to_node_id(hir)
994         })
995     }
996
997     pub fn span(&self, hir_id: HirId) -> Span {
998         self.read(hir_id); // reveals span from node
999         match self.find_entry(hir_id).map(|entry| entry.node) {
1000             Some(Node::Arg(arg)) => arg.span,
1001             Some(Node::Item(item)) => item.span,
1002             Some(Node::ForeignItem(foreign_item)) => foreign_item.span,
1003             Some(Node::TraitItem(trait_method)) => trait_method.span,
1004             Some(Node::ImplItem(impl_item)) => impl_item.span,
1005             Some(Node::Variant(variant)) => variant.span,
1006             Some(Node::Field(field)) => field.span,
1007             Some(Node::AnonConst(constant)) => self.body(constant.body).value.span,
1008             Some(Node::Expr(expr)) => expr.span,
1009             Some(Node::Stmt(stmt)) => stmt.span,
1010             Some(Node::PathSegment(seg)) => seg.ident.span,
1011             Some(Node::Ty(ty)) => ty.span,
1012             Some(Node::TraitRef(tr)) => tr.path.span,
1013             Some(Node::Binding(pat)) => pat.span,
1014             Some(Node::Pat(pat)) => pat.span,
1015             Some(Node::Arm(arm)) => arm.span,
1016             Some(Node::Block(block)) => block.span,
1017             Some(Node::Ctor(..)) => match self.find(
1018                 self.get_parent_node(hir_id))
1019             {
1020                 Some(Node::Item(item)) => item.span,
1021                 Some(Node::Variant(variant)) => variant.span,
1022                 _ => unreachable!(),
1023             }
1024             Some(Node::Lifetime(lifetime)) => lifetime.span,
1025             Some(Node::GenericParam(param)) => param.span,
1026             Some(Node::Visibility(&Spanned {
1027                 node: VisibilityKind::Restricted { ref path, .. }, ..
1028             })) => path.span,
1029             Some(Node::Visibility(v)) => bug!("unexpected Visibility {:?}", v),
1030             Some(Node::Local(local)) => local.span,
1031             Some(Node::MacroDef(macro_def)) => macro_def.span,
1032             Some(Node::Crate) => self.forest.krate.span,
1033             None => bug!("hir::map::Map::span: id not in map: {:?}", hir_id),
1034         }
1035     }
1036
1037     pub fn span_if_local(&self, id: DefId) -> Option<Span> {
1038         self.as_local_hir_id(id).map(|id| self.span(id))
1039     }
1040
1041     pub fn node_to_string(&self, id: HirId) -> String {
1042         hir_id_to_string(self, id, true)
1043     }
1044
1045     pub fn hir_to_user_string(&self, id: HirId) -> String {
1046         hir_id_to_string(self, id, false)
1047     }
1048
1049     pub fn hir_to_pretty_string(&self, id: HirId) -> String {
1050         print::to_string(self, |s| s.print_node(self.get(id)))
1051     }
1052 }
1053
1054 pub struct NodesMatchingSuffix<'a> {
1055     map: &'a Map<'a>,
1056     item_name: &'a String,
1057     in_which: &'a [String],
1058 }
1059
1060 impl<'a> NodesMatchingSuffix<'a> {
1061     /// Returns `true` only if some suffix of the module path for parent
1062     /// matches `self.in_which`.
1063     ///
1064     /// In other words: let `[x_0,x_1,...,x_k]` be `self.in_which`;
1065     /// returns true if parent's path ends with the suffix
1066     /// `x_0::x_1::...::x_k`.
1067     fn suffix_matches(&self, parent: HirId) -> bool {
1068         let mut cursor = parent;
1069         for part in self.in_which.iter().rev() {
1070             let (mod_id, mod_name) = match find_first_mod_parent(self.map, cursor) {
1071                 None => return false,
1072                 Some((node_id, name)) => (node_id, name),
1073             };
1074             if mod_name.as_str() != *part {
1075                 return false;
1076             }
1077             cursor = self.map.get_parent_item(mod_id);
1078         }
1079         return true;
1080
1081         // Finds the first mod in parent chain for `id`, along with
1082         // that mod's name.
1083         //
1084         // If `id` itself is a mod named `m` with parent `p`, then
1085         // returns `Some(id, m, p)`.  If `id` has no mod in its parent
1086         // chain, then returns `None`.
1087         fn find_first_mod_parent(map: &Map<'_>, mut id: HirId) -> Option<(HirId, Name)> {
1088             loop {
1089                 if let Node::Item(item) = map.find(id)? {
1090                     if item_is_mod(&item) {
1091                         return Some((id, item.ident.name))
1092                     }
1093                 }
1094                 let parent = map.get_parent_item(id);
1095                 if parent == id { return None }
1096                 id = parent;
1097             }
1098
1099             fn item_is_mod(item: &Item) -> bool {
1100                 match item.node {
1101                     ItemKind::Mod(_) => true,
1102                     _ => false,
1103                 }
1104             }
1105         }
1106     }
1107
1108     // We are looking at some node `n` with a given name and parent
1109     // id; do their names match what I am seeking?
1110     fn matches_names(&self, parent_of_n: HirId, name: Name) -> bool {
1111         name.as_str() == *self.item_name && self.suffix_matches(parent_of_n)
1112     }
1113
1114     fn matches_suffix(&self, hir: HirId) -> bool {
1115         let name = match self.map.find_entry(hir).map(|entry| entry.node) {
1116             Some(Node::Item(n)) => n.name(),
1117             Some(Node::ForeignItem(n)) => n.name(),
1118             Some(Node::TraitItem(n)) => n.name(),
1119             Some(Node::ImplItem(n)) => n.name(),
1120             Some(Node::Variant(n)) => n.name(),
1121             Some(Node::Field(n)) => n.name(),
1122             _ => return false,
1123         };
1124         self.matches_names(self.map.get_parent_item(hir), name)
1125     }
1126 }
1127
1128 trait Named {
1129     fn name(&self) -> Name;
1130 }
1131
1132 impl<T:Named> Named for Spanned<T> { fn name(&self) -> Name { self.node.name() } }
1133
1134 impl Named for Item { fn name(&self) -> Name { self.ident.name } }
1135 impl Named for ForeignItem { fn name(&self) -> Name { self.ident.name } }
1136 impl Named for VariantKind { fn name(&self) -> Name { self.ident.name } }
1137 impl Named for StructField { fn name(&self) -> Name { self.ident.name } }
1138 impl Named for TraitItem { fn name(&self) -> Name { self.ident.name } }
1139 impl Named for ImplItem { fn name(&self) -> Name { self.ident.name } }
1140
1141 pub fn map_crate<'hir>(sess: &crate::session::Session,
1142                        cstore: &CrateStoreDyn,
1143                        forest: &'hir Forest,
1144                        definitions: &'hir Definitions)
1145                        -> Map<'hir> {
1146     // Build the reverse mapping of `node_to_hir_id`.
1147     let hir_to_node_id = definitions.node_to_hir_id.iter_enumerated()
1148         .map(|(node_id, &hir_id)| (hir_id, node_id)).collect();
1149
1150     let (map, crate_hash) = {
1151         let hcx = crate::ich::StableHashingContext::new(sess, &forest.krate, definitions, cstore);
1152
1153         let mut collector = NodeCollector::root(sess,
1154                                                 &forest.krate,
1155                                                 &forest.dep_graph,
1156                                                 &definitions,
1157                                                 &hir_to_node_id,
1158                                                 hcx);
1159         intravisit::walk_crate(&mut collector, &forest.krate);
1160
1161         let crate_disambiguator = sess.local_crate_disambiguator();
1162         let cmdline_args = sess.opts.dep_tracking_hash();
1163         collector.finalize_and_compute_crate_hash(
1164             crate_disambiguator,
1165             cstore,
1166             cmdline_args
1167         )
1168     };
1169
1170     let map = Map {
1171         forest,
1172         dep_graph: forest.dep_graph.clone(),
1173         crate_hash,
1174         map,
1175         hir_to_node_id,
1176         definitions,
1177     };
1178
1179     time(sess, "validate hir map", || {
1180         hir_id_validator::check_crate(&map);
1181     });
1182
1183     map
1184 }
1185
1186 /// Identical to the `PpAnn` implementation for `hir::Crate`,
1187 /// except it avoids creating a dependency on the whole crate.
1188 impl<'hir> print::PpAnn for Map<'hir> {
1189     fn nested(&self, state: &mut print::State<'_>, nested: print::Nested) {
1190         match nested {
1191             Nested::Item(id) => state.print_item(self.expect_item(id.id)),
1192             Nested::TraitItem(id) => state.print_trait_item(self.trait_item(id)),
1193             Nested::ImplItem(id) => state.print_impl_item(self.impl_item(id)),
1194             Nested::Body(id) => state.print_expr(&self.body(id).value),
1195             Nested::BodyArgPat(id, i) => state.print_pat(&self.body(id).arguments[i].pat)
1196         }
1197     }
1198 }
1199
1200 impl<'a> print::State<'a> {
1201     pub fn print_node(&mut self, node: Node<'_>) {
1202         match node {
1203             Node::Arg(a)          => self.print_arg(&a),
1204             Node::Item(a)         => self.print_item(&a),
1205             Node::ForeignItem(a)  => self.print_foreign_item(&a),
1206             Node::TraitItem(a)    => self.print_trait_item(a),
1207             Node::ImplItem(a)     => self.print_impl_item(a),
1208             Node::Variant(a)      => self.print_variant(&a),
1209             Node::AnonConst(a)    => self.print_anon_const(&a),
1210             Node::Expr(a)         => self.print_expr(&a),
1211             Node::Stmt(a)         => self.print_stmt(&a),
1212             Node::PathSegment(a)  => self.print_path_segment(&a),
1213             Node::Ty(a)           => self.print_type(&a),
1214             Node::TraitRef(a)     => self.print_trait_ref(&a),
1215             Node::Binding(a)      |
1216             Node::Pat(a)          => self.print_pat(&a),
1217             Node::Arm(a)          => self.print_arm(&a),
1218             Node::Block(a)        => {
1219                 // containing cbox, will be closed by print-block at }
1220                 self.cbox(print::INDENT_UNIT);
1221                 // head-ibox, will be closed by print-block after {
1222                 self.ibox(0);
1223                 self.print_block(&a)
1224             }
1225             Node::Lifetime(a)     => self.print_lifetime(&a),
1226             Node::Visibility(a)   => self.print_visibility(&a),
1227             Node::GenericParam(_) => bug!("cannot print Node::GenericParam"),
1228             Node::Field(_)        => bug!("cannot print StructField"),
1229             // these cases do not carry enough information in the
1230             // hir_map to reconstruct their full structure for pretty
1231             // printing.
1232             Node::Ctor(..)        => bug!("cannot print isolated Ctor"),
1233             Node::Local(a)        => self.print_local_decl(&a),
1234             Node::MacroDef(_)     => bug!("cannot print MacroDef"),
1235             Node::Crate           => bug!("cannot print Crate"),
1236         }
1237     }
1238 }
1239
1240 fn hir_id_to_string(map: &Map<'_>, id: HirId, include_id: bool) -> String {
1241     let id_str = format!(" (hir_id={})", id);
1242     let id_str = if include_id { &id_str[..] } else { "" };
1243
1244     let path_str = || {
1245         // This functionality is used for debugging, try to use TyCtxt to get
1246         // the user-friendly path, otherwise fall back to stringifying DefPath.
1247         crate::ty::tls::with_opt(|tcx| {
1248             if let Some(tcx) = tcx {
1249                 let def_id = map.local_def_id(id);
1250                 tcx.def_path_str(def_id)
1251             } else if let Some(path) = map.def_path_from_hir_id(id) {
1252                 path.data.into_iter().map(|elem| {
1253                     elem.data.to_string()
1254                 }).collect::<Vec<_>>().join("::")
1255             } else {
1256                 String::from("<missing path>")
1257             }
1258         })
1259     };
1260
1261     match map.find(id) {
1262         Some(Node::Item(item)) => {
1263             let item_str = match item.node {
1264                 ItemKind::ExternCrate(..) => "extern crate",
1265                 ItemKind::Use(..) => "use",
1266                 ItemKind::Static(..) => "static",
1267                 ItemKind::Const(..) => "const",
1268                 ItemKind::Fn(..) => "fn",
1269                 ItemKind::Mod(..) => "mod",
1270                 ItemKind::ForeignMod(..) => "foreign mod",
1271                 ItemKind::GlobalAsm(..) => "global asm",
1272                 ItemKind::Ty(..) => "ty",
1273                 ItemKind::Existential(..) => "existential type",
1274                 ItemKind::Enum(..) => "enum",
1275                 ItemKind::Struct(..) => "struct",
1276                 ItemKind::Union(..) => "union",
1277                 ItemKind::Trait(..) => "trait",
1278                 ItemKind::TraitAlias(..) => "trait alias",
1279                 ItemKind::Impl(..) => "impl",
1280             };
1281             format!("{} {}{}", item_str, path_str(), id_str)
1282         }
1283         Some(Node::ForeignItem(_)) => {
1284             format!("foreign item {}{}", path_str(), id_str)
1285         }
1286         Some(Node::ImplItem(ii)) => {
1287             match ii.node {
1288                 ImplItemKind::Const(..) => {
1289                     format!("assoc const {} in {}{}", ii.ident, path_str(), id_str)
1290                 }
1291                 ImplItemKind::Method(..) => {
1292                     format!("method {} in {}{}", ii.ident, path_str(), id_str)
1293                 }
1294                 ImplItemKind::Type(_) => {
1295                     format!("assoc type {} in {}{}", ii.ident, path_str(), id_str)
1296                 }
1297                 ImplItemKind::Existential(_) => {
1298                     format!("assoc existential type {} in {}{}", ii.ident, path_str(), id_str)
1299                 }
1300             }
1301         }
1302         Some(Node::TraitItem(ti)) => {
1303             let kind = match ti.node {
1304                 TraitItemKind::Const(..) => "assoc constant",
1305                 TraitItemKind::Method(..) => "trait method",
1306                 TraitItemKind::Type(..) => "assoc type",
1307             };
1308
1309             format!("{} {} in {}{}", kind, ti.ident, path_str(), id_str)
1310         }
1311         Some(Node::Variant(ref variant)) => {
1312             format!("variant {} in {}{}",
1313                     variant.node.ident,
1314                     path_str(), id_str)
1315         }
1316         Some(Node::Field(ref field)) => {
1317             format!("field {} in {}{}",
1318                     field.ident,
1319                     path_str(), id_str)
1320         }
1321         Some(Node::AnonConst(_)) => {
1322             format!("const {}{}", map.hir_to_pretty_string(id), id_str)
1323         }
1324         Some(Node::Expr(_)) => {
1325             format!("expr {}{}", map.hir_to_pretty_string(id), id_str)
1326         }
1327         Some(Node::Stmt(_)) => {
1328             format!("stmt {}{}", map.hir_to_pretty_string(id), id_str)
1329         }
1330         Some(Node::PathSegment(_)) => {
1331             format!("path segment {}{}", map.hir_to_pretty_string(id), id_str)
1332         }
1333         Some(Node::Ty(_)) => {
1334             format!("type {}{}", map.hir_to_pretty_string(id), id_str)
1335         }
1336         Some(Node::TraitRef(_)) => {
1337             format!("trait_ref {}{}", map.hir_to_pretty_string(id), id_str)
1338         }
1339         Some(Node::Binding(_)) => {
1340             format!("local {}{}", map.hir_to_pretty_string(id), id_str)
1341         }
1342         Some(Node::Pat(_)) => {
1343             format!("pat {}{}", map.hir_to_pretty_string(id), id_str)
1344         }
1345         Some(Node::Arg(_)) => {
1346             format!("arg {}{}", map.hir_to_pretty_string(id), id_str)
1347         }
1348         Some(Node::Arm(_)) => {
1349             format!("arm {}{}", map.hir_to_pretty_string(id), id_str)
1350         }
1351         Some(Node::Block(_)) => {
1352             format!("block {}{}", map.hir_to_pretty_string(id), id_str)
1353         }
1354         Some(Node::Local(_)) => {
1355             format!("local {}{}", map.hir_to_pretty_string(id), id_str)
1356         }
1357         Some(Node::Ctor(..)) => {
1358             format!("ctor {}{}", path_str(), id_str)
1359         }
1360         Some(Node::Lifetime(_)) => {
1361             format!("lifetime {}{}", map.hir_to_pretty_string(id), id_str)
1362         }
1363         Some(Node::GenericParam(ref param)) => {
1364             format!("generic_param {:?}{}", param, id_str)
1365         }
1366         Some(Node::Visibility(ref vis)) => {
1367             format!("visibility {:?}{}", vis, id_str)
1368         }
1369         Some(Node::MacroDef(_)) => {
1370             format!("macro {}{}",  path_str(), id_str)
1371         }
1372         Some(Node::Crate) => String::from("root_crate"),
1373         None => format!("unknown node{}", id_str),
1374     }
1375 }
1376
1377 pub fn provide(providers: &mut Providers<'_>) {
1378     providers.def_kind = |tcx, def_id| {
1379         if let Some(hir_id) = tcx.hir().as_local_hir_id(def_id) {
1380             tcx.hir().def_kind(hir_id)
1381         } else {
1382             bug!("calling local def_kind query provider for upstream DefId: {:?}",
1383                 def_id
1384             );
1385         }
1386     };
1387 }