rustc_infer/infer/canonical/
mod.rs

1//! **Canonicalization** is the key to constructing a query in the
2//! middle of type inference. Ordinarily, it is not possible to store
3//! types from type inference in query keys, because they contain
4//! references to inference variables whose lifetimes are too short
5//! and so forth. Canonicalizing a value T1 using `canonicalize_query`
6//! produces two things:
7//!
8//! - a value T2 where each unbound inference variable has been
9//!   replaced with a **canonical variable**;
10//! - a map M (of type `CanonicalVarValues`) from those canonical
11//!   variables back to the original.
12//!
13//! We can then do queries using T2. These will give back constraints
14//! on the canonical variables which can be translated, using the map
15//! M, into constraints in our source context. This process of
16//! translating the results back is done by the
17//! `instantiate_query_result` method.
18//!
19//! For a more detailed look at what is happening here, check
20//! out the [chapter in the rustc dev guide][c].
21//!
22//! [c]: https://rust-lang.github.io/chalk/book/canonical_queries/canonicalization.html
23
24pub use instantiate::CanonicalExt;
25use rustc_index::IndexVec;
26pub use rustc_middle::infer::canonical::*;
27use rustc_middle::ty::{self, GenericArg, Ty, TyCtxt, TypeFoldable};
28use rustc_span::Span;
29
30use crate::infer::{InferCtxt, RegionVariableOrigin};
31
32mod canonicalizer;
33mod instantiate;
34pub mod query_response;
35
36impl<'tcx> InferCtxt<'tcx> {
37    /// Creates an instantiation S for the canonical value with fresh inference
38    /// variables and placeholders then applies it to the canonical value.
39    /// Returns both the instantiated result *and* the instantiation S.
40    ///
41    /// This can be invoked as part of constructing an
42    /// inference context at the start of a query (see
43    /// `InferCtxtBuilder::build_with_canonical`). It basically
44    /// brings the canonical value "into scope" within your new infcx.
45    ///
46    /// At the end of processing, the instantiation S (once
47    /// canonicalized) then represents the values that you computed
48    /// for each of the canonical inputs to your query.
49    pub fn instantiate_canonical<T>(
50        &self,
51        span: Span,
52        canonical: &Canonical<'tcx, T>,
53    ) -> (T, CanonicalVarValues<'tcx>)
54    where
55        T: TypeFoldable<TyCtxt<'tcx>>,
56    {
57        // For each universe that is referred to in the incoming
58        // query, create a universe in our local inference context. In
59        // practice, as of this writing, all queries have no universes
60        // in them, so this code has no effect, but it is looking
61        // forward to the day when we *do* want to carry universes
62        // through into queries.
63        //
64        // Instantiate the root-universe content into the current universe,
65        // and create fresh universes for the higher universes.
66        let universes: IndexVec<ty::UniverseIndex, _> = std::iter::once(self.universe())
67            .chain((1..=canonical.max_universe.as_u32()).map(|_| self.create_next_universe()))
68            .collect();
69
70        let var_values =
71            CanonicalVarValues::instantiate(self.tcx, &canonical.variables, |var_values, info| {
72                self.instantiate_canonical_var(span, info, &var_values, |ui| universes[ui])
73            });
74        let result = canonical.instantiate(self.tcx, &var_values);
75        (result, var_values)
76    }
77
78    /// Given the "info" about a canonical variable, creates a fresh
79    /// variable for it. If this is an existentially quantified
80    /// variable, then you'll get a new inference variable; if it is a
81    /// universally quantified variable, you get a placeholder.
82    ///
83    /// FIXME(-Znext-solver): This is public because it's used by the
84    /// new trait solver which has a different canonicalization routine.
85    /// We should somehow deduplicate all of this.
86    pub fn instantiate_canonical_var(
87        &self,
88        span: Span,
89        kind: CanonicalVarKind<'tcx>,
90        previous_var_values: &[GenericArg<'tcx>],
91        universe_map: impl Fn(ty::UniverseIndex) -> ty::UniverseIndex,
92    ) -> GenericArg<'tcx> {
93        match kind {
94            CanonicalVarKind::Ty { ui, sub_root } => {
95                let vid = self.next_ty_vid_in_universe(span, universe_map(ui));
96                // If this inference variable is related to an earlier variable
97                // via subtyping, we need to add that info to the inference context.
98                if let Some(prev) = previous_var_values.get(sub_root.as_usize()) {
99                    if let &ty::Infer(ty::TyVar(sub_root)) = prev.expect_ty().kind() {
100                        self.sub_unify_ty_vids_raw(vid, sub_root);
101                    } else {
102                        unreachable!()
103                    }
104                }
105                Ty::new_var(self.tcx, vid).into()
106            }
107
108            CanonicalVarKind::Int => self.next_int_var().into(),
109
110            CanonicalVarKind::Float => self.next_float_var().into(),
111
112            CanonicalVarKind::PlaceholderTy(ty::PlaceholderType { universe, bound }) => {
113                let universe_mapped = universe_map(universe);
114                let placeholder_mapped = ty::PlaceholderType { universe: universe_mapped, bound };
115                Ty::new_placeholder(self.tcx, placeholder_mapped).into()
116            }
117
118            CanonicalVarKind::Region(ui) => self
119                .next_region_var_in_universe(RegionVariableOrigin::Misc(span), universe_map(ui))
120                .into(),
121
122            CanonicalVarKind::PlaceholderRegion(ty::PlaceholderRegion { universe, bound }) => {
123                let universe_mapped = universe_map(universe);
124                let placeholder_mapped = ty::PlaceholderRegion { universe: universe_mapped, bound };
125                ty::Region::new_placeholder(self.tcx, placeholder_mapped).into()
126            }
127
128            CanonicalVarKind::Const(ui) => {
129                self.next_const_var_in_universe(span, universe_map(ui)).into()
130            }
131            CanonicalVarKind::PlaceholderConst(ty::PlaceholderConst { universe, bound }) => {
132                let universe_mapped = universe_map(universe);
133                let placeholder_mapped = ty::PlaceholderConst { universe: universe_mapped, bound };
134                ty::Const::new_placeholder(self.tcx, placeholder_mapped).into()
135            }
136        }
137    }
138}