]> git.lizzy.rs Git - rust.git/blob - src/librustc/ty/query/plumbing.rs
Implement more detailed self profiling
[rust.git] / src / librustc / ty / query / plumbing.rs
1 //! The implementation of the query system itself. Defines the macros
2 //! that generate the actual methods on tcx which find and execute the
3 //! provider, manage the caches, and so forth.
4
5 use crate::dep_graph::{DepNodeIndex, DepNode, DepKind, SerializedDepNodeIndex};
6 use crate::errors::DiagnosticBuilder;
7 use crate::errors::Level;
8 use crate::errors::Diagnostic;
9 use crate::errors::FatalError;
10 use crate::ty::tls;
11 use crate::ty::{TyCtxt};
12 use crate::ty::query::Query;
13 use crate::ty::query::config::{QueryConfig, QueryDescription};
14 use crate::ty::query::job::{QueryJob, QueryResult, QueryInfo};
15 use crate::ty::item_path;
16
17 use crate::util::common::{profq_msg, ProfileQueriesMsg, QueryMsg};
18
19 use rustc_data_structures::fx::{FxHashMap};
20 use rustc_data_structures::sync::{Lrc, Lock};
21 use rustc_data_structures::thin_vec::ThinVec;
22 use std::mem;
23 use std::ptr;
24 use std::collections::hash_map::Entry;
25 use syntax_pos::Span;
26 use syntax::source_map::DUMMY_SP;
27
28 pub struct QueryCache<'tcx, D: QueryConfig<'tcx> + ?Sized> {
29     pub(super) results: FxHashMap<D::Key, QueryValue<D::Value>>,
30     pub(super) active: FxHashMap<D::Key, QueryResult<'tcx>>,
31     #[cfg(debug_assertions)]
32     pub(super) cache_hits: usize,
33 }
34
35 pub(super) struct QueryValue<T> {
36     pub(super) value: T,
37     pub(super) index: DepNodeIndex,
38 }
39
40 impl<T> QueryValue<T> {
41     pub(super) fn new(value: T,
42                       dep_node_index: DepNodeIndex)
43                       -> QueryValue<T> {
44         QueryValue {
45             value,
46             index: dep_node_index,
47         }
48     }
49 }
50
51 impl<'tcx, M: QueryConfig<'tcx>> Default for QueryCache<'tcx, M> {
52     fn default() -> QueryCache<'tcx, M> {
53         QueryCache {
54             results: FxHashMap::default(),
55             active: FxHashMap::default(),
56             #[cfg(debug_assertions)]
57             cache_hits: 0,
58         }
59     }
60 }
61
62 // If enabled, send a message to the profile-queries thread
63 macro_rules! profq_msg {
64     ($tcx:expr, $msg:expr) => {
65         if cfg!(debug_assertions) {
66             if $tcx.sess.profile_queries() {
67                 profq_msg($tcx.sess, $msg)
68             }
69         }
70     }
71 }
72
73 // If enabled, format a key using its debug string, which can be
74 // expensive to compute (in terms of time).
75 macro_rules! profq_query_msg {
76     ($query:expr, $tcx:expr, $key:expr) => {{
77         let msg = if cfg!(debug_assertions) {
78             if $tcx.sess.profile_queries_and_keys() {
79                 Some(format!("{:?}", $key))
80             } else { None }
81         } else { None };
82         QueryMsg {
83             query: $query,
84             msg,
85         }
86     }}
87 }
88
89 /// A type representing the responsibility to execute the job in the `job` field.
90 /// This will poison the relevant query if dropped.
91 pub(super) struct JobOwner<'a, 'tcx: 'a, Q: QueryDescription<'tcx> + 'a> {
92     cache: &'a Lock<QueryCache<'tcx, Q>>,
93     key: Q::Key,
94     job: Lrc<QueryJob<'tcx>>,
95 }
96
97 impl<'a, 'tcx, Q: QueryDescription<'tcx>> JobOwner<'a, 'tcx, Q> {
98     /// Either gets a JobOwner corresponding the query, allowing us to
99     /// start executing the query, or it returns with the result of the query.
100     /// If the query is executing elsewhere, this will wait for it.
101     /// If the query panicked, this will silently panic.
102     ///
103     /// This function is inlined because that results in a noticeable speedup
104     /// for some compile-time benchmarks.
105     #[inline(always)]
106     pub(super) fn try_get(
107         tcx: TyCtxt<'a, 'tcx, '_>,
108         span: Span,
109         key: &Q::Key,
110     ) -> TryGetJob<'a, 'tcx, Q> {
111         let cache = Q::query_cache(tcx);
112         loop {
113             let mut lock = cache.borrow_mut();
114             if let Some(value) = lock.results.get(key) {
115                 profq_msg!(tcx, ProfileQueriesMsg::CacheHit);
116                 tcx.sess.profiler(|p| p.record_query_hit(Q::NAME, Q::CATEGORY));
117                 let result = Ok((value.value.clone(), value.index));
118                 #[cfg(debug_assertions)]
119                 {
120                     lock.cache_hits += 1;
121                 }
122                 return TryGetJob::JobCompleted(result);
123             }
124             let job = match lock.active.entry((*key).clone()) {
125                 Entry::Occupied(entry) => {
126                     match *entry.get() {
127                         QueryResult::Started(ref job) => job.clone(),
128                         QueryResult::Poisoned => FatalError.raise(),
129                     }
130                 }
131                 Entry::Vacant(entry) => {
132                     // No job entry for this query. Return a new one to be started later
133                     return tls::with_related_context(tcx, |icx| {
134                         // Create the `parent` variable before `info`. This allows LLVM
135                         // to elide the move of `info`
136                         let parent = icx.query.clone();
137                         let info = QueryInfo {
138                             span,
139                             query: Q::query(key.clone()),
140                         };
141                         let job = Lrc::new(QueryJob::new(info, parent));
142                         let owner = JobOwner {
143                             cache,
144                             job: job.clone(),
145                             key: (*key).clone(),
146                         };
147                         entry.insert(QueryResult::Started(job));
148                         TryGetJob::NotYetStarted(owner)
149                     })
150                 }
151             };
152             mem::drop(lock);
153
154             // If we are single-threaded we know that we have cycle error,
155             // so we just turn the errror
156             #[cfg(not(parallel_compiler))]
157             return job.cycle_error(tcx, span);
158
159             // With parallel queries we might just have to wait on some other
160             // thread
161             #[cfg(parallel_compiler)]
162             {
163                 if let Err(cycle) = job.r#await(tcx, span) {
164                     return TryGetJob::JobCompleted(Err(cycle));
165                 }
166             }
167         }
168     }
169
170     /// Completes the query by updating the query cache with the `result`,
171     /// signals the waiter and forgets the JobOwner, so it won't poison the query
172     #[inline(always)]
173     pub(super) fn complete(self, result: &Q::Value, dep_node_index: DepNodeIndex) {
174         // We can move out of `self` here because we `mem::forget` it below
175         let key = unsafe { ptr::read(&self.key) };
176         let job = unsafe { ptr::read(&self.job) };
177         let cache = self.cache;
178
179         // Forget ourself so our destructor won't poison the query
180         mem::forget(self);
181
182         let value = QueryValue::new(result.clone(), dep_node_index);
183         {
184             let mut lock = cache.borrow_mut();
185             lock.active.remove(&key);
186             lock.results.insert(key, value);
187         }
188
189         job.signal_complete();
190     }
191
192     /// Executes a job by changing the ImplicitCtxt to point to the
193     /// new query job while it executes. It returns the diagnostics
194     /// captured during execution and the actual result.
195     #[inline(always)]
196     pub(super) fn start<'lcx, F, R>(
197         &self,
198         tcx: TyCtxt<'_, 'tcx, 'lcx>,
199         diagnostics: Option<&Lock<ThinVec<Diagnostic>>>,
200         compute: F)
201     -> R
202     where
203         F: for<'b> FnOnce(TyCtxt<'b, 'tcx, 'lcx>) -> R
204     {
205         // The TyCtxt stored in TLS has the same global interner lifetime
206         // as `tcx`, so we use `with_related_context` to relate the 'gcx lifetimes
207         // when accessing the ImplicitCtxt
208         tls::with_related_context(tcx, move |current_icx| {
209             // Update the ImplicitCtxt to point to our new query job
210             let new_icx = tls::ImplicitCtxt {
211                 tcx: tcx.global_tcx(),
212                 query: Some(self.job.clone()),
213                 diagnostics,
214                 layout_depth: current_icx.layout_depth,
215                 task_deps: current_icx.task_deps,
216             };
217
218             // Use the ImplicitCtxt while we execute the query
219             tls::enter_context(&new_icx, |_| {
220                 compute(tcx)
221             })
222         })
223     }
224
225 }
226
227 #[inline(always)]
228 fn with_diagnostics<F, R>(f: F) -> (R, ThinVec<Diagnostic>)
229 where
230     F: FnOnce(Option<&Lock<ThinVec<Diagnostic>>>) -> R
231 {
232     let diagnostics = Lock::new(ThinVec::new());
233     let result = f(Some(&diagnostics));
234     (result, diagnostics.into_inner())
235 }
236
237 impl<'a, 'tcx, Q: QueryDescription<'tcx>> Drop for JobOwner<'a, 'tcx, Q> {
238     #[inline(never)]
239     #[cold]
240     fn drop(&mut self) {
241         // Poison the query so jobs waiting on it panic
242         self.cache.borrow_mut().active.insert(self.key.clone(), QueryResult::Poisoned);
243         // Also signal the completion of the job, so waiters
244         // will continue execution
245         self.job.signal_complete();
246     }
247 }
248
249 #[derive(Clone)]
250 pub struct CycleError<'tcx> {
251     /// The query and related span which uses the cycle
252     pub(super) usage: Option<(Span, Query<'tcx>)>,
253     pub(super) cycle: Vec<QueryInfo<'tcx>>,
254 }
255
256 /// The result of `try_get_lock`
257 pub(super) enum TryGetJob<'a, 'tcx: 'a, D: QueryDescription<'tcx> + 'a> {
258     /// The query is not yet started. Contains a guard to the cache eventually used to start it.
259     NotYetStarted(JobOwner<'a, 'tcx, D>),
260
261     /// The query was already completed.
262     /// Returns the result of the query and its dep node index
263     /// if it succeeded or a cycle error if it failed
264     JobCompleted(Result<(D::Value, DepNodeIndex), Box<CycleError<'tcx>>>),
265 }
266
267 impl<'a, 'gcx, 'tcx> TyCtxt<'a, 'gcx, 'tcx> {
268     #[inline(never)]
269     #[cold]
270     pub(super) fn report_cycle(
271         self,
272         box CycleError { usage, cycle: stack }: Box<CycleError<'gcx>>
273     ) -> Box<DiagnosticBuilder<'a>>
274     {
275         assert!(!stack.is_empty());
276
277         let fix_span = |span: Span, query: &Query<'gcx>| {
278             self.sess.source_map().def_span(query.default_span(self, span))
279         };
280
281         // Disable naming impls with types in this path, since that
282         // sometimes cycles itself, leading to extra cycle errors.
283         // (And cycle errors around impls tend to occur during the
284         // collect/coherence phases anyhow.)
285         item_path::with_forced_impl_filename_line(|| {
286             let span = fix_span(stack[1 % stack.len()].span, &stack[0].query);
287             let mut err = struct_span_err!(self.sess,
288                                            span,
289                                            E0391,
290                                            "cycle detected when {}",
291                                            stack[0].query.describe(self));
292
293             for i in 1..stack.len() {
294                 let query = &stack[i].query;
295                 let span = fix_span(stack[(i + 1) % stack.len()].span, query);
296                 err.span_note(span, &format!("...which requires {}...", query.describe(self)));
297             }
298
299             err.note(&format!("...which again requires {}, completing the cycle",
300                               stack[0].query.describe(self)));
301
302             if let Some((span, query)) = usage {
303                 err.span_note(fix_span(span, &query),
304                               &format!("cycle used when {}", query.describe(self)));
305             }
306
307             return Box::new(err)
308         })
309     }
310
311     pub fn try_print_query_stack() {
312         eprintln!("query stack during panic:");
313
314         tls::with_context_opt(|icx| {
315             if let Some(icx) = icx {
316                 let mut current_query = icx.query.clone();
317                 let mut i = 0;
318
319                 while let Some(query) = current_query {
320                     let mut db = DiagnosticBuilder::new(icx.tcx.sess.diagnostic(),
321                         Level::FailureNote,
322                         &format!("#{} [{}] {}",
323                                  i,
324                                  query.info.query.name(),
325                                  query.info.query.describe(icx.tcx)));
326                     db.set_span(icx.tcx.sess.source_map().def_span(query.info.span));
327                     icx.tcx.sess.diagnostic().force_print_db(db);
328
329                     current_query = query.parent.clone();
330                     i += 1;
331                 }
332             }
333         });
334
335         eprintln!("end of query stack");
336     }
337
338     #[inline(never)]
339     fn try_get_with<Q: QueryDescription<'gcx>>(
340         self,
341         span: Span,
342         key: Q::Key)
343     -> Result<Q::Value, Box<CycleError<'gcx>>>
344     {
345         debug!("ty::queries::{}::try_get_with(key={:?}, span={:?})",
346                Q::NAME,
347                key,
348                span);
349
350         profq_msg!(self,
351             ProfileQueriesMsg::QueryBegin(
352                 span.data(),
353                 profq_query_msg!(Q::NAME, self, key),
354             )
355         );
356
357         let job = match JobOwner::try_get(self, span, &key) {
358             TryGetJob::NotYetStarted(job) => job,
359             TryGetJob::JobCompleted(result) => {
360                 return result.map(|(v, index)| {
361                     self.dep_graph.read_index(index);
362                     v
363                 })
364             }
365         };
366
367         // Fast path for when incr. comp. is off. `to_dep_node` is
368         // expensive for some DepKinds.
369         if !self.dep_graph.is_fully_enabled() {
370             let null_dep_node = DepNode::new_no_params(crate::dep_graph::DepKind::Null);
371             return Ok(self.force_query_with_job::<Q>(key, job, null_dep_node).0);
372         }
373
374         let dep_node = Q::to_dep_node(self, &key);
375
376         if dep_node.kind.is_anon() {
377             profq_msg!(self, ProfileQueriesMsg::ProviderBegin);
378             self.sess.profiler(|p| p.start_query(Q::NAME, Q::CATEGORY));
379
380             let ((result, dep_node_index), diagnostics) = with_diagnostics(|diagnostics| {
381                 job.start(self, diagnostics, |tcx| {
382                     tcx.dep_graph.with_anon_task(dep_node.kind, || {
383                         Q::compute(tcx.global_tcx(), key)
384                     })
385                 })
386             });
387
388             self.sess.profiler(|p| p.end_query(Q::NAME, Q::CATEGORY));
389             profq_msg!(self, ProfileQueriesMsg::ProviderEnd);
390
391             self.dep_graph.read_index(dep_node_index);
392
393             if unlikely!(!diagnostics.is_empty()) {
394                 self.queries.on_disk_cache
395                     .store_diagnostics_for_anon_node(dep_node_index, diagnostics);
396             }
397
398             job.complete(&result, dep_node_index);
399
400             return Ok(result);
401         }
402
403         if !dep_node.kind.is_input() {
404             if let Some((prev_dep_node_index,
405                          dep_node_index)) = self.dep_graph.try_mark_green_and_read(self,
406                                                                                    &dep_node) {
407                 return Ok(self.load_from_disk_and_cache_in_memory::<Q>(
408                     key,
409                     job,
410                     prev_dep_node_index,
411                     dep_node_index,
412                     &dep_node
413                 ))
414             }
415         }
416
417         let (result, dep_node_index) = self.force_query_with_job::<Q>(key, job, dep_node);
418         self.dep_graph.read_index(dep_node_index);
419         Ok(result)
420     }
421
422     fn load_from_disk_and_cache_in_memory<Q: QueryDescription<'gcx>>(
423         self,
424         key: Q::Key,
425         job: JobOwner<'a, 'gcx, Q>,
426         prev_dep_node_index: SerializedDepNodeIndex,
427         dep_node_index: DepNodeIndex,
428         dep_node: &DepNode
429     ) -> Q::Value
430     {
431         // Note this function can be called concurrently from the same query
432         // We must ensure that this is handled correctly
433
434         debug_assert!(self.dep_graph.is_green(dep_node));
435
436         // First we try to load the result from the on-disk cache
437         let result = if Q::cache_on_disk(self.global_tcx(), key.clone()) &&
438                         self.sess.opts.debugging_opts.incremental_queries {
439             let result = Q::try_load_from_disk(self.global_tcx(), prev_dep_node_index);
440
441             // We always expect to find a cached result for things that
442             // can be forced from DepNode.
443             debug_assert!(!dep_node.kind.can_reconstruct_query_key() ||
444                           result.is_some(),
445                           "Missing on-disk cache entry for {:?}",
446                           dep_node);
447             result
448         } else {
449             // Some things are never cached on disk.
450             None
451         };
452
453         let result = if let Some(result) = result {
454             profq_msg!(self, ProfileQueriesMsg::CacheHit);
455             self.sess.profiler(|p| p.record_query_hit(Q::NAME, Q::CATEGORY));
456
457             result
458         } else {
459             // We could not load a result from the on-disk cache, so
460             // recompute.
461
462             self.sess.profiler(|p| p.start_query(Q::NAME, Q::CATEGORY));
463
464             // The diagnostics for this query have already been
465             // promoted to the current session during
466             // try_mark_green(), so we can ignore them here.
467             let result = job.start(self, None, |tcx| {
468                 // The dep-graph for this computation is already in
469                 // place
470                 tcx.dep_graph.with_ignore(|| {
471                     Q::compute(tcx, key)
472                 })
473             });
474
475             self.sess.profiler(|p| p.end_query(Q::NAME, Q::CATEGORY));
476             result
477         };
478
479         // If -Zincremental-verify-ich is specified, re-hash results from
480         // the cache and make sure that they have the expected fingerprint.
481         if unlikely!(self.sess.opts.debugging_opts.incremental_verify_ich) {
482             self.incremental_verify_ich::<Q>(&result, dep_node, dep_node_index);
483         }
484
485         if unlikely!(self.sess.opts.debugging_opts.query_dep_graph) {
486             self.dep_graph.mark_loaded_from_cache(dep_node_index, true);
487         }
488
489         job.complete(&result, dep_node_index);
490
491         result
492     }
493
494     #[inline(never)]
495     #[cold]
496     fn incremental_verify_ich<Q: QueryDescription<'gcx>>(
497         self,
498         result: &Q::Value,
499         dep_node: &DepNode,
500         dep_node_index: DepNodeIndex,
501     ) {
502         use rustc_data_structures::stable_hasher::{StableHasher, HashStable};
503         use crate::ich::Fingerprint;
504
505         assert!(Some(self.dep_graph.fingerprint_of(dep_node_index)) ==
506                 self.dep_graph.prev_fingerprint_of(dep_node),
507                 "Fingerprint for green query instance not loaded \
508                     from cache: {:?}", dep_node);
509
510         debug!("BEGIN verify_ich({:?})", dep_node);
511         let mut hcx = self.create_stable_hashing_context();
512         let mut hasher = StableHasher::new();
513
514         result.hash_stable(&mut hcx, &mut hasher);
515
516         let new_hash: Fingerprint = hasher.finish();
517         debug!("END verify_ich({:?})", dep_node);
518
519         let old_hash = self.dep_graph.fingerprint_of(dep_node_index);
520
521         assert!(new_hash == old_hash, "Found unstable fingerprints \
522             for {:?}", dep_node);
523     }
524
525     #[inline(always)]
526     fn force_query_with_job<Q: QueryDescription<'gcx>>(
527         self,
528         key: Q::Key,
529         job: JobOwner<'_, 'gcx, Q>,
530         dep_node: DepNode)
531     -> (Q::Value, DepNodeIndex) {
532         // If the following assertion triggers, it can have two reasons:
533         // 1. Something is wrong with DepNode creation, either here or
534         //    in DepGraph::try_mark_green()
535         // 2. Two distinct query keys get mapped to the same DepNode
536         //    (see for example #48923)
537         assert!(!self.dep_graph.dep_node_exists(&dep_node),
538                 "Forcing query with already existing DepNode.\n\
539                  - query-key: {:?}\n\
540                  - dep-node: {:?}",
541                 key, dep_node);
542
543         profq_msg!(self, ProfileQueriesMsg::ProviderBegin);
544         self.sess.profiler(|p| p.start_query(Q::NAME, Q::CATEGORY));
545
546         let ((result, dep_node_index), diagnostics) = with_diagnostics(|diagnostics| {
547             job.start(self, diagnostics, |tcx| {
548                 if dep_node.kind.is_eval_always() {
549                     tcx.dep_graph.with_eval_always_task(dep_node,
550                                                         tcx,
551                                                         key,
552                                                         Q::compute)
553                 } else {
554                     tcx.dep_graph.with_task(dep_node,
555                                             tcx,
556                                             key,
557                                             Q::compute)
558                 }
559             })
560         });
561
562         self.sess.profiler(|p| p.end_query(Q::NAME, Q::CATEGORY));
563         profq_msg!(self, ProfileQueriesMsg::ProviderEnd);
564
565         if unlikely!(self.sess.opts.debugging_opts.query_dep_graph) {
566             self.dep_graph.mark_loaded_from_cache(dep_node_index, false);
567         }
568
569         if dep_node.kind != crate::dep_graph::DepKind::Null {
570             if unlikely!(!diagnostics.is_empty()) {
571                 self.queries.on_disk_cache
572                     .store_diagnostics(dep_node_index, diagnostics);
573             }
574         }
575
576         job.complete(&result, dep_node_index);
577
578         (result, dep_node_index)
579     }
580
581     /// Ensure that either this query has all green inputs or been executed.
582     /// Executing query::ensure(D) is considered a read of the dep-node D.
583     ///
584     /// This function is particularly useful when executing passes for their
585     /// side-effects -- e.g., in order to report errors for erroneous programs.
586     ///
587     /// Note: The optimization is only available during incr. comp.
588     pub(super) fn ensure_query<Q: QueryDescription<'gcx>>(self, key: Q::Key) -> () {
589         let dep_node = Q::to_dep_node(self, &key);
590
591         // Ensuring an "input" or anonymous query makes no sense
592         assert!(!dep_node.kind.is_anon());
593         assert!(!dep_node.kind.is_input());
594         if self.dep_graph.try_mark_green_and_read(self, &dep_node).is_none() {
595             // A None return from `try_mark_green_and_read` means that this is either
596             // a new dep node or that the dep node has already been marked red.
597             // Either way, we can't call `dep_graph.read()` as we don't have the
598             // DepNodeIndex. We must invoke the query itself. The performance cost
599             // this introduces should be negligible as we'll immediately hit the
600             // in-memory cache, or another query down the line will.
601
602             let _ = self.get_query::<Q>(DUMMY_SP, key);
603         } else {
604             profq_msg!(self, ProfileQueriesMsg::CacheHit);
605             self.sess.profiler(|p| p.record_query_hit(Q::NAME, Q::CATEGORY));
606         }
607     }
608
609     #[allow(dead_code)]
610     fn force_query<Q: QueryDescription<'gcx>>(
611         self,
612         key: Q::Key,
613         span: Span,
614         dep_node: DepNode
615     ) {
616         profq_msg!(
617             self,
618             ProfileQueriesMsg::QueryBegin(span.data(), profq_query_msg!(Q::NAME, self, key))
619         );
620
621         // We may be concurrently trying both execute and force a query
622         // Ensure that only one of them runs the query
623         let job = match JobOwner::try_get(self, span, &key) {
624             TryGetJob::NotYetStarted(job) => job,
625             TryGetJob::JobCompleted(result) => {
626                 if let Err(e) = result {
627                     self.report_cycle(e).emit();
628                 }
629                 return
630             }
631         };
632         self.force_query_with_job::<Q>(key, job, dep_node);
633     }
634
635     pub(super) fn try_get_query<Q: QueryDescription<'gcx>>(
636         self,
637         span: Span,
638         key: Q::Key,
639     ) -> Result<Q::Value, Box<DiagnosticBuilder<'a>>> {
640         match self.try_get_with::<Q>(span, key) {
641             Ok(e) => Ok(e),
642             Err(e) => Err(self.report_cycle(e)),
643         }
644     }
645
646     // FIXME: Try uninlining this
647     #[inline(always)]
648     pub(super) fn get_query<Q: QueryDescription<'gcx>>(
649         self,
650         span: Span,
651         key: Q::Key,
652     ) -> Q::Value {
653         self.try_get_with::<Q>(span, key).unwrap_or_else(|e| {
654             self.emit_error::<Q>(e)
655         })
656     }
657
658     #[inline(never)]
659     #[cold]
660     fn emit_error<Q: QueryDescription<'gcx>>(
661         self,
662         e: Box<CycleError<'gcx>>,
663     ) -> Q::Value {
664         self.report_cycle(e).emit();
665         Q::handle_cycle_error(self)
666     }
667 }
668
669 macro_rules! handle_cycle_error {
670     ([][$this: expr]) => {{
671         Value::from_cycle_error($this.global_tcx())
672     }};
673     ([fatal_cycle$(, $modifiers:ident)*][$this:expr]) => {{
674         $this.sess.abort_if_errors();
675         unreachable!();
676     }};
677     ([$other:ident$(, $modifiers:ident)*][$($args:tt)*]) => {
678         handle_cycle_error!([$($modifiers),*][$($args)*])
679     };
680 }
681
682 macro_rules! define_queries {
683     (<$tcx:tt> $($category:tt {
684         $($(#[$attr:meta])* [$($modifiers:tt)*] fn $name:ident: $node:ident($K:ty) -> $V:ty,)*
685     },)*) => {
686         define_queries_inner! { <$tcx>
687             $($( $(#[$attr])* category<$category> [$($modifiers)*] fn $name: $node($K) -> $V,)*)*
688         }
689     }
690 }
691
692 macro_rules! define_queries_inner {
693     (<$tcx:tt>
694      $($(#[$attr:meta])* category<$category:tt>
695         [$($modifiers:tt)*] fn $name:ident: $node:ident($K:ty) -> $V:ty,)*) => {
696
697         use std::mem;
698         #[cfg(parallel_compiler)]
699         use ty::query::job::QueryResult;
700         use rustc_data_structures::sync::Lock;
701         use crate::{
702             rustc_data_structures::stable_hasher::HashStable,
703             rustc_data_structures::stable_hasher::StableHasherResult,
704             rustc_data_structures::stable_hasher::StableHasher,
705             ich::StableHashingContext
706         };
707         use crate::util::profiling::ProfileCategory;
708
709         define_queries_struct! {
710             tcx: $tcx,
711             input: ($(([$($modifiers)*] [$($attr)*] [$name]))*)
712         }
713
714         impl<$tcx> Queries<$tcx> {
715             pub fn new(
716                 providers: IndexVec<CrateNum, Providers<$tcx>>,
717                 fallback_extern_providers: Providers<$tcx>,
718                 on_disk_cache: OnDiskCache<'tcx>,
719             ) -> Self {
720                 Queries {
721                     providers,
722                     fallback_extern_providers: Box::new(fallback_extern_providers),
723                     on_disk_cache,
724                     $($name: Default::default()),*
725                 }
726             }
727
728             pub fn record_computed_queries(&self, sess: &Session) {
729                 sess.profiler(|p| {
730                     $(
731                         p.record_computed_queries(
732                             <queries::$name<'_> as QueryConfig<'_>>::NAME,
733                             <queries::$name<'_> as QueryConfig<'_>>::CATEGORY,
734                             self.$name.lock().results.len()
735                         );
736                     )*
737                 });
738             }
739
740             #[cfg(parallel_compiler)]
741             pub fn collect_active_jobs(&self) -> Vec<Lrc<QueryJob<$tcx>>> {
742                 let mut jobs = Vec::new();
743
744                 // We use try_lock here since we are only called from the
745                 // deadlock handler, and this shouldn't be locked
746                 $(
747                     jobs.extend(
748                         self.$name.try_lock().unwrap().active.values().filter_map(|v|
749                             if let QueryResult::Started(ref job) = *v {
750                                 Some(job.clone())
751                             } else {
752                                 None
753                             }
754                         )
755                     );
756                 )*
757
758                 jobs
759             }
760
761             pub fn print_stats(&self) {
762                 let mut queries = Vec::new();
763
764                 #[derive(Clone)]
765                 struct QueryStats {
766                     name: &'static str,
767                     cache_hits: usize,
768                     key_size: usize,
769                     key_type: &'static str,
770                     value_size: usize,
771                     value_type: &'static str,
772                     entry_count: usize,
773                 }
774
775                 fn stats<'tcx, Q: QueryConfig<'tcx>>(
776                     name: &'static str,
777                     map: &QueryCache<'tcx, Q>
778                 ) -> QueryStats {
779                     QueryStats {
780                         name,
781                         #[cfg(debug_assertions)]
782                         cache_hits: map.cache_hits,
783                         #[cfg(not(debug_assertions))]
784                         cache_hits: 0,
785                         key_size: mem::size_of::<Q::Key>(),
786                         key_type: unsafe { type_name::<Q::Key>() },
787                         value_size: mem::size_of::<Q::Value>(),
788                         value_type: unsafe { type_name::<Q::Value>() },
789                         entry_count: map.results.len(),
790                     }
791                 }
792
793                 $(
794                     queries.push(stats::<queries::$name<'_>>(
795                         stringify!($name),
796                         &*self.$name.lock()
797                     ));
798                 )*
799
800                 if cfg!(debug_assertions) {
801                     let hits: usize = queries.iter().map(|s| s.cache_hits).sum();
802                     let results: usize = queries.iter().map(|s| s.entry_count).sum();
803                     println!("\nQuery cache hit rate: {}", hits as f64 / (hits + results) as f64);
804                 }
805
806                 let mut query_key_sizes = queries.clone();
807                 query_key_sizes.sort_by_key(|q| q.key_size);
808                 println!("\nLarge query keys:");
809                 for q in query_key_sizes.iter().rev()
810                                         .filter(|q| q.key_size > 8) {
811                     println!(
812                         "   {} - {} x {} - {}",
813                         q.name,
814                         q.key_size,
815                         q.entry_count,
816                         q.key_type
817                     );
818                 }
819
820                 let mut query_value_sizes = queries.clone();
821                 query_value_sizes.sort_by_key(|q| q.value_size);
822                 println!("\nLarge query values:");
823                 for q in query_value_sizes.iter().rev()
824                                           .filter(|q| q.value_size > 8) {
825                     println!(
826                         "   {} - {} x {} - {}",
827                         q.name,
828                         q.value_size,
829                         q.entry_count,
830                         q.value_type
831                     );
832                 }
833
834                 if cfg!(debug_assertions) {
835                     let mut query_cache_hits = queries.clone();
836                     query_cache_hits.sort_by_key(|q| q.cache_hits);
837                     println!("\nQuery cache hits:");
838                     for q in query_cache_hits.iter().rev() {
839                         println!(
840                             "   {} - {} ({}%)",
841                             q.name,
842                             q.cache_hits,
843                             q.cache_hits as f64 / (q.cache_hits + q.entry_count) as f64
844                         );
845                     }
846                 }
847
848                 let mut query_value_count = queries.clone();
849                 query_value_count.sort_by_key(|q| q.entry_count);
850                 println!("\nQuery value count:");
851                 for q in query_value_count.iter().rev() {
852                     println!("   {} - {}", q.name, q.entry_count);
853                 }
854             }
855         }
856
857         #[allow(nonstandard_style)]
858         #[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)]
859         pub enum Query<$tcx> {
860             $($(#[$attr])* $name($K)),*
861         }
862
863         impl<$tcx> Query<$tcx> {
864             pub fn name(&self) -> &'static str {
865                 match *self {
866                     $(Query::$name(_) => stringify!($name),)*
867                 }
868             }
869
870             pub fn describe(&self, tcx: TyCtxt<'_, '_, '_>) -> Cow<'static, str> {
871                 let (r, name) = match *self {
872                     $(Query::$name(key) => {
873                         (queries::$name::describe(tcx, key), stringify!($name))
874                     })*
875                 };
876                 if tcx.sess.verbose() {
877                     format!("{} [{}]", r, name).into()
878                 } else {
879                     r
880                 }
881             }
882
883             // FIXME(eddyb) Get more valid Span's on queries.
884             pub fn default_span(&self, tcx: TyCtxt<'_, $tcx, '_>, span: Span) -> Span {
885                 if !span.is_dummy() {
886                     return span;
887                 }
888                 // The def_span query is used to calculate default_span,
889                 // so exit to avoid infinite recursion
890                 if let Query::def_span(..) = *self {
891                     return span
892                 }
893                 match *self {
894                     $(Query::$name(key) => key.default_span(tcx),)*
895                 }
896             }
897         }
898
899         impl<'a, $tcx> HashStable<StableHashingContext<'a>> for Query<$tcx> {
900             fn hash_stable<W: StableHasherResult>(&self,
901                                                 hcx: &mut StableHashingContext<'a>,
902                                                 hasher: &mut StableHasher<W>) {
903                 mem::discriminant(self).hash_stable(hcx, hasher);
904                 match *self {
905                     $(Query::$name(key) => key.hash_stable(hcx, hasher),)*
906                 }
907             }
908         }
909
910         pub mod queries {
911             use std::marker::PhantomData;
912
913             $(#[allow(nonstandard_style)]
914             pub struct $name<$tcx> {
915                 data: PhantomData<&$tcx ()>
916             })*
917         }
918
919         // This module and the functions in it exist only to provide a
920         // predictable symbol name prefix for query providers. This is helpful
921         // for analyzing queries in profilers.
922         pub(super) mod __query_compute {
923             $(#[inline(never)]
924             pub fn $name<F: FnOnce() -> R, R>(f: F) -> R {
925                 f()
926             })*
927         }
928
929         $(impl<$tcx> QueryConfig<$tcx> for queries::$name<$tcx> {
930             type Key = $K;
931             type Value = $V;
932
933             const NAME: &'static str = stringify!($name);
934             const CATEGORY: ProfileCategory = $category;
935         }
936
937         impl<$tcx> QueryAccessors<$tcx> for queries::$name<$tcx> {
938             #[inline(always)]
939             fn query(key: Self::Key) -> Query<'tcx> {
940                 Query::$name(key)
941             }
942
943             #[inline(always)]
944             fn query_cache<'a>(tcx: TyCtxt<'a, $tcx, '_>) -> &'a Lock<QueryCache<$tcx, Self>> {
945                 &tcx.queries.$name
946             }
947
948             #[allow(unused)]
949             #[inline(always)]
950             fn to_dep_node(tcx: TyCtxt<'_, $tcx, '_>, key: &Self::Key) -> DepNode {
951                 use crate::dep_graph::DepConstructor::*;
952
953                 DepNode::new(tcx, $node(*key))
954             }
955
956             #[inline]
957             fn compute(tcx: TyCtxt<'_, 'tcx, '_>, key: Self::Key) -> Self::Value {
958                 __query_compute::$name(move || {
959                     let provider = tcx.queries.providers.get(key.query_crate())
960                         // HACK(eddyb) it's possible crates may be loaded after
961                         // the query engine is created, and because crate loading
962                         // is not yet integrated with the query engine, such crates
963                         // would be missing appropriate entries in `providers`.
964                         .unwrap_or(&tcx.queries.fallback_extern_providers)
965                         .$name;
966                     provider(tcx.global_tcx(), key)
967                 })
968             }
969
970             fn handle_cycle_error(tcx: TyCtxt<'_, 'tcx, '_>) -> Self::Value {
971                 handle_cycle_error!([$($modifiers)*][tcx])
972             }
973         })*
974
975         #[derive(Copy, Clone)]
976         pub struct TyCtxtEnsure<'a, 'gcx: 'a+'tcx, 'tcx: 'a> {
977             pub tcx: TyCtxt<'a, 'gcx, 'tcx>,
978         }
979
980         impl<'a, $tcx, 'lcx> TyCtxtEnsure<'a, $tcx, 'lcx> {
981             $($(#[$attr])*
982             #[inline(always)]
983             pub fn $name(self, key: $K) {
984                 self.tcx.ensure_query::<queries::$name<'_>>(key)
985             })*
986         }
987
988         #[derive(Copy, Clone)]
989         pub struct TyCtxtAt<'a, 'gcx: 'a+'tcx, 'tcx: 'a> {
990             pub tcx: TyCtxt<'a, 'gcx, 'tcx>,
991             pub span: Span,
992         }
993
994         impl<'a, 'gcx, 'tcx> Deref for TyCtxtAt<'a, 'gcx, 'tcx> {
995             type Target = TyCtxt<'a, 'gcx, 'tcx>;
996             #[inline(always)]
997             fn deref(&self) -> &Self::Target {
998                 &self.tcx
999             }
1000         }
1001
1002         impl<'a, $tcx, 'lcx> TyCtxt<'a, $tcx, 'lcx> {
1003             /// Return a transparent wrapper for `TyCtxt` which ensures queries
1004             /// are executed instead of returing their result
1005             #[inline(always)]
1006             pub fn ensure(self) -> TyCtxtEnsure<'a, $tcx, 'lcx> {
1007                 TyCtxtEnsure {
1008                     tcx: self,
1009                 }
1010             }
1011
1012             /// Return a transparent wrapper for `TyCtxt` which uses
1013             /// `span` as the location of queries performed through it.
1014             #[inline(always)]
1015             pub fn at(self, span: Span) -> TyCtxtAt<'a, $tcx, 'lcx> {
1016                 TyCtxtAt {
1017                     tcx: self,
1018                     span
1019                 }
1020             }
1021
1022             $($(#[$attr])*
1023             #[inline(always)]
1024             pub fn $name(self, key: $K) -> $V {
1025                 self.at(DUMMY_SP).$name(key)
1026             })*
1027         }
1028
1029         impl<'a, $tcx, 'lcx> TyCtxtAt<'a, $tcx, 'lcx> {
1030             $($(#[$attr])*
1031             #[inline(always)]
1032             pub fn $name(self, key: $K) -> $V {
1033                 self.tcx.get_query::<queries::$name<'_>>(self.span, key)
1034             })*
1035         }
1036
1037         define_provider_struct! {
1038             tcx: $tcx,
1039             input: ($(([$($modifiers)*] [$name] [$K] [$V]))*)
1040         }
1041
1042         impl<$tcx> Copy for Providers<$tcx> {}
1043         impl<$tcx> Clone for Providers<$tcx> {
1044             fn clone(&self) -> Self { *self }
1045         }
1046     }
1047 }
1048
1049 macro_rules! define_queries_struct {
1050     (tcx: $tcx:tt,
1051      input: ($(([$($modifiers:tt)*] [$($attr:tt)*] [$name:ident]))*)) => {
1052         pub struct Queries<$tcx> {
1053             /// This provides access to the incr. comp. on-disk cache for query results.
1054             /// Do not access this directly. It is only meant to be used by
1055             /// `DepGraph::try_mark_green()` and the query infrastructure.
1056             pub(crate) on_disk_cache: OnDiskCache<'tcx>,
1057
1058             providers: IndexVec<CrateNum, Providers<$tcx>>,
1059             fallback_extern_providers: Box<Providers<$tcx>>,
1060
1061             $($(#[$attr])*  $name: Lock<QueryCache<$tcx, queries::$name<$tcx>>>,)*
1062         }
1063     };
1064 }
1065
1066 macro_rules! define_provider_struct {
1067     (tcx: $tcx:tt,
1068      input: ($(([$($modifiers:tt)*] [$name:ident] [$K:ty] [$R:ty]))*)) => {
1069         pub struct Providers<$tcx> {
1070             $(pub $name: for<'a> fn(TyCtxt<'a, $tcx, $tcx>, $K) -> $R,)*
1071         }
1072
1073         impl<$tcx> Default for Providers<$tcx> {
1074             fn default() -> Self {
1075                 $(fn $name<'a, $tcx>(_: TyCtxt<'a, $tcx, $tcx>, key: $K) -> $R {
1076                     bug!("tcx.{}({:?}) unsupported by its crate",
1077                          stringify!($name), key);
1078                 })*
1079                 Providers { $($name),* }
1080             }
1081         }
1082     };
1083 }
1084
1085
1086 /// The red/green evaluation system will try to mark a specific DepNode in the
1087 /// dependency graph as green by recursively trying to mark the dependencies of
1088 /// that DepNode as green. While doing so, it will sometimes encounter a DepNode
1089 /// where we don't know if it is red or green and we therefore actually have
1090 /// to recompute its value in order to find out. Since the only piece of
1091 /// information that we have at that point is the DepNode we are trying to
1092 /// re-evaluate, we need some way to re-run a query from just that. This is what
1093 /// `force_from_dep_node()` implements.
1094 ///
1095 /// In the general case, a DepNode consists of a DepKind and an opaque
1096 /// GUID/fingerprint that will uniquely identify the node. This GUID/fingerprint
1097 /// is usually constructed by computing a stable hash of the query-key that the
1098 /// DepNode corresponds to. Consequently, it is not in general possible to go
1099 /// back from hash to query-key (since hash functions are not reversible). For
1100 /// this reason `force_from_dep_node()` is expected to fail from time to time
1101 /// because we just cannot find out, from the DepNode alone, what the
1102 /// corresponding query-key is and therefore cannot re-run the query.
1103 ///
1104 /// The system deals with this case letting `try_mark_green` fail which forces
1105 /// the root query to be re-evaluated.
1106 ///
1107 /// Now, if force_from_dep_node() would always fail, it would be pretty useless.
1108 /// Fortunately, we can use some contextual information that will allow us to
1109 /// reconstruct query-keys for certain kinds of DepNodes. In particular, we
1110 /// enforce by construction that the GUID/fingerprint of certain DepNodes is a
1111 /// valid DefPathHash. Since we also always build a huge table that maps every
1112 /// DefPathHash in the current codebase to the corresponding DefId, we have
1113 /// everything we need to re-run the query.
1114 ///
1115 /// Take the `mir_validated` query as an example. Like many other queries, it
1116 /// just has a single parameter: the DefId of the item it will compute the
1117 /// validated MIR for. Now, when we call `force_from_dep_node()` on a dep-node
1118 /// with kind `MirValidated`, we know that the GUID/fingerprint of the dep-node
1119 /// is actually a DefPathHash, and can therefore just look up the corresponding
1120 /// DefId in `tcx.def_path_hash_to_def_id`.
1121 ///
1122 /// When you implement a new query, it will likely have a corresponding new
1123 /// DepKind, and you'll have to support it here in `force_from_dep_node()`. As
1124 /// a rule of thumb, if your query takes a DefId or DefIndex as sole parameter,
1125 /// then `force_from_dep_node()` should not fail for it. Otherwise, you can just
1126 /// add it to the "We don't have enough information to reconstruct..." group in
1127 /// the match below.
1128 pub fn force_from_dep_node<'a, 'gcx, 'lcx>(tcx: TyCtxt<'a, 'gcx, 'lcx>,
1129                                            dep_node: &DepNode)
1130                                            -> bool {
1131     use crate::hir::def_id::LOCAL_CRATE;
1132
1133     // We must avoid ever having to call force_from_dep_node() for a
1134     // DepNode::CodegenUnit:
1135     // Since we cannot reconstruct the query key of a DepNode::CodegenUnit, we
1136     // would always end up having to evaluate the first caller of the
1137     // `codegen_unit` query that *is* reconstructible. This might very well be
1138     // the `compile_codegen_unit` query, thus re-codegenning the whole CGU just
1139     // to re-trigger calling the `codegen_unit` query with the right key. At
1140     // that point we would already have re-done all the work we are trying to
1141     // avoid doing in the first place.
1142     // The solution is simple: Just explicitly call the `codegen_unit` query for
1143     // each CGU, right after partitioning. This way `try_mark_green` will always
1144     // hit the cache instead of having to go through `force_from_dep_node`.
1145     // This assertion makes sure, we actually keep applying the solution above.
1146     debug_assert!(dep_node.kind != DepKind::CodegenUnit,
1147                   "calling force_from_dep_node() on DepKind::CodegenUnit");
1148
1149     if !dep_node.kind.can_reconstruct_query_key() {
1150         return false
1151     }
1152
1153     macro_rules! def_id {
1154         () => {
1155             if let Some(def_id) = dep_node.extract_def_id(tcx) {
1156                 def_id
1157             } else {
1158                 // return from the whole function
1159                 return false
1160             }
1161         }
1162     };
1163
1164     macro_rules! krate {
1165         () => { (def_id!()).krate }
1166     };
1167
1168     macro_rules! force {
1169         ($query:ident, $key:expr) => {
1170             {
1171                 tcx.force_query::<crate::ty::query::queries::$query<'_>>($key, DUMMY_SP, *dep_node);
1172             }
1173         }
1174     };
1175
1176     // FIXME(#45015): We should try move this boilerplate code into a macro
1177     //                somehow.
1178     match dep_node.kind {
1179         // These are inputs that are expected to be pre-allocated and that
1180         // should therefore always be red or green already
1181         DepKind::AllLocalTraitImpls |
1182         DepKind::Krate |
1183         DepKind::CrateMetadata |
1184         DepKind::HirBody |
1185         DepKind::Hir |
1186
1187         // This are anonymous nodes
1188         DepKind::TraitSelect |
1189
1190         // We don't have enough information to reconstruct the query key of
1191         // these
1192         DepKind::IsCopy |
1193         DepKind::IsSized |
1194         DepKind::IsFreeze |
1195         DepKind::NeedsDrop |
1196         DepKind::Layout |
1197         DepKind::ConstEval |
1198         DepKind::ConstEvalRaw |
1199         DepKind::InstanceSymbolName |
1200         DepKind::MirShim |
1201         DepKind::BorrowCheckKrate |
1202         DepKind::Specializes |
1203         DepKind::ImplementationsOfTrait |
1204         DepKind::TypeParamPredicates |
1205         DepKind::CodegenUnit |
1206         DepKind::CompileCodegenUnit |
1207         DepKind::FulfillObligation |
1208         DepKind::VtableMethods |
1209         DepKind::EraseRegionsTy |
1210         DepKind::NormalizeProjectionTy |
1211         DepKind::NormalizeTyAfterErasingRegions |
1212         DepKind::ImpliedOutlivesBounds |
1213         DepKind::DropckOutlives |
1214         DepKind::EvaluateObligation |
1215         DepKind::EvaluateGoal |
1216         DepKind::TypeOpAscribeUserType |
1217         DepKind::TypeOpEq |
1218         DepKind::TypeOpSubtype |
1219         DepKind::TypeOpProvePredicate |
1220         DepKind::TypeOpNormalizeTy |
1221         DepKind::TypeOpNormalizePredicate |
1222         DepKind::TypeOpNormalizePolyFnSig |
1223         DepKind::TypeOpNormalizeFnSig |
1224         DepKind::SubstituteNormalizeAndTestPredicates |
1225         DepKind::MethodAutoderefSteps |
1226         DepKind::InstanceDefSizeEstimate |
1227         DepKind::ProgramClausesForEnv |
1228
1229         // This one should never occur in this context
1230         DepKind::Null => {
1231             bug!("force_from_dep_node() - Encountered {:?}", dep_node)
1232         }
1233
1234         // These are not queries
1235         DepKind::CoherenceCheckTrait |
1236         DepKind::ItemVarianceConstraints => {
1237             return false
1238         }
1239
1240         DepKind::RegionScopeTree => { force!(region_scope_tree, def_id!()); }
1241
1242         DepKind::Coherence => { force!(crate_inherent_impls, LOCAL_CRATE); }
1243         DepKind::CoherenceInherentImplOverlapCheck => {
1244             force!(crate_inherent_impls_overlap_check, LOCAL_CRATE)
1245         },
1246         DepKind::PrivacyAccessLevels => { force!(privacy_access_levels, LOCAL_CRATE); }
1247         DepKind::MirBuilt => { force!(mir_built, def_id!()); }
1248         DepKind::MirConstQualif => { force!(mir_const_qualif, def_id!()); }
1249         DepKind::MirConst => { force!(mir_const, def_id!()); }
1250         DepKind::MirValidated => { force!(mir_validated, def_id!()); }
1251         DepKind::MirOptimized => { force!(optimized_mir, def_id!()); }
1252
1253         DepKind::BorrowCheck => { force!(borrowck, def_id!()); }
1254         DepKind::MirBorrowCheck => { force!(mir_borrowck, def_id!()); }
1255         DepKind::UnsafetyCheckResult => { force!(unsafety_check_result, def_id!()); }
1256         DepKind::UnsafeDeriveOnReprPacked => { force!(unsafe_derive_on_repr_packed, def_id!()); }
1257         DepKind::CheckModAttrs => { force!(check_mod_attrs, def_id!()); }
1258         DepKind::CheckModLoops => { force!(check_mod_loops, def_id!()); }
1259         DepKind::CheckModUnstableApiUsage => { force!(check_mod_unstable_api_usage, def_id!()); }
1260         DepKind::CheckModItemTypes => { force!(check_mod_item_types, def_id!()); }
1261         DepKind::CheckModPrivacy => { force!(check_mod_privacy, def_id!()); }
1262         DepKind::CheckModIntrinsics => { force!(check_mod_intrinsics, def_id!()); }
1263         DepKind::CheckModLiveness => { force!(check_mod_liveness, def_id!()); }
1264         DepKind::CheckModImplWf => { force!(check_mod_impl_wf, def_id!()); }
1265         DepKind::CollectModItemTypes => { force!(collect_mod_item_types, def_id!()); }
1266         DepKind::Reachability => { force!(reachable_set, LOCAL_CRATE); }
1267         DepKind::MirKeys => { force!(mir_keys, LOCAL_CRATE); }
1268         DepKind::CrateVariances => { force!(crate_variances, LOCAL_CRATE); }
1269         DepKind::AssociatedItems => { force!(associated_item, def_id!()); }
1270         DepKind::TypeOfItem => { force!(type_of, def_id!()); }
1271         DepKind::GenericsOfItem => { force!(generics_of, def_id!()); }
1272         DepKind::PredicatesOfItem => { force!(predicates_of, def_id!()); }
1273         DepKind::PredicatesDefinedOnItem => { force!(predicates_defined_on, def_id!()); }
1274         DepKind::ExplicitPredicatesOfItem => { force!(explicit_predicates_of, def_id!()); }
1275         DepKind::InferredOutlivesOf => { force!(inferred_outlives_of, def_id!()); }
1276         DepKind::InferredOutlivesCrate => { force!(inferred_outlives_crate, LOCAL_CRATE); }
1277         DepKind::SuperPredicatesOfItem => { force!(super_predicates_of, def_id!()); }
1278         DepKind::TraitDefOfItem => { force!(trait_def, def_id!()); }
1279         DepKind::AdtDefOfItem => { force!(adt_def, def_id!()); }
1280         DepKind::ImplTraitRef => { force!(impl_trait_ref, def_id!()); }
1281         DepKind::ImplPolarity => { force!(impl_polarity, def_id!()); }
1282         DepKind::Issue33140SelfTy => { force!(issue33140_self_ty, def_id!()); }
1283         DepKind::FnSignature => { force!(fn_sig, def_id!()); }
1284         DepKind::CoerceUnsizedInfo => { force!(coerce_unsized_info, def_id!()); }
1285         DepKind::ItemVariances => { force!(variances_of, def_id!()); }
1286         DepKind::IsConstFn => { force!(is_const_fn_raw, def_id!()); }
1287         DepKind::IsPromotableConstFn => { force!(is_promotable_const_fn, def_id!()); }
1288         DepKind::IsForeignItem => { force!(is_foreign_item, def_id!()); }
1289         DepKind::SizedConstraint => { force!(adt_sized_constraint, def_id!()); }
1290         DepKind::DtorckConstraint => { force!(adt_dtorck_constraint, def_id!()); }
1291         DepKind::AdtDestructor => { force!(adt_destructor, def_id!()); }
1292         DepKind::AssociatedItemDefIds => { force!(associated_item_def_ids, def_id!()); }
1293         DepKind::InherentImpls => { force!(inherent_impls, def_id!()); }
1294         DepKind::TypeckBodiesKrate => { force!(typeck_item_bodies, LOCAL_CRATE); }
1295         DepKind::TypeckTables => { force!(typeck_tables_of, def_id!()); }
1296         DepKind::UsedTraitImports => { force!(used_trait_imports, def_id!()); }
1297         DepKind::HasTypeckTables => { force!(has_typeck_tables, def_id!()); }
1298         DepKind::SymbolName => { force!(def_symbol_name, def_id!()); }
1299         DepKind::SpecializationGraph => { force!(specialization_graph_of, def_id!()); }
1300         DepKind::ObjectSafety => { force!(is_object_safe, def_id!()); }
1301         DepKind::TraitImpls => { force!(trait_impls_of, def_id!()); }
1302         DepKind::CheckMatch => { force!(check_match, def_id!()); }
1303
1304         DepKind::ParamEnv => { force!(param_env, def_id!()); }
1305         DepKind::Environment => { force!(environment, def_id!()); }
1306         DepKind::DescribeDef => { force!(describe_def, def_id!()); }
1307         DepKind::DefSpan => { force!(def_span, def_id!()); }
1308         DepKind::LookupStability => { force!(lookup_stability, def_id!()); }
1309         DepKind::LookupDeprecationEntry => {
1310             force!(lookup_deprecation_entry, def_id!());
1311         }
1312         DepKind::ConstIsRvaluePromotableToStatic => {
1313             force!(const_is_rvalue_promotable_to_static, def_id!());
1314         }
1315         DepKind::RvaluePromotableMap => { force!(rvalue_promotable_map, def_id!()); }
1316         DepKind::ImplParent => { force!(impl_parent, def_id!()); }
1317         DepKind::TraitOfItem => { force!(trait_of_item, def_id!()); }
1318         DepKind::IsReachableNonGeneric => { force!(is_reachable_non_generic, def_id!()); }
1319         DepKind::IsUnreachableLocalDefinition => {
1320             force!(is_unreachable_local_definition, def_id!());
1321         }
1322         DepKind::IsMirAvailable => { force!(is_mir_available, def_id!()); }
1323         DepKind::ItemAttrs => { force!(item_attrs, def_id!()); }
1324         DepKind::CodegenFnAttrs => { force!(codegen_fn_attrs, def_id!()); }
1325         DepKind::FnArgNames => { force!(fn_arg_names, def_id!()); }
1326         DepKind::RenderedConst => { force!(rendered_const, def_id!()); }
1327         DepKind::DylibDepFormats => { force!(dylib_dependency_formats, krate!()); }
1328         DepKind::IsPanicRuntime => { force!(is_panic_runtime, krate!()); }
1329         DepKind::IsCompilerBuiltins => { force!(is_compiler_builtins, krate!()); }
1330         DepKind::HasGlobalAllocator => { force!(has_global_allocator, krate!()); }
1331         DepKind::HasPanicHandler => { force!(has_panic_handler, krate!()); }
1332         DepKind::ExternCrate => { force!(extern_crate, def_id!()); }
1333         DepKind::LintLevels => { force!(lint_levels, LOCAL_CRATE); }
1334         DepKind::InScopeTraits => { force!(in_scope_traits_map, def_id!().index); }
1335         DepKind::ModuleExports => { force!(module_exports, def_id!()); }
1336         DepKind::IsSanitizerRuntime => { force!(is_sanitizer_runtime, krate!()); }
1337         DepKind::IsProfilerRuntime => { force!(is_profiler_runtime, krate!()); }
1338         DepKind::GetPanicStrategy => { force!(panic_strategy, krate!()); }
1339         DepKind::IsNoBuiltins => { force!(is_no_builtins, krate!()); }
1340         DepKind::ImplDefaultness => { force!(impl_defaultness, def_id!()); }
1341         DepKind::CheckItemWellFormed => { force!(check_item_well_formed, def_id!()); }
1342         DepKind::CheckTraitItemWellFormed => { force!(check_trait_item_well_formed, def_id!()); }
1343         DepKind::CheckImplItemWellFormed => { force!(check_impl_item_well_formed, def_id!()); }
1344         DepKind::ReachableNonGenerics => { force!(reachable_non_generics, krate!()); }
1345         DepKind::NativeLibraries => { force!(native_libraries, krate!()); }
1346         DepKind::EntryFn => { force!(entry_fn, krate!()); }
1347         DepKind::PluginRegistrarFn => { force!(plugin_registrar_fn, krate!()); }
1348         DepKind::ProcMacroDeclsStatic => { force!(proc_macro_decls_static, krate!()); }
1349         DepKind::CrateDisambiguator => { force!(crate_disambiguator, krate!()); }
1350         DepKind::CrateHash => { force!(crate_hash, krate!()); }
1351         DepKind::OriginalCrateName => { force!(original_crate_name, krate!()); }
1352         DepKind::ExtraFileName => { force!(extra_filename, krate!()); }
1353
1354         DepKind::AllTraitImplementations => {
1355             force!(all_trait_implementations, krate!());
1356         }
1357
1358         DepKind::DllimportForeignItems => {
1359             force!(dllimport_foreign_items, krate!());
1360         }
1361         DepKind::IsDllimportForeignItem => {
1362             force!(is_dllimport_foreign_item, def_id!());
1363         }
1364         DepKind::IsStaticallyIncludedForeignItem => {
1365             force!(is_statically_included_foreign_item, def_id!());
1366         }
1367         DepKind::NativeLibraryKind => { force!(native_library_kind, def_id!()); }
1368         DepKind::LinkArgs => { force!(link_args, LOCAL_CRATE); }
1369
1370         DepKind::ResolveLifetimes => { force!(resolve_lifetimes, krate!()); }
1371         DepKind::NamedRegion => { force!(named_region_map, def_id!().index); }
1372         DepKind::IsLateBound => { force!(is_late_bound_map, def_id!().index); }
1373         DepKind::ObjectLifetimeDefaults => {
1374             force!(object_lifetime_defaults_map, def_id!().index);
1375         }
1376
1377         DepKind::Visibility => { force!(visibility, def_id!()); }
1378         DepKind::DepKind => { force!(dep_kind, krate!()); }
1379         DepKind::CrateName => { force!(crate_name, krate!()); }
1380         DepKind::ItemChildren => { force!(item_children, def_id!()); }
1381         DepKind::ExternModStmtCnum => { force!(extern_mod_stmt_cnum, def_id!()); }
1382         DepKind::GetLibFeatures => { force!(get_lib_features, LOCAL_CRATE); }
1383         DepKind::DefinedLibFeatures => { force!(defined_lib_features, krate!()); }
1384         DepKind::GetLangItems => { force!(get_lang_items, LOCAL_CRATE); }
1385         DepKind::DefinedLangItems => { force!(defined_lang_items, krate!()); }
1386         DepKind::MissingLangItems => { force!(missing_lang_items, krate!()); }
1387         DepKind::VisibleParentMap => { force!(visible_parent_map, LOCAL_CRATE); }
1388         DepKind::MissingExternCrateItem => {
1389             force!(missing_extern_crate_item, krate!());
1390         }
1391         DepKind::UsedCrateSource => { force!(used_crate_source, krate!()); }
1392         DepKind::PostorderCnums => { force!(postorder_cnums, LOCAL_CRATE); }
1393
1394         DepKind::Freevars => { force!(freevars, def_id!()); }
1395         DepKind::MaybeUnusedTraitImport => {
1396             force!(maybe_unused_trait_import, def_id!());
1397         }
1398         DepKind::NamesImportedByGlobUse => { force!(names_imported_by_glob_use, def_id!()); }
1399         DepKind::MaybeUnusedExternCrates => { force!(maybe_unused_extern_crates, LOCAL_CRATE); }
1400         DepKind::StabilityIndex => { force!(stability_index, LOCAL_CRATE); }
1401         DepKind::AllTraits => { force!(all_traits, LOCAL_CRATE); }
1402         DepKind::AllCrateNums => { force!(all_crate_nums, LOCAL_CRATE); }
1403         DepKind::ExportedSymbols => { force!(exported_symbols, krate!()); }
1404         DepKind::CollectAndPartitionMonoItems => {
1405             force!(collect_and_partition_mono_items, LOCAL_CRATE);
1406         }
1407         DepKind::IsCodegenedItem => { force!(is_codegened_item, def_id!()); }
1408         DepKind::OutputFilenames => { force!(output_filenames, LOCAL_CRATE); }
1409
1410         DepKind::TargetFeaturesWhitelist => { force!(target_features_whitelist, LOCAL_CRATE); }
1411
1412         DepKind::Features => { force!(features_query, LOCAL_CRATE); }
1413
1414         DepKind::ProgramClausesFor => { force!(program_clauses_for, def_id!()); }
1415         DepKind::WasmImportModuleMap => { force!(wasm_import_module_map, krate!()); }
1416         DepKind::ForeignModules => { force!(foreign_modules, krate!()); }
1417
1418         DepKind::UpstreamMonomorphizations => {
1419             force!(upstream_monomorphizations, krate!());
1420         }
1421         DepKind::UpstreamMonomorphizationsFor => {
1422             force!(upstream_monomorphizations_for, def_id!());
1423         }
1424         DepKind::BackendOptimizationLevel => {
1425             force!(backend_optimization_level, krate!());
1426         }
1427     }
1428
1429     true
1430 }
1431
1432
1433 // FIXME(#45015): Another piece of boilerplate code that could be generated in
1434 //                a combined define_dep_nodes!()/define_queries!() macro.
1435 macro_rules! impl_load_from_cache {
1436     ($($dep_kind:ident => $query_name:ident,)*) => {
1437         impl DepNode {
1438             // Check whether the query invocation corresponding to the given
1439             // DepNode is eligible for on-disk-caching.
1440             pub fn cache_on_disk(&self, tcx: TyCtxt<'_, '_, '_>) -> bool {
1441                 use crate::ty::query::queries;
1442                 use crate::ty::query::QueryDescription;
1443
1444                 match self.kind {
1445                     $(DepKind::$dep_kind => {
1446                         let def_id = self.extract_def_id(tcx).unwrap();
1447                         queries::$query_name::cache_on_disk(tcx.global_tcx(), def_id)
1448                     })*
1449                     _ => false
1450                 }
1451             }
1452
1453             // This is method will execute the query corresponding to the given
1454             // DepNode. It is only expected to work for DepNodes where the
1455             // above `cache_on_disk` methods returns true.
1456             // Also, as a sanity check, it expects that the corresponding query
1457             // invocation has been marked as green already.
1458             pub fn load_from_on_disk_cache(&self, tcx: TyCtxt<'_, '_, '_>) {
1459                 match self.kind {
1460                     $(DepKind::$dep_kind => {
1461                         debug_assert!(tcx.dep_graph
1462                                          .node_color(self)
1463                                          .map(|c| c.is_green())
1464                                          .unwrap_or(false));
1465
1466                         let def_id = self.extract_def_id(tcx).unwrap();
1467                         let _ = tcx.$query_name(def_id);
1468                     })*
1469                     _ => {
1470                         bug!()
1471                     }
1472                 }
1473             }
1474         }
1475     }
1476 }
1477
1478 impl_load_from_cache!(
1479     TypeckTables => typeck_tables_of,
1480     MirOptimized => optimized_mir,
1481     UnsafetyCheckResult => unsafety_check_result,
1482     BorrowCheck => borrowck,
1483     MirBorrowCheck => mir_borrowck,
1484     MirConstQualif => mir_const_qualif,
1485     SymbolName => def_symbol_name,
1486     ConstIsRvaluePromotableToStatic => const_is_rvalue_promotable_to_static,
1487     CheckMatch => check_match,
1488     TypeOfItem => type_of,
1489     GenericsOfItem => generics_of,
1490     PredicatesOfItem => predicates_of,
1491     UsedTraitImports => used_trait_imports,
1492     CodegenFnAttrs => codegen_fn_attrs,
1493     SpecializationGraph => specialization_graph_of,
1494 );