]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_trait_selection/src/traits/query/normalize.rs
Use `summary_opts()` in another spot
[rust.git] / compiler / rustc_trait_selection / src / traits / query / normalize.rs
1 //! Code for the 'normalization' query. This consists of a wrapper
2 //! which folds deeply, invoking the underlying
3 //! `normalize_projection_ty` query when it encounters projections.
4
5 use crate::infer::at::At;
6 use crate::infer::canonical::OriginalQueryValues;
7 use crate::infer::{InferCtxt, InferOk};
8 use crate::traits::error_reporting::InferCtxtExt;
9 use crate::traits::{Obligation, ObligationCause, PredicateObligation, Reveal};
10 use rustc_data_structures::sso::SsoHashMap;
11 use rustc_data_structures::stack::ensure_sufficient_stack;
12 use rustc_infer::traits::Normalized;
13 use rustc_middle::ty::fold::{TypeFoldable, TypeFolder};
14 use rustc_middle::ty::subst::Subst;
15 use rustc_middle::ty::{self, Ty, TyCtxt};
16
17 use super::NoSolution;
18
19 pub use rustc_middle::traits::query::NormalizationResult;
20
21 pub trait AtExt<'tcx> {
22     fn normalize<T>(&self, value: T) -> Result<Normalized<'tcx, T>, NoSolution>
23     where
24         T: TypeFoldable<'tcx>;
25 }
26
27 impl<'cx, 'tcx> AtExt<'tcx> for At<'cx, 'tcx> {
28     /// Normalize `value` in the context of the inference context,
29     /// yielding a resulting type, or an error if `value` cannot be
30     /// normalized. If you don't care about regions, you should prefer
31     /// `normalize_erasing_regions`, which is more efficient.
32     ///
33     /// If the normalization succeeds and is unambiguous, returns back
34     /// the normalized value along with various outlives relations (in
35     /// the form of obligations that must be discharged).
36     ///
37     /// N.B., this will *eventually* be the main means of
38     /// normalizing, but for now should be used only when we actually
39     /// know that normalization will succeed, since error reporting
40     /// and other details are still "under development".
41     fn normalize<T>(&self, value: T) -> Result<Normalized<'tcx, T>, NoSolution>
42     where
43         T: TypeFoldable<'tcx>,
44     {
45         debug!(
46             "normalize::<{}>(value={:?}, param_env={:?})",
47             std::any::type_name::<T>(),
48             value,
49             self.param_env,
50         );
51         if !value.has_projections() {
52             return Ok(Normalized { value: value.clone(), obligations: vec![] });
53         }
54
55         let mut normalizer = QueryNormalizer {
56             infcx: self.infcx,
57             cause: self.cause,
58             param_env: self.param_env,
59             obligations: vec![],
60             error: false,
61             cache: SsoHashMap::new(),
62             anon_depth: 0,
63         };
64
65         let result = value.fold_with(&mut normalizer);
66         debug!(
67             "normalize::<{}>: result={:?} with {} obligations",
68             std::any::type_name::<T>(),
69             result,
70             normalizer.obligations.len(),
71         );
72         debug!(
73             "normalize::<{}>: obligations={:?}",
74             std::any::type_name::<T>(),
75             normalizer.obligations,
76         );
77         if normalizer.error {
78             Err(NoSolution)
79         } else {
80             Ok(Normalized { value: result, obligations: normalizer.obligations })
81         }
82     }
83 }
84
85 struct QueryNormalizer<'cx, 'tcx> {
86     infcx: &'cx InferCtxt<'cx, 'tcx>,
87     cause: &'cx ObligationCause<'tcx>,
88     param_env: ty::ParamEnv<'tcx>,
89     obligations: Vec<PredicateObligation<'tcx>>,
90     cache: SsoHashMap<Ty<'tcx>, Ty<'tcx>>,
91     error: bool,
92     anon_depth: usize,
93 }
94
95 impl<'cx, 'tcx> TypeFolder<'tcx> for QueryNormalizer<'cx, 'tcx> {
96     fn tcx<'c>(&'c self) -> TyCtxt<'tcx> {
97         self.infcx.tcx
98     }
99
100     #[instrument(skip(self))]
101     fn fold_ty(&mut self, ty: Ty<'tcx>) -> Ty<'tcx> {
102         if !ty.has_projections() {
103             return ty;
104         }
105
106         if let Some(ty) = self.cache.get(&ty) {
107             return ty;
108         }
109
110         let ty = ty.super_fold_with(self);
111         let res = (|| match *ty.kind() {
112             ty::Opaque(def_id, substs) if !substs.has_escaping_bound_vars() => {
113                 // Only normalize `impl Trait` after type-checking, usually in codegen.
114                 match self.param_env.reveal() {
115                     Reveal::UserFacing => ty,
116
117                     Reveal::All => {
118                         let recursion_limit = self.tcx().sess.recursion_limit();
119                         if !recursion_limit.value_within_limit(self.anon_depth) {
120                             let obligation = Obligation::with_depth(
121                                 self.cause.clone(),
122                                 recursion_limit.0,
123                                 self.param_env,
124                                 ty,
125                             );
126                             self.infcx.report_overflow_error(&obligation, true);
127                         }
128
129                         let generic_ty = self.tcx().type_of(def_id);
130                         let concrete_ty = generic_ty.subst(self.tcx(), substs);
131                         self.anon_depth += 1;
132                         if concrete_ty == ty {
133                             bug!(
134                                 "infinite recursion generic_ty: {:#?}, substs: {:#?}, \
135                                  concrete_ty: {:#?}, ty: {:#?}",
136                                 generic_ty,
137                                 substs,
138                                 concrete_ty,
139                                 ty
140                             );
141                         }
142                         let folded_ty = ensure_sufficient_stack(|| self.fold_ty(concrete_ty));
143                         self.anon_depth -= 1;
144                         folded_ty
145                     }
146                 }
147             }
148
149             ty::Projection(data) if !data.has_escaping_bound_vars() => {
150                 // This is kind of hacky -- we need to be able to
151                 // handle normalization within binders because
152                 // otherwise we wind up a need to normalize when doing
153                 // trait matching (since you can have a trait
154                 // obligation like `for<'a> T::B: Fn(&'a i32)`), but
155                 // we can't normalize with bound regions in scope. So
156                 // far now we just ignore binders but only normalize
157                 // if all bound regions are gone (and then we still
158                 // have to renormalize whenever we instantiate a
159                 // binder). It would be better to normalize in a
160                 // binding-aware fashion.
161
162                 let tcx = self.infcx.tcx;
163
164                 let mut orig_values = OriginalQueryValues::default();
165                 // HACK(matthewjasper) `'static` is special-cased in selection,
166                 // so we cannot canonicalize it.
167                 let c_data = self
168                     .infcx
169                     .canonicalize_hr_query_hack(self.param_env.and(data), &mut orig_values);
170                 debug!("QueryNormalizer: c_data = {:#?}", c_data);
171                 debug!("QueryNormalizer: orig_values = {:#?}", orig_values);
172                 match tcx.normalize_projection_ty(c_data) {
173                     Ok(result) => {
174                         // We don't expect ambiguity.
175                         if result.is_ambiguous() {
176                             self.error = true;
177                             return ty;
178                         }
179
180                         match self.infcx.instantiate_query_response_and_region_obligations(
181                             self.cause,
182                             self.param_env,
183                             &orig_values,
184                             result,
185                         ) {
186                             Ok(InferOk { value: result, obligations }) => {
187                                 debug!("QueryNormalizer: result = {:#?}", result);
188                                 debug!("QueryNormalizer: obligations = {:#?}", obligations);
189                                 self.obligations.extend(obligations);
190                                 result.normalized_ty
191                             }
192
193                             Err(_) => {
194                                 self.error = true;
195                                 ty
196                             }
197                         }
198                     }
199
200                     Err(NoSolution) => {
201                         self.error = true;
202                         ty
203                     }
204                 }
205             }
206
207             _ => ty,
208         })();
209         self.cache.insert(ty, res);
210         res
211     }
212
213     fn fold_const(&mut self, constant: &'tcx ty::Const<'tcx>) -> &'tcx ty::Const<'tcx> {
214         let constant = constant.super_fold_with(self);
215         constant.eval(self.infcx.tcx, self.param_env)
216     }
217 }