]> git.lizzy.rs Git - rust.git/blob - src/librustc/ty/context.rs
818b3a31c12d1bfb49a2871701f4e26e5e3fab31
[rust.git] / src / librustc / ty / context.rs
1 // Copyright 2012-2015 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! type context book-keeping
12
13 use dep_graph::DepGraph;
14 use dep_graph::{DepNode, DepConstructor};
15 use errors::DiagnosticBuilder;
16 use session::Session;
17 use session::config::{BorrowckMode, OutputFilenames};
18 use session::config::CrateType;
19 use middle;
20 use hir::{TraitCandidate, HirId, ItemKind, ItemLocalId, Node};
21 use hir::def::{Def, Export};
22 use hir::def_id::{CrateNum, DefId, DefIndex, LOCAL_CRATE};
23 use hir::map as hir_map;
24 use hir::map::DefPathHash;
25 use lint::{self, Lint};
26 use ich::{StableHashingContext, NodeIdHashingMode};
27 use infer::canonical::{CanonicalVarInfo, CanonicalVarInfos};
28 use infer::outlives::free_region_map::FreeRegionMap;
29 use middle::cstore::CrateStoreDyn;
30 use middle::cstore::EncodedMetadata;
31 use middle::lang_items;
32 use middle::resolve_lifetime::{self, ObjectLifetimeDefault};
33 use middle::stability;
34 use mir::{self, Mir, interpret, ProjectionKind};
35 use mir::interpret::Allocation;
36 use ty::subst::{CanonicalUserSubsts, Kind, Substs, Subst};
37 use ty::ReprOptions;
38 use traits;
39 use traits::{Clause, Clauses, GoalKind, Goal, Goals};
40 use ty::{self, Ty, TypeAndMut};
41 use ty::{TyS, TyKind, List};
42 use ty::{AdtKind, AdtDef, ClosureSubsts, GeneratorSubsts, Region, Const};
43 use ty::{PolyFnSig, InferTy, ParamTy, ProjectionTy, ExistentialPredicate, Predicate};
44 use ty::RegionKind;
45 use ty::{TyVar, TyVid, IntVar, IntVid, FloatVar, FloatVid};
46 use ty::TyKind::*;
47 use ty::GenericParamDefKind;
48 use ty::layout::{LayoutDetails, TargetDataLayout, VariantIdx};
49 use ty::query;
50 use ty::steal::Steal;
51 use ty::BindingMode;
52 use ty::CanonicalTy;
53 use ty::CanonicalPolyFnSig;
54 use util::nodemap::{DefIdMap, DefIdSet, ItemLocalMap};
55 use util::nodemap::{FxHashMap, FxHashSet};
56 use rustc_data_structures::interner::HashInterner;
57 use smallvec::SmallVec;
58 use rustc_data_structures::stable_hasher::{HashStable, hash_stable_hashmap,
59                                            StableHasher, StableHasherResult,
60                                            StableVec};
61 use arena::{TypedArena, SyncDroplessArena};
62 use rustc_data_structures::indexed_vec::IndexVec;
63 use rustc_data_structures::sync::{self, Lrc, Lock, WorkerLocal};
64 use std::any::Any;
65 use std::borrow::Borrow;
66 use std::cmp::Ordering;
67 use std::collections::hash_map::{self, Entry};
68 use std::hash::{Hash, Hasher};
69 use std::fmt;
70 use std::mem;
71 use std::ops::{Deref, Bound};
72 use std::iter;
73 use std::sync::mpsc;
74 use std::sync::Arc;
75 use rustc_target::spec::abi;
76 use syntax::ast::{self, NodeId};
77 use syntax::attr;
78 use syntax::source_map::MultiSpan;
79 use syntax::edition::Edition;
80 use syntax::feature_gate;
81 use syntax::symbol::{Symbol, keywords, InternedString};
82 use syntax_pos::Span;
83
84 use hir;
85
86 pub struct AllArenas<'tcx> {
87     pub global: WorkerLocal<GlobalArenas<'tcx>>,
88     pub interner: SyncDroplessArena,
89 }
90
91 impl<'tcx> AllArenas<'tcx> {
92     pub fn new() -> Self {
93         AllArenas {
94             global: WorkerLocal::new(|_| GlobalArenas::default()),
95             interner: SyncDroplessArena::default(),
96         }
97     }
98 }
99
100 /// Internal storage
101 #[derive(Default)]
102 pub struct GlobalArenas<'tcx> {
103     // internings
104     layout: TypedArena<LayoutDetails>,
105
106     // references
107     generics: TypedArena<ty::Generics>,
108     trait_def: TypedArena<ty::TraitDef>,
109     adt_def: TypedArena<ty::AdtDef>,
110     steal_mir: TypedArena<Steal<Mir<'tcx>>>,
111     mir: TypedArena<Mir<'tcx>>,
112     tables: TypedArena<ty::TypeckTables<'tcx>>,
113     /// miri allocations
114     const_allocs: TypedArena<interpret::Allocation>,
115 }
116
117 type InternedSet<'tcx, T> = Lock<FxHashMap<Interned<'tcx, T>, ()>>;
118
119 pub struct CtxtInterners<'tcx> {
120     /// The arena that types, regions, etc are allocated from
121     arena: &'tcx SyncDroplessArena,
122
123     /// Specifically use a speedy hash algorithm for these hash sets,
124     /// they're accessed quite often.
125     type_: InternedSet<'tcx, TyS<'tcx>>,
126     type_list: InternedSet<'tcx, List<Ty<'tcx>>>,
127     substs: InternedSet<'tcx, Substs<'tcx>>,
128     canonical_var_infos: InternedSet<'tcx, List<CanonicalVarInfo>>,
129     region: InternedSet<'tcx, RegionKind>,
130     existential_predicates: InternedSet<'tcx, List<ExistentialPredicate<'tcx>>>,
131     predicates: InternedSet<'tcx, List<Predicate<'tcx>>>,
132     const_: InternedSet<'tcx, Const<'tcx>>,
133     clauses: InternedSet<'tcx, List<Clause<'tcx>>>,
134     goal: InternedSet<'tcx, GoalKind<'tcx>>,
135     goal_list: InternedSet<'tcx, List<Goal<'tcx>>>,
136     projs: InternedSet<'tcx, List<ProjectionKind<'tcx>>>,
137 }
138
139 impl<'gcx: 'tcx, 'tcx> CtxtInterners<'tcx> {
140     fn new(arena: &'tcx SyncDroplessArena) -> CtxtInterners<'tcx> {
141         CtxtInterners {
142             arena,
143             type_: Default::default(),
144             type_list: Default::default(),
145             substs: Default::default(),
146             region: Default::default(),
147             existential_predicates: Default::default(),
148             canonical_var_infos: Default::default(),
149             predicates: Default::default(),
150             const_: Default::default(),
151             clauses: Default::default(),
152             goal: Default::default(),
153             goal_list: Default::default(),
154             projs: Default::default(),
155         }
156     }
157
158     /// Intern a type
159     #[inline(never)]
160     fn intern_ty(
161         local: &CtxtInterners<'tcx>,
162         global: &CtxtInterners<'gcx>,
163         st: TyKind<'tcx>
164     ) -> Ty<'tcx> {
165         let flags = super::flags::FlagComputation::for_sty(&st);
166
167         // HACK(eddyb) Depend on flags being accurate to
168         // determine that all contents are in the global tcx.
169         // See comments on Lift for why we can't use that.
170         if flags.flags.intersects(ty::TypeFlags::KEEP_IN_LOCAL_TCX) {
171             local.type_.borrow_mut().intern(st, |st| {
172                 let ty_struct = TyS {
173                     sty: st,
174                     flags: flags.flags,
175                     outer_exclusive_binder: flags.outer_exclusive_binder,
176                 };
177
178                 // Make sure we don't end up with inference
179                 // types/regions in the global interner
180                 if local as *const _ as usize == global as *const _ as usize {
181                     bug!("Attempted to intern `{:?}` which contains \
182                         inference types/regions in the global type context",
183                         &ty_struct);
184                 }
185
186                 Interned(local.arena.alloc(ty_struct))
187             }).0
188         } else {
189             global.type_.borrow_mut().intern(st, |st| {
190                 let ty_struct = TyS {
191                     sty: st,
192                     flags: flags.flags,
193                     outer_exclusive_binder: flags.outer_exclusive_binder,
194                 };
195
196                 // This is safe because all the types the ty_struct can point to
197                 // already is in the global arena
198                 let ty_struct: TyS<'gcx> = unsafe {
199                     mem::transmute(ty_struct)
200                 };
201
202                 Interned(global.arena.alloc(ty_struct))
203             }).0
204         }
205     }
206 }
207
208 pub struct CommonTypes<'tcx> {
209     pub unit: Ty<'tcx>,
210     pub bool: Ty<'tcx>,
211     pub char: Ty<'tcx>,
212     pub isize: Ty<'tcx>,
213     pub i8: Ty<'tcx>,
214     pub i16: Ty<'tcx>,
215     pub i32: Ty<'tcx>,
216     pub i64: Ty<'tcx>,
217     pub i128: Ty<'tcx>,
218     pub usize: Ty<'tcx>,
219     pub u8: Ty<'tcx>,
220     pub u16: Ty<'tcx>,
221     pub u32: Ty<'tcx>,
222     pub u64: Ty<'tcx>,
223     pub u128: Ty<'tcx>,
224     pub f32: Ty<'tcx>,
225     pub f64: Ty<'tcx>,
226     pub never: Ty<'tcx>,
227     pub err: Ty<'tcx>,
228
229     pub re_empty: Region<'tcx>,
230     pub re_static: Region<'tcx>,
231     pub re_erased: Region<'tcx>,
232 }
233
234 pub struct LocalTableInContext<'a, V: 'a> {
235     local_id_root: Option<DefId>,
236     data: &'a ItemLocalMap<V>
237 }
238
239 /// Validate that the given HirId (respectively its `local_id` part) can be
240 /// safely used as a key in the tables of a TypeckTable. For that to be
241 /// the case, the HirId must have the same `owner` as all the other IDs in
242 /// this table (signified by `local_id_root`). Otherwise the HirId
243 /// would be in a different frame of reference and using its `local_id`
244 /// would result in lookup errors, or worse, in silently wrong data being
245 /// stored/returned.
246 fn validate_hir_id_for_typeck_tables(local_id_root: Option<DefId>,
247                                      hir_id: hir::HirId,
248                                      mut_access: bool) {
249     if cfg!(debug_assertions) {
250         if let Some(local_id_root) = local_id_root {
251             if hir_id.owner != local_id_root.index {
252                 ty::tls::with(|tcx| {
253                     let node_id = tcx.hir().hir_to_node_id(hir_id);
254
255                     bug!("node {} with HirId::owner {:?} cannot be placed in \
256                           TypeckTables with local_id_root {:?}",
257                          tcx.hir().node_to_string(node_id),
258                          DefId::local(hir_id.owner),
259                          local_id_root)
260                 });
261             }
262         } else {
263             // We use "Null Object" TypeckTables in some of the analysis passes.
264             // These are just expected to be empty and their `local_id_root` is
265             // `None`. Therefore we cannot verify whether a given `HirId` would
266             // be a valid key for the given table. Instead we make sure that
267             // nobody tries to write to such a Null Object table.
268             if mut_access {
269                 bug!("access to invalid TypeckTables")
270             }
271         }
272     }
273 }
274
275 impl<'a, V> LocalTableInContext<'a, V> {
276     pub fn contains_key(&self, id: hir::HirId) -> bool {
277         validate_hir_id_for_typeck_tables(self.local_id_root, id, false);
278         self.data.contains_key(&id.local_id)
279     }
280
281     pub fn get(&self, id: hir::HirId) -> Option<&V> {
282         validate_hir_id_for_typeck_tables(self.local_id_root, id, false);
283         self.data.get(&id.local_id)
284     }
285
286     pub fn iter(&self) -> hash_map::Iter<'_, hir::ItemLocalId, V> {
287         self.data.iter()
288     }
289 }
290
291 impl<'a, V> ::std::ops::Index<hir::HirId> for LocalTableInContext<'a, V> {
292     type Output = V;
293
294     fn index(&self, key: hir::HirId) -> &V {
295         self.get(key).expect("LocalTableInContext: key not found")
296     }
297 }
298
299 pub struct LocalTableInContextMut<'a, V: 'a> {
300     local_id_root: Option<DefId>,
301     data: &'a mut ItemLocalMap<V>
302 }
303
304 impl<'a, V> LocalTableInContextMut<'a, V> {
305     pub fn get_mut(&mut self, id: hir::HirId) -> Option<&mut V> {
306         validate_hir_id_for_typeck_tables(self.local_id_root, id, true);
307         self.data.get_mut(&id.local_id)
308     }
309
310     pub fn entry(&mut self, id: hir::HirId) -> Entry<'_, hir::ItemLocalId, V> {
311         validate_hir_id_for_typeck_tables(self.local_id_root, id, true);
312         self.data.entry(id.local_id)
313     }
314
315     pub fn insert(&mut self, id: hir::HirId, val: V) -> Option<V> {
316         validate_hir_id_for_typeck_tables(self.local_id_root, id, true);
317         self.data.insert(id.local_id, val)
318     }
319
320     pub fn remove(&mut self, id: hir::HirId) -> Option<V> {
321         validate_hir_id_for_typeck_tables(self.local_id_root, id, true);
322         self.data.remove(&id.local_id)
323     }
324 }
325
326 #[derive(RustcEncodable, RustcDecodable, Debug)]
327 pub struct TypeckTables<'tcx> {
328     /// The HirId::owner all ItemLocalIds in this table are relative to.
329     pub local_id_root: Option<DefId>,
330
331     /// Resolved definitions for `<T>::X` associated paths and
332     /// method calls, including those of overloaded operators.
333     type_dependent_defs: ItemLocalMap<Def>,
334
335     /// Resolved field indices for field accesses in expressions (`S { field }`, `obj.field`)
336     /// or patterns (`S { field }`). The index is often useful by itself, but to learn more
337     /// about the field you also need definition of the variant to which the field
338     /// belongs, but it may not exist if it's a tuple field (`tuple.0`).
339     field_indices: ItemLocalMap<usize>,
340
341     /// Stores the types for various nodes in the AST.  Note that this table
342     /// is not guaranteed to be populated until after typeck.  See
343     /// typeck::check::fn_ctxt for details.
344     node_types: ItemLocalMap<Ty<'tcx>>,
345
346     /// Stores the type parameters which were substituted to obtain the type
347     /// of this node.  This only applies to nodes that refer to entities
348     /// parameterized by type parameters, such as generic fns, types, or
349     /// other items.
350     node_substs: ItemLocalMap<&'tcx Substs<'tcx>>,
351
352     /// Stores the canonicalized types provided by the user. See also
353     /// `AscribeUserType` statement in MIR.
354     user_provided_tys: ItemLocalMap<CanonicalTy<'tcx>>,
355
356     /// Stores the canonicalized types provided by the user. See also
357     /// `AscribeUserType` statement in MIR.
358     pub user_provided_sigs: DefIdMap<CanonicalPolyFnSig<'tcx>>,
359
360     /// Stores the substitutions that the user explicitly gave (if any)
361     /// attached to `id`. These will not include any inferred
362     /// values. The canonical form is used to capture things like `_`
363     /// or other unspecified values.
364     ///
365     /// Example:
366     ///
367     /// If the user wrote `foo.collect::<Vec<_>>()`, then the
368     /// canonical substitutions would include only `for<X> { Vec<X>
369     /// }`.
370     user_substs: ItemLocalMap<CanonicalUserSubsts<'tcx>>,
371
372     adjustments: ItemLocalMap<Vec<ty::adjustment::Adjustment<'tcx>>>,
373
374     /// Stores the actual binding mode for all instances of hir::BindingAnnotation.
375     pat_binding_modes: ItemLocalMap<BindingMode>,
376
377     /// Stores the types which were implicitly dereferenced in pattern binding modes
378     /// for later usage in HAIR lowering. For example,
379     ///
380     /// ```
381     /// match &&Some(5i32) {
382     ///     Some(n) => {},
383     ///     _ => {},
384     /// }
385     /// ```
386     /// leads to a `vec![&&Option<i32>, &Option<i32>]`. Empty vectors are not stored.
387     ///
388     /// See:
389     /// https://github.com/rust-lang/rfcs/blob/master/text/2005-match-ergonomics.md#definitions
390     pat_adjustments: ItemLocalMap<Vec<Ty<'tcx>>>,
391
392     /// Borrows
393     pub upvar_capture_map: ty::UpvarCaptureMap<'tcx>,
394
395     /// Records the reasons that we picked the kind of each closure;
396     /// not all closures are present in the map.
397     closure_kind_origins: ItemLocalMap<(Span, ast::Name)>,
398
399     /// For each fn, records the "liberated" types of its arguments
400     /// and return type. Liberated means that all bound regions
401     /// (including late-bound regions) are replaced with free
402     /// equivalents. This table is not used in codegen (since regions
403     /// are erased there) and hence is not serialized to metadata.
404     liberated_fn_sigs: ItemLocalMap<ty::FnSig<'tcx>>,
405
406     /// For each FRU expression, record the normalized types of the fields
407     /// of the struct - this is needed because it is non-trivial to
408     /// normalize while preserving regions. This table is used only in
409     /// MIR construction and hence is not serialized to metadata.
410     fru_field_types: ItemLocalMap<Vec<Ty<'tcx>>>,
411
412     /// Maps a cast expression to its kind. This is keyed on the
413     /// *from* expression of the cast, not the cast itself.
414     cast_kinds: ItemLocalMap<ty::cast::CastKind>,
415
416     /// Set of trait imports actually used in the method resolution.
417     /// This is used for warning unused imports. During type
418     /// checking, this `Lrc` should not be cloned: it must have a ref-count
419     /// of 1 so that we can insert things into the set mutably.
420     pub used_trait_imports: Lrc<DefIdSet>,
421
422     /// If any errors occurred while type-checking this body,
423     /// this field will be set to `true`.
424     pub tainted_by_errors: bool,
425
426     /// Stores the free-region relationships that were deduced from
427     /// its where clauses and parameter types. These are then
428     /// read-again by borrowck.
429     pub free_region_map: FreeRegionMap<'tcx>,
430
431     /// All the existential types that are restricted to concrete types
432     /// by this function
433     pub concrete_existential_types: FxHashMap<DefId, Ty<'tcx>>,
434 }
435
436 impl<'tcx> TypeckTables<'tcx> {
437     pub fn empty(local_id_root: Option<DefId>) -> TypeckTables<'tcx> {
438         TypeckTables {
439             local_id_root,
440             type_dependent_defs: Default::default(),
441             field_indices: Default::default(),
442             user_provided_tys: Default::default(),
443             user_provided_sigs: Default::default(),
444             node_types: Default::default(),
445             node_substs: Default::default(),
446             user_substs: Default::default(),
447             adjustments: Default::default(),
448             pat_binding_modes: Default::default(),
449             pat_adjustments: Default::default(),
450             upvar_capture_map: Default::default(),
451             closure_kind_origins: Default::default(),
452             liberated_fn_sigs: Default::default(),
453             fru_field_types: Default::default(),
454             cast_kinds: Default::default(),
455             used_trait_imports: Lrc::new(Default::default()),
456             tainted_by_errors: false,
457             free_region_map: Default::default(),
458             concrete_existential_types: Default::default(),
459         }
460     }
461
462     /// Returns the final resolution of a `QPath` in an `Expr` or `Pat` node.
463     pub fn qpath_def(&self, qpath: &hir::QPath, id: hir::HirId) -> Def {
464         match *qpath {
465             hir::QPath::Resolved(_, ref path) => path.def,
466             hir::QPath::TypeRelative(..) => {
467                 validate_hir_id_for_typeck_tables(self.local_id_root, id, false);
468                 self.type_dependent_defs.get(&id.local_id).cloned().unwrap_or(Def::Err)
469             }
470         }
471     }
472
473     pub fn type_dependent_defs(&self) -> LocalTableInContext<'_, Def> {
474         LocalTableInContext {
475             local_id_root: self.local_id_root,
476             data: &self.type_dependent_defs
477         }
478     }
479
480     pub fn type_dependent_defs_mut(&mut self) -> LocalTableInContextMut<'_, Def> {
481         LocalTableInContextMut {
482             local_id_root: self.local_id_root,
483             data: &mut self.type_dependent_defs
484         }
485     }
486
487     pub fn field_indices(&self) -> LocalTableInContext<'_, usize> {
488         LocalTableInContext {
489             local_id_root: self.local_id_root,
490             data: &self.field_indices
491         }
492     }
493
494     pub fn field_indices_mut(&mut self) -> LocalTableInContextMut<'_, usize> {
495         LocalTableInContextMut {
496             local_id_root: self.local_id_root,
497             data: &mut self.field_indices
498         }
499     }
500
501     pub fn user_provided_tys(&self) -> LocalTableInContext<'_, CanonicalTy<'tcx>> {
502         LocalTableInContext {
503             local_id_root: self.local_id_root,
504             data: &self.user_provided_tys
505         }
506     }
507
508     pub fn user_provided_tys_mut(&mut self) -> LocalTableInContextMut<'_, CanonicalTy<'tcx>> {
509         LocalTableInContextMut {
510             local_id_root: self.local_id_root,
511             data: &mut self.user_provided_tys
512         }
513     }
514
515     pub fn node_types(&self) -> LocalTableInContext<'_, Ty<'tcx>> {
516         LocalTableInContext {
517             local_id_root: self.local_id_root,
518             data: &self.node_types
519         }
520     }
521
522     pub fn node_types_mut(&mut self) -> LocalTableInContextMut<'_, Ty<'tcx>> {
523         LocalTableInContextMut {
524             local_id_root: self.local_id_root,
525             data: &mut self.node_types
526         }
527     }
528
529     pub fn node_id_to_type(&self, id: hir::HirId) -> Ty<'tcx> {
530         self.node_id_to_type_opt(id).unwrap_or_else(||
531             bug!("node_id_to_type: no type for node `{}`",
532                  tls::with(|tcx| {
533                      let id = tcx.hir().hir_to_node_id(id);
534                      tcx.hir().node_to_string(id)
535                  }))
536         )
537     }
538
539     pub fn node_id_to_type_opt(&self, id: hir::HirId) -> Option<Ty<'tcx>> {
540         validate_hir_id_for_typeck_tables(self.local_id_root, id, false);
541         self.node_types.get(&id.local_id).cloned()
542     }
543
544     pub fn node_substs_mut(&mut self) -> LocalTableInContextMut<'_, &'tcx Substs<'tcx>> {
545         LocalTableInContextMut {
546             local_id_root: self.local_id_root,
547             data: &mut self.node_substs
548         }
549     }
550
551     pub fn node_substs(&self, id: hir::HirId) -> &'tcx Substs<'tcx> {
552         validate_hir_id_for_typeck_tables(self.local_id_root, id, false);
553         self.node_substs.get(&id.local_id).cloned().unwrap_or_else(|| Substs::empty())
554     }
555
556     pub fn node_substs_opt(&self, id: hir::HirId) -> Option<&'tcx Substs<'tcx>> {
557         validate_hir_id_for_typeck_tables(self.local_id_root, id, false);
558         self.node_substs.get(&id.local_id).cloned()
559     }
560
561     pub fn user_substs_mut(&mut self) -> LocalTableInContextMut<'_, CanonicalUserSubsts<'tcx>> {
562         LocalTableInContextMut {
563             local_id_root: self.local_id_root,
564             data: &mut self.user_substs
565         }
566     }
567
568     pub fn user_substs(&self, id: hir::HirId) -> Option<CanonicalUserSubsts<'tcx>> {
569         validate_hir_id_for_typeck_tables(self.local_id_root, id, false);
570         self.user_substs.get(&id.local_id).cloned()
571     }
572
573     // Returns the type of a pattern as a monotype. Like @expr_ty, this function
574     // doesn't provide type parameter substitutions.
575     pub fn pat_ty(&self, pat: &hir::Pat) -> Ty<'tcx> {
576         self.node_id_to_type(pat.hir_id)
577     }
578
579     pub fn pat_ty_opt(&self, pat: &hir::Pat) -> Option<Ty<'tcx>> {
580         self.node_id_to_type_opt(pat.hir_id)
581     }
582
583     // Returns the type of an expression as a monotype.
584     //
585     // NB (1): This is the PRE-ADJUSTMENT TYPE for the expression.  That is, in
586     // some cases, we insert `Adjustment` annotations such as auto-deref or
587     // auto-ref.  The type returned by this function does not consider such
588     // adjustments.  See `expr_ty_adjusted()` instead.
589     //
590     // NB (2): This type doesn't provide type parameter substitutions; e.g. if you
591     // ask for the type of "id" in "id(3)", it will return "fn(&isize) -> isize"
592     // instead of "fn(ty) -> T with T = isize".
593     pub fn expr_ty(&self, expr: &hir::Expr) -> Ty<'tcx> {
594         self.node_id_to_type(expr.hir_id)
595     }
596
597     pub fn expr_ty_opt(&self, expr: &hir::Expr) -> Option<Ty<'tcx>> {
598         self.node_id_to_type_opt(expr.hir_id)
599     }
600
601     pub fn adjustments(&self) -> LocalTableInContext<'_, Vec<ty::adjustment::Adjustment<'tcx>>> {
602         LocalTableInContext {
603             local_id_root: self.local_id_root,
604             data: &self.adjustments
605         }
606     }
607
608     pub fn adjustments_mut(&mut self)
609                            -> LocalTableInContextMut<'_, Vec<ty::adjustment::Adjustment<'tcx>>> {
610         LocalTableInContextMut {
611             local_id_root: self.local_id_root,
612             data: &mut self.adjustments
613         }
614     }
615
616     pub fn expr_adjustments(&self, expr: &hir::Expr)
617                             -> &[ty::adjustment::Adjustment<'tcx>] {
618         validate_hir_id_for_typeck_tables(self.local_id_root, expr.hir_id, false);
619         self.adjustments.get(&expr.hir_id.local_id).map_or(&[], |a| &a[..])
620     }
621
622     /// Returns the type of `expr`, considering any `Adjustment`
623     /// entry recorded for that expression.
624     pub fn expr_ty_adjusted(&self, expr: &hir::Expr) -> Ty<'tcx> {
625         self.expr_adjustments(expr)
626             .last()
627             .map_or_else(|| self.expr_ty(expr), |adj| adj.target)
628     }
629
630     pub fn expr_ty_adjusted_opt(&self, expr: &hir::Expr) -> Option<Ty<'tcx>> {
631         self.expr_adjustments(expr)
632             .last()
633             .map(|adj| adj.target)
634             .or_else(|| self.expr_ty_opt(expr))
635     }
636
637     pub fn is_method_call(&self, expr: &hir::Expr) -> bool {
638         // Only paths and method calls/overloaded operators have
639         // entries in type_dependent_defs, ignore the former here.
640         if let hir::ExprKind::Path(_) = expr.node {
641             return false;
642         }
643
644         match self.type_dependent_defs().get(expr.hir_id) {
645             Some(&Def::Method(_)) => true,
646             _ => false
647         }
648     }
649
650     pub fn pat_binding_modes(&self) -> LocalTableInContext<'_, BindingMode> {
651         LocalTableInContext {
652             local_id_root: self.local_id_root,
653             data: &self.pat_binding_modes
654         }
655     }
656
657     pub fn pat_binding_modes_mut(&mut self)
658                            -> LocalTableInContextMut<'_, BindingMode> {
659         LocalTableInContextMut {
660             local_id_root: self.local_id_root,
661             data: &mut self.pat_binding_modes
662         }
663     }
664
665     pub fn pat_adjustments(&self) -> LocalTableInContext<'_, Vec<Ty<'tcx>>> {
666         LocalTableInContext {
667             local_id_root: self.local_id_root,
668             data: &self.pat_adjustments,
669         }
670     }
671
672     pub fn pat_adjustments_mut(&mut self)
673                                -> LocalTableInContextMut<'_, Vec<Ty<'tcx>>> {
674         LocalTableInContextMut {
675             local_id_root: self.local_id_root,
676             data: &mut self.pat_adjustments,
677         }
678     }
679
680     pub fn upvar_capture(&self, upvar_id: ty::UpvarId) -> ty::UpvarCapture<'tcx> {
681         self.upvar_capture_map[&upvar_id]
682     }
683
684     pub fn closure_kind_origins(&self) -> LocalTableInContext<'_, (Span, ast::Name)> {
685         LocalTableInContext {
686             local_id_root: self.local_id_root,
687             data: &self.closure_kind_origins
688         }
689     }
690
691     pub fn closure_kind_origins_mut(&mut self) -> LocalTableInContextMut<'_, (Span, ast::Name)> {
692         LocalTableInContextMut {
693             local_id_root: self.local_id_root,
694             data: &mut self.closure_kind_origins
695         }
696     }
697
698     pub fn liberated_fn_sigs(&self) -> LocalTableInContext<'_, ty::FnSig<'tcx>> {
699         LocalTableInContext {
700             local_id_root: self.local_id_root,
701             data: &self.liberated_fn_sigs
702         }
703     }
704
705     pub fn liberated_fn_sigs_mut(&mut self) -> LocalTableInContextMut<'_, ty::FnSig<'tcx>> {
706         LocalTableInContextMut {
707             local_id_root: self.local_id_root,
708             data: &mut self.liberated_fn_sigs
709         }
710     }
711
712     pub fn fru_field_types(&self) -> LocalTableInContext<'_, Vec<Ty<'tcx>>> {
713         LocalTableInContext {
714             local_id_root: self.local_id_root,
715             data: &self.fru_field_types
716         }
717     }
718
719     pub fn fru_field_types_mut(&mut self) -> LocalTableInContextMut<'_, Vec<Ty<'tcx>>> {
720         LocalTableInContextMut {
721             local_id_root: self.local_id_root,
722             data: &mut self.fru_field_types
723         }
724     }
725
726     pub fn cast_kinds(&self) -> LocalTableInContext<'_, ty::cast::CastKind> {
727         LocalTableInContext {
728             local_id_root: self.local_id_root,
729             data: &self.cast_kinds
730         }
731     }
732
733     pub fn cast_kinds_mut(&mut self) -> LocalTableInContextMut<'_, ty::cast::CastKind> {
734         LocalTableInContextMut {
735             local_id_root: self.local_id_root,
736             data: &mut self.cast_kinds
737         }
738     }
739 }
740
741 impl<'a, 'gcx> HashStable<StableHashingContext<'a>> for TypeckTables<'gcx> {
742     fn hash_stable<W: StableHasherResult>(&self,
743                                           hcx: &mut StableHashingContext<'a>,
744                                           hasher: &mut StableHasher<W>) {
745         let ty::TypeckTables {
746             local_id_root,
747             ref type_dependent_defs,
748             ref field_indices,
749             ref user_provided_tys,
750             ref user_provided_sigs,
751             ref node_types,
752             ref node_substs,
753             ref user_substs,
754             ref adjustments,
755             ref pat_binding_modes,
756             ref pat_adjustments,
757             ref upvar_capture_map,
758             ref closure_kind_origins,
759             ref liberated_fn_sigs,
760             ref fru_field_types,
761
762             ref cast_kinds,
763
764             ref used_trait_imports,
765             tainted_by_errors,
766             ref free_region_map,
767             ref concrete_existential_types,
768         } = *self;
769
770         hcx.with_node_id_hashing_mode(NodeIdHashingMode::HashDefPath, |hcx| {
771             type_dependent_defs.hash_stable(hcx, hasher);
772             field_indices.hash_stable(hcx, hasher);
773             user_provided_tys.hash_stable(hcx, hasher);
774             user_provided_sigs.hash_stable(hcx, hasher);
775             node_types.hash_stable(hcx, hasher);
776             node_substs.hash_stable(hcx, hasher);
777             user_substs.hash_stable(hcx, hasher);
778             adjustments.hash_stable(hcx, hasher);
779             pat_binding_modes.hash_stable(hcx, hasher);
780             pat_adjustments.hash_stable(hcx, hasher);
781             hash_stable_hashmap(hcx, hasher, upvar_capture_map, |up_var_id, hcx| {
782                 let ty::UpvarId {
783                     var_path,
784                     closure_expr_id
785                 } = *up_var_id;
786
787                 let local_id_root =
788                     local_id_root.expect("trying to hash invalid TypeckTables");
789
790                 let var_owner_def_id = DefId {
791                     krate: local_id_root.krate,
792                     index: var_path.hir_id.owner,
793                 };
794                 let closure_def_id = DefId {
795                     krate: local_id_root.krate,
796                     index: closure_expr_id.to_def_id().index,
797                 };
798                 (hcx.def_path_hash(var_owner_def_id),
799                  var_path.hir_id.local_id,
800                  hcx.def_path_hash(closure_def_id))
801             });
802
803             closure_kind_origins.hash_stable(hcx, hasher);
804             liberated_fn_sigs.hash_stable(hcx, hasher);
805             fru_field_types.hash_stable(hcx, hasher);
806             cast_kinds.hash_stable(hcx, hasher);
807             used_trait_imports.hash_stable(hcx, hasher);
808             tainted_by_errors.hash_stable(hcx, hasher);
809             free_region_map.hash_stable(hcx, hasher);
810             concrete_existential_types.hash_stable(hcx, hasher);
811         })
812     }
813 }
814
815 impl<'tcx> CommonTypes<'tcx> {
816     fn new(interners: &CtxtInterners<'tcx>) -> CommonTypes<'tcx> {
817         let mk = |sty| CtxtInterners::intern_ty(interners, interners, sty);
818         let mk_region = |r| {
819             interners.region.borrow_mut().intern(r, |r| {
820                 Interned(interners.arena.alloc(r))
821             }).0
822         };
823
824         CommonTypes {
825             unit: mk(Tuple(List::empty())),
826             bool: mk(Bool),
827             char: mk(Char),
828             never: mk(Never),
829             err: mk(Error),
830             isize: mk(Int(ast::IntTy::Isize)),
831             i8: mk(Int(ast::IntTy::I8)),
832             i16: mk(Int(ast::IntTy::I16)),
833             i32: mk(Int(ast::IntTy::I32)),
834             i64: mk(Int(ast::IntTy::I64)),
835             i128: mk(Int(ast::IntTy::I128)),
836             usize: mk(Uint(ast::UintTy::Usize)),
837             u8: mk(Uint(ast::UintTy::U8)),
838             u16: mk(Uint(ast::UintTy::U16)),
839             u32: mk(Uint(ast::UintTy::U32)),
840             u64: mk(Uint(ast::UintTy::U64)),
841             u128: mk(Uint(ast::UintTy::U128)),
842             f32: mk(Float(ast::FloatTy::F32)),
843             f64: mk(Float(ast::FloatTy::F64)),
844
845             re_empty: mk_region(RegionKind::ReEmpty),
846             re_static: mk_region(RegionKind::ReStatic),
847             re_erased: mk_region(RegionKind::ReErased),
848         }
849     }
850 }
851
852 // This struct contains information regarding the `ReFree(FreeRegion)` corresponding to a lifetime
853 // conflict.
854 #[derive(Debug)]
855 pub struct FreeRegionInfo {
856     // def id corresponding to FreeRegion
857     pub def_id: DefId,
858     // the bound region corresponding to FreeRegion
859     pub boundregion: ty::BoundRegion,
860     // checks if bound region is in Impl Item
861     pub is_impl_item: bool,
862 }
863
864 /// The central data structure of the compiler. It stores references
865 /// to the various **arenas** and also houses the results of the
866 /// various **compiler queries** that have been performed. See the
867 /// [rustc guide] for more details.
868 ///
869 /// [rustc guide]: https://rust-lang.github.io/rustc-guide/ty.html
870 #[derive(Copy, Clone)]
871 pub struct TyCtxt<'a, 'gcx: 'tcx, 'tcx: 'a> {
872     gcx: &'a GlobalCtxt<'gcx>,
873     interners: &'a CtxtInterners<'tcx>
874 }
875
876 impl<'a, 'gcx, 'tcx> Deref for TyCtxt<'a, 'gcx, 'tcx> {
877     type Target = &'a GlobalCtxt<'gcx>;
878     #[inline(always)]
879     fn deref(&self) -> &Self::Target {
880         &self.gcx
881     }
882 }
883
884 pub struct GlobalCtxt<'tcx> {
885     global_arenas: &'tcx WorkerLocal<GlobalArenas<'tcx>>,
886     global_interners: CtxtInterners<'tcx>,
887
888     cstore: &'tcx CrateStoreDyn,
889
890     pub sess: &'tcx Session,
891
892     pub dep_graph: DepGraph,
893
894     /// Common types, pre-interned for your convenience.
895     pub types: CommonTypes<'tcx>,
896
897     /// Map indicating what traits are in scope for places where this
898     /// is relevant; generated by resolve.
899     trait_map: FxHashMap<DefIndex,
900                          Lrc<FxHashMap<ItemLocalId,
901                                        Lrc<StableVec<TraitCandidate>>>>>,
902
903     /// Export map produced by name resolution.
904     export_map: FxHashMap<DefId, Lrc<Vec<Export>>>,
905
906     hir_map: hir_map::Map<'tcx>,
907
908     /// A map from DefPathHash -> DefId. Includes DefIds from the local crate
909     /// as well as all upstream crates. Only populated in incremental mode.
910     pub def_path_hash_to_def_id: Option<FxHashMap<DefPathHash, DefId>>,
911
912     pub(crate) queries: query::Queries<'tcx>,
913
914     // Records the free variables referenced by every closure
915     // expression. Do not track deps for this, just recompute it from
916     // scratch every time.
917     freevars: FxHashMap<DefId, Lrc<Vec<hir::Freevar>>>,
918
919     maybe_unused_trait_imports: FxHashSet<DefId>,
920     maybe_unused_extern_crates: Vec<(DefId, Span)>,
921     /// Extern prelude entries. The value is `true` if the entry was introduced
922     /// via `extern crate` item and not `--extern` option or compiler built-in.
923     pub extern_prelude: FxHashMap<ast::Name, bool>,
924
925     // Internal cache for metadata decoding. No need to track deps on this.
926     pub rcache: Lock<FxHashMap<ty::CReaderCacheKey, Ty<'tcx>>>,
927
928     /// Caches the results of trait selection. This cache is used
929     /// for things that do not have to do with the parameters in scope.
930     pub selection_cache: traits::SelectionCache<'tcx>,
931
932     /// Caches the results of trait evaluation. This cache is used
933     /// for things that do not have to do with the parameters in scope.
934     /// Merge this with `selection_cache`?
935     pub evaluation_cache: traits::EvaluationCache<'tcx>,
936
937     /// The definite name of the current crate after taking into account
938     /// attributes, commandline parameters, etc.
939     pub crate_name: Symbol,
940
941     /// Data layout specification for the current target.
942     pub data_layout: TargetDataLayout,
943
944     stability_interner: Lock<FxHashMap<&'tcx attr::Stability, ()>>,
945
946     /// Stores the value of constants (and deduplicates the actual memory)
947     allocation_interner: Lock<FxHashMap<&'tcx Allocation, ()>>,
948
949     pub alloc_map: Lock<interpret::AllocMap<'tcx, &'tcx Allocation>>,
950
951     layout_interner: Lock<FxHashMap<&'tcx LayoutDetails, ()>>,
952
953     /// A general purpose channel to throw data out the back towards LLVM worker
954     /// threads.
955     ///
956     /// This is intended to only get used during the codegen phase of the compiler
957     /// when satisfying the query for a particular codegen unit. Internally in
958     /// the query it'll send data along this channel to get processed later.
959     pub tx_to_llvm_workers: Lock<mpsc::Sender<Box<dyn Any + Send>>>,
960
961     output_filenames: Arc<OutputFilenames>,
962 }
963
964 impl<'a, 'gcx, 'tcx> TyCtxt<'a, 'gcx, 'tcx> {
965     /// Get the global TyCtxt.
966     #[inline]
967     pub fn global_tcx(self) -> TyCtxt<'a, 'gcx, 'gcx> {
968         TyCtxt {
969             gcx: self.gcx,
970             interners: &self.gcx.global_interners,
971         }
972     }
973
974     #[inline(always)]
975     pub fn hir(self) -> &'a hir_map::Map<'gcx> {
976         &self.hir_map
977     }
978
979     pub fn alloc_generics(self, generics: ty::Generics) -> &'gcx ty::Generics {
980         self.global_arenas.generics.alloc(generics)
981     }
982
983     pub fn alloc_steal_mir(self, mir: Mir<'gcx>) -> &'gcx Steal<Mir<'gcx>> {
984         self.global_arenas.steal_mir.alloc(Steal::new(mir))
985     }
986
987     pub fn alloc_mir(self, mir: Mir<'gcx>) -> &'gcx Mir<'gcx> {
988         self.global_arenas.mir.alloc(mir)
989     }
990
991     pub fn alloc_tables(self, tables: ty::TypeckTables<'gcx>) -> &'gcx ty::TypeckTables<'gcx> {
992         self.global_arenas.tables.alloc(tables)
993     }
994
995     pub fn alloc_trait_def(self, def: ty::TraitDef) -> &'gcx ty::TraitDef {
996         self.global_arenas.trait_def.alloc(def)
997     }
998
999     pub fn alloc_adt_def(self,
1000                          did: DefId,
1001                          kind: AdtKind,
1002                          variants: IndexVec<VariantIdx, ty::VariantDef>,
1003                          repr: ReprOptions)
1004                          -> &'gcx ty::AdtDef {
1005         let def = ty::AdtDef::new(self, did, kind, variants, repr);
1006         self.global_arenas.adt_def.alloc(def)
1007     }
1008
1009     pub fn alloc_byte_array(self, bytes: &[u8]) -> &'gcx [u8] {
1010         if bytes.is_empty() {
1011             &[]
1012         } else {
1013             self.global_interners.arena.alloc_slice(bytes)
1014         }
1015     }
1016
1017     pub fn alloc_const_slice(self, values: &[&'tcx ty::Const<'tcx>])
1018                              -> &'tcx [&'tcx ty::Const<'tcx>] {
1019         if values.is_empty() {
1020             &[]
1021         } else {
1022             self.interners.arena.alloc_slice(values)
1023         }
1024     }
1025
1026     pub fn alloc_name_const_slice(self, values: &[(ast::Name, &'tcx ty::Const<'tcx>)])
1027                                   -> &'tcx [(ast::Name, &'tcx ty::Const<'tcx>)] {
1028         if values.is_empty() {
1029             &[]
1030         } else {
1031             self.interners.arena.alloc_slice(values)
1032         }
1033     }
1034
1035     pub fn intern_const_alloc(
1036         self,
1037         alloc: Allocation,
1038     ) -> &'gcx Allocation {
1039         self.allocation_interner.borrow_mut().intern(alloc, |alloc| {
1040             self.global_arenas.const_allocs.alloc(alloc)
1041         })
1042     }
1043
1044     /// Allocates a byte or string literal for `mir::interpret`, read-only
1045     pub fn allocate_bytes(self, bytes: &[u8]) -> interpret::AllocId {
1046         // create an allocation that just contains these bytes
1047         let alloc = interpret::Allocation::from_byte_aligned_bytes(bytes, ());
1048         let alloc = self.intern_const_alloc(alloc);
1049         self.alloc_map.lock().allocate(alloc)
1050     }
1051
1052     pub fn intern_stability(self, stab: attr::Stability) -> &'gcx attr::Stability {
1053         self.stability_interner.borrow_mut().intern(stab, |stab| {
1054             self.global_interners.arena.alloc(stab)
1055         })
1056     }
1057
1058     pub fn intern_layout(self, layout: LayoutDetails) -> &'gcx LayoutDetails {
1059         self.layout_interner.borrow_mut().intern(layout, |layout| {
1060             self.global_arenas.layout.alloc(layout)
1061         })
1062     }
1063
1064     /// Returns a range of the start/end indices specified with the
1065     /// `rustc_layout_scalar_valid_range` attribute.
1066     pub fn layout_scalar_valid_range(self, def_id: DefId) -> (Bound<u128>, Bound<u128>) {
1067         let attrs = self.get_attrs(def_id);
1068         let get = |name| {
1069             let attr = match attrs.iter().find(|a| a.check_name(name)) {
1070                 Some(attr) => attr,
1071                 None => return Bound::Unbounded,
1072             };
1073             for meta in attr.meta_item_list().expect("rustc_layout_scalar_valid_range takes args") {
1074                 match meta.literal().expect("attribute takes lit").node {
1075                     ast::LitKind::Int(a, _) => return Bound::Included(a),
1076                     _ => span_bug!(attr.span, "rustc_layout_scalar_valid_range expects int arg"),
1077                 }
1078             }
1079             span_bug!(attr.span, "no arguments to `rustc_layout_scalar_valid_range` attribute");
1080         };
1081         (get("rustc_layout_scalar_valid_range_start"), get("rustc_layout_scalar_valid_range_end"))
1082     }
1083
1084     pub fn lift<T: ?Sized + Lift<'tcx>>(self, value: &T) -> Option<T::Lifted> {
1085         value.lift_to_tcx(self)
1086     }
1087
1088     /// Like lift, but only tries in the global tcx.
1089     pub fn lift_to_global<T: ?Sized + Lift<'gcx>>(self, value: &T) -> Option<T::Lifted> {
1090         value.lift_to_tcx(self.global_tcx())
1091     }
1092
1093     /// Returns true if self is the same as self.global_tcx().
1094     fn is_global(self) -> bool {
1095         let local = self.interners as *const _;
1096         let global = &self.global_interners as *const _;
1097         local as usize == global as usize
1098     }
1099
1100     /// Create a type context and call the closure with a `TyCtxt` reference
1101     /// to the context. The closure enforces that the type context and any interned
1102     /// value (types, substs, etc.) can only be used while `ty::tls` has a valid
1103     /// reference to the context, to allow formatting values that need it.
1104     pub fn create_and_enter<F, R>(s: &'tcx Session,
1105                                   cstore: &'tcx CrateStoreDyn,
1106                                   local_providers: ty::query::Providers<'tcx>,
1107                                   extern_providers: ty::query::Providers<'tcx>,
1108                                   arenas: &'tcx AllArenas<'tcx>,
1109                                   resolutions: ty::Resolutions,
1110                                   hir: hir_map::Map<'tcx>,
1111                                   on_disk_query_result_cache: query::OnDiskCache<'tcx>,
1112                                   crate_name: &str,
1113                                   tx: mpsc::Sender<Box<dyn Any + Send>>,
1114                                   output_filenames: &OutputFilenames,
1115                                   f: F) -> R
1116                                   where F: for<'b> FnOnce(TyCtxt<'b, 'tcx, 'tcx>) -> R
1117     {
1118         let data_layout = TargetDataLayout::parse(&s.target.target).unwrap_or_else(|err| {
1119             s.fatal(&err);
1120         });
1121         let interners = CtxtInterners::new(&arenas.interner);
1122         let common_types = CommonTypes::new(&interners);
1123         let dep_graph = hir.dep_graph.clone();
1124         let max_cnum = cstore.crates_untracked().iter().map(|c| c.as_usize()).max().unwrap_or(0);
1125         let mut providers = IndexVec::from_elem_n(extern_providers, max_cnum + 1);
1126         providers[LOCAL_CRATE] = local_providers;
1127
1128         let def_path_hash_to_def_id = if s.opts.build_dep_graph() {
1129             let upstream_def_path_tables: Vec<(CrateNum, Lrc<_>)> = cstore
1130                 .crates_untracked()
1131                 .iter()
1132                 .map(|&cnum| (cnum, cstore.def_path_table(cnum)))
1133                 .collect();
1134
1135             let def_path_tables = || {
1136                 upstream_def_path_tables
1137                     .iter()
1138                     .map(|&(cnum, ref rc)| (cnum, &**rc))
1139                     .chain(iter::once((LOCAL_CRATE, hir.definitions().def_path_table())))
1140             };
1141
1142             // Precompute the capacity of the hashmap so we don't have to
1143             // re-allocate when populating it.
1144             let capacity = def_path_tables().map(|(_, t)| t.size()).sum::<usize>();
1145
1146             let mut map: FxHashMap<_, _> = FxHashMap::with_capacity_and_hasher(
1147                 capacity,
1148                 ::std::default::Default::default()
1149             );
1150
1151             for (cnum, def_path_table) in def_path_tables() {
1152                 def_path_table.add_def_path_hashes_to(cnum, &mut map);
1153             }
1154
1155             Some(map)
1156         } else {
1157             None
1158         };
1159
1160         let mut trait_map: FxHashMap<_, Lrc<FxHashMap<_, _>>> = FxHashMap::default();
1161         for (k, v) in resolutions.trait_map {
1162             let hir_id = hir.node_to_hir_id(k);
1163             let map = trait_map.entry(hir_id.owner).or_default();
1164             Lrc::get_mut(map).unwrap()
1165                              .insert(hir_id.local_id,
1166                                      Lrc::new(StableVec::new(v)));
1167         }
1168
1169         let gcx = &GlobalCtxt {
1170             sess: s,
1171             cstore,
1172             global_arenas: &arenas.global,
1173             global_interners: interners,
1174             dep_graph,
1175             types: common_types,
1176             trait_map,
1177             export_map: resolutions.export_map.into_iter().map(|(k, v)| {
1178                 (k, Lrc::new(v))
1179             }).collect(),
1180             freevars: resolutions.freevars.into_iter().map(|(k, v)| {
1181                 (hir.local_def_id(k), Lrc::new(v))
1182             }).collect(),
1183             maybe_unused_trait_imports:
1184                 resolutions.maybe_unused_trait_imports
1185                     .into_iter()
1186                     .map(|id| hir.local_def_id(id))
1187                     .collect(),
1188             maybe_unused_extern_crates:
1189                 resolutions.maybe_unused_extern_crates
1190                     .into_iter()
1191                     .map(|(id, sp)| (hir.local_def_id(id), sp))
1192                     .collect(),
1193             extern_prelude: resolutions.extern_prelude,
1194             hir_map: hir,
1195             def_path_hash_to_def_id,
1196             queries: query::Queries::new(
1197                 providers,
1198                 extern_providers,
1199                 on_disk_query_result_cache,
1200             ),
1201             rcache: Default::default(),
1202             selection_cache: Default::default(),
1203             evaluation_cache: Default::default(),
1204             crate_name: Symbol::intern(crate_name),
1205             data_layout,
1206             layout_interner: Default::default(),
1207             stability_interner: Default::default(),
1208             allocation_interner: Default::default(),
1209             alloc_map: Lock::new(interpret::AllocMap::new()),
1210             tx_to_llvm_workers: Lock::new(tx),
1211             output_filenames: Arc::new(output_filenames.clone()),
1212         };
1213
1214         sync::assert_send_val(&gcx);
1215
1216         tls::enter_global(gcx, f)
1217     }
1218
1219     pub fn consider_optimizing<T: Fn() -> String>(&self, msg: T) -> bool {
1220         let cname = self.crate_name(LOCAL_CRATE).as_str();
1221         self.sess.consider_optimizing(&cname, msg)
1222     }
1223
1224     pub fn lib_features(self) -> Lrc<middle::lib_features::LibFeatures> {
1225         self.get_lib_features(LOCAL_CRATE)
1226     }
1227
1228     pub fn lang_items(self) -> Lrc<middle::lang_items::LanguageItems> {
1229         self.get_lang_items(LOCAL_CRATE)
1230     }
1231
1232     /// Due to missing llvm support for lowering 128 bit math to software emulation
1233     /// (on some targets), the lowering can be done in MIR.
1234     ///
1235     /// This function only exists until said support is implemented.
1236     pub fn is_binop_lang_item(&self, def_id: DefId) -> Option<(mir::BinOp, bool)> {
1237         let items = self.lang_items();
1238         let def_id = Some(def_id);
1239         if items.i128_add_fn() == def_id { Some((mir::BinOp::Add, false)) }
1240         else if items.u128_add_fn() == def_id { Some((mir::BinOp::Add, false)) }
1241         else if items.i128_sub_fn() == def_id { Some((mir::BinOp::Sub, false)) }
1242         else if items.u128_sub_fn() == def_id { Some((mir::BinOp::Sub, false)) }
1243         else if items.i128_mul_fn() == def_id { Some((mir::BinOp::Mul, false)) }
1244         else if items.u128_mul_fn() == def_id { Some((mir::BinOp::Mul, false)) }
1245         else if items.i128_div_fn() == def_id { Some((mir::BinOp::Div, false)) }
1246         else if items.u128_div_fn() == def_id { Some((mir::BinOp::Div, false)) }
1247         else if items.i128_rem_fn() == def_id { Some((mir::BinOp::Rem, false)) }
1248         else if items.u128_rem_fn() == def_id { Some((mir::BinOp::Rem, false)) }
1249         else if items.i128_shl_fn() == def_id { Some((mir::BinOp::Shl, false)) }
1250         else if items.u128_shl_fn() == def_id { Some((mir::BinOp::Shl, false)) }
1251         else if items.i128_shr_fn() == def_id { Some((mir::BinOp::Shr, false)) }
1252         else if items.u128_shr_fn() == def_id { Some((mir::BinOp::Shr, false)) }
1253         else if items.i128_addo_fn() == def_id { Some((mir::BinOp::Add, true)) }
1254         else if items.u128_addo_fn() == def_id { Some((mir::BinOp::Add, true)) }
1255         else if items.i128_subo_fn() == def_id { Some((mir::BinOp::Sub, true)) }
1256         else if items.u128_subo_fn() == def_id { Some((mir::BinOp::Sub, true)) }
1257         else if items.i128_mulo_fn() == def_id { Some((mir::BinOp::Mul, true)) }
1258         else if items.u128_mulo_fn() == def_id { Some((mir::BinOp::Mul, true)) }
1259         else if items.i128_shlo_fn() == def_id { Some((mir::BinOp::Shl, true)) }
1260         else if items.u128_shlo_fn() == def_id { Some((mir::BinOp::Shl, true)) }
1261         else if items.i128_shro_fn() == def_id { Some((mir::BinOp::Shr, true)) }
1262         else if items.u128_shro_fn() == def_id { Some((mir::BinOp::Shr, true)) }
1263         else { None }
1264     }
1265
1266     pub fn stability(self) -> Lrc<stability::Index<'tcx>> {
1267         self.stability_index(LOCAL_CRATE)
1268     }
1269
1270     pub fn crates(self) -> Lrc<Vec<CrateNum>> {
1271         self.all_crate_nums(LOCAL_CRATE)
1272     }
1273
1274     pub fn features(self) -> Lrc<feature_gate::Features> {
1275         self.features_query(LOCAL_CRATE)
1276     }
1277
1278     pub fn def_key(self, id: DefId) -> hir_map::DefKey {
1279         if id.is_local() {
1280             self.hir().def_key(id)
1281         } else {
1282             self.cstore.def_key(id)
1283         }
1284     }
1285
1286     /// Convert a `DefId` into its fully expanded `DefPath` (every
1287     /// `DefId` is really just an interned def-path).
1288     ///
1289     /// Note that if `id` is not local to this crate, the result will
1290     ///  be a non-local `DefPath`.
1291     pub fn def_path(self, id: DefId) -> hir_map::DefPath {
1292         if id.is_local() {
1293             self.hir().def_path(id)
1294         } else {
1295             self.cstore.def_path(id)
1296         }
1297     }
1298
1299     #[inline]
1300     pub fn def_path_hash(self, def_id: DefId) -> hir_map::DefPathHash {
1301         if def_id.is_local() {
1302             self.hir().definitions().def_path_hash(def_id.index)
1303         } else {
1304             self.cstore.def_path_hash(def_id)
1305         }
1306     }
1307
1308     pub fn def_path_debug_str(self, def_id: DefId) -> String {
1309         // We are explicitly not going through queries here in order to get
1310         // crate name and disambiguator since this code is called from debug!()
1311         // statements within the query system and we'd run into endless
1312         // recursion otherwise.
1313         let (crate_name, crate_disambiguator) = if def_id.is_local() {
1314             (self.crate_name.clone(),
1315              self.sess.local_crate_disambiguator())
1316         } else {
1317             (self.cstore.crate_name_untracked(def_id.krate),
1318              self.cstore.crate_disambiguator_untracked(def_id.krate))
1319         };
1320
1321         format!("{}[{}]{}",
1322                 crate_name,
1323                 // Don't print the whole crate disambiguator. That's just
1324                 // annoying in debug output.
1325                 &(crate_disambiguator.to_fingerprint().to_hex())[..4],
1326                 self.def_path(def_id).to_string_no_crate())
1327     }
1328
1329     pub fn metadata_encoding_version(self) -> Vec<u8> {
1330         self.cstore.metadata_encoding_version().to_vec()
1331     }
1332
1333     // Note that this is *untracked* and should only be used within the query
1334     // system if the result is otherwise tracked through queries
1335     pub fn crate_data_as_rc_any(self, cnum: CrateNum) -> Lrc<dyn Any> {
1336         self.cstore.crate_data_as_rc_any(cnum)
1337     }
1338
1339     pub fn create_stable_hashing_context(self) -> StableHashingContext<'a> {
1340         let krate = self.dep_graph.with_ignore(|| self.hir().krate());
1341
1342         StableHashingContext::new(self.sess,
1343                                   krate,
1344                                   self.hir().definitions(),
1345                                   self.cstore)
1346     }
1347
1348     // This method makes sure that we have a DepNode and a Fingerprint for
1349     // every upstream crate. It needs to be called once right after the tcx is
1350     // created.
1351     // With full-fledged red/green, the method will probably become unnecessary
1352     // as this will be done on-demand.
1353     pub fn allocate_metadata_dep_nodes(self) {
1354         // We cannot use the query versions of crates() and crate_hash(), since
1355         // those would need the DepNodes that we are allocating here.
1356         for cnum in self.cstore.crates_untracked() {
1357             let dep_node = DepNode::new(self, DepConstructor::CrateMetadata(cnum));
1358             let crate_hash = self.cstore.crate_hash_untracked(cnum);
1359             self.dep_graph.with_task(dep_node,
1360                                      self,
1361                                      crate_hash,
1362                                      |_, x| x // No transformation needed
1363             );
1364         }
1365     }
1366
1367     // This method exercises the `in_scope_traits_map` query for all possible
1368     // values so that we have their fingerprints available in the DepGraph.
1369     // This is only required as long as we still use the old dependency tracking
1370     // which needs to have the fingerprints of all input nodes beforehand.
1371     pub fn precompute_in_scope_traits_hashes(self) {
1372         for &def_index in self.trait_map.keys() {
1373             self.in_scope_traits_map(def_index);
1374         }
1375     }
1376
1377     pub fn serialize_query_result_cache<E>(self,
1378                                            encoder: &mut E)
1379                                            -> Result<(), E::Error>
1380         where E: ty::codec::TyEncoder
1381     {
1382         self.queries.on_disk_cache.serialize(self.global_tcx(), encoder)
1383     }
1384
1385     /// This checks whether one is allowed to have pattern bindings
1386     /// that bind-by-move on a match arm that has a guard, e.g.:
1387     ///
1388     /// ```rust
1389     /// match foo { A(inner) if { /* something */ } => ..., ... }
1390     /// ```
1391     ///
1392     /// It is separate from check_for_mutation_in_guard_via_ast_walk,
1393     /// because that method has a narrower effect that can be toggled
1394     /// off via a separate `-Z` flag, at least for the short term.
1395     pub fn allow_bind_by_move_patterns_with_guards(self) -> bool {
1396         self.features().bind_by_move_pattern_guards && self.use_mir_borrowck()
1397     }
1398
1399     /// If true, we should use a naive AST walk to determine if match
1400     /// guard could perform bad mutations (or mutable-borrows).
1401     pub fn check_for_mutation_in_guard_via_ast_walk(self) -> bool {
1402         // If someone requests the feature, then be a little more
1403         // careful and ensure that MIR-borrowck is enabled (which can
1404         // happen via edition selection, via `feature(nll)`, or via an
1405         // appropriate `-Z` flag) before disabling the mutation check.
1406         if self.allow_bind_by_move_patterns_with_guards() {
1407             return false;
1408         }
1409
1410         return true;
1411     }
1412
1413     /// If true, we should use the AST-based borrowck (we may *also* use
1414     /// the MIR-based borrowck).
1415     pub fn use_ast_borrowck(self) -> bool {
1416         self.borrowck_mode().use_ast()
1417     }
1418
1419     /// If true, we should use the MIR-based borrowck (we may *also* use
1420     /// the AST-based borrowck).
1421     pub fn use_mir_borrowck(self) -> bool {
1422         self.borrowck_mode().use_mir()
1423     }
1424
1425     /// If true, we should use the MIR-based borrow check, but also
1426     /// fall back on the AST borrow check if the MIR-based one errors.
1427     pub fn migrate_borrowck(self) -> bool {
1428         self.borrowck_mode().migrate()
1429     }
1430
1431     /// If true, make MIR codegen for `match` emit a temp that holds a
1432     /// borrow of the input to the match expression.
1433     pub fn generate_borrow_of_any_match_input(&self) -> bool {
1434         self.emit_read_for_match()
1435     }
1436
1437     /// If true, make MIR codegen for `match` emit FakeRead
1438     /// statements (which simulate the maximal effect of executing the
1439     /// patterns in a match arm).
1440     pub fn emit_read_for_match(&self) -> bool {
1441         self.use_mir_borrowck() && !self.sess.opts.debugging_opts.nll_dont_emit_read_for_match
1442     }
1443
1444     /// If true, pattern variables for use in guards on match arms
1445     /// will be bound as references to the data, and occurrences of
1446     /// those variables in the guard expression will implicitly
1447     /// dereference those bindings. (See rust-lang/rust#27282.)
1448     pub fn all_pat_vars_are_implicit_refs_within_guards(self) -> bool {
1449         self.borrowck_mode().use_mir()
1450     }
1451
1452     /// If true, we should enable two-phase borrows checks. This is
1453     /// done with either: `-Ztwo-phase-borrows`, `#![feature(nll)]`,
1454     /// or by opting into an edition after 2015.
1455     pub fn two_phase_borrows(self) -> bool {
1456         self.sess.rust_2018() || self.features().nll ||
1457         self.sess.opts.debugging_opts.two_phase_borrows
1458     }
1459
1460     /// What mode(s) of borrowck should we run? AST? MIR? both?
1461     /// (Also considers the `#![feature(nll)]` setting.)
1462     pub fn borrowck_mode(&self) -> BorrowckMode {
1463         // Here are the main constraints we need to deal with:
1464         //
1465         // 1. An opts.borrowck_mode of `BorrowckMode::Ast` is
1466         //    synonymous with no `-Z borrowck=...` flag at all.
1467         //    (This is arguably a historical accident.)
1468         //
1469         // 2. `BorrowckMode::Migrate` is the limited migration to
1470         //    NLL that we are deploying with the 2018 edition.
1471         //
1472         // 3. We want to allow developers on the Nightly channel
1473         //    to opt back into the "hard error" mode for NLL,
1474         //    (which they can do via specifying `#![feature(nll)]`
1475         //    explicitly in their crate).
1476         //
1477         // So, this precedence list is how pnkfelix chose to work with
1478         // the above constraints:
1479         //
1480         // * `#![feature(nll)]` *always* means use NLL with hard
1481         //   errors. (To simplify the code here, it now even overrides
1482         //   a user's attempt to specify `-Z borrowck=compare`, which
1483         //   we arguably do not need anymore and should remove.)
1484         //
1485         // * Otherwise, if no `-Z borrowck=...` flag was given (or
1486         //   if `borrowck=ast` was specified), then use the default
1487         //   as required by the edition.
1488         //
1489         // * Otherwise, use the behavior requested via `-Z borrowck=...`
1490
1491         if self.features().nll { return BorrowckMode::Mir; }
1492
1493         match self.sess.opts.borrowck_mode {
1494             mode @ BorrowckMode::Mir |
1495             mode @ BorrowckMode::Compare |
1496             mode @ BorrowckMode::Migrate => mode,
1497
1498             BorrowckMode::Ast => match self.sess.edition() {
1499                 Edition::Edition2015 => BorrowckMode::Ast,
1500                 Edition::Edition2018 => BorrowckMode::Migrate,
1501             },
1502         }
1503     }
1504
1505     #[inline]
1506     pub fn local_crate_exports_generics(self) -> bool {
1507         debug_assert!(self.sess.opts.share_generics());
1508
1509         self.sess.crate_types.borrow().iter().any(|crate_type| {
1510             match crate_type {
1511                 CrateType::Executable |
1512                 CrateType::Staticlib  |
1513                 CrateType::ProcMacro  |
1514                 CrateType::Cdylib     => false,
1515                 CrateType::Rlib       |
1516                 CrateType::Dylib      => true,
1517             }
1518         })
1519     }
1520
1521     // This method returns the DefId and the BoundRegion corresponding to the given region.
1522     pub fn is_suitable_region(&self, region: Region<'tcx>) -> Option<FreeRegionInfo> {
1523         let (suitable_region_binding_scope, bound_region) = match *region {
1524             ty::ReFree(ref free_region) => (free_region.scope, free_region.bound_region),
1525             ty::ReEarlyBound(ref ebr) => (
1526                 self.parent_def_id(ebr.def_id).unwrap(),
1527                 ty::BoundRegion::BrNamed(ebr.def_id, ebr.name),
1528             ),
1529             _ => return None, // not a free region
1530         };
1531
1532         let node_id = self.hir()
1533             .as_local_node_id(suitable_region_binding_scope)
1534             .unwrap();
1535         let is_impl_item = match self.hir().find(node_id) {
1536             Some(Node::Item(..)) | Some(Node::TraitItem(..)) => false,
1537             Some(Node::ImplItem(..)) => {
1538                 self.is_bound_region_in_impl_item(suitable_region_binding_scope)
1539             }
1540             _ => return None,
1541         };
1542
1543         return Some(FreeRegionInfo {
1544             def_id: suitable_region_binding_scope,
1545             boundregion: bound_region,
1546             is_impl_item: is_impl_item,
1547         });
1548     }
1549
1550     pub fn return_type_impl_trait(
1551         &self,
1552         scope_def_id: DefId,
1553     ) -> Option<Ty<'tcx>> {
1554         // HACK: `type_of_def_id()` will fail on these (#55796), so return None
1555         let node_id = self.hir().as_local_node_id(scope_def_id).unwrap();
1556         match self.hir().get(node_id) {
1557             Node::Item(item) => {
1558                 match item.node {
1559                     ItemKind::Fn(..) => { /* type_of_def_id() will work */ }
1560                     _ => {
1561                         return None;
1562                     }
1563                 }
1564             }
1565             _ => { /* type_of_def_id() will work or panic */ }
1566         }
1567
1568         let ret_ty = self.type_of(scope_def_id);
1569         match ret_ty.sty {
1570             ty::FnDef(_, _) => {
1571                 let sig = ret_ty.fn_sig(*self);
1572                 let output = self.erase_late_bound_regions(&sig.output());
1573                 if output.is_impl_trait() {
1574                     Some(output)
1575                 } else {
1576                     None
1577                 }
1578             }
1579             _ => None
1580         }
1581     }
1582
1583     // Here we check if the bound region is in Impl Item.
1584     pub fn is_bound_region_in_impl_item(
1585         &self,
1586         suitable_region_binding_scope: DefId,
1587     ) -> bool {
1588         let container_id = self.associated_item(suitable_region_binding_scope)
1589             .container
1590             .id();
1591         if self.impl_trait_ref(container_id).is_some() {
1592             // For now, we do not try to target impls of traits. This is
1593             // because this message is going to suggest that the user
1594             // change the fn signature, but they may not be free to do so,
1595             // since the signature must match the trait.
1596             //
1597             // FIXME(#42706) -- in some cases, we could do better here.
1598             return true;
1599         }
1600         false
1601     }
1602 }
1603
1604 impl<'a, 'tcx> TyCtxt<'a, 'tcx, 'tcx> {
1605     pub fn encode_metadata(self)
1606         -> EncodedMetadata
1607     {
1608         self.cstore.encode_metadata(self)
1609     }
1610 }
1611
1612 impl<'gcx: 'tcx, 'tcx> GlobalCtxt<'gcx> {
1613     /// Call the closure with a local `TyCtxt` using the given arena.
1614     pub fn enter_local<F, R>(
1615         &self,
1616         arena: &'tcx SyncDroplessArena,
1617         f: F
1618     ) -> R
1619     where
1620         F: for<'a> FnOnce(TyCtxt<'a, 'gcx, 'tcx>) -> R
1621     {
1622         let interners = CtxtInterners::new(arena);
1623         let tcx = TyCtxt {
1624             gcx: self,
1625             interners: &interners,
1626         };
1627         ty::tls::with_related_context(tcx.global_tcx(), |icx| {
1628             let new_icx = ty::tls::ImplicitCtxt {
1629                 tcx,
1630                 query: icx.query.clone(),
1631                 layout_depth: icx.layout_depth,
1632                 task: icx.task,
1633             };
1634             ty::tls::enter_context(&new_icx, |new_icx| {
1635                 f(new_icx.tcx)
1636             })
1637         })
1638     }
1639 }
1640
1641 /// A trait implemented for all X<'a> types which can be safely and
1642 /// efficiently converted to X<'tcx> as long as they are part of the
1643 /// provided TyCtxt<'tcx>.
1644 /// This can be done, for example, for Ty<'tcx> or &'tcx Substs<'tcx>
1645 /// by looking them up in their respective interners.
1646 ///
1647 /// However, this is still not the best implementation as it does
1648 /// need to compare the components, even for interned values.
1649 /// It would be more efficient if TypedArena provided a way to
1650 /// determine whether the address is in the allocated range.
1651 ///
1652 /// None is returned if the value or one of the components is not part
1653 /// of the provided context.
1654 /// For Ty, None can be returned if either the type interner doesn't
1655 /// contain the TyKind key or if the address of the interned
1656 /// pointer differs. The latter case is possible if a primitive type,
1657 /// e.g. `()` or `u8`, was interned in a different context.
1658 pub trait Lift<'tcx>: fmt::Debug {
1659     type Lifted: fmt::Debug + 'tcx;
1660     fn lift_to_tcx<'a, 'gcx>(&self, tcx: TyCtxt<'a, 'gcx, 'tcx>) -> Option<Self::Lifted>;
1661 }
1662
1663 impl<'a, 'tcx> Lift<'tcx> for Ty<'a> {
1664     type Lifted = Ty<'tcx>;
1665     fn lift_to_tcx<'b, 'gcx>(&self, tcx: TyCtxt<'b, 'gcx, 'tcx>) -> Option<Ty<'tcx>> {
1666         if tcx.interners.arena.in_arena(*self as *const _) {
1667             return Some(unsafe { mem::transmute(*self) });
1668         }
1669         // Also try in the global tcx if we're not that.
1670         if !tcx.is_global() {
1671             self.lift_to_tcx(tcx.global_tcx())
1672         } else {
1673             None
1674         }
1675     }
1676 }
1677
1678 impl<'a, 'tcx> Lift<'tcx> for Region<'a> {
1679     type Lifted = Region<'tcx>;
1680     fn lift_to_tcx<'b, 'gcx>(&self, tcx: TyCtxt<'b, 'gcx, 'tcx>) -> Option<Region<'tcx>> {
1681         if tcx.interners.arena.in_arena(*self as *const _) {
1682             return Some(unsafe { mem::transmute(*self) });
1683         }
1684         // Also try in the global tcx if we're not that.
1685         if !tcx.is_global() {
1686             self.lift_to_tcx(tcx.global_tcx())
1687         } else {
1688             None
1689         }
1690     }
1691 }
1692
1693 impl<'a, 'tcx> Lift<'tcx> for Goal<'a> {
1694     type Lifted = Goal<'tcx>;
1695     fn lift_to_tcx<'b, 'gcx>(&self, tcx: TyCtxt<'b, 'gcx, 'tcx>) -> Option<Goal<'tcx>> {
1696         if tcx.interners.arena.in_arena(*self as *const _) {
1697             return Some(unsafe { mem::transmute(*self) });
1698         }
1699         // Also try in the global tcx if we're not that.
1700         if !tcx.is_global() {
1701             self.lift_to_tcx(tcx.global_tcx())
1702         } else {
1703             None
1704         }
1705     }
1706 }
1707
1708 impl<'a, 'tcx> Lift<'tcx> for &'a List<Goal<'a>> {
1709     type Lifted = &'tcx List<Goal<'tcx>>;
1710     fn lift_to_tcx<'b, 'gcx>(
1711         &self,
1712         tcx: TyCtxt<'b, 'gcx, 'tcx>,
1713     ) -> Option<&'tcx List<Goal<'tcx>>> {
1714         if tcx.interners.arena.in_arena(*self as *const _) {
1715             return Some(unsafe { mem::transmute(*self) });
1716         }
1717         // Also try in the global tcx if we're not that.
1718         if !tcx.is_global() {
1719             self.lift_to_tcx(tcx.global_tcx())
1720         } else {
1721             None
1722         }
1723     }
1724 }
1725
1726 impl<'a, 'tcx> Lift<'tcx> for &'a List<Clause<'a>> {
1727     type Lifted = &'tcx List<Clause<'tcx>>;
1728     fn lift_to_tcx<'b, 'gcx>(
1729         &self,
1730         tcx: TyCtxt<'b, 'gcx, 'tcx>,
1731     ) -> Option<&'tcx List<Clause<'tcx>>> {
1732         if tcx.interners.arena.in_arena(*self as *const _) {
1733             return Some(unsafe { mem::transmute(*self) });
1734         }
1735         // Also try in the global tcx if we're not that.
1736         if !tcx.is_global() {
1737             self.lift_to_tcx(tcx.global_tcx())
1738         } else {
1739             None
1740         }
1741     }
1742 }
1743
1744 impl<'a, 'tcx> Lift<'tcx> for &'a Const<'a> {
1745     type Lifted = &'tcx Const<'tcx>;
1746     fn lift_to_tcx<'b, 'gcx>(&self, tcx: TyCtxt<'b, 'gcx, 'tcx>) -> Option<&'tcx Const<'tcx>> {
1747         if tcx.interners.arena.in_arena(*self as *const _) {
1748             return Some(unsafe { mem::transmute(*self) });
1749         }
1750         // Also try in the global tcx if we're not that.
1751         if !tcx.is_global() {
1752             self.lift_to_tcx(tcx.global_tcx())
1753         } else {
1754             None
1755         }
1756     }
1757 }
1758
1759 impl<'a, 'tcx> Lift<'tcx> for &'a Substs<'a> {
1760     type Lifted = &'tcx Substs<'tcx>;
1761     fn lift_to_tcx<'b, 'gcx>(&self, tcx: TyCtxt<'b, 'gcx, 'tcx>) -> Option<&'tcx Substs<'tcx>> {
1762         if self.len() == 0 {
1763             return Some(List::empty());
1764         }
1765         if tcx.interners.arena.in_arena(&self[..] as *const _) {
1766             return Some(unsafe { mem::transmute(*self) });
1767         }
1768         // Also try in the global tcx if we're not that.
1769         if !tcx.is_global() {
1770             self.lift_to_tcx(tcx.global_tcx())
1771         } else {
1772             None
1773         }
1774     }
1775 }
1776
1777 impl<'a, 'tcx> Lift<'tcx> for &'a List<Ty<'a>> {
1778     type Lifted = &'tcx List<Ty<'tcx>>;
1779     fn lift_to_tcx<'b, 'gcx>(&self, tcx: TyCtxt<'b, 'gcx, 'tcx>)
1780                              -> Option<&'tcx List<Ty<'tcx>>> {
1781         if self.len() == 0 {
1782             return Some(List::empty());
1783         }
1784         if tcx.interners.arena.in_arena(*self as *const _) {
1785             return Some(unsafe { mem::transmute(*self) });
1786         }
1787         // Also try in the global tcx if we're not that.
1788         if !tcx.is_global() {
1789             self.lift_to_tcx(tcx.global_tcx())
1790         } else {
1791             None
1792         }
1793     }
1794 }
1795
1796 impl<'a, 'tcx> Lift<'tcx> for &'a List<ExistentialPredicate<'a>> {
1797     type Lifted = &'tcx List<ExistentialPredicate<'tcx>>;
1798     fn lift_to_tcx<'b, 'gcx>(&self, tcx: TyCtxt<'b, 'gcx, 'tcx>)
1799         -> Option<&'tcx List<ExistentialPredicate<'tcx>>> {
1800         if self.is_empty() {
1801             return Some(List::empty());
1802         }
1803         if tcx.interners.arena.in_arena(*self as *const _) {
1804             return Some(unsafe { mem::transmute(*self) });
1805         }
1806         // Also try in the global tcx if we're not that.
1807         if !tcx.is_global() {
1808             self.lift_to_tcx(tcx.global_tcx())
1809         } else {
1810             None
1811         }
1812     }
1813 }
1814
1815 impl<'a, 'tcx> Lift<'tcx> for &'a List<Predicate<'a>> {
1816     type Lifted = &'tcx List<Predicate<'tcx>>;
1817     fn lift_to_tcx<'b, 'gcx>(&self, tcx: TyCtxt<'b, 'gcx, 'tcx>)
1818         -> Option<&'tcx List<Predicate<'tcx>>> {
1819         if self.is_empty() {
1820             return Some(List::empty());
1821         }
1822         if tcx.interners.arena.in_arena(*self as *const _) {
1823             return Some(unsafe { mem::transmute(*self) });
1824         }
1825         // Also try in the global tcx if we're not that.
1826         if !tcx.is_global() {
1827             self.lift_to_tcx(tcx.global_tcx())
1828         } else {
1829             None
1830         }
1831     }
1832 }
1833
1834 impl<'a, 'tcx> Lift<'tcx> for &'a List<CanonicalVarInfo> {
1835     type Lifted = &'tcx List<CanonicalVarInfo>;
1836     fn lift_to_tcx<'b, 'gcx>(&self, tcx: TyCtxt<'b, 'gcx, 'tcx>) -> Option<Self::Lifted> {
1837         if self.len() == 0 {
1838             return Some(List::empty());
1839         }
1840         if tcx.interners.arena.in_arena(*self as *const _) {
1841             return Some(unsafe { mem::transmute(*self) });
1842         }
1843         // Also try in the global tcx if we're not that.
1844         if !tcx.is_global() {
1845             self.lift_to_tcx(tcx.global_tcx())
1846         } else {
1847             None
1848         }
1849     }
1850 }
1851
1852 impl<'a, 'tcx> Lift<'tcx> for &'a List<ProjectionKind<'a>> {
1853     type Lifted = &'tcx List<ProjectionKind<'tcx>>;
1854     fn lift_to_tcx<'b, 'gcx>(&self, tcx: TyCtxt<'b, 'gcx, 'tcx>) -> Option<Self::Lifted> {
1855         if self.len() == 0 {
1856             return Some(List::empty());
1857         }
1858         if tcx.interners.arena.in_arena(*self as *const _) {
1859             return Some(unsafe { mem::transmute(*self) });
1860         }
1861         // Also try in the global tcx if we're not that.
1862         if !tcx.is_global() {
1863             self.lift_to_tcx(tcx.global_tcx())
1864         } else {
1865             None
1866         }
1867     }
1868 }
1869
1870 pub mod tls {
1871     use super::{GlobalCtxt, TyCtxt};
1872
1873     use std::fmt;
1874     use std::mem;
1875     use syntax_pos;
1876     use ty::query;
1877     use errors::{Diagnostic, TRACK_DIAGNOSTICS};
1878     use rustc_data_structures::OnDrop;
1879     use rustc_data_structures::sync::{self, Lrc, Lock};
1880     use dep_graph::OpenTask;
1881
1882     #[cfg(not(parallel_queries))]
1883     use std::cell::Cell;
1884
1885     #[cfg(parallel_queries)]
1886     use rayon_core;
1887
1888     /// This is the implicit state of rustc. It contains the current
1889     /// TyCtxt and query. It is updated when creating a local interner or
1890     /// executing a new query. Whenever there's a TyCtxt value available
1891     /// you should also have access to an ImplicitCtxt through the functions
1892     /// in this module.
1893     #[derive(Clone)]
1894     pub struct ImplicitCtxt<'a, 'gcx: 'a+'tcx, 'tcx: 'a> {
1895         /// The current TyCtxt. Initially created by `enter_global` and updated
1896         /// by `enter_local` with a new local interner
1897         pub tcx: TyCtxt<'a, 'gcx, 'tcx>,
1898
1899         /// The current query job, if any. This is updated by start_job in
1900         /// ty::query::plumbing when executing a query
1901         pub query: Option<Lrc<query::QueryJob<'gcx>>>,
1902
1903         /// Used to prevent layout from recursing too deeply.
1904         pub layout_depth: usize,
1905
1906         /// The current dep graph task. This is used to add dependencies to queries
1907         /// when executing them
1908         pub task: &'a OpenTask,
1909     }
1910
1911     /// Sets Rayon's thread local variable which is preserved for Rayon jobs
1912     /// to `value` during the call to `f`. It is restored to its previous value after.
1913     /// This is used to set the pointer to the new ImplicitCtxt.
1914     #[cfg(parallel_queries)]
1915     fn set_tlv<F: FnOnce() -> R, R>(value: usize, f: F) -> R {
1916         rayon_core::tlv::with(value, f)
1917     }
1918
1919     /// Gets Rayon's thread local variable which is preserved for Rayon jobs.
1920     /// This is used to get the pointer to the current ImplicitCtxt.
1921     #[cfg(parallel_queries)]
1922     fn get_tlv() -> usize {
1923         rayon_core::tlv::get()
1924     }
1925
1926     /// A thread local variable which stores a pointer to the current ImplicitCtxt
1927     #[cfg(not(parallel_queries))]
1928     thread_local!(static TLV: Cell<usize> = Cell::new(0));
1929
1930     /// Sets TLV to `value` during the call to `f`.
1931     /// It is restored to its previous value after.
1932     /// This is used to set the pointer to the new ImplicitCtxt.
1933     #[cfg(not(parallel_queries))]
1934     fn set_tlv<F: FnOnce() -> R, R>(value: usize, f: F) -> R {
1935         let old = get_tlv();
1936         let _reset = OnDrop(move || TLV.with(|tlv| tlv.set(old)));
1937         TLV.with(|tlv| tlv.set(value));
1938         f()
1939     }
1940
1941     /// This is used to get the pointer to the current ImplicitCtxt.
1942     #[cfg(not(parallel_queries))]
1943     fn get_tlv() -> usize {
1944         TLV.with(|tlv| tlv.get())
1945     }
1946
1947     /// This is a callback from libsyntax as it cannot access the implicit state
1948     /// in librustc otherwise
1949     fn span_debug(span: syntax_pos::Span, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1950         with_opt(|tcx| {
1951             if let Some(tcx) = tcx {
1952                 write!(f, "{}", tcx.sess.source_map().span_to_string(span))
1953             } else {
1954                 syntax_pos::default_span_debug(span, f)
1955             }
1956         })
1957     }
1958
1959     /// This is a callback from libsyntax as it cannot access the implicit state
1960     /// in librustc otherwise. It is used to when diagnostic messages are
1961     /// emitted and stores them in the current query, if there is one.
1962     fn track_diagnostic(diagnostic: &Diagnostic) {
1963         with_context_opt(|icx| {
1964             if let Some(icx) = icx {
1965                 if let Some(ref query) = icx.query {
1966                     query.diagnostics.lock().push(diagnostic.clone());
1967                 }
1968             }
1969         })
1970     }
1971
1972     /// Sets up the callbacks from libsyntax on the current thread
1973     pub fn with_thread_locals<F, R>(f: F) -> R
1974         where F: FnOnce() -> R
1975     {
1976         syntax_pos::SPAN_DEBUG.with(|span_dbg| {
1977             let original_span_debug = span_dbg.get();
1978             span_dbg.set(span_debug);
1979
1980             let _on_drop = OnDrop(move || {
1981                 span_dbg.set(original_span_debug);
1982             });
1983
1984             TRACK_DIAGNOSTICS.with(|current| {
1985                 let original = current.get();
1986                 current.set(track_diagnostic);
1987
1988                 let _on_drop = OnDrop(move || {
1989                     current.set(original);
1990                 });
1991
1992                 f()
1993             })
1994         })
1995     }
1996
1997     /// Sets `context` as the new current ImplicitCtxt for the duration of the function `f`
1998     pub fn enter_context<'a, 'gcx: 'tcx, 'tcx, F, R>(context: &ImplicitCtxt<'a, 'gcx, 'tcx>,
1999                                                      f: F) -> R
2000         where F: FnOnce(&ImplicitCtxt<'a, 'gcx, 'tcx>) -> R
2001     {
2002         set_tlv(context as *const _ as usize, || {
2003             f(&context)
2004         })
2005     }
2006
2007     /// Enters GlobalCtxt by setting up libsyntax callbacks and
2008     /// creating a initial TyCtxt and ImplicitCtxt.
2009     /// This happens once per rustc session and TyCtxts only exists
2010     /// inside the `f` function.
2011     pub fn enter_global<'gcx, F, R>(gcx: &GlobalCtxt<'gcx>, f: F) -> R
2012         where F: for<'a> FnOnce(TyCtxt<'a, 'gcx, 'gcx>) -> R
2013     {
2014         with_thread_locals(|| {
2015             // Update GCX_PTR to indicate there's a GlobalCtxt available
2016             GCX_PTR.with(|lock| {
2017                 *lock.lock() = gcx as *const _ as usize;
2018             });
2019             // Set GCX_PTR back to 0 when we exit
2020             let _on_drop = OnDrop(move || {
2021                 GCX_PTR.with(|lock| *lock.lock() = 0);
2022             });
2023
2024             let tcx = TyCtxt {
2025                 gcx,
2026                 interners: &gcx.global_interners,
2027             };
2028             let icx = ImplicitCtxt {
2029                 tcx,
2030                 query: None,
2031                 layout_depth: 0,
2032                 task: &OpenTask::Ignore,
2033             };
2034             enter_context(&icx, |_| {
2035                 f(tcx)
2036             })
2037         })
2038     }
2039
2040     /// Stores a pointer to the GlobalCtxt if one is available.
2041     /// This is used to access the GlobalCtxt in the deadlock handler
2042     /// given to Rayon.
2043     scoped_thread_local!(pub static GCX_PTR: Lock<usize>);
2044
2045     /// Creates a TyCtxt and ImplicitCtxt based on the GCX_PTR thread local.
2046     /// This is used in the deadlock handler.
2047     pub unsafe fn with_global<F, R>(f: F) -> R
2048         where F: for<'a, 'gcx, 'tcx> FnOnce(TyCtxt<'a, 'gcx, 'tcx>) -> R
2049     {
2050         let gcx = GCX_PTR.with(|lock| *lock.lock());
2051         assert!(gcx != 0);
2052         let gcx = &*(gcx as *const GlobalCtxt<'_>);
2053         let tcx = TyCtxt {
2054             gcx,
2055             interners: &gcx.global_interners,
2056         };
2057         let icx = ImplicitCtxt {
2058             query: None,
2059             tcx,
2060             layout_depth: 0,
2061             task: &OpenTask::Ignore,
2062         };
2063         enter_context(&icx, |_| f(tcx))
2064     }
2065
2066     /// Allows access to the current ImplicitCtxt in a closure if one is available
2067     pub fn with_context_opt<F, R>(f: F) -> R
2068         where F: for<'a, 'gcx, 'tcx> FnOnce(Option<&ImplicitCtxt<'a, 'gcx, 'tcx>>) -> R
2069     {
2070         let context = get_tlv();
2071         if context == 0 {
2072             f(None)
2073         } else {
2074             // We could get a ImplicitCtxt pointer from another thread.
2075             // Ensure that ImplicitCtxt is Sync
2076             sync::assert_sync::<ImplicitCtxt<'_, '_, '_>>();
2077
2078             unsafe { f(Some(&*(context as *const ImplicitCtxt<'_, '_, '_>))) }
2079         }
2080     }
2081
2082     /// Allows access to the current ImplicitCtxt.
2083     /// Panics if there is no ImplicitCtxt available
2084     pub fn with_context<F, R>(f: F) -> R
2085         where F: for<'a, 'gcx, 'tcx> FnOnce(&ImplicitCtxt<'a, 'gcx, 'tcx>) -> R
2086     {
2087         with_context_opt(|opt_context| f(opt_context.expect("no ImplicitCtxt stored in tls")))
2088     }
2089
2090     /// Allows access to the current ImplicitCtxt whose tcx field has the same global
2091     /// interner as the tcx argument passed in. This means the closure is given an ImplicitCtxt
2092     /// with the same 'gcx lifetime as the TyCtxt passed in.
2093     /// This will panic if you pass it a TyCtxt which has a different global interner from
2094     /// the current ImplicitCtxt's tcx field.
2095     pub fn with_related_context<'a, 'gcx, 'tcx1, F, R>(tcx: TyCtxt<'a, 'gcx, 'tcx1>, f: F) -> R
2096         where F: for<'b, 'tcx2> FnOnce(&ImplicitCtxt<'b, 'gcx, 'tcx2>) -> R
2097     {
2098         with_context(|context| {
2099             unsafe {
2100                 let gcx = tcx.gcx as *const _ as usize;
2101                 assert!(context.tcx.gcx as *const _ as usize == gcx);
2102                 let context: &ImplicitCtxt<'_, '_, '_> = mem::transmute(context);
2103                 f(context)
2104             }
2105         })
2106     }
2107
2108     /// Allows access to the current ImplicitCtxt whose tcx field has the same global
2109     /// interner and local interner as the tcx argument passed in. This means the closure
2110     /// is given an ImplicitCtxt with the same 'tcx and 'gcx lifetimes as the TyCtxt passed in.
2111     /// This will panic if you pass it a TyCtxt which has a different global interner or
2112     /// a different local interner from the current ImplicitCtxt's tcx field.
2113     pub fn with_fully_related_context<'a, 'gcx, 'tcx, F, R>(tcx: TyCtxt<'a, 'gcx, 'tcx>, f: F) -> R
2114         where F: for<'b> FnOnce(&ImplicitCtxt<'b, 'gcx, 'tcx>) -> R
2115     {
2116         with_context(|context| {
2117             unsafe {
2118                 let gcx = tcx.gcx as *const _ as usize;
2119                 let interners = tcx.interners as *const _ as usize;
2120                 assert!(context.tcx.gcx as *const _ as usize == gcx);
2121                 assert!(context.tcx.interners as *const _ as usize == interners);
2122                 let context: &ImplicitCtxt<'_, '_, '_> = mem::transmute(context);
2123                 f(context)
2124             }
2125         })
2126     }
2127
2128     /// Allows access to the TyCtxt in the current ImplicitCtxt.
2129     /// Panics if there is no ImplicitCtxt available
2130     pub fn with<F, R>(f: F) -> R
2131         where F: for<'a, 'gcx, 'tcx> FnOnce(TyCtxt<'a, 'gcx, 'tcx>) -> R
2132     {
2133         with_context(|context| f(context.tcx))
2134     }
2135
2136     /// Allows access to the TyCtxt in the current ImplicitCtxt.
2137     /// The closure is passed None if there is no ImplicitCtxt available
2138     pub fn with_opt<F, R>(f: F) -> R
2139         where F: for<'a, 'gcx, 'tcx> FnOnce(Option<TyCtxt<'a, 'gcx, 'tcx>>) -> R
2140     {
2141         with_context_opt(|opt_context| f(opt_context.map(|context| context.tcx)))
2142     }
2143 }
2144
2145 macro_rules! sty_debug_print {
2146     ($ctxt: expr, $($variant: ident),*) => {{
2147         // curious inner module to allow variant names to be used as
2148         // variable names.
2149         #[allow(non_snake_case)]
2150         mod inner {
2151             use ty::{self, TyCtxt};
2152             use ty::context::Interned;
2153
2154             #[derive(Copy, Clone)]
2155             struct DebugStat {
2156                 total: usize,
2157                 region_infer: usize,
2158                 ty_infer: usize,
2159                 both_infer: usize,
2160             }
2161
2162             pub fn go(tcx: TyCtxt<'_, '_, '_>) {
2163                 let mut total = DebugStat {
2164                     total: 0,
2165                     region_infer: 0, ty_infer: 0, both_infer: 0,
2166                 };
2167                 $(let mut $variant = total;)*
2168
2169                 for &Interned(t) in tcx.interners.type_.borrow().keys() {
2170                     let variant = match t.sty {
2171                         ty::Bool | ty::Char | ty::Int(..) | ty::Uint(..) |
2172                             ty::Float(..) | ty::Str | ty::Never => continue,
2173                         ty::Error => /* unimportant */ continue,
2174                         $(ty::$variant(..) => &mut $variant,)*
2175                     };
2176                     let region = t.flags.intersects(ty::TypeFlags::HAS_RE_INFER);
2177                     let ty = t.flags.intersects(ty::TypeFlags::HAS_TY_INFER);
2178
2179                     variant.total += 1;
2180                     total.total += 1;
2181                     if region { total.region_infer += 1; variant.region_infer += 1 }
2182                     if ty { total.ty_infer += 1; variant.ty_infer += 1 }
2183                     if region && ty { total.both_infer += 1; variant.both_infer += 1 }
2184                 }
2185                 println!("Ty interner             total           ty region  both");
2186                 $(println!("    {:18}: {uses:6} {usespc:4.1}%, \
2187                             {ty:4.1}% {region:5.1}% {both:4.1}%",
2188                            stringify!($variant),
2189                            uses = $variant.total,
2190                            usespc = $variant.total as f64 * 100.0 / total.total as f64,
2191                            ty = $variant.ty_infer as f64 * 100.0  / total.total as f64,
2192                            region = $variant.region_infer as f64 * 100.0  / total.total as f64,
2193                            both = $variant.both_infer as f64 * 100.0  / total.total as f64);
2194                   )*
2195                 println!("                  total {uses:6}        \
2196                           {ty:4.1}% {region:5.1}% {both:4.1}%",
2197                          uses = total.total,
2198                          ty = total.ty_infer as f64 * 100.0  / total.total as f64,
2199                          region = total.region_infer as f64 * 100.0  / total.total as f64,
2200                          both = total.both_infer as f64 * 100.0  / total.total as f64)
2201             }
2202         }
2203
2204         inner::go($ctxt)
2205     }}
2206 }
2207
2208 impl<'a, 'tcx> TyCtxt<'a, 'tcx, 'tcx> {
2209     pub fn print_debug_stats(self) {
2210         sty_debug_print!(
2211             self,
2212             Adt, Array, Slice, RawPtr, Ref, FnDef, FnPtr, Placeholder,
2213             Generator, GeneratorWitness, Dynamic, Closure, Tuple, Bound,
2214             Param, Infer, UnnormalizedProjection, Projection, Opaque, Foreign);
2215
2216         println!("Substs interner: #{}", self.interners.substs.borrow().len());
2217         println!("Region interner: #{}", self.interners.region.borrow().len());
2218         println!("Stability interner: #{}", self.stability_interner.borrow().len());
2219         println!("Allocation interner: #{}", self.allocation_interner.borrow().len());
2220         println!("Layout interner: #{}", self.layout_interner.borrow().len());
2221     }
2222 }
2223
2224
2225 /// An entry in an interner.
2226 struct Interned<'tcx, T: 'tcx+?Sized>(&'tcx T);
2227
2228 impl<'tcx, T: 'tcx+?Sized> Clone for Interned<'tcx, T> {
2229     fn clone(&self) -> Self {
2230         Interned(self.0)
2231     }
2232 }
2233 impl<'tcx, T: 'tcx+?Sized> Copy for Interned<'tcx, T> {}
2234
2235 // NB: An Interned<Ty> compares and hashes as a sty.
2236 impl<'tcx> PartialEq for Interned<'tcx, TyS<'tcx>> {
2237     fn eq(&self, other: &Interned<'tcx, TyS<'tcx>>) -> bool {
2238         self.0.sty == other.0.sty
2239     }
2240 }
2241
2242 impl<'tcx> Eq for Interned<'tcx, TyS<'tcx>> {}
2243
2244 impl<'tcx> Hash for Interned<'tcx, TyS<'tcx>> {
2245     fn hash<H: Hasher>(&self, s: &mut H) {
2246         self.0.sty.hash(s)
2247     }
2248 }
2249
2250 impl<'tcx: 'lcx, 'lcx> Borrow<TyKind<'lcx>> for Interned<'tcx, TyS<'tcx>> {
2251     fn borrow<'a>(&'a self) -> &'a TyKind<'lcx> {
2252         &self.0.sty
2253     }
2254 }
2255
2256 // NB: An Interned<List<T>> compares and hashes as its elements.
2257 impl<'tcx, T: PartialEq> PartialEq for Interned<'tcx, List<T>> {
2258     fn eq(&self, other: &Interned<'tcx, List<T>>) -> bool {
2259         self.0[..] == other.0[..]
2260     }
2261 }
2262
2263 impl<'tcx, T: Eq> Eq for Interned<'tcx, List<T>> {}
2264
2265 impl<'tcx, T: Hash> Hash for Interned<'tcx, List<T>> {
2266     fn hash<H: Hasher>(&self, s: &mut H) {
2267         self.0[..].hash(s)
2268     }
2269 }
2270
2271 impl<'tcx: 'lcx, 'lcx> Borrow<[Ty<'lcx>]> for Interned<'tcx, List<Ty<'tcx>>> {
2272     fn borrow<'a>(&'a self) -> &'a [Ty<'lcx>] {
2273         &self.0[..]
2274     }
2275 }
2276
2277 impl<'tcx: 'lcx, 'lcx> Borrow<[CanonicalVarInfo]> for Interned<'tcx, List<CanonicalVarInfo>> {
2278     fn borrow<'a>(&'a self) -> &'a [CanonicalVarInfo] {
2279         &self.0[..]
2280     }
2281 }
2282
2283 impl<'tcx: 'lcx, 'lcx> Borrow<[Kind<'lcx>]> for Interned<'tcx, Substs<'tcx>> {
2284     fn borrow<'a>(&'a self) -> &'a [Kind<'lcx>] {
2285         &self.0[..]
2286     }
2287 }
2288
2289 impl<'tcx: 'lcx, 'lcx> Borrow<[ProjectionKind<'lcx>]>
2290     for Interned<'tcx, List<ProjectionKind<'tcx>>> {
2291     fn borrow<'a>(&'a self) -> &'a [ProjectionKind<'lcx>] {
2292         &self.0[..]
2293     }
2294 }
2295
2296 impl<'tcx> Borrow<RegionKind> for Interned<'tcx, RegionKind> {
2297     fn borrow<'a>(&'a self) -> &'a RegionKind {
2298         &self.0
2299     }
2300 }
2301
2302 impl<'tcx: 'lcx, 'lcx> Borrow<GoalKind<'lcx>> for Interned<'tcx, GoalKind<'tcx>> {
2303     fn borrow<'a>(&'a self) -> &'a GoalKind<'lcx> {
2304         &self.0
2305     }
2306 }
2307
2308 impl<'tcx: 'lcx, 'lcx> Borrow<[ExistentialPredicate<'lcx>]>
2309     for Interned<'tcx, List<ExistentialPredicate<'tcx>>> {
2310     fn borrow<'a>(&'a self) -> &'a [ExistentialPredicate<'lcx>] {
2311         &self.0[..]
2312     }
2313 }
2314
2315 impl<'tcx: 'lcx, 'lcx> Borrow<[Predicate<'lcx>]>
2316     for Interned<'tcx, List<Predicate<'tcx>>> {
2317     fn borrow<'a>(&'a self) -> &'a [Predicate<'lcx>] {
2318         &self.0[..]
2319     }
2320 }
2321
2322 impl<'tcx: 'lcx, 'lcx> Borrow<Const<'lcx>> for Interned<'tcx, Const<'tcx>> {
2323     fn borrow<'a>(&'a self) -> &'a Const<'lcx> {
2324         &self.0
2325     }
2326 }
2327
2328 impl<'tcx: 'lcx, 'lcx> Borrow<[Clause<'lcx>]>
2329 for Interned<'tcx, List<Clause<'tcx>>> {
2330     fn borrow<'a>(&'a self) -> &'a [Clause<'lcx>] {
2331         &self.0[..]
2332     }
2333 }
2334
2335 impl<'tcx: 'lcx, 'lcx> Borrow<[Goal<'lcx>]>
2336 for Interned<'tcx, List<Goal<'tcx>>> {
2337     fn borrow<'a>(&'a self) -> &'a [Goal<'lcx>] {
2338         &self.0[..]
2339     }
2340 }
2341
2342 macro_rules! intern_method {
2343     ($lt_tcx:tt, $name:ident: $method:ident($alloc:ty,
2344                                             $alloc_method:expr,
2345                                             $alloc_to_key:expr,
2346                                             $keep_in_local_tcx:expr) -> $ty:ty) => {
2347         impl<'a, 'gcx, $lt_tcx> TyCtxt<'a, 'gcx, $lt_tcx> {
2348             pub fn $method(self, v: $alloc) -> &$lt_tcx $ty {
2349                 let key = ($alloc_to_key)(&v);
2350
2351                 // HACK(eddyb) Depend on flags being accurate to
2352                 // determine that all contents are in the global tcx.
2353                 // See comments on Lift for why we can't use that.
2354                 if ($keep_in_local_tcx)(&v) {
2355                     self.interners.$name.borrow_mut().intern_ref(key, || {
2356                         // Make sure we don't end up with inference
2357                         // types/regions in the global tcx.
2358                         if self.is_global() {
2359                             bug!("Attempted to intern `{:?}` which contains \
2360                                 inference types/regions in the global type context",
2361                                 v);
2362                         }
2363
2364                         Interned($alloc_method(&self.interners.arena, v))
2365                     }).0
2366                 } else {
2367                     self.global_interners.$name.borrow_mut().intern_ref(key, || {
2368                         // This transmutes $alloc<'tcx> to $alloc<'gcx>
2369                         let v = unsafe {
2370                             mem::transmute(v)
2371                         };
2372                         let i: &$lt_tcx $ty = $alloc_method(&self.global_interners.arena, v);
2373                         // Cast to 'gcx
2374                         let i = unsafe { mem::transmute(i) };
2375                         Interned(i)
2376                     }).0
2377                 }
2378             }
2379         }
2380     }
2381 }
2382
2383 macro_rules! direct_interners {
2384     ($lt_tcx:tt, $($name:ident: $method:ident($keep_in_local_tcx:expr) -> $ty:ty),+) => {
2385         $(impl<$lt_tcx> PartialEq for Interned<$lt_tcx, $ty> {
2386             fn eq(&self, other: &Self) -> bool {
2387                 self.0 == other.0
2388             }
2389         }
2390
2391         impl<$lt_tcx> Eq for Interned<$lt_tcx, $ty> {}
2392
2393         impl<$lt_tcx> Hash for Interned<$lt_tcx, $ty> {
2394             fn hash<H: Hasher>(&self, s: &mut H) {
2395                 self.0.hash(s)
2396             }
2397         }
2398
2399         intern_method!(
2400             $lt_tcx,
2401             $name: $method($ty,
2402                            |a: &$lt_tcx SyncDroplessArena, v| -> &$lt_tcx $ty { a.alloc(v) },
2403                            |x| x,
2404                            $keep_in_local_tcx) -> $ty);)+
2405     }
2406 }
2407
2408 pub fn keep_local<'tcx, T: ty::TypeFoldable<'tcx>>(x: &T) -> bool {
2409     x.has_type_flags(ty::TypeFlags::KEEP_IN_LOCAL_TCX)
2410 }
2411
2412 direct_interners!('tcx,
2413     region: mk_region(|r: &RegionKind| r.keep_in_local_tcx()) -> RegionKind,
2414     const_: mk_const(|c: &Const<'_>| keep_local(&c.ty) || keep_local(&c.val)) -> Const<'tcx>,
2415     goal: mk_goal(|c: &GoalKind<'_>| keep_local(c)) -> GoalKind<'tcx>
2416 );
2417
2418 macro_rules! slice_interners {
2419     ($($field:ident: $method:ident($ty:ident)),+) => (
2420         $(intern_method!( 'tcx, $field: $method(
2421             &[$ty<'tcx>],
2422             |a, v| List::from_arena(a, v),
2423             Deref::deref,
2424             |xs: &[$ty<'_>]| xs.iter().any(keep_local)) -> List<$ty<'tcx>>);)+
2425     )
2426 }
2427
2428 slice_interners!(
2429     existential_predicates: _intern_existential_predicates(ExistentialPredicate),
2430     predicates: _intern_predicates(Predicate),
2431     type_list: _intern_type_list(Ty),
2432     substs: _intern_substs(Kind),
2433     clauses: _intern_clauses(Clause),
2434     goal_list: _intern_goals(Goal),
2435     projs: _intern_projs(ProjectionKind)
2436 );
2437
2438 // This isn't a perfect fit: CanonicalVarInfo slices are always
2439 // allocated in the global arena, so this `intern_method!` macro is
2440 // overly general.  But we just return false for the code that checks
2441 // whether they belong in the thread-local arena, so no harm done, and
2442 // seems better than open-coding the rest.
2443 intern_method! {
2444     'tcx,
2445     canonical_var_infos: _intern_canonical_var_infos(
2446         &[CanonicalVarInfo],
2447         |a, v| List::from_arena(a, v),
2448         Deref::deref,
2449         |_xs: &[CanonicalVarInfo]| -> bool { false }
2450     ) -> List<CanonicalVarInfo>
2451 }
2452
2453 impl<'a, 'gcx, 'tcx> TyCtxt<'a, 'gcx, 'tcx> {
2454     /// Given a `fn` type, returns an equivalent `unsafe fn` type;
2455     /// that is, a `fn` type that is equivalent in every way for being
2456     /// unsafe.
2457     pub fn safe_to_unsafe_fn_ty(self, sig: PolyFnSig<'tcx>) -> Ty<'tcx> {
2458         assert_eq!(sig.unsafety(), hir::Unsafety::Normal);
2459         self.mk_fn_ptr(sig.map_bound(|sig| ty::FnSig {
2460             unsafety: hir::Unsafety::Unsafe,
2461             ..sig
2462         }))
2463     }
2464
2465     /// Given a closure signature `sig`, returns an equivalent `fn`
2466     /// type with the same signature. Detuples and so forth -- so
2467     /// e.g. if we have a sig with `Fn<(u32, i32)>` then you would get
2468     /// a `fn(u32, i32)`.
2469     pub fn coerce_closure_fn_ty(self, sig: PolyFnSig<'tcx>) -> Ty<'tcx> {
2470         let converted_sig = sig.map_bound(|s| {
2471             let params_iter = match s.inputs()[0].sty {
2472                 ty::Tuple(params) => {
2473                     params.into_iter().cloned()
2474                 }
2475                 _ => bug!(),
2476             };
2477             self.mk_fn_sig(
2478                 params_iter,
2479                 s.output(),
2480                 s.variadic,
2481                 hir::Unsafety::Normal,
2482                 abi::Abi::Rust,
2483             )
2484         });
2485
2486         self.mk_fn_ptr(converted_sig)
2487     }
2488
2489     #[inline]
2490     pub fn mk_ty(&self, st: TyKind<'tcx>) -> Ty<'tcx> {
2491         CtxtInterners::intern_ty(&self.interners, &self.global_interners, st)
2492     }
2493
2494     pub fn mk_mach_int(self, tm: ast::IntTy) -> Ty<'tcx> {
2495         match tm {
2496             ast::IntTy::Isize   => self.types.isize,
2497             ast::IntTy::I8   => self.types.i8,
2498             ast::IntTy::I16  => self.types.i16,
2499             ast::IntTy::I32  => self.types.i32,
2500             ast::IntTy::I64  => self.types.i64,
2501             ast::IntTy::I128  => self.types.i128,
2502         }
2503     }
2504
2505     pub fn mk_mach_uint(self, tm: ast::UintTy) -> Ty<'tcx> {
2506         match tm {
2507             ast::UintTy::Usize   => self.types.usize,
2508             ast::UintTy::U8   => self.types.u8,
2509             ast::UintTy::U16  => self.types.u16,
2510             ast::UintTy::U32  => self.types.u32,
2511             ast::UintTy::U64  => self.types.u64,
2512             ast::UintTy::U128  => self.types.u128,
2513         }
2514     }
2515
2516     pub fn mk_mach_float(self, tm: ast::FloatTy) -> Ty<'tcx> {
2517         match tm {
2518             ast::FloatTy::F32  => self.types.f32,
2519             ast::FloatTy::F64  => self.types.f64,
2520         }
2521     }
2522
2523     #[inline]
2524     pub fn mk_str(self) -> Ty<'tcx> {
2525         self.mk_ty(Str)
2526     }
2527
2528     #[inline]
2529     pub fn mk_static_str(self) -> Ty<'tcx> {
2530         self.mk_imm_ref(self.types.re_static, self.mk_str())
2531     }
2532
2533     #[inline]
2534     pub fn mk_adt(self, def: &'tcx AdtDef, substs: &'tcx Substs<'tcx>) -> Ty<'tcx> {
2535         // take a copy of substs so that we own the vectors inside
2536         self.mk_ty(Adt(def, substs))
2537     }
2538
2539     #[inline]
2540     pub fn mk_foreign(self, def_id: DefId) -> Ty<'tcx> {
2541         self.mk_ty(Foreign(def_id))
2542     }
2543
2544     pub fn mk_box(self, ty: Ty<'tcx>) -> Ty<'tcx> {
2545         let def_id = self.require_lang_item(lang_items::OwnedBoxLangItem);
2546         let adt_def = self.adt_def(def_id);
2547         let substs = Substs::for_item(self, def_id, |param, substs| {
2548             match param.kind {
2549                 GenericParamDefKind::Lifetime => bug!(),
2550                 GenericParamDefKind::Type { has_default, .. } => {
2551                     if param.index == 0 {
2552                         ty.into()
2553                     } else {
2554                         assert!(has_default);
2555                         self.type_of(param.def_id).subst(self, substs).into()
2556                     }
2557                 }
2558             }
2559         });
2560         self.mk_ty(Adt(adt_def, substs))
2561     }
2562
2563     #[inline]
2564     pub fn mk_ptr(self, tm: TypeAndMut<'tcx>) -> Ty<'tcx> {
2565         self.mk_ty(RawPtr(tm))
2566     }
2567
2568     #[inline]
2569     pub fn mk_ref(self, r: Region<'tcx>, tm: TypeAndMut<'tcx>) -> Ty<'tcx> {
2570         self.mk_ty(Ref(r, tm.ty, tm.mutbl))
2571     }
2572
2573     #[inline]
2574     pub fn mk_mut_ref(self, r: Region<'tcx>, ty: Ty<'tcx>) -> Ty<'tcx> {
2575         self.mk_ref(r, TypeAndMut {ty: ty, mutbl: hir::MutMutable})
2576     }
2577
2578     #[inline]
2579     pub fn mk_imm_ref(self, r: Region<'tcx>, ty: Ty<'tcx>) -> Ty<'tcx> {
2580         self.mk_ref(r, TypeAndMut {ty: ty, mutbl: hir::MutImmutable})
2581     }
2582
2583     #[inline]
2584     pub fn mk_mut_ptr(self, ty: Ty<'tcx>) -> Ty<'tcx> {
2585         self.mk_ptr(TypeAndMut {ty: ty, mutbl: hir::MutMutable})
2586     }
2587
2588     #[inline]
2589     pub fn mk_imm_ptr(self, ty: Ty<'tcx>) -> Ty<'tcx> {
2590         self.mk_ptr(TypeAndMut {ty: ty, mutbl: hir::MutImmutable})
2591     }
2592
2593     #[inline]
2594     pub fn mk_nil_ptr(self) -> Ty<'tcx> {
2595         self.mk_imm_ptr(self.mk_unit())
2596     }
2597
2598     #[inline]
2599     pub fn mk_array(self, ty: Ty<'tcx>, n: u64) -> Ty<'tcx> {
2600         self.mk_ty(Array(ty, ty::Const::from_usize(self, n)))
2601     }
2602
2603     #[inline]
2604     pub fn mk_slice(self, ty: Ty<'tcx>) -> Ty<'tcx> {
2605         self.mk_ty(Slice(ty))
2606     }
2607
2608     #[inline]
2609     pub fn intern_tup(self, ts: &[Ty<'tcx>]) -> Ty<'tcx> {
2610         self.mk_ty(Tuple(self.intern_type_list(ts)))
2611     }
2612
2613     pub fn mk_tup<I: InternAs<[Ty<'tcx>], Ty<'tcx>>>(self, iter: I) -> I::Output {
2614         iter.intern_with(|ts| self.mk_ty(Tuple(self.intern_type_list(ts))))
2615     }
2616
2617     #[inline]
2618     pub fn mk_unit(self) -> Ty<'tcx> {
2619         self.types.unit
2620     }
2621
2622     #[inline]
2623     pub fn mk_diverging_default(self) -> Ty<'tcx> {
2624         if self.features().never_type {
2625             self.types.never
2626         } else {
2627             self.intern_tup(&[])
2628         }
2629     }
2630
2631     #[inline]
2632     pub fn mk_bool(self) -> Ty<'tcx> {
2633         self.mk_ty(Bool)
2634     }
2635
2636     #[inline]
2637     pub fn mk_fn_def(self, def_id: DefId,
2638                      substs: &'tcx Substs<'tcx>) -> Ty<'tcx> {
2639         self.mk_ty(FnDef(def_id, substs))
2640     }
2641
2642     #[inline]
2643     pub fn mk_fn_ptr(self, fty: PolyFnSig<'tcx>) -> Ty<'tcx> {
2644         self.mk_ty(FnPtr(fty))
2645     }
2646
2647     #[inline]
2648     pub fn mk_dynamic(
2649         self,
2650         obj: ty::Binder<&'tcx List<ExistentialPredicate<'tcx>>>,
2651         reg: ty::Region<'tcx>
2652     ) -> Ty<'tcx> {
2653         self.mk_ty(Dynamic(obj, reg))
2654     }
2655
2656     #[inline]
2657     pub fn mk_projection(self,
2658                          item_def_id: DefId,
2659                          substs: &'tcx Substs<'tcx>)
2660         -> Ty<'tcx> {
2661             self.mk_ty(Projection(ProjectionTy {
2662                 item_def_id,
2663                 substs,
2664             }))
2665         }
2666
2667     #[inline]
2668     pub fn mk_closure(self, closure_id: DefId, closure_substs: ClosureSubsts<'tcx>)
2669                       -> Ty<'tcx> {
2670         self.mk_ty(Closure(closure_id, closure_substs))
2671     }
2672
2673     #[inline]
2674     pub fn mk_generator(self,
2675                         id: DefId,
2676                         generator_substs: GeneratorSubsts<'tcx>,
2677                         movability: hir::GeneratorMovability)
2678                         -> Ty<'tcx> {
2679         self.mk_ty(Generator(id, generator_substs, movability))
2680     }
2681
2682     #[inline]
2683     pub fn mk_generator_witness(self, types: ty::Binder<&'tcx List<Ty<'tcx>>>) -> Ty<'tcx> {
2684         self.mk_ty(GeneratorWitness(types))
2685     }
2686
2687     #[inline]
2688     pub fn mk_var(self, v: TyVid) -> Ty<'tcx> {
2689         self.mk_infer(TyVar(v))
2690     }
2691
2692     #[inline]
2693     pub fn mk_int_var(self, v: IntVid) -> Ty<'tcx> {
2694         self.mk_infer(IntVar(v))
2695     }
2696
2697     #[inline]
2698     pub fn mk_float_var(self, v: FloatVid) -> Ty<'tcx> {
2699         self.mk_infer(FloatVar(v))
2700     }
2701
2702     #[inline]
2703     pub fn mk_infer(self, it: InferTy) -> Ty<'tcx> {
2704         self.mk_ty(Infer(it))
2705     }
2706
2707     #[inline]
2708     pub fn mk_ty_param(self,
2709                        index: u32,
2710                        name: InternedString) -> Ty<'tcx> {
2711         self.mk_ty(Param(ParamTy { idx: index, name: name }))
2712     }
2713
2714     #[inline]
2715     pub fn mk_self_type(self) -> Ty<'tcx> {
2716         self.mk_ty_param(0, keywords::SelfUpper.name().as_interned_str())
2717     }
2718
2719     pub fn mk_param_from_def(self, param: &ty::GenericParamDef) -> Kind<'tcx> {
2720         match param.kind {
2721             GenericParamDefKind::Lifetime => {
2722                 self.mk_region(ty::ReEarlyBound(param.to_early_bound_region_data())).into()
2723             }
2724             GenericParamDefKind::Type {..} => self.mk_ty_param(param.index, param.name).into(),
2725         }
2726     }
2727
2728     #[inline]
2729     pub fn mk_opaque(self, def_id: DefId, substs: &'tcx Substs<'tcx>) -> Ty<'tcx> {
2730         self.mk_ty(Opaque(def_id, substs))
2731     }
2732
2733     pub fn intern_existential_predicates(self, eps: &[ExistentialPredicate<'tcx>])
2734         -> &'tcx List<ExistentialPredicate<'tcx>> {
2735         assert!(!eps.is_empty());
2736         assert!(eps.windows(2).all(|w| w[0].stable_cmp(self, &w[1]) != Ordering::Greater));
2737         self._intern_existential_predicates(eps)
2738     }
2739
2740     pub fn intern_predicates(self, preds: &[Predicate<'tcx>])
2741         -> &'tcx List<Predicate<'tcx>> {
2742         // FIXME consider asking the input slice to be sorted to avoid
2743         // re-interning permutations, in which case that would be asserted
2744         // here.
2745         if preds.len() == 0 {
2746             // The macro-generated method below asserts we don't intern an empty slice.
2747             List::empty()
2748         } else {
2749             self._intern_predicates(preds)
2750         }
2751     }
2752
2753     pub fn intern_type_list(self, ts: &[Ty<'tcx>]) -> &'tcx List<Ty<'tcx>> {
2754         if ts.len() == 0 {
2755             List::empty()
2756         } else {
2757             self._intern_type_list(ts)
2758         }
2759     }
2760
2761     pub fn intern_substs(self, ts: &[Kind<'tcx>]) -> &'tcx List<Kind<'tcx>> {
2762         if ts.len() == 0 {
2763             List::empty()
2764         } else {
2765             self._intern_substs(ts)
2766         }
2767     }
2768
2769     pub fn intern_projs(self, ps: &[ProjectionKind<'tcx>]) -> &'tcx List<ProjectionKind<'tcx>> {
2770         if ps.len() == 0 {
2771             List::empty()
2772         } else {
2773             self._intern_projs(ps)
2774         }
2775     }
2776
2777     pub fn intern_canonical_var_infos(self, ts: &[CanonicalVarInfo]) -> CanonicalVarInfos<'gcx> {
2778         if ts.len() == 0 {
2779             List::empty()
2780         } else {
2781             self.global_tcx()._intern_canonical_var_infos(ts)
2782         }
2783     }
2784
2785     pub fn intern_clauses(self, ts: &[Clause<'tcx>]) -> Clauses<'tcx> {
2786         if ts.len() == 0 {
2787             List::empty()
2788         } else {
2789             self._intern_clauses(ts)
2790         }
2791     }
2792
2793     pub fn intern_goals(self, ts: &[Goal<'tcx>]) -> Goals<'tcx> {
2794         if ts.len() == 0 {
2795             List::empty()
2796         } else {
2797             self._intern_goals(ts)
2798         }
2799     }
2800
2801     pub fn mk_fn_sig<I>(self,
2802                         inputs: I,
2803                         output: I::Item,
2804                         variadic: bool,
2805                         unsafety: hir::Unsafety,
2806                         abi: abi::Abi)
2807         -> <I::Item as InternIteratorElement<Ty<'tcx>, ty::FnSig<'tcx>>>::Output
2808         where I: Iterator,
2809               I::Item: InternIteratorElement<Ty<'tcx>, ty::FnSig<'tcx>>
2810     {
2811         inputs.chain(iter::once(output)).intern_with(|xs| ty::FnSig {
2812             inputs_and_output: self.intern_type_list(xs),
2813             variadic, unsafety, abi
2814         })
2815     }
2816
2817     pub fn mk_existential_predicates<I: InternAs<[ExistentialPredicate<'tcx>],
2818                                      &'tcx List<ExistentialPredicate<'tcx>>>>(self, iter: I)
2819                                      -> I::Output {
2820         iter.intern_with(|xs| self.intern_existential_predicates(xs))
2821     }
2822
2823     pub fn mk_predicates<I: InternAs<[Predicate<'tcx>],
2824                                      &'tcx List<Predicate<'tcx>>>>(self, iter: I)
2825                                      -> I::Output {
2826         iter.intern_with(|xs| self.intern_predicates(xs))
2827     }
2828
2829     pub fn mk_type_list<I: InternAs<[Ty<'tcx>],
2830                         &'tcx List<Ty<'tcx>>>>(self, iter: I) -> I::Output {
2831         iter.intern_with(|xs| self.intern_type_list(xs))
2832     }
2833
2834     pub fn mk_substs<I: InternAs<[Kind<'tcx>],
2835                      &'tcx List<Kind<'tcx>>>>(self, iter: I) -> I::Output {
2836         iter.intern_with(|xs| self.intern_substs(xs))
2837     }
2838
2839     pub fn mk_substs_trait(self,
2840                      self_ty: Ty<'tcx>,
2841                      rest: &[Kind<'tcx>])
2842                     -> &'tcx Substs<'tcx>
2843     {
2844         self.mk_substs(iter::once(self_ty.into()).chain(rest.iter().cloned()))
2845     }
2846
2847     pub fn mk_clauses<I: InternAs<[Clause<'tcx>], Clauses<'tcx>>>(self, iter: I) -> I::Output {
2848         iter.intern_with(|xs| self.intern_clauses(xs))
2849     }
2850
2851     pub fn mk_goals<I: InternAs<[Goal<'tcx>], Goals<'tcx>>>(self, iter: I) -> I::Output {
2852         iter.intern_with(|xs| self.intern_goals(xs))
2853     }
2854
2855     pub fn lint_hir<S: Into<MultiSpan>>(self,
2856                                         lint: &'static Lint,
2857                                         hir_id: HirId,
2858                                         span: S,
2859                                         msg: &str) {
2860         self.struct_span_lint_hir(lint, hir_id, span.into(), msg).emit()
2861     }
2862
2863     pub fn lint_node<S: Into<MultiSpan>>(self,
2864                                          lint: &'static Lint,
2865                                          id: NodeId,
2866                                          span: S,
2867                                          msg: &str) {
2868         self.struct_span_lint_node(lint, id, span.into(), msg).emit()
2869     }
2870
2871     pub fn lint_hir_note<S: Into<MultiSpan>>(self,
2872                                               lint: &'static Lint,
2873                                               hir_id: HirId,
2874                                               span: S,
2875                                               msg: &str,
2876                                               note: &str) {
2877         let mut err = self.struct_span_lint_hir(lint, hir_id, span.into(), msg);
2878         err.note(note);
2879         err.emit()
2880     }
2881
2882     pub fn lint_node_note<S: Into<MultiSpan>>(self,
2883                                               lint: &'static Lint,
2884                                               id: NodeId,
2885                                               span: S,
2886                                               msg: &str,
2887                                               note: &str) {
2888         let mut err = self.struct_span_lint_node(lint, id, span.into(), msg);
2889         err.note(note);
2890         err.emit()
2891     }
2892
2893     pub fn lint_level_at_node(self, lint: &'static Lint, mut id: NodeId)
2894         -> (lint::Level, lint::LintSource)
2895     {
2896         // Right now we insert a `with_ignore` node in the dep graph here to
2897         // ignore the fact that `lint_levels` below depends on the entire crate.
2898         // For now this'll prevent false positives of recompiling too much when
2899         // anything changes.
2900         //
2901         // Once red/green incremental compilation lands we should be able to
2902         // remove this because while the crate changes often the lint level map
2903         // will change rarely.
2904         self.dep_graph.with_ignore(|| {
2905             let sets = self.lint_levels(LOCAL_CRATE);
2906             loop {
2907                 let hir_id = self.hir().definitions().node_to_hir_id(id);
2908                 if let Some(pair) = sets.level_and_source(lint, hir_id, self.sess) {
2909                     return pair
2910                 }
2911                 let next = self.hir().get_parent_node(id);
2912                 if next == id {
2913                     bug!("lint traversal reached the root of the crate");
2914                 }
2915                 id = next;
2916             }
2917         })
2918     }
2919
2920     pub fn struct_span_lint_hir<S: Into<MultiSpan>>(self,
2921                                                     lint: &'static Lint,
2922                                                     hir_id: HirId,
2923                                                     span: S,
2924                                                     msg: &str)
2925         -> DiagnosticBuilder<'tcx>
2926     {
2927         let node_id = self.hir().hir_to_node_id(hir_id);
2928         let (level, src) = self.lint_level_at_node(lint, node_id);
2929         lint::struct_lint_level(self.sess, lint, level, src, Some(span.into()), msg)
2930     }
2931
2932     pub fn struct_span_lint_node<S: Into<MultiSpan>>(self,
2933                                                      lint: &'static Lint,
2934                                                      id: NodeId,
2935                                                      span: S,
2936                                                      msg: &str)
2937         -> DiagnosticBuilder<'tcx>
2938     {
2939         let (level, src) = self.lint_level_at_node(lint, id);
2940         lint::struct_lint_level(self.sess, lint, level, src, Some(span.into()), msg)
2941     }
2942
2943     pub fn struct_lint_node(self, lint: &'static Lint, id: NodeId, msg: &str)
2944         -> DiagnosticBuilder<'tcx>
2945     {
2946         let (level, src) = self.lint_level_at_node(lint, id);
2947         lint::struct_lint_level(self.sess, lint, level, src, None, msg)
2948     }
2949
2950     pub fn in_scope_traits(self, id: HirId) -> Option<Lrc<StableVec<TraitCandidate>>> {
2951         self.in_scope_traits_map(id.owner)
2952             .and_then(|map| map.get(&id.local_id).cloned())
2953     }
2954
2955     pub fn named_region(self, id: HirId) -> Option<resolve_lifetime::Region> {
2956         self.named_region_map(id.owner)
2957             .and_then(|map| map.get(&id.local_id).cloned())
2958     }
2959
2960     pub fn is_late_bound(self, id: HirId) -> bool {
2961         self.is_late_bound_map(id.owner)
2962             .map(|set| set.contains(&id.local_id))
2963             .unwrap_or(false)
2964     }
2965
2966     pub fn object_lifetime_defaults(self, id: HirId)
2967         -> Option<Lrc<Vec<ObjectLifetimeDefault>>>
2968     {
2969         self.object_lifetime_defaults_map(id.owner)
2970             .and_then(|map| map.get(&id.local_id).cloned())
2971     }
2972 }
2973
2974 pub trait InternAs<T: ?Sized, R> {
2975     type Output;
2976     fn intern_with<F>(self, f: F) -> Self::Output
2977         where F: FnOnce(&T) -> R;
2978 }
2979
2980 impl<I, T, R, E> InternAs<[T], R> for I
2981     where E: InternIteratorElement<T, R>,
2982           I: Iterator<Item=E> {
2983     type Output = E::Output;
2984     fn intern_with<F>(self, f: F) -> Self::Output
2985         where F: FnOnce(&[T]) -> R {
2986         E::intern_with(self, f)
2987     }
2988 }
2989
2990 pub trait InternIteratorElement<T, R>: Sized {
2991     type Output;
2992     fn intern_with<I: Iterator<Item=Self>, F: FnOnce(&[T]) -> R>(iter: I, f: F) -> Self::Output;
2993 }
2994
2995 impl<T, R> InternIteratorElement<T, R> for T {
2996     type Output = R;
2997     fn intern_with<I: Iterator<Item=Self>, F: FnOnce(&[T]) -> R>(iter: I, f: F) -> Self::Output {
2998         f(&iter.collect::<SmallVec<[_; 8]>>())
2999     }
3000 }
3001
3002 impl<'a, T, R> InternIteratorElement<T, R> for &'a T
3003     where T: Clone + 'a
3004 {
3005     type Output = R;
3006     fn intern_with<I: Iterator<Item=Self>, F: FnOnce(&[T]) -> R>(iter: I, f: F) -> Self::Output {
3007         f(&iter.cloned().collect::<SmallVec<[_; 8]>>())
3008     }
3009 }
3010
3011 impl<T, R, E> InternIteratorElement<T, R> for Result<T, E> {
3012     type Output = Result<R, E>;
3013     fn intern_with<I: Iterator<Item=Self>, F: FnOnce(&[T]) -> R>(iter: I, f: F) -> Self::Output {
3014         Ok(f(&iter.collect::<Result<SmallVec<[_; 8]>, _>>()?))
3015     }
3016 }
3017
3018 pub fn provide(providers: &mut ty::query::Providers<'_>) {
3019     // FIXME(#44234) - almost all of these queries have no sub-queries and
3020     // therefore no actual inputs, they're just reading tables calculated in
3021     // resolve! Does this work? Unsure! That's what the issue is about
3022     providers.in_scope_traits_map = |tcx, id| tcx.gcx.trait_map.get(&id).cloned();
3023     providers.module_exports = |tcx, id| tcx.gcx.export_map.get(&id).cloned();
3024     providers.crate_name = |tcx, id| {
3025         assert_eq!(id, LOCAL_CRATE);
3026         tcx.crate_name
3027     };
3028     providers.get_lib_features = |tcx, id| {
3029         assert_eq!(id, LOCAL_CRATE);
3030         Lrc::new(middle::lib_features::collect(tcx))
3031     };
3032     providers.get_lang_items = |tcx, id| {
3033         assert_eq!(id, LOCAL_CRATE);
3034         Lrc::new(middle::lang_items::collect(tcx))
3035     };
3036     providers.freevars = |tcx, id| tcx.gcx.freevars.get(&id).cloned();
3037     providers.maybe_unused_trait_import = |tcx, id| {
3038         tcx.maybe_unused_trait_imports.contains(&id)
3039     };
3040     providers.maybe_unused_extern_crates = |tcx, cnum| {
3041         assert_eq!(cnum, LOCAL_CRATE);
3042         Lrc::new(tcx.maybe_unused_extern_crates.clone())
3043     };
3044
3045     providers.stability_index = |tcx, cnum| {
3046         assert_eq!(cnum, LOCAL_CRATE);
3047         Lrc::new(stability::Index::new(tcx))
3048     };
3049     providers.lookup_stability = |tcx, id| {
3050         assert_eq!(id.krate, LOCAL_CRATE);
3051         let id = tcx.hir().definitions().def_index_to_hir_id(id.index);
3052         tcx.stability().local_stability(id)
3053     };
3054     providers.lookup_deprecation_entry = |tcx, id| {
3055         assert_eq!(id.krate, LOCAL_CRATE);
3056         let id = tcx.hir().definitions().def_index_to_hir_id(id.index);
3057         tcx.stability().local_deprecation_entry(id)
3058     };
3059     providers.extern_mod_stmt_cnum = |tcx, id| {
3060         let id = tcx.hir().as_local_node_id(id).unwrap();
3061         tcx.cstore.extern_mod_stmt_cnum_untracked(id)
3062     };
3063     providers.all_crate_nums = |tcx, cnum| {
3064         assert_eq!(cnum, LOCAL_CRATE);
3065         Lrc::new(tcx.cstore.crates_untracked())
3066     };
3067     providers.postorder_cnums = |tcx, cnum| {
3068         assert_eq!(cnum, LOCAL_CRATE);
3069         Lrc::new(tcx.cstore.postorder_cnums_untracked())
3070     };
3071     providers.output_filenames = |tcx, cnum| {
3072         assert_eq!(cnum, LOCAL_CRATE);
3073         tcx.output_filenames.clone()
3074     };
3075     providers.features_query = |tcx, cnum| {
3076         assert_eq!(cnum, LOCAL_CRATE);
3077         Lrc::new(tcx.sess.features_untracked().clone())
3078     };
3079     providers.is_panic_runtime = |tcx, cnum| {
3080         assert_eq!(cnum, LOCAL_CRATE);
3081         attr::contains_name(tcx.hir().krate_attrs(), "panic_runtime")
3082     };
3083     providers.is_compiler_builtins = |tcx, cnum| {
3084         assert_eq!(cnum, LOCAL_CRATE);
3085         attr::contains_name(tcx.hir().krate_attrs(), "compiler_builtins")
3086     };
3087 }