]> git.lizzy.rs Git - rust.git/blob - src/librustc/ty/maps.rs
rustc: Migrate `CrateStore::item_body` to a query
[rust.git] / src / librustc / ty / maps.rs
1 // Copyright 2012-2015 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 use dep_graph::{DepConstructor, DepNode, DepNodeIndex};
12 use errors::{Diagnostic, DiagnosticBuilder};
13 use hir::def_id::{CrateNum, DefId, LOCAL_CRATE, DefIndex};
14 use hir::def::{Def, Export};
15 use hir::{self, TraitCandidate, HirId};
16 use hir::svh::Svh;
17 use lint;
18 use middle::const_val;
19 use middle::cstore::{ExternCrate, LinkagePreference, NativeLibrary};
20 use middle::cstore::{NativeLibraryKind, DepKind};
21 use middle::privacy::AccessLevels;
22 use middle::region;
23 use middle::region::RegionMaps;
24 use middle::resolve_lifetime::{Region, ObjectLifetimeDefault};
25 use middle::lang_items::{LanguageItems, LangItem};
26 use mir;
27 use mir::transform::{MirSuite, MirPassIndex};
28 use session::CompileResult;
29 use traits::specialization_graph;
30 use ty::{self, CrateInherentImpls, Ty, TyCtxt};
31 use ty::layout::{Layout, LayoutError};
32 use ty::item_path;
33 use ty::steal::Steal;
34 use ty::subst::Substs;
35 use ty::fast_reject::SimplifiedType;
36 use util::nodemap::{DefIdSet, NodeSet};
37 use util::common::{profq_msg, ProfileQueriesMsg};
38
39 use rustc_data_structures::indexed_set::IdxSetBuf;
40 use rustc_back::PanicStrategy;
41 use rustc_data_structures::indexed_vec::IndexVec;
42 use rustc_data_structures::fx::FxHashMap;
43 use std::cell::{RefCell, RefMut, Cell};
44 use std::fmt::Debug;
45 use std::hash::Hash;
46 use std::marker::PhantomData;
47 use std::mem;
48 use std::collections::BTreeMap;
49 use std::ops::Deref;
50 use std::rc::Rc;
51 use syntax_pos::{Span, DUMMY_SP};
52 use syntax::attr;
53 use syntax::ast;
54 use syntax::symbol::Symbol;
55
56 pub trait Key: Clone + Hash + Eq + Debug {
57     fn map_crate(&self) -> CrateNum;
58     fn default_span(&self, tcx: TyCtxt) -> Span;
59 }
60
61 impl<'tcx> Key for ty::InstanceDef<'tcx> {
62     fn map_crate(&self) -> CrateNum {
63         LOCAL_CRATE
64     }
65
66     fn default_span(&self, tcx: TyCtxt) -> Span {
67         tcx.def_span(self.def_id())
68     }
69 }
70
71 impl<'tcx> Key for ty::Instance<'tcx> {
72     fn map_crate(&self) -> CrateNum {
73         LOCAL_CRATE
74     }
75
76     fn default_span(&self, tcx: TyCtxt) -> Span {
77         tcx.def_span(self.def_id())
78     }
79 }
80
81 impl Key for CrateNum {
82     fn map_crate(&self) -> CrateNum {
83         *self
84     }
85     fn default_span(&self, _: TyCtxt) -> Span {
86         DUMMY_SP
87     }
88 }
89
90 impl Key for HirId {
91     fn map_crate(&self) -> CrateNum {
92         LOCAL_CRATE
93     }
94     fn default_span(&self, _tcx: TyCtxt) -> Span {
95         DUMMY_SP
96     }
97 }
98
99 impl Key for DefId {
100     fn map_crate(&self) -> CrateNum {
101         self.krate
102     }
103     fn default_span(&self, tcx: TyCtxt) -> Span {
104         tcx.def_span(*self)
105     }
106 }
107
108 impl Key for (DefId, DefId) {
109     fn map_crate(&self) -> CrateNum {
110         self.0.krate
111     }
112     fn default_span(&self, tcx: TyCtxt) -> Span {
113         self.1.default_span(tcx)
114     }
115 }
116
117 impl Key for (CrateNum, DefId) {
118     fn map_crate(&self) -> CrateNum {
119         self.0
120     }
121     fn default_span(&self, tcx: TyCtxt) -> Span {
122         self.1.default_span(tcx)
123     }
124 }
125
126 impl Key for (DefId, SimplifiedType) {
127     fn map_crate(&self) -> CrateNum {
128         self.0.krate
129     }
130     fn default_span(&self, tcx: TyCtxt) -> Span {
131         self.0.default_span(tcx)
132     }
133 }
134
135 impl<'tcx> Key for (DefId, &'tcx Substs<'tcx>) {
136     fn map_crate(&self) -> CrateNum {
137         self.0.krate
138     }
139     fn default_span(&self, tcx: TyCtxt) -> Span {
140         self.0.default_span(tcx)
141     }
142 }
143
144 impl Key for (MirSuite, DefId) {
145     fn map_crate(&self) -> CrateNum {
146         self.1.map_crate()
147     }
148     fn default_span(&self, tcx: TyCtxt) -> Span {
149         self.1.default_span(tcx)
150     }
151 }
152
153 impl Key for (MirSuite, MirPassIndex, DefId) {
154     fn map_crate(&self) -> CrateNum {
155         self.2.map_crate()
156     }
157     fn default_span(&self, tcx: TyCtxt) -> Span {
158         self.2.default_span(tcx)
159     }
160 }
161
162 impl<'tcx, T: Clone + Hash + Eq + Debug> Key for ty::ParamEnvAnd<'tcx, T> {
163     fn map_crate(&self) -> CrateNum {
164         LOCAL_CRATE
165     }
166     fn default_span(&self, _: TyCtxt) -> Span {
167         DUMMY_SP
168     }
169 }
170
171 trait Value<'tcx>: Sized {
172     fn from_cycle_error<'a>(tcx: TyCtxt<'a, 'tcx, 'tcx>) -> Self;
173 }
174
175 impl<'tcx, T> Value<'tcx> for T {
176     default fn from_cycle_error<'a>(tcx: TyCtxt<'a, 'tcx, 'tcx>) -> T {
177         tcx.sess.abort_if_errors();
178         bug!("Value::from_cycle_error called without errors");
179     }
180 }
181
182 impl<'tcx, T: Default> Value<'tcx> for T {
183     default fn from_cycle_error<'a>(_: TyCtxt<'a, 'tcx, 'tcx>) -> T {
184         T::default()
185     }
186 }
187
188 impl<'tcx> Value<'tcx> for Ty<'tcx> {
189     fn from_cycle_error<'a>(tcx: TyCtxt<'a, 'tcx, 'tcx>) -> Ty<'tcx> {
190         tcx.types.err
191     }
192 }
193
194 impl<'tcx> Value<'tcx> for ty::DtorckConstraint<'tcx> {
195     fn from_cycle_error<'a>(_: TyCtxt<'a, 'tcx, 'tcx>) -> Self {
196         Self::empty()
197     }
198 }
199
200 impl<'tcx> Value<'tcx> for ty::SymbolName {
201     fn from_cycle_error<'a>(_: TyCtxt<'a, 'tcx, 'tcx>) -> Self {
202         ty::SymbolName { name: Symbol::intern("<error>").as_str() }
203     }
204 }
205
206 struct QueryMap<D: QueryDescription> {
207     phantom: PhantomData<D>,
208     map: FxHashMap<D::Key, QueryValue<D::Value>>,
209 }
210
211 struct QueryValue<T> {
212     value: T,
213     index: DepNodeIndex,
214     diagnostics: Option<Box<QueryDiagnostics>>,
215 }
216
217 struct QueryDiagnostics {
218     diagnostics: Vec<Diagnostic>,
219     emitted_diagnostics: Cell<bool>,
220 }
221
222 impl<M: QueryDescription> QueryMap<M> {
223     fn new() -> QueryMap<M> {
224         QueryMap {
225             phantom: PhantomData,
226             map: FxHashMap(),
227         }
228     }
229 }
230
231 struct CycleError<'a, 'tcx: 'a> {
232     span: Span,
233     cycle: RefMut<'a, [(Span, Query<'tcx>)]>,
234 }
235
236 impl<'a, 'gcx, 'tcx> TyCtxt<'a, 'gcx, 'tcx> {
237     fn report_cycle(self, CycleError { span, cycle }: CycleError)
238         -> DiagnosticBuilder<'a>
239     {
240         // Subtle: release the refcell lock before invoking `describe()`
241         // below by dropping `cycle`.
242         let stack = cycle.to_vec();
243         mem::drop(cycle);
244
245         assert!(!stack.is_empty());
246
247         // Disable naming impls with types in this path, since that
248         // sometimes cycles itself, leading to extra cycle errors.
249         // (And cycle errors around impls tend to occur during the
250         // collect/coherence phases anyhow.)
251         item_path::with_forced_impl_filename_line(|| {
252             let mut err =
253                 struct_span_err!(self.sess, span, E0391,
254                                  "unsupported cyclic reference between types/traits detected");
255             err.span_label(span, "cyclic reference");
256
257             err.span_note(stack[0].0, &format!("the cycle begins when {}...",
258                                                stack[0].1.describe(self)));
259
260             for &(span, ref query) in &stack[1..] {
261                 err.span_note(span, &format!("...which then requires {}...",
262                                              query.describe(self)));
263             }
264
265             err.note(&format!("...which then again requires {}, completing the cycle.",
266                               stack[0].1.describe(self)));
267
268             return err
269         })
270     }
271
272     fn cycle_check<F, R>(self, span: Span, query: Query<'gcx>, compute: F)
273                          -> Result<R, CycleError<'a, 'gcx>>
274         where F: FnOnce() -> R
275     {
276         {
277             let mut stack = self.maps.query_stack.borrow_mut();
278             if let Some((i, _)) = stack.iter().enumerate().rev()
279                                        .find(|&(_, &(_, ref q))| *q == query) {
280                 return Err(CycleError {
281                     span,
282                     cycle: RefMut::map(stack, |stack| &mut stack[i..])
283                 });
284             }
285             stack.push((span, query));
286         }
287
288         let result = compute();
289
290         self.maps.query_stack.borrow_mut().pop();
291
292         Ok(result)
293     }
294 }
295
296 pub trait QueryConfig {
297     type Key: Eq + Hash + Clone;
298     type Value;
299 }
300
301 trait QueryDescription: QueryConfig {
302     fn describe(tcx: TyCtxt, key: Self::Key) -> String;
303 }
304
305 impl<M: QueryConfig<Key=DefId>> QueryDescription for M {
306     default fn describe(tcx: TyCtxt, def_id: DefId) -> String {
307         format!("processing `{}`", tcx.item_path_str(def_id))
308     }
309 }
310
311 impl<'tcx> QueryDescription for queries::is_copy_raw<'tcx> {
312     fn describe(_tcx: TyCtxt, env: ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> String {
313         format!("computing whether `{}` is `Copy`", env.value)
314     }
315 }
316
317 impl<'tcx> QueryDescription for queries::is_sized_raw<'tcx> {
318     fn describe(_tcx: TyCtxt, env: ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> String {
319         format!("computing whether `{}` is `Sized`", env.value)
320     }
321 }
322
323 impl<'tcx> QueryDescription for queries::is_freeze_raw<'tcx> {
324     fn describe(_tcx: TyCtxt, env: ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> String {
325         format!("computing whether `{}` is freeze", env.value)
326     }
327 }
328
329 impl<'tcx> QueryDescription for queries::needs_drop_raw<'tcx> {
330     fn describe(_tcx: TyCtxt, env: ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> String {
331         format!("computing whether `{}` needs drop", env.value)
332     }
333 }
334
335 impl<'tcx> QueryDescription for queries::layout_raw<'tcx> {
336     fn describe(_tcx: TyCtxt, env: ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> String {
337         format!("computing layout of `{}`", env.value)
338     }
339 }
340
341 impl<'tcx> QueryDescription for queries::super_predicates_of<'tcx> {
342     fn describe(tcx: TyCtxt, def_id: DefId) -> String {
343         format!("computing the supertraits of `{}`",
344                 tcx.item_path_str(def_id))
345     }
346 }
347
348 impl<'tcx> QueryDescription for queries::type_param_predicates<'tcx> {
349     fn describe(tcx: TyCtxt, (_, def_id): (DefId, DefId)) -> String {
350         let id = tcx.hir.as_local_node_id(def_id).unwrap();
351         format!("computing the bounds for type parameter `{}`",
352                 tcx.hir.ty_param_name(id))
353     }
354 }
355
356 impl<'tcx> QueryDescription for queries::coherent_trait<'tcx> {
357     fn describe(tcx: TyCtxt, (_, def_id): (CrateNum, DefId)) -> String {
358         format!("coherence checking all impls of trait `{}`",
359                 tcx.item_path_str(def_id))
360     }
361 }
362
363 impl<'tcx> QueryDescription for queries::crate_inherent_impls<'tcx> {
364     fn describe(_: TyCtxt, k: CrateNum) -> String {
365         format!("all inherent impls defined in crate `{:?}`", k)
366     }
367 }
368
369 impl<'tcx> QueryDescription for queries::crate_inherent_impls_overlap_check<'tcx> {
370     fn describe(_: TyCtxt, _: CrateNum) -> String {
371         format!("check for overlap between inherent impls defined in this crate")
372     }
373 }
374
375 impl<'tcx> QueryDescription for queries::crate_variances<'tcx> {
376     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
377         format!("computing the variances for items in this crate")
378     }
379 }
380
381 impl<'tcx> QueryDescription for queries::mir_shims<'tcx> {
382     fn describe(tcx: TyCtxt, def: ty::InstanceDef<'tcx>) -> String {
383         format!("generating MIR shim for `{}`",
384                 tcx.item_path_str(def.def_id()))
385     }
386 }
387
388 impl<'tcx> QueryDescription for queries::privacy_access_levels<'tcx> {
389     fn describe(_: TyCtxt, _: CrateNum) -> String {
390         format!("privacy access levels")
391     }
392 }
393
394 impl<'tcx> QueryDescription for queries::typeck_item_bodies<'tcx> {
395     fn describe(_: TyCtxt, _: CrateNum) -> String {
396         format!("type-checking all item bodies")
397     }
398 }
399
400 impl<'tcx> QueryDescription for queries::reachable_set<'tcx> {
401     fn describe(_: TyCtxt, _: CrateNum) -> String {
402         format!("reachability")
403     }
404 }
405
406 impl<'tcx> QueryDescription for queries::const_eval<'tcx> {
407     fn describe(tcx: TyCtxt, key: ty::ParamEnvAnd<'tcx, (DefId, &'tcx Substs<'tcx>)>) -> String {
408         format!("const-evaluating `{}`", tcx.item_path_str(key.value.0))
409     }
410 }
411
412 impl<'tcx> QueryDescription for queries::mir_keys<'tcx> {
413     fn describe(_: TyCtxt, _: CrateNum) -> String {
414         format!("getting a list of all mir_keys")
415     }
416 }
417
418 impl<'tcx> QueryDescription for queries::symbol_name<'tcx> {
419     fn describe(_tcx: TyCtxt, instance: ty::Instance<'tcx>) -> String {
420         format!("computing the symbol for `{}`", instance)
421     }
422 }
423
424 impl<'tcx> QueryDescription for queries::describe_def<'tcx> {
425     fn describe(_: TyCtxt, _: DefId) -> String {
426         bug!("describe_def")
427     }
428 }
429
430 impl<'tcx> QueryDescription for queries::def_span<'tcx> {
431     fn describe(_: TyCtxt, _: DefId) -> String {
432         bug!("def_span")
433     }
434 }
435
436
437 impl<'tcx> QueryDescription for queries::stability<'tcx> {
438     fn describe(_: TyCtxt, _: DefId) -> String {
439         bug!("stability")
440     }
441 }
442
443 impl<'tcx> QueryDescription for queries::deprecation<'tcx> {
444     fn describe(_: TyCtxt, _: DefId) -> String {
445         bug!("deprecation")
446     }
447 }
448
449 impl<'tcx> QueryDescription for queries::item_attrs<'tcx> {
450     fn describe(_: TyCtxt, _: DefId) -> String {
451         bug!("item_attrs")
452     }
453 }
454
455 impl<'tcx> QueryDescription for queries::is_exported_symbol<'tcx> {
456     fn describe(_: TyCtxt, _: DefId) -> String {
457         bug!("is_exported_symbol")
458     }
459 }
460
461 impl<'tcx> QueryDescription for queries::fn_arg_names<'tcx> {
462     fn describe(_: TyCtxt, _: DefId) -> String {
463         bug!("fn_arg_names")
464     }
465 }
466
467 impl<'tcx> QueryDescription for queries::impl_parent<'tcx> {
468     fn describe(_: TyCtxt, _: DefId) -> String {
469         bug!("impl_parent")
470     }
471 }
472
473 impl<'tcx> QueryDescription for queries::trait_of_item<'tcx> {
474     fn describe(_: TyCtxt, _: DefId) -> String {
475         bug!("trait_of_item")
476     }
477 }
478
479 impl<'tcx> QueryDescription for queries::item_body_nested_bodies<'tcx> {
480     fn describe(tcx: TyCtxt, def_id: DefId) -> String {
481         format!("nested item bodies of `{}`", tcx.item_path_str(def_id))
482     }
483 }
484
485 impl<'tcx> QueryDescription for queries::const_is_rvalue_promotable_to_static<'tcx> {
486     fn describe(tcx: TyCtxt, def_id: DefId) -> String {
487         format!("const checking if rvalue is promotable to static `{}`",
488             tcx.item_path_str(def_id))
489     }
490 }
491
492 impl<'tcx> QueryDescription for queries::is_mir_available<'tcx> {
493     fn describe(tcx: TyCtxt, def_id: DefId) -> String {
494         format!("checking if item is mir available: `{}`",
495             tcx.item_path_str(def_id))
496     }
497 }
498
499 impl<'tcx> QueryDescription for queries::trait_impls_of<'tcx> {
500     fn describe(tcx: TyCtxt, def_id: DefId) -> String {
501         format!("trait impls of `{}`", tcx.item_path_str(def_id))
502     }
503 }
504
505 impl<'tcx> QueryDescription for queries::is_object_safe<'tcx> {
506     fn describe(tcx: TyCtxt, def_id: DefId) -> String {
507         format!("determine object safety of trait `{}`", tcx.item_path_str(def_id))
508     }
509 }
510
511 impl<'tcx> QueryDescription for queries::is_const_fn<'tcx> {
512     fn describe(tcx: TyCtxt, def_id: DefId) -> String {
513         format!("checking if item is const fn: `{}`", tcx.item_path_str(def_id))
514     }
515 }
516
517 impl<'tcx> QueryDescription for queries::dylib_dependency_formats<'tcx> {
518     fn describe(_: TyCtxt, _: CrateNum) -> String {
519         "dylib dependency formats of crate".to_string()
520     }
521 }
522
523 impl<'tcx> QueryDescription for queries::is_panic_runtime<'tcx> {
524     fn describe(_: TyCtxt, _: CrateNum) -> String {
525         "checking if the crate is_panic_runtime".to_string()
526     }
527 }
528
529 impl<'tcx> QueryDescription for queries::is_compiler_builtins<'tcx> {
530     fn describe(_: TyCtxt, _: CrateNum) -> String {
531         "checking if the crate is_compiler_builtins".to_string()
532     }
533 }
534
535 impl<'tcx> QueryDescription for queries::has_global_allocator<'tcx> {
536     fn describe(_: TyCtxt, _: CrateNum) -> String {
537         "checking if the crate has_global_allocator".to_string()
538     }
539 }
540
541 impl<'tcx> QueryDescription for queries::extern_crate<'tcx> {
542     fn describe(_: TyCtxt, _: DefId) -> String {
543         "getting crate's ExternCrateData".to_string()
544     }
545 }
546
547 impl<'tcx> QueryDescription for queries::lint_levels<'tcx> {
548     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
549         format!("computing the lint levels for items in this crate")
550     }
551 }
552
553 impl<'tcx> QueryDescription for queries::specializes<'tcx> {
554     fn describe(_tcx: TyCtxt, _: (DefId, DefId)) -> String {
555         format!("computing whether impls specialize one another")
556     }
557 }
558
559 impl<'tcx> QueryDescription for queries::in_scope_traits<'tcx> {
560     fn describe(_tcx: TyCtxt, _: HirId) -> String {
561         format!("fetching the traits in scope at a particular ast node")
562     }
563 }
564
565 impl<'tcx> QueryDescription for queries::module_exports<'tcx> {
566     fn describe(_tcx: TyCtxt, _: HirId) -> String {
567         format!("fetching the exported items for a module")
568     }
569 }
570
571 impl<'tcx> QueryDescription for queries::is_no_builtins<'tcx> {
572     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
573         format!("test whether a crate has #![no_builtins]")
574     }
575 }
576
577 impl<'tcx> QueryDescription for queries::panic_strategy<'tcx> {
578     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
579         format!("query a crate's configured panic strategy")
580     }
581 }
582
583 impl<'tcx> QueryDescription for queries::is_profiler_runtime<'tcx> {
584     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
585         format!("query a crate is #![profiler_runtime]")
586     }
587 }
588
589 impl<'tcx> QueryDescription for queries::is_sanitizer_runtime<'tcx> {
590     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
591         format!("query a crate is #![sanitizer_runtime]")
592     }
593 }
594
595 impl<'tcx> QueryDescription for queries::exported_symbols<'tcx> {
596     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
597         format!("looking up the exported symbols of a crate")
598     }
599 }
600
601 impl<'tcx> QueryDescription for queries::native_libraries<'tcx> {
602     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
603         format!("looking up the native libraries of a linked crate")
604     }
605 }
606
607 impl<'tcx> QueryDescription for queries::plugin_registrar_fn<'tcx> {
608     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
609         format!("looking up the plugin registrar for a crate")
610     }
611 }
612
613 impl<'tcx> QueryDescription for queries::derive_registrar_fn<'tcx> {
614     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
615         format!("looking up the derive registrar for a crate")
616     }
617 }
618
619 impl<'tcx> QueryDescription for queries::crate_disambiguator<'tcx> {
620     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
621         format!("looking up the disambiguator a crate")
622     }
623 }
624
625 impl<'tcx> QueryDescription for queries::crate_hash<'tcx> {
626     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
627         format!("looking up the hash a crate")
628     }
629 }
630
631 impl<'tcx> QueryDescription for queries::original_crate_name<'tcx> {
632     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
633         format!("looking up the original name a crate")
634     }
635 }
636
637 impl<'tcx> QueryDescription for queries::implementations_of_trait<'tcx> {
638     fn describe(_tcx: TyCtxt, _: (CrateNum, DefId)) -> String {
639         format!("looking up implementations of a trait in a crate")
640     }
641 }
642
643 impl<'tcx> QueryDescription for queries::all_trait_implementations<'tcx> {
644     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
645         format!("looking up all (?) trait implementations")
646     }
647 }
648
649 impl<'tcx> QueryDescription for queries::link_args<'tcx> {
650     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
651         format!("looking up link arguments for a crate")
652     }
653 }
654
655 impl<'tcx> QueryDescription for queries::named_region<'tcx> {
656     fn describe(_tcx: TyCtxt, _: HirId) -> String {
657         format!("fetching info about a named region")
658     }
659 }
660
661 impl<'tcx> QueryDescription for queries::is_late_bound<'tcx> {
662     fn describe(_tcx: TyCtxt, _: HirId) -> String {
663         format!("testing whether a lifetime is late bound")
664     }
665 }
666
667 impl<'tcx> QueryDescription for queries::object_lifetime_defaults<'tcx> {
668     fn describe(_tcx: TyCtxt, _: HirId) -> String {
669         format!("fetching a list of ObjectLifetimeDefault for a lifetime")
670     }
671 }
672
673 impl<'tcx> QueryDescription for queries::dep_kind<'tcx> {
674     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
675         format!("fetching what a dependency looks like")
676     }
677 }
678
679 impl<'tcx> QueryDescription for queries::crate_name<'tcx> {
680     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
681         format!("fetching what a crate is named")
682     }
683 }
684
685 impl<'tcx> QueryDescription for queries::extern_mod_stmt_cnum<'tcx> {
686     fn describe(_tcx: TyCtxt, _: HirId) -> String {
687         format!("looking up the CrateNum for an `extern mod` statement")
688     }
689 }
690
691 impl<'tcx> QueryDescription for queries::get_lang_items<'tcx> {
692     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
693         format!("calculating the lang items map")
694     }
695 }
696
697 impl<'tcx> QueryDescription for queries::defined_lang_items<'tcx> {
698     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
699         format!("calculating the lang items defined in a crate")
700     }
701 }
702
703 impl<'tcx> QueryDescription for queries::missing_lang_items<'tcx> {
704     fn describe(_tcx: TyCtxt, _: CrateNum) -> String {
705         format!("calculating the missing lang items in a crate")
706     }
707 }
708
709 // If enabled, send a message to the profile-queries thread
710 macro_rules! profq_msg {
711     ($tcx:expr, $msg:expr) => {
712         if cfg!(debug_assertions) {
713             if  $tcx.sess.profile_queries() {
714                 profq_msg($msg)
715             }
716         }
717     }
718 }
719
720 // If enabled, format a key using its debug string, which can be
721 // expensive to compute (in terms of time).
722 macro_rules! profq_key {
723     ($tcx:expr, $key:expr) => {
724         if cfg!(debug_assertions) {
725             if $tcx.sess.profile_queries_and_keys() {
726                 Some(format!("{:?}", $key))
727             } else { None }
728         } else { None }
729     }
730 }
731
732 macro_rules! define_maps {
733     (<$tcx:tt>
734      $($(#[$attr:meta])*
735        [$($modifiers:tt)*] fn $name:ident: $node:ident($K:ty) -> $V:ty,)*) => {
736         define_map_struct! {
737             tcx: $tcx,
738             input: ($(([$($modifiers)*] [$($attr)*] [$name]))*)
739         }
740
741         impl<$tcx> Maps<$tcx> {
742             pub fn new(providers: IndexVec<CrateNum, Providers<$tcx>>)
743                        -> Self {
744                 Maps {
745                     providers,
746                     query_stack: RefCell::new(vec![]),
747                     $($name: RefCell::new(QueryMap::new())),*
748                 }
749             }
750         }
751
752         #[allow(bad_style)]
753         #[derive(Copy, Clone, Debug, PartialEq, Eq)]
754         pub enum Query<$tcx> {
755             $($(#[$attr])* $name($K)),*
756         }
757
758         #[allow(bad_style)]
759         #[derive(Clone, Debug, PartialEq, Eq)]
760         pub enum QueryMsg {
761             $($name(Option<String>)),*
762         }
763
764         impl<$tcx> Query<$tcx> {
765             pub fn describe(&self, tcx: TyCtxt) -> String {
766                 let (r, name) = match *self {
767                     $(Query::$name(key) => {
768                         (queries::$name::describe(tcx, key), stringify!($name))
769                     })*
770                 };
771                 if tcx.sess.verbose() {
772                     format!("{} [{}]", r, name)
773                 } else {
774                     r
775                 }
776             }
777         }
778
779         pub mod queries {
780             use std::marker::PhantomData;
781
782             $(#[allow(bad_style)]
783             pub struct $name<$tcx> {
784                 data: PhantomData<&$tcx ()>
785             })*
786         }
787
788         $(impl<$tcx> QueryConfig for queries::$name<$tcx> {
789             type Key = $K;
790             type Value = $V;
791         }
792
793         impl<'a, $tcx, 'lcx> queries::$name<$tcx> {
794             #[allow(unused)]
795             fn to_dep_node(tcx: TyCtxt<'a, $tcx, 'lcx>, key: &$K) -> DepNode {
796                 use dep_graph::DepConstructor::*;
797
798                 DepNode::new(tcx, $node(*key))
799             }
800
801             fn try_get_with<F, R>(tcx: TyCtxt<'a, $tcx, 'lcx>,
802                                   mut span: Span,
803                                   key: $K,
804                                   f: F)
805                                   -> Result<R, CycleError<'a, $tcx>>
806                 where F: FnOnce(&$V) -> R
807             {
808                 debug!("ty::queries::{}::try_get_with(key={:?}, span={:?})",
809                        stringify!($name),
810                        key,
811                        span);
812
813                 profq_msg!(tcx,
814                     ProfileQueriesMsg::QueryBegin(
815                         span.clone(),
816                         QueryMsg::$name(profq_key!(tcx, key))
817                     )
818                 );
819
820                 if let Some(value) = tcx.maps.$name.borrow().map.get(&key) {
821                     if let Some(ref d) = value.diagnostics {
822                         if !d.emitted_diagnostics.get() {
823                             d.emitted_diagnostics.set(true);
824                             let handle = tcx.sess.diagnostic();
825                             for diagnostic in d.diagnostics.iter() {
826                                 DiagnosticBuilder::new_diagnostic(handle, diagnostic.clone())
827                                     .emit();
828                             }
829                         }
830                     }
831                     profq_msg!(tcx, ProfileQueriesMsg::CacheHit);
832                     tcx.dep_graph.read_index(value.index);
833                     return Ok(f(&value.value));
834                 }
835                 // else, we are going to run the provider:
836                 profq_msg!(tcx, ProfileQueriesMsg::ProviderBegin);
837
838                 // FIXME(eddyb) Get more valid Span's on queries.
839                 // def_span guard is necessary to prevent a recursive loop,
840                 // default_span calls def_span query internally.
841                 if span == DUMMY_SP && stringify!($name) != "def_span" {
842                     span = key.default_span(tcx)
843                 }
844
845                 let res = tcx.cycle_check(span, Query::$name(key), || {
846                     let dep_node = Self::to_dep_node(tcx, &key);
847
848                     tcx.sess.diagnostic().track_diagnostics(|| {
849                         if dep_node.kind.is_anon() {
850                             tcx.dep_graph.with_anon_task(dep_node.kind, || {
851                                 let provider = tcx.maps.providers[key.map_crate()].$name;
852                                 provider(tcx.global_tcx(), key)
853                             })
854                         } else {
855                             fn run_provider<'a, 'tcx, 'lcx>(tcx: TyCtxt<'a, 'tcx, 'lcx>,
856                                                             key: $K)
857                                                             -> $V {
858                                 let provider = tcx.maps.providers[key.map_crate()].$name;
859                                 provider(tcx.global_tcx(), key)
860                             }
861
862                             tcx.dep_graph.with_task(dep_node, tcx, key, run_provider)
863                         }
864                     })
865                 })?;
866                 profq_msg!(tcx, ProfileQueriesMsg::ProviderEnd);
867                 let ((result, dep_node_index), diagnostics) = res;
868
869                 tcx.dep_graph.read_index(dep_node_index);
870
871                 let value = QueryValue {
872                     value: result,
873                     index: dep_node_index,
874                     diagnostics: if diagnostics.len() == 0 {
875                         None
876                     } else {
877                         Some(Box::new(QueryDiagnostics {
878                             diagnostics,
879                             emitted_diagnostics: Cell::new(true),
880                         }))
881                     },
882                 };
883
884                 Ok(f(&tcx.maps
885                          .$name
886                          .borrow_mut()
887                          .map
888                          .entry(key)
889                          .or_insert(value)
890                          .value))
891             }
892
893             pub fn try_get(tcx: TyCtxt<'a, $tcx, 'lcx>, span: Span, key: $K)
894                            -> Result<$V, DiagnosticBuilder<'a>> {
895                 match Self::try_get_with(tcx, span, key, Clone::clone) {
896                     Ok(e) => Ok(e),
897                     Err(e) => Err(tcx.report_cycle(e)),
898                 }
899             }
900
901             pub fn force(tcx: TyCtxt<'a, $tcx, 'lcx>, span: Span, key: $K) {
902                 // Ignore dependencies, since we not reading the computed value
903                 let _task = tcx.dep_graph.in_ignore();
904
905                 match Self::try_get_with(tcx, span, key, |_| ()) {
906                     Ok(()) => {}
907                     Err(e) => tcx.report_cycle(e).emit(),
908                 }
909             }
910         })*
911
912         #[derive(Copy, Clone)]
913         pub struct TyCtxtAt<'a, 'gcx: 'a+'tcx, 'tcx: 'a> {
914             pub tcx: TyCtxt<'a, 'gcx, 'tcx>,
915             pub span: Span,
916         }
917
918         impl<'a, 'gcx, 'tcx> Deref for TyCtxtAt<'a, 'gcx, 'tcx> {
919             type Target = TyCtxt<'a, 'gcx, 'tcx>;
920             fn deref(&self) -> &Self::Target {
921                 &self.tcx
922             }
923         }
924
925         impl<'a, $tcx, 'lcx> TyCtxt<'a, $tcx, 'lcx> {
926             /// Return a transparent wrapper for `TyCtxt` which uses
927             /// `span` as the location of queries performed through it.
928             pub fn at(self, span: Span) -> TyCtxtAt<'a, $tcx, 'lcx> {
929                 TyCtxtAt {
930                     tcx: self,
931                     span
932                 }
933             }
934
935             $($(#[$attr])*
936             pub fn $name(self, key: $K) -> $V {
937                 self.at(DUMMY_SP).$name(key)
938             })*
939         }
940
941         impl<'a, $tcx, 'lcx> TyCtxtAt<'a, $tcx, 'lcx> {
942             $($(#[$attr])*
943             pub fn $name(self, key: $K) -> $V {
944                 queries::$name::try_get(self.tcx, self.span, key).unwrap_or_else(|mut e| {
945                     e.emit();
946                     Value::from_cycle_error(self.global_tcx())
947                 })
948             })*
949         }
950
951         define_provider_struct! {
952             tcx: $tcx,
953             input: ($(([$($modifiers)*] [$name] [$K] [$V]))*),
954             output: ()
955         }
956
957         impl<$tcx> Copy for Providers<$tcx> {}
958         impl<$tcx> Clone for Providers<$tcx> {
959             fn clone(&self) -> Self { *self }
960         }
961     }
962 }
963
964 macro_rules! define_map_struct {
965     // Initial state
966     (tcx: $tcx:tt,
967      input: $input:tt) => {
968         define_map_struct! {
969             tcx: $tcx,
970             input: $input,
971             output: ()
972         }
973     };
974
975     // Final output
976     (tcx: $tcx:tt,
977      input: (),
978      output: ($($output:tt)*)) => {
979         pub struct Maps<$tcx> {
980             providers: IndexVec<CrateNum, Providers<$tcx>>,
981             query_stack: RefCell<Vec<(Span, Query<$tcx>)>>,
982             $($output)*
983         }
984     };
985
986     // Field recognized and ready to shift into the output
987     (tcx: $tcx:tt,
988      ready: ([$($pub:tt)*] [$($attr:tt)*] [$name:ident]),
989      input: $input:tt,
990      output: ($($output:tt)*)) => {
991         define_map_struct! {
992             tcx: $tcx,
993             input: $input,
994             output: ($($output)*
995                      $(#[$attr])* $($pub)* $name: RefCell<QueryMap<queries::$name<$tcx>>>,)
996         }
997     };
998
999     // No modifiers left? This is a private item.
1000     (tcx: $tcx:tt,
1001      input: (([] $attrs:tt $name:tt) $($input:tt)*),
1002      output: $output:tt) => {
1003         define_map_struct! {
1004             tcx: $tcx,
1005             ready: ([] $attrs $name),
1006             input: ($($input)*),
1007             output: $output
1008         }
1009     };
1010
1011     // Skip other modifiers
1012     (tcx: $tcx:tt,
1013      input: (([$other_modifier:tt $($modifiers:tt)*] $($fields:tt)*) $($input:tt)*),
1014      output: $output:tt) => {
1015         define_map_struct! {
1016             tcx: $tcx,
1017             input: (([$($modifiers)*] $($fields)*) $($input)*),
1018             output: $output
1019         }
1020     };
1021 }
1022
1023 macro_rules! define_provider_struct {
1024     // Initial state:
1025     (tcx: $tcx:tt, input: $input:tt) => {
1026         define_provider_struct! {
1027             tcx: $tcx,
1028             input: $input,
1029             output: ()
1030         }
1031     };
1032
1033     // Final state:
1034     (tcx: $tcx:tt,
1035      input: (),
1036      output: ($(([$name:ident] [$K:ty] [$R:ty]))*)) => {
1037         pub struct Providers<$tcx> {
1038             $(pub $name: for<'a> fn(TyCtxt<'a, $tcx, $tcx>, $K) -> $R,)*
1039         }
1040
1041         impl<$tcx> Default for Providers<$tcx> {
1042             fn default() -> Self {
1043                 $(fn $name<'a, $tcx>(_: TyCtxt<'a, $tcx, $tcx>, key: $K) -> $R {
1044                     bug!("tcx.maps.{}({:?}) unsupported by its crate",
1045                          stringify!($name), key);
1046                 })*
1047                 Providers { $($name),* }
1048             }
1049         }
1050     };
1051
1052     // Something ready to shift:
1053     (tcx: $tcx:tt,
1054      ready: ($name:tt $K:tt $V:tt),
1055      input: $input:tt,
1056      output: ($($output:tt)*)) => {
1057         define_provider_struct! {
1058             tcx: $tcx,
1059             input: $input,
1060             output: ($($output)* ($name $K $V))
1061         }
1062     };
1063
1064     // Regular queries produce a `V` only.
1065     (tcx: $tcx:tt,
1066      input: (([] $name:tt $K:tt $V:tt) $($input:tt)*),
1067      output: $output:tt) => {
1068         define_provider_struct! {
1069             tcx: $tcx,
1070             ready: ($name $K $V),
1071             input: ($($input)*),
1072             output: $output
1073         }
1074     };
1075
1076     // Skip modifiers.
1077     (tcx: $tcx:tt,
1078      input: (([$other_modifier:tt $($modifiers:tt)*] $($fields:tt)*) $($input:tt)*),
1079      output: $output:tt) => {
1080         define_provider_struct! {
1081             tcx: $tcx,
1082             input: (([$($modifiers)*] $($fields)*) $($input)*),
1083             output: $output
1084         }
1085     };
1086 }
1087
1088 // Each of these maps also corresponds to a method on a
1089 // `Provider` trait for requesting a value of that type,
1090 // and a method on `Maps` itself for doing that in a
1091 // a way that memoizes and does dep-graph tracking,
1092 // wrapping around the actual chain of providers that
1093 // the driver creates (using several `rustc_*` crates).
1094 define_maps! { <'tcx>
1095     /// Records the type of every item.
1096     [] fn type_of: TypeOfItem(DefId) -> Ty<'tcx>,
1097
1098     /// Maps from the def-id of an item (trait/struct/enum/fn) to its
1099     /// associated generics and predicates.
1100     [] fn generics_of: GenericsOfItem(DefId) -> &'tcx ty::Generics,
1101     [] fn predicates_of: PredicatesOfItem(DefId) -> ty::GenericPredicates<'tcx>,
1102
1103     /// Maps from the def-id of a trait to the list of
1104     /// super-predicates. This is a subset of the full list of
1105     /// predicates. We store these in a separate map because we must
1106     /// evaluate them even during type conversion, often before the
1107     /// full predicates are available (note that supertraits have
1108     /// additional acyclicity requirements).
1109     [] fn super_predicates_of: SuperPredicatesOfItem(DefId) -> ty::GenericPredicates<'tcx>,
1110
1111     /// To avoid cycles within the predicates of a single item we compute
1112     /// per-type-parameter predicates for resolving `T::AssocTy`.
1113     [] fn type_param_predicates: type_param_predicates((DefId, DefId))
1114         -> ty::GenericPredicates<'tcx>,
1115
1116     [] fn trait_def: TraitDefOfItem(DefId) -> &'tcx ty::TraitDef,
1117     [] fn adt_def: AdtDefOfItem(DefId) -> &'tcx ty::AdtDef,
1118     [] fn adt_destructor: AdtDestructor(DefId) -> Option<ty::Destructor>,
1119     [] fn adt_sized_constraint: SizedConstraint(DefId) -> &'tcx [Ty<'tcx>],
1120     [] fn adt_dtorck_constraint: DtorckConstraint(DefId) -> ty::DtorckConstraint<'tcx>,
1121
1122     /// True if this is a const fn
1123     [] fn is_const_fn: IsConstFn(DefId) -> bool,
1124
1125     /// True if this is a foreign item (i.e., linked via `extern { ... }`).
1126     [] fn is_foreign_item: IsForeignItem(DefId) -> bool,
1127
1128     /// True if this is a default impl (aka impl Foo for ..)
1129     [] fn is_default_impl: IsDefaultImpl(DefId) -> bool,
1130
1131     /// Get a map with the variance of every item; use `item_variance`
1132     /// instead.
1133     [] fn crate_variances: crate_variances(CrateNum) -> Rc<ty::CrateVariancesMap>,
1134
1135     /// Maps from def-id of a type or region parameter to its
1136     /// (inferred) variance.
1137     [] fn variances_of: ItemVariances(DefId) -> Rc<Vec<ty::Variance>>,
1138
1139     /// Maps from an impl/trait def-id to a list of the def-ids of its items
1140     [] fn associated_item_def_ids: AssociatedItemDefIds(DefId) -> Rc<Vec<DefId>>,
1141
1142     /// Maps from a trait item to the trait item "descriptor"
1143     [] fn associated_item: AssociatedItems(DefId) -> ty::AssociatedItem,
1144
1145     [] fn impl_trait_ref: ImplTraitRef(DefId) -> Option<ty::TraitRef<'tcx>>,
1146     [] fn impl_polarity: ImplPolarity(DefId) -> hir::ImplPolarity,
1147
1148     /// Maps a DefId of a type to a list of its inherent impls.
1149     /// Contains implementations of methods that are inherent to a type.
1150     /// Methods in these implementations don't need to be exported.
1151     [] fn inherent_impls: InherentImpls(DefId) -> Rc<Vec<DefId>>,
1152
1153     /// Set of all the def-ids in this crate that have MIR associated with
1154     /// them. This includes all the body owners, but also things like struct
1155     /// constructors.
1156     [] fn mir_keys: mir_keys(CrateNum) -> Rc<DefIdSet>,
1157
1158     /// Maps DefId's that have an associated Mir to the result
1159     /// of the MIR qualify_consts pass. The actual meaning of
1160     /// the value isn't known except to the pass itself.
1161     [] fn mir_const_qualif: MirConstQualif(DefId) -> (u8, Rc<IdxSetBuf<mir::Local>>),
1162
1163     /// Fetch the MIR for a given def-id up till the point where it is
1164     /// ready for const evaluation.
1165     ///
1166     /// See the README for the `mir` module for details.
1167     [] fn mir_const: MirConst(DefId) -> &'tcx Steal<mir::Mir<'tcx>>,
1168
1169     [] fn mir_validated: MirValidated(DefId) -> &'tcx Steal<mir::Mir<'tcx>>,
1170
1171     /// MIR after our optimization passes have run. This is MIR that is ready
1172     /// for trans. This is also the only query that can fetch non-local MIR, at present.
1173     [] fn optimized_mir: MirOptimized(DefId) -> &'tcx mir::Mir<'tcx>,
1174
1175     /// Type of each closure. The def ID is the ID of the
1176     /// expression defining the closure.
1177     [] fn closure_kind: ClosureKind(DefId) -> ty::ClosureKind,
1178
1179     /// The signature of functions and closures.
1180     [] fn fn_sig: FnSignature(DefId) -> ty::PolyFnSig<'tcx>,
1181
1182     /// Records the signature of each generator. The def ID is the ID of the
1183     /// expression defining the closure.
1184     [] fn generator_sig: GenSignature(DefId) -> Option<ty::PolyGenSig<'tcx>>,
1185
1186     /// Caches CoerceUnsized kinds for impls on custom types.
1187     [] fn coerce_unsized_info: CoerceUnsizedInfo(DefId)
1188         -> ty::adjustment::CoerceUnsizedInfo,
1189
1190     [] fn typeck_item_bodies: typeck_item_bodies_dep_node(CrateNum) -> CompileResult,
1191
1192     [] fn typeck_tables_of: TypeckTables(DefId) -> &'tcx ty::TypeckTables<'tcx>,
1193
1194     [] fn has_typeck_tables: HasTypeckTables(DefId) -> bool,
1195
1196     [] fn coherent_trait: coherent_trait_dep_node((CrateNum, DefId)) -> (),
1197
1198     [] fn borrowck: BorrowCheck(DefId) -> (),
1199     // FIXME: shouldn't this return a `Result<(), BorrowckErrors>` instead?
1200     [] fn mir_borrowck: MirBorrowCheck(DefId) -> (),
1201
1202     /// Gets a complete map from all types to their inherent impls.
1203     /// Not meant to be used directly outside of coherence.
1204     /// (Defined only for LOCAL_CRATE)
1205     [] fn crate_inherent_impls: crate_inherent_impls_dep_node(CrateNum) -> CrateInherentImpls,
1206
1207     /// Checks all types in the krate for overlap in their inherent impls. Reports errors.
1208     /// Not meant to be used directly outside of coherence.
1209     /// (Defined only for LOCAL_CRATE)
1210     [] fn crate_inherent_impls_overlap_check: inherent_impls_overlap_check_dep_node(CrateNum) -> (),
1211
1212     /// Results of evaluating const items or constants embedded in
1213     /// other items (such as enum variant explicit discriminants).
1214     [] fn const_eval: const_eval_dep_node(ty::ParamEnvAnd<'tcx, (DefId, &'tcx Substs<'tcx>)>)
1215         -> const_val::EvalResult<'tcx>,
1216
1217     /// Performs the privacy check and computes "access levels".
1218     [] fn privacy_access_levels: PrivacyAccessLevels(CrateNum) -> Rc<AccessLevels>,
1219
1220     [] fn reachable_set: reachability_dep_node(CrateNum) -> Rc<NodeSet>,
1221
1222     /// Per-body `region::ScopeTree`. The `DefId` should be the owner-def-id for the body;
1223     /// in the case of closures, this will be redirected to the enclosing function.
1224     [] fn region_scope_tree: RegionScopeTree(DefId) -> Rc<region::ScopeTree>,
1225
1226     [] fn mir_shims: mir_shim_dep_node(ty::InstanceDef<'tcx>) -> &'tcx mir::Mir<'tcx>,
1227
1228     [] fn def_symbol_name: SymbolName(DefId) -> ty::SymbolName,
1229     [] fn symbol_name: symbol_name_dep_node(ty::Instance<'tcx>) -> ty::SymbolName,
1230
1231     [] fn describe_def: DescribeDef(DefId) -> Option<Def>,
1232     [] fn def_span: DefSpan(DefId) -> Span,
1233     [] fn stability: Stability(DefId) -> Option<attr::Stability>,
1234     [] fn deprecation: Deprecation(DefId) -> Option<attr::Deprecation>,
1235     [] fn item_attrs: ItemAttrs(DefId) -> Rc<[ast::Attribute]>,
1236     [] fn fn_arg_names: FnArgNames(DefId) -> Vec<ast::Name>,
1237     [] fn impl_parent: ImplParent(DefId) -> Option<DefId>,
1238     [] fn trait_of_item: TraitOfItem(DefId) -> Option<DefId>,
1239     [] fn is_exported_symbol: IsExportedSymbol(DefId) -> bool,
1240     [] fn item_body_nested_bodies: ItemBodyNestedBodies(DefId)
1241         -> Rc<BTreeMap<hir::BodyId, hir::Body>>,
1242     [] fn const_is_rvalue_promotable_to_static: ConstIsRvaluePromotableToStatic(DefId) -> bool,
1243     [] fn is_mir_available: IsMirAvailable(DefId) -> bool,
1244
1245     [] fn trait_impls_of: TraitImpls(DefId) -> Rc<ty::trait_def::TraitImpls>,
1246     [] fn specialization_graph_of: SpecializationGraph(DefId) -> Rc<specialization_graph::Graph>,
1247     [] fn is_object_safe: ObjectSafety(DefId) -> bool,
1248
1249     // Get the ParameterEnvironment for a given item; this environment
1250     // will be in "user-facing" mode, meaning that it is suitabe for
1251     // type-checking etc, and it does not normalize specializable
1252     // associated types. This is almost always what you want,
1253     // unless you are doing MIR optimizations, in which case you
1254     // might want to use `reveal_all()` method to change modes.
1255     [] fn param_env: ParamEnv(DefId) -> ty::ParamEnv<'tcx>,
1256
1257     // Trait selection queries. These are best used by invoking `ty.moves_by_default()`,
1258     // `ty.is_copy()`, etc, since that will prune the environment where possible.
1259     [] fn is_copy_raw: is_copy_dep_node(ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> bool,
1260     [] fn is_sized_raw: is_sized_dep_node(ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> bool,
1261     [] fn is_freeze_raw: is_freeze_dep_node(ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> bool,
1262     [] fn needs_drop_raw: needs_drop_dep_node(ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> bool,
1263     [] fn layout_raw: layout_dep_node(ty::ParamEnvAnd<'tcx, Ty<'tcx>>)
1264                                   -> Result<&'tcx Layout, LayoutError<'tcx>>,
1265
1266     [] fn dylib_dependency_formats: DylibDepFormats(CrateNum)
1267                                     -> Rc<Vec<(CrateNum, LinkagePreference)>>,
1268
1269     [] fn is_panic_runtime: IsPanicRuntime(CrateNum) -> bool,
1270     [] fn is_compiler_builtins: IsCompilerBuiltins(CrateNum) -> bool,
1271     [] fn has_global_allocator: HasGlobalAllocator(CrateNum) -> bool,
1272     [] fn is_sanitizer_runtime: IsSanitizerRuntime(CrateNum) -> bool,
1273     [] fn is_profiler_runtime: IsProfilerRuntime(CrateNum) -> bool,
1274     [] fn panic_strategy: GetPanicStrategy(CrateNum) -> PanicStrategy,
1275     [] fn is_no_builtins: IsNoBuiltins(CrateNum) -> bool,
1276
1277     [] fn extern_crate: ExternCrate(DefId) -> Rc<Option<ExternCrate>>,
1278
1279     [] fn specializes: specializes_node((DefId, DefId)) -> bool,
1280     [] fn in_scope_traits: InScopeTraits(HirId) -> Option<Rc<Vec<TraitCandidate>>>,
1281     [] fn module_exports: ModuleExports(HirId) -> Option<Rc<Vec<Export>>>,
1282     [] fn lint_levels: lint_levels_node(CrateNum) -> Rc<lint::LintLevelMap>,
1283
1284     [] fn impl_defaultness: ImplDefaultness(DefId) -> hir::Defaultness,
1285     [] fn exported_symbols: ExportedSymbols(CrateNum) -> Rc<Vec<DefId>>,
1286     [] fn native_libraries: NativeLibraries(CrateNum) -> Rc<Vec<NativeLibrary>>,
1287     [] fn plugin_registrar_fn: PluginRegistrarFn(CrateNum) -> Option<DefId>,
1288     [] fn derive_registrar_fn: DeriveRegistrarFn(CrateNum) -> Option<DefId>,
1289     [] fn crate_disambiguator: CrateDisambiguator(CrateNum) -> Symbol,
1290     [] fn crate_hash: CrateHash(CrateNum) -> Svh,
1291     [] fn original_crate_name: OriginalCrateName(CrateNum) -> Symbol,
1292
1293     [] fn implementations_of_trait: implementations_of_trait_node((CrateNum, DefId))
1294         -> Rc<Vec<DefId>>,
1295     [] fn all_trait_implementations: AllTraitImplementations(CrateNum)
1296         -> Rc<Vec<DefId>>,
1297
1298     [] is_dllimport_foreign_item: IsDllimportForeignItem(DefId) -> bool,
1299     [] is_statically_included_foreign_item: IsStaticallyIncludedForeignItem(DefId) -> bool,
1300     [] native_library_kind: NativeLibraryKind(DefId)
1301         -> Option<NativeLibraryKind>,
1302     [] link_args: link_args_node(CrateNum) -> Rc<Vec<String>>,
1303
1304     [] named_region: NamedRegion(HirId) -> Option<Region>,
1305     [] is_late_bound: IsLateBound(HirId) -> bool,
1306     [] object_lifetime_defaults: ObjectLifetimeDefaults(HirId)
1307         -> Option<Rc<Vec<ObjectLifetimeDefault>>>,
1308
1309     [] visibility: Visibility(DefId) -> ty::Visibility,
1310     [] dep_kind: DepKind(CrateNum) -> DepKind,
1311     [] crate_name: CrateName(CrateNum) -> Symbol,
1312     [] item_children: ItemChildren(DefId) -> Rc<Vec<Export>>,
1313     [] extern_mod_stmt_cnum: ExternModStmtCnum(HirId) -> Option<CrateNum>,
1314
1315     [] get_lang_items: get_lang_items_node(CrateNum) -> Rc<LanguageItems>,
1316     [] defined_lang_items: DefinedLangItems(CrateNum) -> Rc<Vec<(DefIndex, usize)>>,
1317     [] missing_lang_items: MissingLangItems(CrateNum) -> Rc<Vec<LangItem>>,
1318     [] item_body: ItemBody(DefId) -> &'tcx hir::Body,
1319 }
1320
1321 fn type_param_predicates<'tcx>((item_id, param_id): (DefId, DefId)) -> DepConstructor<'tcx> {
1322     DepConstructor::TypeParamPredicates {
1323         item_id,
1324         param_id
1325     }
1326 }
1327
1328 fn coherent_trait_dep_node<'tcx>((_, def_id): (CrateNum, DefId)) -> DepConstructor<'tcx> {
1329     DepConstructor::CoherenceCheckTrait(def_id)
1330 }
1331
1332 fn crate_inherent_impls_dep_node<'tcx>(_: CrateNum) -> DepConstructor<'tcx> {
1333     DepConstructor::Coherence
1334 }
1335
1336 fn inherent_impls_overlap_check_dep_node<'tcx>(_: CrateNum) -> DepConstructor<'tcx> {
1337     DepConstructor::CoherenceInherentImplOverlapCheck
1338 }
1339
1340 fn reachability_dep_node<'tcx>(_: CrateNum) -> DepConstructor<'tcx> {
1341     DepConstructor::Reachability
1342 }
1343
1344 fn mir_shim_dep_node<'tcx>(instance_def: ty::InstanceDef<'tcx>) -> DepConstructor<'tcx> {
1345     DepConstructor::MirShim {
1346         instance_def
1347     }
1348 }
1349
1350 fn symbol_name_dep_node<'tcx>(instance: ty::Instance<'tcx>) -> DepConstructor<'tcx> {
1351     DepConstructor::InstanceSymbolName { instance }
1352 }
1353
1354 fn typeck_item_bodies_dep_node<'tcx>(_: CrateNum) -> DepConstructor<'tcx> {
1355     DepConstructor::TypeckBodiesKrate
1356 }
1357
1358 fn const_eval_dep_node<'tcx>(_: ty::ParamEnvAnd<'tcx, (DefId, &'tcx Substs<'tcx>)>)
1359                              -> DepConstructor<'tcx> {
1360     DepConstructor::ConstEval
1361 }
1362
1363 fn mir_keys<'tcx>(_: CrateNum) -> DepConstructor<'tcx> {
1364     DepConstructor::MirKeys
1365 }
1366
1367 fn crate_variances<'tcx>(_: CrateNum) -> DepConstructor<'tcx> {
1368     DepConstructor::CrateVariances
1369 }
1370
1371 fn is_copy_dep_node<'tcx>(_: ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> DepConstructor<'tcx> {
1372     DepConstructor::IsCopy
1373 }
1374
1375 fn is_sized_dep_node<'tcx>(_: ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> DepConstructor<'tcx> {
1376     DepConstructor::IsSized
1377 }
1378
1379 fn is_freeze_dep_node<'tcx>(_: ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> DepConstructor<'tcx> {
1380     DepConstructor::IsFreeze
1381 }
1382
1383 fn needs_drop_dep_node<'tcx>(_: ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> DepConstructor<'tcx> {
1384     DepConstructor::NeedsDrop
1385 }
1386
1387 fn layout_dep_node<'tcx>(_: ty::ParamEnvAnd<'tcx, Ty<'tcx>>) -> DepConstructor<'tcx> {
1388     DepConstructor::Layout
1389 }
1390
1391 fn lint_levels_node<'tcx>(_: CrateNum) -> DepConstructor<'tcx> {
1392     DepConstructor::LintLevels
1393 }
1394
1395 fn specializes_node<'tcx>((a, b): (DefId, DefId)) -> DepConstructor<'tcx> {
1396     DepConstructor::Specializes { impl1: a, impl2: b }
1397 }
1398
1399 fn implementations_of_trait_node<'tcx>((krate, trait_id): (CrateNum, DefId))
1400     -> DepConstructor<'tcx>
1401 {
1402     DepConstructor::ImplementationsOfTrait { krate, trait_id }
1403 }
1404
1405 fn link_args_node<'tcx>(_: CrateNum) -> DepConstructor<'tcx> {
1406     DepConstructor::LinkArgs
1407 }
1408
1409 fn get_lang_items_node<'tcx>(_: CrateNum) -> DepConstructor<'tcx> {
1410     DepConstructor::GetLangItems
1411 }