]> git.proxmox.com Git - rustc.git/blame - src/librustc/dep_graph/dep_node.rs
New upstream version 1.30.0+dfsg1
[rustc.git] / src / librustc / dep_graph / dep_node.rs
CommitLineData
54a0048b
SL
1// Copyright 2014 The Rust Project Developers. See the COPYRIGHT
2// file at the top-level directory of this distribution and at
3// http://rust-lang.org/COPYRIGHT.
4//
5// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8// option. This file may not be copied, modified, or distributed
9// except according to those terms.
10
041b39d2
XL
11
12//! This module defines the `DepNode` type which the compiler uses to represent
13//! nodes in the dependency graph. A `DepNode` consists of a `DepKind` (which
14//! specifies the kind of thing it represents, like a piece of HIR, MIR, etc)
15//! and a `Fingerprint`, a 128 bit hash value the exact meaning of which
16//! depends on the node's `DepKind`. Together, the kind and the fingerprint
17//! fully identify a dependency node, even across multiple compilation sessions.
18//! In other words, the value of the fingerprint does not depend on anything
19//! that is specific to a given compilation session, like an unpredictable
20//! interning key (e.g. NodeId, DefId, Symbol) or the numeric value of a
21//! pointer. The concept behind this could be compared to how git commit hashes
22//! uniquely identify a given commit and has a few advantages:
23//!
24//! * A `DepNode` can simply be serialized to disk and loaded in another session
25//! without the need to do any "rebasing (like we have to do for Spans and
26//! NodeIds) or "retracing" like we had to do for `DefId` in earlier
27//! implementations of the dependency graph.
28//! * A `Fingerprint` is just a bunch of bits, which allows `DepNode` to
29//! implement `Copy`, `Sync`, `Send`, `Freeze`, etc.
30//! * Since we just have a bit pattern, `DepNode` can be mapped from disk into
31//! memory without any post-processing (e.g. "abomination-style" pointer
32//! reconstruction).
33//! * Because a `DepNode` is self-contained, we can instantiate `DepNodes` that
34//! refer to things that do not exist anymore. In previous implementations
35//! `DepNode` contained a `DefId`. A `DepNode` referring to something that
36//! had been removed between the previous and the current compilation session
37//! could not be instantiated because the current compilation session
38//! contained no `DefId` for thing that had been removed.
39//!
40//! `DepNode` definition happens in the `define_dep_nodes!()` macro. This macro
41//! defines the `DepKind` enum and a corresponding `DepConstructor` enum. The
42//! `DepConstructor` enum links a `DepKind` to the parameters that are needed at
43//! runtime in order to construct a valid `DepNode` fingerprint.
44//!
45//! Because the macro sees what parameters a given `DepKind` requires, it can
46//! "infer" some properties for each kind of `DepNode`:
47//!
48//! * Whether a `DepNode` of a given kind has any parameters at all. Some
49//! `DepNode`s, like `Krate`, represent global concepts with only one value.
50//! * Whether it is possible, in principle, to reconstruct a query key from a
51//! given `DepNode`. Many `DepKind`s only require a single `DefId` parameter,
52//! in which case it is possible to map the node's fingerprint back to the
53//! `DefId` it was computed from. In other cases, too much information gets
54//! lost during fingerprint computation.
55//!
56//! The `DepConstructor` enum, together with `DepNode::new()` ensures that only
57//! valid `DepNode` instances can be constructed. For example, the API does not
58//! allow for constructing parameterless `DepNode`s with anything other
59//! than a zeroed out fingerprint. More generally speaking, it relieves the
60//! user of the `DepNode` API of having to know how to compute the expected
61//! fingerprint for a given set of node parameters.
62
8faf50e0 63use mir::interpret::GlobalId;
ea8adc8c 64use hir::def_id::{CrateNum, DefId, DefIndex, CRATE_DEF_INDEX};
041b39d2 65use hir::map::DefPathHash;
ea8adc8c 66use hir::{HirId, ItemLocalId};
041b39d2 67
0531ce1d 68use ich::{Fingerprint, StableHashingContext};
041b39d2 69use rustc_data_structures::stable_hasher::{StableHasher, HashStable};
041b39d2
XL
70use std::fmt;
71use std::hash::Hash;
ea8adc8c 72use syntax_pos::symbol::InternedString;
8faf50e0
XL
73use traits::query::{
74 CanonicalProjectionGoal, CanonicalTyGoal, CanonicalTypeOpEqGoal, CanonicalTypeOpSubtypeGoal,
75 CanonicalPredicateGoal, CanonicalTypeOpProvePredicateGoal, CanonicalTypeOpNormalizeGoal,
76};
77use ty::{TyCtxt, FnSig, Instance, InstanceDef,
b7449926 78 ParamEnv, ParamEnvAnd, Predicate, PolyFnSig, PolyTraitRef, Ty};
0531ce1d 79use ty::subst::Substs;
041b39d2
XL
80
81// erase!() just makes tokens go away. It's used to specify which macro argument
82// is repeated (i.e. which sub-expression of the macro we are in) but don't need
83// to actually use any of the arguments.
84macro_rules! erase {
85 ($x:tt) => ({})
86}
87
0531ce1d
XL
88macro_rules! replace {
89 ($x:tt with $($y:tt)*) => ($($y)*)
90}
91
ea8adc8c
XL
92macro_rules! is_anon_attr {
93 (anon) => (true);
94 ($attr:ident) => (false);
95}
96
97macro_rules! is_input_attr {
98 (input) => (true);
99 ($attr:ident) => (false);
100}
101
abe05a73
XL
102macro_rules! is_eval_always_attr {
103 (eval_always) => (true);
104 ($attr:ident) => (false);
105}
106
ea8adc8c
XL
107macro_rules! contains_anon_attr {
108 ($($attr:ident),*) => ({$(is_anon_attr!($attr) | )* false});
109}
110
111macro_rules! contains_input_attr {
112 ($($attr:ident),*) => ({$(is_input_attr!($attr) | )* false});
041b39d2
XL
113}
114
abe05a73
XL
115macro_rules! contains_eval_always_attr {
116 ($($attr:ident),*) => ({$(is_eval_always_attr!($attr) | )* false});
117}
118
041b39d2
XL
119macro_rules! define_dep_nodes {
120 (<$tcx:tt>
121 $(
ea8adc8c 122 [$($attr:ident),* ]
0531ce1d 123 $variant:ident $(( $tuple_arg_ty:ty $(,)* ))*
041b39d2
XL
124 $({ $($struct_arg_name:ident : $struct_arg_ty:ty),* })*
125 ,)*
126 ) => (
127 #[derive(Clone, Copy, Debug, PartialEq, Eq, PartialOrd, Ord, Hash,
128 RustcEncodable, RustcDecodable)]
129 pub enum DepKind {
130 $($variant),*
131 }
132
133 impl DepKind {
134 #[allow(unreachable_code)]
135 #[inline]
136 pub fn can_reconstruct_query_key<$tcx>(&self) -> bool {
137 match *self {
138 $(
139 DepKind :: $variant => {
ea8adc8c
XL
140 if contains_anon_attr!($($attr),*) {
141 return false;
142 }
3b2f2976 143
041b39d2
XL
144 // tuple args
145 $({
0531ce1d 146 return <$tuple_arg_ty as DepNodeParams>
041b39d2
XL
147 ::CAN_RECONSTRUCT_QUERY_KEY;
148 })*
149
150 // struct args
151 $({
3b2f2976 152
041b39d2
XL
153 return <( $($struct_arg_ty,)* ) as DepNodeParams>
154 ::CAN_RECONSTRUCT_QUERY_KEY;
155 })*
156
157 true
158 }
159 )*
160 }
161 }
162
041b39d2 163 #[inline]
ea8adc8c 164 pub fn is_anon(&self) -> bool {
041b39d2
XL
165 match *self {
166 $(
ea8adc8c
XL
167 DepKind :: $variant => { contains_anon_attr!($($attr),*) }
168 )*
169 }
170 }
171
172 #[inline]
173 pub fn is_input(&self) -> bool {
174 match *self {
175 $(
176 DepKind :: $variant => { contains_input_attr!($($attr),*) }
041b39d2
XL
177 )*
178 }
179 }
180
abe05a73
XL
181 #[inline]
182 pub fn is_eval_always(&self) -> bool {
183 match *self {
184 $(
185 DepKind :: $variant => { contains_eval_always_attr!($($attr), *) }
186 )*
187 }
188 }
189
041b39d2
XL
190 #[allow(unreachable_code)]
191 #[inline]
192 pub fn has_params(&self) -> bool {
193 match *self {
194 $(
195 DepKind :: $variant => {
196 // tuple args
197 $({
0531ce1d 198 erase!($tuple_arg_ty);
041b39d2
XL
199 return true;
200 })*
201
202 // struct args
203 $({
204 $(erase!($struct_arg_name);)*
205 return true;
206 })*
207
208 false
209 }
210 )*
211 }
212 }
213 }
214
215 pub enum DepConstructor<$tcx> {
216 $(
0531ce1d 217 $variant $(( $tuple_arg_ty ))*
041b39d2
XL
218 $({ $($struct_arg_name : $struct_arg_ty),* })*
219 ),*
220 }
221
222 #[derive(Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash,
223 RustcEncodable, RustcDecodable)]
224 pub struct DepNode {
225 pub kind: DepKind,
226 pub hash: Fingerprint,
3157f602 227 }
041b39d2
XL
228
229 impl DepNode {
230 #[allow(unreachable_code, non_snake_case)]
231 pub fn new<'a, 'gcx, 'tcx>(tcx: TyCtxt<'a, 'gcx, 'tcx>,
232 dep: DepConstructor<'gcx>)
233 -> DepNode
234 where 'gcx: 'a + 'tcx,
235 'tcx: 'a
236 {
237 match dep {
238 $(
0531ce1d 239 DepConstructor :: $variant $(( replace!(($tuple_arg_ty) with arg) ))*
041b39d2
XL
240 $({ $($struct_arg_name),* })*
241 =>
242 {
243 // tuple args
244 $({
0531ce1d
XL
245 erase!($tuple_arg_ty);
246 let hash = DepNodeParams::to_fingerprint(&arg, tcx);
041b39d2
XL
247 let dep_node = DepNode {
248 kind: DepKind::$variant,
249 hash
250 };
251
252 if cfg!(debug_assertions) &&
253 !dep_node.kind.can_reconstruct_query_key() &&
254 (tcx.sess.opts.debugging_opts.incremental_info ||
255 tcx.sess.opts.debugging_opts.query_dep_graph)
256 {
257 tcx.dep_graph.register_dep_node_debug_str(dep_node, || {
0531ce1d 258 arg.to_debug_str(tcx)
041b39d2
XL
259 });
260 }
261
262 return dep_node;
263 })*
264
265 // struct args
266 $({
267 let tupled_args = ( $($struct_arg_name,)* );
268 let hash = DepNodeParams::to_fingerprint(&tupled_args,
269 tcx);
270 let dep_node = DepNode {
271 kind: DepKind::$variant,
272 hash
273 };
274
275 if cfg!(debug_assertions) &&
276 !dep_node.kind.can_reconstruct_query_key() &&
277 (tcx.sess.opts.debugging_opts.incremental_info ||
278 tcx.sess.opts.debugging_opts.query_dep_graph)
279 {
280 tcx.dep_graph.register_dep_node_debug_str(dep_node, || {
281 tupled_args.to_debug_str(tcx)
282 });
283 }
284
285 return dep_node;
286 })*
287
288 DepNode {
289 kind: DepKind::$variant,
ff7c6d11 290 hash: Fingerprint::ZERO,
041b39d2
XL
291 }
292 }
293 )*
294 }
295 }
296
297 /// Construct a DepNode from the given DepKind and DefPathHash. This
298 /// method will assert that the given DepKind actually requires a
299 /// single DefId/DefPathHash parameter.
300 #[inline]
301 pub fn from_def_path_hash(kind: DepKind,
302 def_path_hash: DefPathHash)
303 -> DepNode {
304 assert!(kind.can_reconstruct_query_key() && kind.has_params());
305 DepNode {
306 kind,
307 hash: def_path_hash.0,
308 }
309 }
310
311 /// Create a new, parameterless DepNode. This method will assert
312 /// that the DepNode corresponding to the given DepKind actually
313 /// does not require any parameters.
314 #[inline]
315 pub fn new_no_params(kind: DepKind) -> DepNode {
316 assert!(!kind.has_params());
317 DepNode {
318 kind,
ff7c6d11 319 hash: Fingerprint::ZERO,
041b39d2
XL
320 }
321 }
322
323 /// Extract the DefId corresponding to this DepNode. This will work
324 /// if two conditions are met:
325 ///
326 /// 1. The Fingerprint of the DepNode actually is a DefPathHash, and
327 /// 2. the item that the DefPath refers to exists in the current tcx.
328 ///
329 /// Condition (1) is determined by the DepKind variant of the
330 /// DepNode. Condition (2) might not be fulfilled if a DepNode
331 /// refers to something from the previous compilation session that
332 /// has been removed.
333 #[inline]
334 pub fn extract_def_id(&self, tcx: TyCtxt) -> Option<DefId> {
335 if self.kind.can_reconstruct_query_key() {
336 let def_path_hash = DefPathHash(self.hash);
8faf50e0
XL
337 tcx.def_path_hash_to_def_id.as_ref()?
338 .get(&def_path_hash).cloned()
041b39d2
XL
339 } else {
340 None
341 }
342 }
343
344 /// Used in testing
345 pub fn from_label_string(label: &str,
346 def_path_hash: DefPathHash)
347 -> Result<DepNode, ()> {
348 let kind = match label {
349 $(
350 stringify!($variant) => DepKind::$variant,
351 )*
352 _ => return Err(()),
353 };
354
355 if !kind.can_reconstruct_query_key() {
356 return Err(());
357 }
358
359 if kind.has_params() {
360 Ok(def_path_hash.to_dep_node(kind))
361 } else {
362 Ok(DepNode::new_no_params(kind))
363 }
364 }
ea8adc8c
XL
365
366 /// Used in testing
367 pub fn has_label_string(label: &str) -> bool {
368 match label {
369 $(
370 stringify!($variant) => true,
371 )*
372 _ => false,
373 }
374 }
375 }
376
377 /// Contains variant => str representations for constructing
378 /// DepNode groups for tests.
379 #[allow(dead_code, non_upper_case_globals)]
380 pub mod label_strs {
381 $(
382 pub const $variant: &'static str = stringify!($variant);
383 )*
041b39d2
XL
384 }
385 );
386}
387
388impl fmt::Debug for DepNode {
389 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
390 write!(f, "{:?}", self.kind)?;
391
ea8adc8c 392 if !self.kind.has_params() && !self.kind.is_anon() {
041b39d2
XL
393 return Ok(());
394 }
395
396 write!(f, "(")?;
397
398 ::ty::tls::with_opt(|opt_tcx| {
399 if let Some(tcx) = opt_tcx {
400 if let Some(def_id) = self.extract_def_id(tcx) {
ea8adc8c 401 write!(f, "{}", tcx.def_path_debug_str(def_id))?;
041b39d2
XL
402 } else if let Some(ref s) = tcx.dep_graph.dep_node_debug_str(*self) {
403 write!(f, "{}", s)?;
404 } else {
ea8adc8c 405 write!(f, "{}", self.hash)?;
041b39d2
XL
406 }
407 } else {
ea8adc8c 408 write!(f, "{}", self.hash)?;
041b39d2
XL
409 }
410 Ok(())
411 })?;
412
413 write!(f, ")")
414 }
415}
416
417
418impl DefPathHash {
419 #[inline]
420 pub fn to_dep_node(self, kind: DepKind) -> DepNode {
421 DepNode::from_def_path_hash(kind, self)
422 }
423}
424
425impl DefId {
426 #[inline]
427 pub fn to_dep_node(self, tcx: TyCtxt, kind: DepKind) -> DepNode {
428 DepNode::from_def_path_hash(kind, tcx.def_path_hash(self))
429 }
3157f602
XL
430}
431
ea8adc8c
XL
432impl DepKind {
433 #[inline]
434 pub fn fingerprint_needed_for_crate_hash(self) -> bool {
435 match self {
436 DepKind::HirBody |
437 DepKind::Krate => true,
438 _ => false,
439 }
440 }
441}
442
041b39d2 443define_dep_nodes!( <'tcx>
0531ce1d
XL
444 // We use this for most things when incr. comp. is turned off.
445 [] Null,
446
041b39d2
XL
447 // Represents the `Krate` as a whole (the `hir::Krate` value) (as
448 // distinct from the krate module). This is basically a hash of
449 // the entire krate, so if you read from `Krate` (e.g., by calling
450 // `tcx.hir.krate()`), we will have to assume that any change
451 // means that you need to be recompiled. This is because the
452 // `Krate` value gives you access to all other items. To avoid
453 // this fate, do not call `tcx.hir.krate()`; instead, prefer
454 // wrappers like `tcx.visit_all_items_in_krate()`. If there is no
455 // suitable wrapper, you can use `tcx.dep_graph.ignore()` to gain
456 // access to the krate, but you must remember to add suitable
457 // edges yourself for the individual items that you read.
ea8adc8c 458 [input] Krate,
041b39d2
XL
459
460 // Represents the body of a function or method. The def-id is that of the
461 // function/method.
ea8adc8c 462 [input] HirBody(DefId),
041b39d2 463
ea8adc8c
XL
464 // Represents the HIR node with the given node-id
465 [input] Hir(DefId),
466
467 // Represents metadata from an extern crate.
468 [input] CrateMetadata(CrateNum),
041b39d2 469
54a0048b 470 // Represents different phases in the compiler.
ea8adc8c 471 [] RegionScopeTree(DefId),
abe05a73
XL
472 [eval_always] Coherence,
473 [eval_always] CoherenceInherentImplOverlapCheck,
041b39d2 474 [] CoherenceCheckTrait(DefId),
abe05a73 475 [eval_always] PrivacyAccessLevels(CrateNum),
5bcae85e
SL
476
477 // Represents the MIR for a fn; also used as the task node for
478 // things read/modify that MIR.
041b39d2 479 [] MirConstQualif(DefId),
ea8adc8c 480 [] MirBuilt(DefId),
041b39d2
XL
481 [] MirConst(DefId),
482 [] MirValidated(DefId),
483 [] MirOptimized(DefId),
484 [] MirShim { instance_def: InstanceDef<'tcx> },
485
486 [] BorrowCheckKrate,
487 [] BorrowCheck(DefId),
3b2f2976 488 [] MirBorrowCheck(DefId),
ea8adc8c 489 [] UnsafetyCheckResult(DefId),
ff7c6d11 490 [] UnsafeDeriveOnReprPacked(DefId),
3b2f2976 491
041b39d2
XL
492 [] Reachability,
493 [] MirKeys,
abe05a73 494 [eval_always] CrateVariances,
54a0048b
SL
495
496 // Nodes representing bits of computed IR in the tcx. Each shared
497 // table in the tcx (or elsewhere) maps to one of these
041b39d2
XL
498 // nodes.
499 [] AssociatedItems(DefId),
500 [] TypeOfItem(DefId),
501 [] GenericsOfItem(DefId),
502 [] PredicatesOfItem(DefId),
94b46f34 503 [] ExplicitPredicatesOfItem(DefId),
8faf50e0 504 [] PredicatesDefinedOnItem(DefId),
abe05a73 505 [] InferredOutlivesOf(DefId),
83c7162d 506 [] InferredOutlivesCrate(CrateNum),
041b39d2
XL
507 [] SuperPredicatesOfItem(DefId),
508 [] TraitDefOfItem(DefId),
509 [] AdtDefOfItem(DefId),
041b39d2
XL
510 [] ImplTraitRef(DefId),
511 [] ImplPolarity(DefId),
041b39d2
XL
512 [] FnSignature(DefId),
513 [] CoerceUnsizedInfo(DefId),
514
515 [] ItemVarianceConstraints(DefId),
516 [] ItemVariances(DefId),
517 [] IsConstFn(DefId),
518 [] IsForeignItem(DefId),
519 [] TypeParamPredicates { item_id: DefId, param_id: DefId },
520 [] SizedConstraint(DefId),
521 [] DtorckConstraint(DefId),
522 [] AdtDestructor(DefId),
523 [] AssociatedItemDefIds(DefId),
abe05a73 524 [eval_always] InherentImpls(DefId),
041b39d2
XL
525 [] TypeckBodiesKrate,
526 [] TypeckTables(DefId),
abe05a73 527 [] UsedTraitImports(DefId),
041b39d2 528 [] HasTypeckTables(DefId),
0531ce1d 529 [] ConstEval { param_env: ParamEnvAnd<'tcx, GlobalId<'tcx>> },
ff7c6d11 530 [] CheckMatch(DefId),
041b39d2
XL
531 [] SymbolName(DefId),
532 [] InstanceSymbolName { instance: Instance<'tcx> },
533 [] SpecializationGraph(DefId),
534 [] ObjectSafety(DefId),
abe05a73
XL
535 [] FulfillObligation { param_env: ParamEnv<'tcx>, trait_ref: PolyTraitRef<'tcx> },
536 [] VtableMethods { trait_ref: PolyTraitRef<'tcx> },
041b39d2 537
ea8adc8c
XL
538 [] IsCopy { param_env: ParamEnvAnd<'tcx, Ty<'tcx>> },
539 [] IsSized { param_env: ParamEnvAnd<'tcx, Ty<'tcx>> },
540 [] IsFreeze { param_env: ParamEnvAnd<'tcx, Ty<'tcx>> },
541 [] NeedsDrop { param_env: ParamEnvAnd<'tcx, Ty<'tcx>> },
542 [] Layout { param_env: ParamEnvAnd<'tcx, Ty<'tcx>> },
041b39d2
XL
543
544 // The set of impls for a given trait.
545 [] TraitImpls(DefId),
041b39d2 546
abe05a73
XL
547 [input] AllLocalTraitImpls,
548
3b2f2976 549 [anon] TraitSelect,
041b39d2 550
041b39d2
XL
551 [] ParamEnv(DefId),
552 [] DescribeDef(DefId),
abe05a73
XL
553
554 // FIXME(mw): DefSpans are not really inputs since they are derived from
555 // HIR. But at the moment HIR hashing still contains some hacks that allow
556 // to make type debuginfo to be source location independent. Declaring
557 // DefSpan an input makes sure that changes to these are always detected
558 // regardless of HIR hashing.
559 [input] DefSpan(DefId),
ea8adc8c
XL
560 [] LookupStability(DefId),
561 [] LookupDeprecationEntry(DefId),
041b39d2 562 [] ConstIsRvaluePromotableToStatic(DefId),
abe05a73 563 [] RvaluePromotableMap(DefId),
041b39d2
XL
564 [] ImplParent(DefId),
565 [] TraitOfItem(DefId),
0531ce1d 566 [] IsReachableNonGeneric(DefId),
83c7162d 567 [] IsUnreachableLocalDefinition(DefId),
041b39d2
XL
568 [] IsMirAvailable(DefId),
569 [] ItemAttrs(DefId),
94b46f34 570 [] CodegenFnAttrs(DefId),
041b39d2 571 [] FnArgNames(DefId),
83c7162d 572 [] RenderedConst(DefId),
ea8adc8c
XL
573 [] DylibDepFormats(CrateNum),
574 [] IsPanicRuntime(CrateNum),
575 [] IsCompilerBuiltins(CrateNum),
576 [] HasGlobalAllocator(CrateNum),
b7449926 577 [] HasPanicHandler(CrateNum),
ff7c6d11 578 [input] ExternCrate(DefId),
abe05a73 579 [eval_always] LintLevels,
ea8adc8c
XL
580 [] Specializes { impl1: DefId, impl2: DefId },
581 [input] InScopeTraits(DefIndex),
abe05a73 582 [input] ModuleExports(DefId),
ea8adc8c
XL
583 [] IsSanitizerRuntime(CrateNum),
584 [] IsProfilerRuntime(CrateNum),
585 [] GetPanicStrategy(CrateNum),
586 [] IsNoBuiltins(CrateNum),
587 [] ImplDefaultness(DefId),
0531ce1d
XL
588 [] CheckItemWellFormed(DefId),
589 [] CheckTraitItemWellFormed(DefId),
590 [] CheckImplItemWellFormed(DefId),
591 [] ReachableNonGenerics(CrateNum),
ea8adc8c
XL
592 [] NativeLibraries(CrateNum),
593 [] PluginRegistrarFn(CrateNum),
594 [] DeriveRegistrarFn(CrateNum),
abe05a73
XL
595 [input] CrateDisambiguator(CrateNum),
596 [input] CrateHash(CrateNum),
597 [input] OriginalCrateName(CrateNum),
83c7162d 598 [input] ExtraFileName(CrateNum),
ea8adc8c
XL
599
600 [] ImplementationsOfTrait { krate: CrateNum, trait_id: DefId },
601 [] AllTraitImplementations(CrateNum),
602
0531ce1d 603 [] DllimportForeignItems(CrateNum),
ea8adc8c
XL
604 [] IsDllimportForeignItem(DefId),
605 [] IsStaticallyIncludedForeignItem(DefId),
606 [] NativeLibraryKind(DefId),
abe05a73 607 [input] LinkArgs,
ea8adc8c 608
ff7c6d11
XL
609 [] ResolveLifetimes(CrateNum),
610 [] NamedRegion(DefIndex),
611 [] IsLateBound(DefIndex),
612 [] ObjectLifetimeDefaults(DefIndex),
ea8adc8c
XL
613
614 [] Visibility(DefId),
ff7c6d11 615 [input] DepKind(CrateNum),
abe05a73 616 [input] CrateName(CrateNum),
ea8adc8c
XL
617 [] ItemChildren(DefId),
618 [] ExternModStmtCnum(DefId),
b7449926
XL
619 [eval_always] GetLibFeatures,
620 [] DefinedLibFeatures(CrateNum),
621 [eval_always] GetLangItems,
ea8adc8c
XL
622 [] DefinedLangItems(CrateNum),
623 [] MissingLangItems(CrateNum),
ea8adc8c 624 [] VisibleParentMap,
ff7c6d11
XL
625 [input] MissingExternCrateItem(CrateNum),
626 [input] UsedCrateSource(CrateNum),
abe05a73 627 [input] PostorderCnums,
abe05a73 628
94b46f34
XL
629 // These queries are not expected to have inputs -- as a result, they
630 // are not good candidates for "replay" because they are essentially
631 // pure functions of their input (and hence the expectation is that
632 // no caller would be green **apart** from just these
633 // queries). Making them anonymous avoids hashing the result, which
abe05a73
XL
634 // may save a bit of time.
635 [anon] EraseRegionsTy { ty: Ty<'tcx> },
636
637 [input] Freevars(DefId),
638 [input] MaybeUnusedTraitImport(DefId),
639 [input] MaybeUnusedExternCrates,
ff7c6d11 640 [eval_always] StabilityIndex,
83c7162d 641 [eval_always] AllTraits,
abe05a73 642 [input] AllCrateNums,
ea8adc8c 643 [] ExportedSymbols(CrateNum),
94b46f34
XL
644 [eval_always] CollectAndPartitionMonoItems,
645 [] IsCodegenedItem(DefId),
ea8adc8c
XL
646 [] CodegenUnit(InternedString),
647 [] CompileCodegenUnit(InternedString),
abe05a73 648 [input] OutputFilenames,
0531ce1d
XL
649 [] NormalizeProjectionTy(CanonicalProjectionGoal<'tcx>),
650 [] NormalizeTyAfterErasingRegions(ParamEnvAnd<'tcx, Ty<'tcx>>),
8faf50e0 651 [] ImpliedOutlivesBounds(CanonicalTyGoal<'tcx>),
0531ce1d 652 [] DropckOutlives(CanonicalTyGoal<'tcx>),
83c7162d 653 [] EvaluateObligation(CanonicalPredicateGoal<'tcx>),
8faf50e0
XL
654 [] TypeOpEq(CanonicalTypeOpEqGoal<'tcx>),
655 [] TypeOpSubtype(CanonicalTypeOpSubtypeGoal<'tcx>),
656 [] TypeOpProvePredicate(CanonicalTypeOpProvePredicateGoal<'tcx>),
657 [] TypeOpNormalizeTy(CanonicalTypeOpNormalizeGoal<'tcx, Ty<'tcx>>),
658 [] TypeOpNormalizePredicate(CanonicalTypeOpNormalizeGoal<'tcx, Predicate<'tcx>>),
659 [] TypeOpNormalizePolyFnSig(CanonicalTypeOpNormalizeGoal<'tcx, PolyFnSig<'tcx>>),
660 [] TypeOpNormalizeFnSig(CanonicalTypeOpNormalizeGoal<'tcx, FnSig<'tcx>>),
2c00a5a8
XL
661
662 [] SubstituteNormalizeAndTestPredicates { key: (DefId, &'tcx Substs<'tcx>) },
663
664 [input] TargetFeaturesWhitelist,
2c00a5a8
XL
665
666 [] InstanceDefSizeEstimate { instance_def: InstanceDef<'tcx> },
667
0531ce1d
XL
668 [input] Features,
669
670 [] ProgramClausesFor(DefId),
83c7162d 671 [] ProgramClausesForEnv(ParamEnv<'tcx>),
0531ce1d
XL
672 [] WasmImportModuleMap(CrateNum),
673 [] ForeignModules(CrateNum),
83c7162d
XL
674
675 [] UpstreamMonomorphizations(CrateNum),
676 [] UpstreamMonomorphizationsFor(DefId),
041b39d2
XL
677);
678
679trait DepNodeParams<'a, 'gcx: 'tcx + 'a, 'tcx: 'a> : fmt::Debug {
680 const CAN_RECONSTRUCT_QUERY_KEY: bool;
681
682 /// This method turns the parameters of a DepNodeConstructor into an opaque
683 /// Fingerprint to be used in DepNode.
684 /// Not all DepNodeParams support being turned into a Fingerprint (they
685 /// don't need to if the corresponding DepNode is anonymous).
686 fn to_fingerprint(&self, _: TyCtxt<'a, 'gcx, 'tcx>) -> Fingerprint {
687 panic!("Not implemented. Accidentally called on anonymous node?")
688 }
689
690 fn to_debug_str(&self, _: TyCtxt<'a, 'gcx, 'tcx>) -> String {
691 format!("{:?}", self)
692 }
54a0048b
SL
693}
694
041b39d2 695impl<'a, 'gcx: 'tcx + 'a, 'tcx: 'a, T> DepNodeParams<'a, 'gcx, 'tcx> for T
0531ce1d 696 where T: HashStable<StableHashingContext<'a>> + fmt::Debug
041b39d2
XL
697{
698 default const CAN_RECONSTRUCT_QUERY_KEY: bool = false;
54a0048b 699
041b39d2 700 default fn to_fingerprint(&self, tcx: TyCtxt<'a, 'gcx, 'tcx>) -> Fingerprint {
ea8adc8c 701 let mut hcx = tcx.create_stable_hashing_context();
041b39d2
XL
702 let mut hasher = StableHasher::new();
703
704 self.hash_stable(&mut hcx, &mut hasher);
705
706 hasher.finish()
707 }
708
709 default fn to_debug_str(&self, _: TyCtxt<'a, 'gcx, 'tcx>) -> String {
710 format!("{:?}", *self)
711 }
712}
713
0531ce1d 714impl<'a, 'gcx: 'tcx + 'a, 'tcx: 'a> DepNodeParams<'a, 'gcx, 'tcx> for DefId {
041b39d2
XL
715 const CAN_RECONSTRUCT_QUERY_KEY: bool = true;
716
717 fn to_fingerprint(&self, tcx: TyCtxt) -> Fingerprint {
0531ce1d 718 tcx.def_path_hash(*self).0
041b39d2
XL
719 }
720
721 fn to_debug_str(&self, tcx: TyCtxt<'a, 'gcx, 'tcx>) -> String {
0531ce1d 722 tcx.item_path_str(*self)
041b39d2
XL
723 }
724}
9e0c209e 725
0531ce1d 726impl<'a, 'gcx: 'tcx + 'a, 'tcx: 'a> DepNodeParams<'a, 'gcx, 'tcx> for DefIndex {
ea8adc8c
XL
727 const CAN_RECONSTRUCT_QUERY_KEY: bool = true;
728
729 fn to_fingerprint(&self, tcx: TyCtxt) -> Fingerprint {
0531ce1d 730 tcx.hir.definitions().def_path_hash(*self).0
ea8adc8c
XL
731 }
732
733 fn to_debug_str(&self, tcx: TyCtxt<'a, 'gcx, 'tcx>) -> String {
0531ce1d 734 tcx.item_path_str(DefId::local(*self))
ea8adc8c
XL
735 }
736}
737
0531ce1d 738impl<'a, 'gcx: 'tcx + 'a, 'tcx: 'a> DepNodeParams<'a, 'gcx, 'tcx> for CrateNum {
ea8adc8c
XL
739 const CAN_RECONSTRUCT_QUERY_KEY: bool = true;
740
741 fn to_fingerprint(&self, tcx: TyCtxt) -> Fingerprint {
742 let def_id = DefId {
0531ce1d 743 krate: *self,
ea8adc8c
XL
744 index: CRATE_DEF_INDEX,
745 };
746 tcx.def_path_hash(def_id).0
747 }
748
749 fn to_debug_str(&self, tcx: TyCtxt<'a, 'gcx, 'tcx>) -> String {
0531ce1d 750 tcx.crate_name(*self).as_str().to_string()
ea8adc8c
XL
751 }
752}
753
041b39d2
XL
754impl<'a, 'gcx: 'tcx + 'a, 'tcx: 'a> DepNodeParams<'a, 'gcx, 'tcx> for (DefId, DefId) {
755 const CAN_RECONSTRUCT_QUERY_KEY: bool = false;
756
757 // We actually would not need to specialize the implementation of this
758 // method but it's faster to combine the hashes than to instantiate a full
759 // hashing context and stable-hashing state.
760 fn to_fingerprint(&self, tcx: TyCtxt) -> Fingerprint {
761 let (def_id_0, def_id_1) = *self;
762
763 let def_path_hash_0 = tcx.def_path_hash(def_id_0);
764 let def_path_hash_1 = tcx.def_path_hash(def_id_1);
765
766 def_path_hash_0.0.combine(def_path_hash_1.0)
767 }
768
769 fn to_debug_str(&self, tcx: TyCtxt<'a, 'gcx, 'tcx>) -> String {
770 let (def_id_0, def_id_1) = *self;
771
772 format!("({}, {})",
ea8adc8c
XL
773 tcx.def_path_debug_str(def_id_0),
774 tcx.def_path_debug_str(def_id_1))
041b39d2
XL
775 }
776}
777
0531ce1d 778impl<'a, 'gcx: 'tcx + 'a, 'tcx: 'a> DepNodeParams<'a, 'gcx, 'tcx> for HirId {
041b39d2
XL
779 const CAN_RECONSTRUCT_QUERY_KEY: bool = false;
780
781 // We actually would not need to specialize the implementation of this
782 // method but it's faster to combine the hashes than to instantiate a full
783 // hashing context and stable-hashing state.
784 fn to_fingerprint(&self, tcx: TyCtxt) -> Fingerprint {
0531ce1d 785 let HirId {
ea8adc8c
XL
786 owner,
787 local_id: ItemLocalId(local_id),
0531ce1d 788 } = *self;
041b39d2 789
ea8adc8c
XL
790 let def_path_hash = tcx.def_path_hash(DefId::local(owner));
791 let local_id = Fingerprint::from_smaller_hash(local_id as u64);
041b39d2 792
ea8adc8c 793 def_path_hash.0.combine(local_id)
54a0048b
SL
794 }
795}
5bcae85e
SL
796
797/// A "work product" corresponds to a `.o` (or other) file that we
798/// save in between runs. These ids do not have a DefId but rather
799/// some independent path or string that persists between runs without
800/// the need to be mapped or unmapped. (This ensures we can serialize
801/// them even in the absence of a tcx.)
041b39d2
XL
802#[derive(Clone, Copy, Debug, PartialEq, Eq, PartialOrd, Ord, Hash,
803 RustcEncodable, RustcDecodable)]
804pub struct WorkProductId {
805 hash: Fingerprint
806}
807
808impl WorkProductId {
809 pub fn from_cgu_name(cgu_name: &str) -> WorkProductId {
810 let mut hasher = StableHasher::new();
811 cgu_name.len().hash(&mut hasher);
812 cgu_name.hash(&mut hasher);
813 WorkProductId {
814 hash: hasher.finish()
815 }
816 }
817
818 pub fn from_fingerprint(fingerprint: Fingerprint) -> WorkProductId {
819 WorkProductId {
820 hash: fingerprint
821 }
822 }
7cac9316 823}
041b39d2
XL
824
825impl_stable_hash_for!(struct ::dep_graph::WorkProductId {
826 hash
827});