]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_trait_selection/src/traits/project.rs
Rollup merge of #91938 - yaahc:error-reporter, r=m-ou-se
[rust.git] / compiler / rustc_trait_selection / src / traits / project.rs
1 //! Code for projecting associated types out of trait references.
2
3 use super::specialization_graph;
4 use super::translate_substs;
5 use super::util;
6 use super::MismatchedProjectionTypes;
7 use super::Obligation;
8 use super::ObligationCause;
9 use super::PredicateObligation;
10 use super::Selection;
11 use super::SelectionContext;
12 use super::SelectionError;
13 use super::{
14     ImplSourceClosureData, ImplSourceDiscriminantKindData, ImplSourceFnPointerData,
15     ImplSourceGeneratorData, ImplSourcePointeeData, ImplSourceUserDefinedData,
16 };
17 use super::{Normalized, NormalizedTy, ProjectionCacheEntry, ProjectionCacheKey};
18
19 use crate::infer::type_variable::{TypeVariableOrigin, TypeVariableOriginKind};
20 use crate::infer::{InferCtxt, InferOk, LateBoundRegionConversionTime};
21 use crate::traits::error_reporting::InferCtxtExt as _;
22 use rustc_data_structures::sso::SsoHashSet;
23 use rustc_data_structures::stack::ensure_sufficient_stack;
24 use rustc_errors::ErrorReported;
25 use rustc_hir::def_id::DefId;
26 use rustc_hir::lang_items::LangItem;
27 use rustc_infer::infer::resolve::OpportunisticRegionResolver;
28 use rustc_middle::ty::fold::{TypeFoldable, TypeFolder};
29 use rustc_middle::ty::subst::Subst;
30 use rustc_middle::ty::{self, ToPredicate, Ty, TyCtxt};
31 use rustc_span::symbol::sym;
32
33 use std::collections::BTreeMap;
34
35 pub use rustc_middle::traits::Reveal;
36
37 pub type PolyProjectionObligation<'tcx> = Obligation<'tcx, ty::PolyProjectionPredicate<'tcx>>;
38
39 pub type ProjectionObligation<'tcx> = Obligation<'tcx, ty::ProjectionPredicate<'tcx>>;
40
41 pub type ProjectionTyObligation<'tcx> = Obligation<'tcx, ty::ProjectionTy<'tcx>>;
42
43 pub(super) struct InProgress;
44
45 /// When attempting to resolve `<T as TraitRef>::Name` ...
46 #[derive(Debug)]
47 pub enum ProjectionTyError<'tcx> {
48     /// ...we found multiple sources of information and couldn't resolve the ambiguity.
49     TooManyCandidates,
50
51     /// ...an error occurred matching `T : TraitRef`
52     TraitSelectionError(SelectionError<'tcx>),
53 }
54
55 #[derive(PartialEq, Eq, Debug)]
56 enum ProjectionTyCandidate<'tcx> {
57     /// From a where-clause in the env or object type
58     ParamEnv(ty::PolyProjectionPredicate<'tcx>),
59
60     /// From the definition of `Trait` when you have something like <<A as Trait>::B as Trait2>::C
61     TraitDef(ty::PolyProjectionPredicate<'tcx>),
62
63     /// Bounds specified on an object type
64     Object(ty::PolyProjectionPredicate<'tcx>),
65
66     /// From an "impl" (or a "pseudo-impl" returned by select)
67     Select(Selection<'tcx>),
68 }
69
70 enum ProjectionTyCandidateSet<'tcx> {
71     None,
72     Single(ProjectionTyCandidate<'tcx>),
73     Ambiguous,
74     Error(SelectionError<'tcx>),
75 }
76
77 impl<'tcx> ProjectionTyCandidateSet<'tcx> {
78     fn mark_ambiguous(&mut self) {
79         *self = ProjectionTyCandidateSet::Ambiguous;
80     }
81
82     fn mark_error(&mut self, err: SelectionError<'tcx>) {
83         *self = ProjectionTyCandidateSet::Error(err);
84     }
85
86     // Returns true if the push was successful, or false if the candidate
87     // was discarded -- this could be because of ambiguity, or because
88     // a higher-priority candidate is already there.
89     fn push_candidate(&mut self, candidate: ProjectionTyCandidate<'tcx>) -> bool {
90         use self::ProjectionTyCandidate::*;
91         use self::ProjectionTyCandidateSet::*;
92
93         // This wacky variable is just used to try and
94         // make code readable and avoid confusing paths.
95         // It is assigned a "value" of `()` only on those
96         // paths in which we wish to convert `*self` to
97         // ambiguous (and return false, because the candidate
98         // was not used). On other paths, it is not assigned,
99         // and hence if those paths *could* reach the code that
100         // comes after the match, this fn would not compile.
101         let convert_to_ambiguous;
102
103         match self {
104             None => {
105                 *self = Single(candidate);
106                 return true;
107             }
108
109             Single(current) => {
110                 // Duplicates can happen inside ParamEnv. In the case, we
111                 // perform a lazy deduplication.
112                 if current == &candidate {
113                     return false;
114                 }
115
116                 // Prefer where-clauses. As in select, if there are multiple
117                 // candidates, we prefer where-clause candidates over impls.  This
118                 // may seem a bit surprising, since impls are the source of
119                 // "truth" in some sense, but in fact some of the impls that SEEM
120                 // applicable are not, because of nested obligations. Where
121                 // clauses are the safer choice. See the comment on
122                 // `select::SelectionCandidate` and #21974 for more details.
123                 match (current, candidate) {
124                     (ParamEnv(..), ParamEnv(..)) => convert_to_ambiguous = (),
125                     (ParamEnv(..), _) => return false,
126                     (_, ParamEnv(..)) => unreachable!(),
127                     (_, _) => convert_to_ambiguous = (),
128                 }
129             }
130
131             Ambiguous | Error(..) => {
132                 return false;
133             }
134         }
135
136         // We only ever get here when we moved from a single candidate
137         // to ambiguous.
138         let () = convert_to_ambiguous;
139         *self = Ambiguous;
140         false
141     }
142 }
143
144 /// Evaluates constraints of the form:
145 ///
146 ///     for<...> <T as Trait>::U == V
147 ///
148 /// If successful, this may result in additional obligations. Also returns
149 /// the projection cache key used to track these additional obligations.
150 ///
151 /// ## Returns
152 ///
153 /// - `Err(_)`: the projection can be normalized, but is not equal to the
154 ///   expected type.
155 /// - `Ok(Err(InProgress))`: this is called recursively while normalizing
156 ///   the same projection.
157 /// - `Ok(Ok(None))`: The projection cannot be normalized due to ambiguity
158 ///   (resolving some inference variables in the projection may fix this).
159 /// - `Ok(Ok(Some(obligations)))`: The projection bound holds subject to
160 ///    the given obligations. If the projection cannot be normalized because
161 ///    the required trait bound doesn't hold this returned with `obligations`
162 ///    being a predicate that cannot be proven.
163 #[instrument(level = "debug", skip(selcx))]
164 pub(super) fn poly_project_and_unify_type<'cx, 'tcx>(
165     selcx: &mut SelectionContext<'cx, 'tcx>,
166     obligation: &PolyProjectionObligation<'tcx>,
167 ) -> Result<
168     Result<Option<Vec<PredicateObligation<'tcx>>>, InProgress>,
169     MismatchedProjectionTypes<'tcx>,
170 > {
171     let infcx = selcx.infcx();
172     infcx.commit_if_ok(|_snapshot| {
173         let placeholder_predicate =
174             infcx.replace_bound_vars_with_placeholders(obligation.predicate);
175
176         let placeholder_obligation = obligation.with(placeholder_predicate);
177         let result = project_and_unify_type(selcx, &placeholder_obligation)?;
178         Ok(result)
179     })
180 }
181
182 /// Evaluates constraints of the form:
183 ///
184 ///     <T as Trait>::U == V
185 ///
186 /// If successful, this may result in additional obligations.
187 ///
188 /// See [poly_project_and_unify_type] for an explanation of the return value.
189 fn project_and_unify_type<'cx, 'tcx>(
190     selcx: &mut SelectionContext<'cx, 'tcx>,
191     obligation: &ProjectionObligation<'tcx>,
192 ) -> Result<
193     Result<Option<Vec<PredicateObligation<'tcx>>>, InProgress>,
194     MismatchedProjectionTypes<'tcx>,
195 > {
196     debug!(?obligation, "project_and_unify_type");
197
198     let mut obligations = vec![];
199     let normalized_ty = match opt_normalize_projection_type(
200         selcx,
201         obligation.param_env,
202         obligation.predicate.projection_ty,
203         obligation.cause.clone(),
204         obligation.recursion_depth,
205         &mut obligations,
206     ) {
207         Ok(Some(n)) => n,
208         Ok(None) => return Ok(Ok(None)),
209         Err(InProgress) => return Ok(Err(InProgress)),
210     };
211
212     debug!(?normalized_ty, ?obligations, "project_and_unify_type result");
213
214     let infcx = selcx.infcx();
215     match infcx
216         .at(&obligation.cause, obligation.param_env)
217         .eq(normalized_ty, obligation.predicate.ty)
218     {
219         Ok(InferOk { obligations: inferred_obligations, value: () }) => {
220             obligations.extend(inferred_obligations);
221             Ok(Ok(Some(obligations)))
222         }
223         Err(err) => {
224             debug!("project_and_unify_type: equating types encountered error {:?}", err);
225             Err(MismatchedProjectionTypes { err })
226         }
227     }
228 }
229
230 /// Normalizes any associated type projections in `value`, replacing
231 /// them with a fully resolved type where possible. The return value
232 /// combines the normalized result and any additional obligations that
233 /// were incurred as result.
234 pub fn normalize<'a, 'b, 'tcx, T>(
235     selcx: &'a mut SelectionContext<'b, 'tcx>,
236     param_env: ty::ParamEnv<'tcx>,
237     cause: ObligationCause<'tcx>,
238     value: T,
239 ) -> Normalized<'tcx, T>
240 where
241     T: TypeFoldable<'tcx>,
242 {
243     let mut obligations = Vec::new();
244     let value = normalize_to(selcx, param_env, cause, value, &mut obligations);
245     Normalized { value, obligations }
246 }
247
248 pub fn normalize_to<'a, 'b, 'tcx, T>(
249     selcx: &'a mut SelectionContext<'b, 'tcx>,
250     param_env: ty::ParamEnv<'tcx>,
251     cause: ObligationCause<'tcx>,
252     value: T,
253     obligations: &mut Vec<PredicateObligation<'tcx>>,
254 ) -> T
255 where
256     T: TypeFoldable<'tcx>,
257 {
258     normalize_with_depth_to(selcx, param_env, cause, 0, value, obligations)
259 }
260
261 /// As `normalize`, but with a custom depth.
262 pub fn normalize_with_depth<'a, 'b, 'tcx, T>(
263     selcx: &'a mut SelectionContext<'b, 'tcx>,
264     param_env: ty::ParamEnv<'tcx>,
265     cause: ObligationCause<'tcx>,
266     depth: usize,
267     value: T,
268 ) -> Normalized<'tcx, T>
269 where
270     T: TypeFoldable<'tcx>,
271 {
272     let mut obligations = Vec::new();
273     let value = normalize_with_depth_to(selcx, param_env, cause, depth, value, &mut obligations);
274     Normalized { value, obligations }
275 }
276
277 #[instrument(level = "info", skip(selcx, param_env, cause, obligations))]
278 pub fn normalize_with_depth_to<'a, 'b, 'tcx, T>(
279     selcx: &'a mut SelectionContext<'b, 'tcx>,
280     param_env: ty::ParamEnv<'tcx>,
281     cause: ObligationCause<'tcx>,
282     depth: usize,
283     value: T,
284     obligations: &mut Vec<PredicateObligation<'tcx>>,
285 ) -> T
286 where
287     T: TypeFoldable<'tcx>,
288 {
289     debug!(obligations.len = obligations.len());
290     let mut normalizer = AssocTypeNormalizer::new(selcx, param_env, cause, depth, obligations);
291     let result = ensure_sufficient_stack(|| normalizer.fold(value));
292     debug!(?result, obligations.len = normalizer.obligations.len());
293     debug!(?normalizer.obligations,);
294     result
295 }
296
297 pub(crate) fn needs_normalization<'tcx, T: TypeFoldable<'tcx>>(value: &T, reveal: Reveal) -> bool {
298     match reveal {
299         Reveal::UserFacing => value
300             .has_type_flags(ty::TypeFlags::HAS_TY_PROJECTION | ty::TypeFlags::HAS_CT_PROJECTION),
301         Reveal::All => value.has_type_flags(
302             ty::TypeFlags::HAS_TY_PROJECTION
303                 | ty::TypeFlags::HAS_TY_OPAQUE
304                 | ty::TypeFlags::HAS_CT_PROJECTION,
305         ),
306     }
307 }
308
309 struct AssocTypeNormalizer<'a, 'b, 'tcx> {
310     selcx: &'a mut SelectionContext<'b, 'tcx>,
311     param_env: ty::ParamEnv<'tcx>,
312     cause: ObligationCause<'tcx>,
313     obligations: &'a mut Vec<PredicateObligation<'tcx>>,
314     depth: usize,
315     universes: Vec<Option<ty::UniverseIndex>>,
316 }
317
318 impl<'a, 'b, 'tcx> AssocTypeNormalizer<'a, 'b, 'tcx> {
319     fn new(
320         selcx: &'a mut SelectionContext<'b, 'tcx>,
321         param_env: ty::ParamEnv<'tcx>,
322         cause: ObligationCause<'tcx>,
323         depth: usize,
324         obligations: &'a mut Vec<PredicateObligation<'tcx>>,
325     ) -> AssocTypeNormalizer<'a, 'b, 'tcx> {
326         AssocTypeNormalizer { selcx, param_env, cause, obligations, depth, universes: vec![] }
327     }
328
329     fn fold<T: TypeFoldable<'tcx>>(&mut self, value: T) -> T {
330         let value = self.selcx.infcx().resolve_vars_if_possible(value);
331         debug!(?value);
332
333         assert!(
334             !value.has_escaping_bound_vars(),
335             "Normalizing {:?} without wrapping in a `Binder`",
336             value
337         );
338
339         if !needs_normalization(&value, self.param_env.reveal()) {
340             value
341         } else {
342             value.fold_with(self)
343         }
344     }
345 }
346
347 impl<'a, 'b, 'tcx> TypeFolder<'tcx> for AssocTypeNormalizer<'a, 'b, 'tcx> {
348     fn tcx<'c>(&'c self) -> TyCtxt<'tcx> {
349         self.selcx.tcx()
350     }
351
352     fn fold_binder<T: TypeFoldable<'tcx>>(
353         &mut self,
354         t: ty::Binder<'tcx, T>,
355     ) -> ty::Binder<'tcx, T> {
356         self.universes.push(None);
357         let t = t.super_fold_with(self);
358         self.universes.pop();
359         t
360     }
361
362     fn fold_ty(&mut self, ty: Ty<'tcx>) -> Ty<'tcx> {
363         if !needs_normalization(&ty, self.param_env.reveal()) {
364             return ty;
365         }
366
367         // We try to be a little clever here as a performance optimization in
368         // cases where there are nested projections under binders.
369         // For example:
370         // ```
371         // for<'a> fn(<T as Foo>::One<'a, Box<dyn Bar<'a, Item=<T as Foo>::Two<'a>>>>)
372         // ```
373         // We normalize the substs on the projection before the projecting, but
374         // if we're naive, we'll
375         //   replace bound vars on inner, project inner, replace placeholders on inner,
376         //   replace bound vars on outer, project outer, replace placeholders on outer
377         //
378         // However, if we're a bit more clever, we can replace the bound vars
379         // on the entire type before normalizing nested projections, meaning we
380         //   replace bound vars on outer, project inner,
381         //   project outer, replace placeholders on outer
382         //
383         // This is possible because the inner `'a` will already be a placeholder
384         // when we need to normalize the inner projection
385         //
386         // On the other hand, this does add a bit of complexity, since we only
387         // replace bound vars if the current type is a `Projection` and we need
388         // to make sure we don't forget to fold the substs regardless.
389
390         match *ty.kind() {
391             // This is really important. While we *can* handle this, this has
392             // severe performance implications for large opaque types with
393             // late-bound regions. See `issue-88862` benchmark.
394             ty::Opaque(def_id, substs) if !substs.has_escaping_bound_vars() => {
395                 // Only normalize `impl Trait` after type-checking, usually in codegen.
396                 match self.param_env.reveal() {
397                     Reveal::UserFacing => ty.super_fold_with(self),
398
399                     Reveal::All => {
400                         let recursion_limit = self.tcx().recursion_limit();
401                         if !recursion_limit.value_within_limit(self.depth) {
402                             let obligation = Obligation::with_depth(
403                                 self.cause.clone(),
404                                 recursion_limit.0,
405                                 self.param_env,
406                                 ty,
407                             );
408                             self.selcx.infcx().report_overflow_error(&obligation, true);
409                         }
410
411                         let substs = substs.super_fold_with(self);
412                         let generic_ty = self.tcx().type_of(def_id);
413                         let concrete_ty = generic_ty.subst(self.tcx(), substs);
414                         self.depth += 1;
415                         let folded_ty = self.fold_ty(concrete_ty);
416                         self.depth -= 1;
417                         folded_ty
418                     }
419                 }
420             }
421
422             ty::Projection(data) if !data.has_escaping_bound_vars() => {
423                 // This branch is *mostly* just an optimization: when we don't
424                 // have escaping bound vars, we don't need to replace them with
425                 // placeholders (see branch below). *Also*, we know that we can
426                 // register an obligation to *later* project, since we know
427                 // there won't be bound vars there.
428
429                 let data = data.super_fold_with(self);
430                 let normalized_ty = normalize_projection_type(
431                     self.selcx,
432                     self.param_env,
433                     data,
434                     self.cause.clone(),
435                     self.depth,
436                     &mut self.obligations,
437                 );
438                 debug!(
439                     ?self.depth,
440                     ?ty,
441                     ?normalized_ty,
442                     obligations.len = ?self.obligations.len(),
443                     "AssocTypeNormalizer: normalized type"
444                 );
445                 normalized_ty
446             }
447
448             ty::Projection(data) => {
449                 // If there are escaping bound vars, we temporarily replace the
450                 // bound vars with placeholders. Note though, that in the case
451                 // that we still can't project for whatever reason (e.g. self
452                 // type isn't known enough), we *can't* register an obligation
453                 // and return an inference variable (since then that obligation
454                 // would have bound vars and that's a can of worms). Instead,
455                 // we just give up and fall back to pretending like we never tried!
456                 //
457                 // Note: this isn't necessarily the final approach here; we may
458                 // want to figure out how to register obligations with escaping vars
459                 // or handle this some other way.
460
461                 let infcx = self.selcx.infcx();
462                 let (data, mapped_regions, mapped_types, mapped_consts) =
463                     BoundVarReplacer::replace_bound_vars(infcx, &mut self.universes, data);
464                 let data = data.super_fold_with(self);
465                 let normalized_ty = opt_normalize_projection_type(
466                     self.selcx,
467                     self.param_env,
468                     data,
469                     self.cause.clone(),
470                     self.depth,
471                     &mut self.obligations,
472                 )
473                 .ok()
474                 .flatten()
475                 .map(|normalized_ty| {
476                     PlaceholderReplacer::replace_placeholders(
477                         infcx,
478                         mapped_regions,
479                         mapped_types,
480                         mapped_consts,
481                         &self.universes,
482                         normalized_ty,
483                     )
484                 })
485                 .unwrap_or_else(|| ty.super_fold_with(self));
486
487                 debug!(
488                     ?self.depth,
489                     ?ty,
490                     ?normalized_ty,
491                     obligations.len = ?self.obligations.len(),
492                     "AssocTypeNormalizer: normalized type"
493                 );
494                 normalized_ty
495             }
496
497             _ => ty.super_fold_with(self),
498         }
499     }
500
501     fn fold_const(&mut self, constant: &'tcx ty::Const<'tcx>) -> &'tcx ty::Const<'tcx> {
502         if self.selcx.tcx().lazy_normalization() {
503             constant
504         } else {
505             let constant = constant.super_fold_with(self);
506             constant.eval(self.selcx.tcx(), self.param_env)
507         }
508     }
509 }
510
511 pub struct BoundVarReplacer<'me, 'tcx> {
512     infcx: &'me InferCtxt<'me, 'tcx>,
513     // These three maps track the bound variable that were replaced by placeholders. It might be
514     // nice to remove these since we already have the `kind` in the placeholder; we really just need
515     // the `var` (but we *could* bring that into scope if we were to track them as we pass them).
516     mapped_regions: BTreeMap<ty::PlaceholderRegion, ty::BoundRegion>,
517     mapped_types: BTreeMap<ty::PlaceholderType, ty::BoundTy>,
518     mapped_consts: BTreeMap<ty::PlaceholderConst<'tcx>, ty::BoundVar>,
519     // The current depth relative to *this* folding, *not* the entire normalization. In other words,
520     // the depth of binders we've passed here.
521     current_index: ty::DebruijnIndex,
522     // The `UniverseIndex` of the binding levels above us. These are optional, since we are lazy:
523     // we don't actually create a universe until we see a bound var we have to replace.
524     universe_indices: &'me mut Vec<Option<ty::UniverseIndex>>,
525 }
526
527 impl<'me, 'tcx> BoundVarReplacer<'me, 'tcx> {
528     /// Returns `Some` if we *were* able to replace bound vars. If there are any bound vars that
529     /// use a binding level above `universe_indices.len()`, we fail.
530     pub fn replace_bound_vars<T: TypeFoldable<'tcx>>(
531         infcx: &'me InferCtxt<'me, 'tcx>,
532         universe_indices: &'me mut Vec<Option<ty::UniverseIndex>>,
533         value: T,
534     ) -> (
535         T,
536         BTreeMap<ty::PlaceholderRegion, ty::BoundRegion>,
537         BTreeMap<ty::PlaceholderType, ty::BoundTy>,
538         BTreeMap<ty::PlaceholderConst<'tcx>, ty::BoundVar>,
539     ) {
540         let mapped_regions: BTreeMap<ty::PlaceholderRegion, ty::BoundRegion> = BTreeMap::new();
541         let mapped_types: BTreeMap<ty::PlaceholderType, ty::BoundTy> = BTreeMap::new();
542         let mapped_consts: BTreeMap<ty::PlaceholderConst<'tcx>, ty::BoundVar> = BTreeMap::new();
543
544         let mut replacer = BoundVarReplacer {
545             infcx,
546             mapped_regions,
547             mapped_types,
548             mapped_consts,
549             current_index: ty::INNERMOST,
550             universe_indices,
551         };
552
553         let value = value.super_fold_with(&mut replacer);
554
555         (value, replacer.mapped_regions, replacer.mapped_types, replacer.mapped_consts)
556     }
557
558     fn universe_for(&mut self, debruijn: ty::DebruijnIndex) -> ty::UniverseIndex {
559         let infcx = self.infcx;
560         let index =
561             self.universe_indices.len() + self.current_index.as_usize() - debruijn.as_usize() - 1;
562         let universe = self.universe_indices[index].unwrap_or_else(|| {
563             for i in self.universe_indices.iter_mut().take(index + 1) {
564                 *i = i.or_else(|| Some(infcx.create_next_universe()))
565             }
566             self.universe_indices[index].unwrap()
567         });
568         universe
569     }
570 }
571
572 impl<'tcx> TypeFolder<'tcx> for BoundVarReplacer<'_, 'tcx> {
573     fn tcx<'b>(&'b self) -> TyCtxt<'tcx> {
574         self.infcx.tcx
575     }
576
577     fn fold_binder<T: TypeFoldable<'tcx>>(
578         &mut self,
579         t: ty::Binder<'tcx, T>,
580     ) -> ty::Binder<'tcx, T> {
581         self.current_index.shift_in(1);
582         let t = t.super_fold_with(self);
583         self.current_index.shift_out(1);
584         t
585     }
586
587     fn fold_region(&mut self, r: ty::Region<'tcx>) -> ty::Region<'tcx> {
588         match *r {
589             ty::ReLateBound(debruijn, _)
590                 if debruijn.as_usize() + 1
591                     > self.current_index.as_usize() + self.universe_indices.len() =>
592             {
593                 bug!("Bound vars outside of `self.universe_indices`");
594             }
595             ty::ReLateBound(debruijn, br) if debruijn >= self.current_index => {
596                 let universe = self.universe_for(debruijn);
597                 let p = ty::PlaceholderRegion { universe, name: br.kind };
598                 self.mapped_regions.insert(p, br);
599                 self.infcx.tcx.mk_region(ty::RePlaceholder(p))
600             }
601             _ => r,
602         }
603     }
604
605     fn fold_ty(&mut self, t: Ty<'tcx>) -> Ty<'tcx> {
606         match *t.kind() {
607             ty::Bound(debruijn, _)
608                 if debruijn.as_usize() + 1
609                     > self.current_index.as_usize() + self.universe_indices.len() =>
610             {
611                 bug!("Bound vars outside of `self.universe_indices`");
612             }
613             ty::Bound(debruijn, bound_ty) if debruijn >= self.current_index => {
614                 let universe = self.universe_for(debruijn);
615                 let p = ty::PlaceholderType { universe, name: bound_ty.var };
616                 self.mapped_types.insert(p, bound_ty);
617                 self.infcx.tcx.mk_ty(ty::Placeholder(p))
618             }
619             _ if t.has_vars_bound_at_or_above(self.current_index) => t.super_fold_with(self),
620             _ => t,
621         }
622     }
623
624     fn fold_const(&mut self, ct: &'tcx ty::Const<'tcx>) -> &'tcx ty::Const<'tcx> {
625         match *ct {
626             ty::Const { val: ty::ConstKind::Bound(debruijn, _), ty: _ }
627                 if debruijn.as_usize() + 1
628                     > self.current_index.as_usize() + self.universe_indices.len() =>
629             {
630                 bug!("Bound vars outside of `self.universe_indices`");
631             }
632             ty::Const { val: ty::ConstKind::Bound(debruijn, bound_const), ty }
633                 if debruijn >= self.current_index =>
634             {
635                 let universe = self.universe_for(debruijn);
636                 let p = ty::PlaceholderConst {
637                     universe,
638                     name: ty::BoundConst { var: bound_const, ty },
639                 };
640                 self.mapped_consts.insert(p, bound_const);
641                 self.infcx.tcx.mk_const(ty::Const { val: ty::ConstKind::Placeholder(p), ty })
642             }
643             _ if ct.has_vars_bound_at_or_above(self.current_index) => ct.super_fold_with(self),
644             _ => ct,
645         }
646     }
647 }
648
649 // The inverse of `BoundVarReplacer`: replaces placeholders with the bound vars from which they came.
650 pub struct PlaceholderReplacer<'me, 'tcx> {
651     infcx: &'me InferCtxt<'me, 'tcx>,
652     mapped_regions: BTreeMap<ty::PlaceholderRegion, ty::BoundRegion>,
653     mapped_types: BTreeMap<ty::PlaceholderType, ty::BoundTy>,
654     mapped_consts: BTreeMap<ty::PlaceholderConst<'tcx>, ty::BoundVar>,
655     universe_indices: &'me Vec<Option<ty::UniverseIndex>>,
656     current_index: ty::DebruijnIndex,
657 }
658
659 impl<'me, 'tcx> PlaceholderReplacer<'me, 'tcx> {
660     pub fn replace_placeholders<T: TypeFoldable<'tcx>>(
661         infcx: &'me InferCtxt<'me, 'tcx>,
662         mapped_regions: BTreeMap<ty::PlaceholderRegion, ty::BoundRegion>,
663         mapped_types: BTreeMap<ty::PlaceholderType, ty::BoundTy>,
664         mapped_consts: BTreeMap<ty::PlaceholderConst<'tcx>, ty::BoundVar>,
665         universe_indices: &'me Vec<Option<ty::UniverseIndex>>,
666         value: T,
667     ) -> T {
668         let mut replacer = PlaceholderReplacer {
669             infcx,
670             mapped_regions,
671             mapped_types,
672             mapped_consts,
673             universe_indices,
674             current_index: ty::INNERMOST,
675         };
676         value.super_fold_with(&mut replacer)
677     }
678 }
679
680 impl<'tcx> TypeFolder<'tcx> for PlaceholderReplacer<'_, 'tcx> {
681     fn tcx<'b>(&'b self) -> TyCtxt<'tcx> {
682         self.infcx.tcx
683     }
684
685     fn fold_binder<T: TypeFoldable<'tcx>>(
686         &mut self,
687         t: ty::Binder<'tcx, T>,
688     ) -> ty::Binder<'tcx, T> {
689         if !t.has_placeholders() && !t.has_infer_regions() {
690             return t;
691         }
692         self.current_index.shift_in(1);
693         let t = t.super_fold_with(self);
694         self.current_index.shift_out(1);
695         t
696     }
697
698     fn fold_region(&mut self, r0: ty::Region<'tcx>) -> ty::Region<'tcx> {
699         let r1 = match r0 {
700             ty::ReVar(_) => self
701                 .infcx
702                 .inner
703                 .borrow_mut()
704                 .unwrap_region_constraints()
705                 .opportunistic_resolve_region(self.infcx.tcx, r0),
706             _ => r0,
707         };
708
709         let r2 = match *r1 {
710             ty::RePlaceholder(p) => {
711                 let replace_var = self.mapped_regions.get(&p);
712                 match replace_var {
713                     Some(replace_var) => {
714                         let index = self
715                             .universe_indices
716                             .iter()
717                             .position(|u| matches!(u, Some(pu) if *pu == p.universe))
718                             .unwrap_or_else(|| bug!("Unexpected placeholder universe."));
719                         let db = ty::DebruijnIndex::from_usize(
720                             self.universe_indices.len() - index + self.current_index.as_usize() - 1,
721                         );
722                         self.tcx().mk_region(ty::ReLateBound(db, *replace_var))
723                     }
724                     None => r1,
725                 }
726             }
727             _ => r1,
728         };
729
730         debug!(?r0, ?r1, ?r2, "fold_region");
731
732         r2
733     }
734
735     fn fold_ty(&mut self, ty: Ty<'tcx>) -> Ty<'tcx> {
736         match *ty.kind() {
737             ty::Placeholder(p) => {
738                 let replace_var = self.mapped_types.get(&p);
739                 match replace_var {
740                     Some(replace_var) => {
741                         let index = self
742                             .universe_indices
743                             .iter()
744                             .position(|u| matches!(u, Some(pu) if *pu == p.universe))
745                             .unwrap_or_else(|| bug!("Unexpected placeholder universe."));
746                         let db = ty::DebruijnIndex::from_usize(
747                             self.universe_indices.len() - index + self.current_index.as_usize() - 1,
748                         );
749                         self.tcx().mk_ty(ty::Bound(db, *replace_var))
750                     }
751                     None => ty,
752                 }
753             }
754
755             _ if ty.has_placeholders() || ty.has_infer_regions() => ty.super_fold_with(self),
756             _ => ty,
757         }
758     }
759
760     fn fold_const(&mut self, ct: &'tcx ty::Const<'tcx>) -> &'tcx ty::Const<'tcx> {
761         if let ty::Const { val: ty::ConstKind::Placeholder(p), ty } = *ct {
762             let replace_var = self.mapped_consts.get(&p);
763             match replace_var {
764                 Some(replace_var) => {
765                     let index = self
766                         .universe_indices
767                         .iter()
768                         .position(|u| matches!(u, Some(pu) if *pu == p.universe))
769                         .unwrap_or_else(|| bug!("Unexpected placeholder universe."));
770                     let db = ty::DebruijnIndex::from_usize(
771                         self.universe_indices.len() - index + self.current_index.as_usize() - 1,
772                     );
773                     self.tcx()
774                         .mk_const(ty::Const { val: ty::ConstKind::Bound(db, *replace_var), ty })
775                 }
776                 None => ct,
777             }
778         } else {
779             ct.super_fold_with(self)
780         }
781     }
782 }
783
784 /// The guts of `normalize`: normalize a specific projection like `<T
785 /// as Trait>::Item`. The result is always a type (and possibly
786 /// additional obligations). If ambiguity arises, which implies that
787 /// there are unresolved type variables in the projection, we will
788 /// substitute a fresh type variable `$X` and generate a new
789 /// obligation `<T as Trait>::Item == $X` for later.
790 pub fn normalize_projection_type<'a, 'b, 'tcx>(
791     selcx: &'a mut SelectionContext<'b, 'tcx>,
792     param_env: ty::ParamEnv<'tcx>,
793     projection_ty: ty::ProjectionTy<'tcx>,
794     cause: ObligationCause<'tcx>,
795     depth: usize,
796     obligations: &mut Vec<PredicateObligation<'tcx>>,
797 ) -> Ty<'tcx> {
798     opt_normalize_projection_type(
799         selcx,
800         param_env,
801         projection_ty,
802         cause.clone(),
803         depth,
804         obligations,
805     )
806     .ok()
807     .flatten()
808     .unwrap_or_else(move || {
809         // if we bottom out in ambiguity, create a type variable
810         // and a deferred predicate to resolve this when more type
811         // information is available.
812
813         selcx.infcx().infer_projection(param_env, projection_ty, cause, depth + 1, obligations)
814     })
815 }
816
817 /// The guts of `normalize`: normalize a specific projection like `<T
818 /// as Trait>::Item`. The result is always a type (and possibly
819 /// additional obligations). Returns `None` in the case of ambiguity,
820 /// which indicates that there are unbound type variables.
821 ///
822 /// This function used to return `Option<NormalizedTy<'tcx>>`, which contains a
823 /// `Ty<'tcx>` and an obligations vector. But that obligation vector was very
824 /// often immediately appended to another obligations vector. So now this
825 /// function takes an obligations vector and appends to it directly, which is
826 /// slightly uglier but avoids the need for an extra short-lived allocation.
827 #[instrument(level = "debug", skip(selcx, param_env, cause, obligations))]
828 fn opt_normalize_projection_type<'a, 'b, 'tcx>(
829     selcx: &'a mut SelectionContext<'b, 'tcx>,
830     param_env: ty::ParamEnv<'tcx>,
831     projection_ty: ty::ProjectionTy<'tcx>,
832     cause: ObligationCause<'tcx>,
833     depth: usize,
834     obligations: &mut Vec<PredicateObligation<'tcx>>,
835 ) -> Result<Option<Ty<'tcx>>, InProgress> {
836     let infcx = selcx.infcx();
837     // Don't use the projection cache in intercrate mode -
838     // the `infcx` may be re-used between intercrate in non-intercrate
839     // mode, which could lead to using incorrect cache results.
840     let use_cache = !selcx.is_intercrate();
841
842     let projection_ty = infcx.resolve_vars_if_possible(projection_ty);
843     let cache_key = ProjectionCacheKey::new(projection_ty);
844
845     // FIXME(#20304) For now, I am caching here, which is good, but it
846     // means we don't capture the type variables that are created in
847     // the case of ambiguity. Which means we may create a large stream
848     // of such variables. OTOH, if we move the caching up a level, we
849     // would not benefit from caching when proving `T: Trait<U=Foo>`
850     // bounds. It might be the case that we want two distinct caches,
851     // or else another kind of cache entry.
852
853     let cache_result = if use_cache {
854         infcx.inner.borrow_mut().projection_cache().try_start(cache_key)
855     } else {
856         Ok(())
857     };
858     match cache_result {
859         Ok(()) => debug!("no cache"),
860         Err(ProjectionCacheEntry::Ambiguous) => {
861             // If we found ambiguity the last time, that means we will continue
862             // to do so until some type in the key changes (and we know it
863             // hasn't, because we just fully resolved it).
864             debug!("found cache entry: ambiguous");
865             return Ok(None);
866         }
867         Err(ProjectionCacheEntry::InProgress) => {
868             // Under lazy normalization, this can arise when
869             // bootstrapping.  That is, imagine an environment with a
870             // where-clause like `A::B == u32`. Now, if we are asked
871             // to normalize `A::B`, we will want to check the
872             // where-clauses in scope. So we will try to unify `A::B`
873             // with `A::B`, which can trigger a recursive
874             // normalization.
875
876             debug!("found cache entry: in-progress");
877
878             // Cache that normalizing this projection resulted in a cycle. This
879             // should ensure that, unless this happens within a snapshot that's
880             // rolled back, fulfillment or evaluation will notice the cycle.
881
882             if use_cache {
883                 infcx.inner.borrow_mut().projection_cache().recur(cache_key);
884             }
885             return Err(InProgress);
886         }
887         Err(ProjectionCacheEntry::Recur) => {
888             debug!("recur cache");
889             return Err(InProgress);
890         }
891         Err(ProjectionCacheEntry::NormalizedTy { ty, complete: _ }) => {
892             // This is the hottest path in this function.
893             //
894             // If we find the value in the cache, then return it along
895             // with the obligations that went along with it. Note
896             // that, when using a fulfillment context, these
897             // obligations could in principle be ignored: they have
898             // already been registered when the cache entry was
899             // created (and hence the new ones will quickly be
900             // discarded as duplicated). But when doing trait
901             // evaluation this is not the case, and dropping the trait
902             // evaluations can causes ICEs (e.g., #43132).
903             debug!(?ty, "found normalized ty");
904             obligations.extend(ty.obligations);
905             return Ok(Some(ty.value));
906         }
907         Err(ProjectionCacheEntry::Error) => {
908             debug!("opt_normalize_projection_type: found error");
909             let result = normalize_to_error(selcx, param_env, projection_ty, cause, depth);
910             obligations.extend(result.obligations);
911             return Ok(Some(result.value));
912         }
913     }
914
915     let obligation = Obligation::with_depth(cause.clone(), depth, param_env, projection_ty);
916
917     match project_type(selcx, &obligation) {
918         Ok(ProjectedTy::Progress(Progress {
919             ty: projected_ty,
920             obligations: mut projected_obligations,
921         })) => {
922             // if projection succeeded, then what we get out of this
923             // is also non-normalized (consider: it was derived from
924             // an impl, where-clause etc) and hence we must
925             // re-normalize it
926
927             let projected_ty = selcx.infcx().resolve_vars_if_possible(projected_ty);
928             debug!(?projected_ty, ?depth, ?projected_obligations);
929
930             let mut result = if projected_ty.has_projections() {
931                 let mut normalizer = AssocTypeNormalizer::new(
932                     selcx,
933                     param_env,
934                     cause,
935                     depth + 1,
936                     &mut projected_obligations,
937                 );
938                 let normalized_ty = normalizer.fold(projected_ty);
939
940                 debug!(?normalized_ty, ?depth);
941
942                 Normalized { value: normalized_ty, obligations: projected_obligations }
943             } else {
944                 Normalized { value: projected_ty, obligations: projected_obligations }
945             };
946
947             let mut deduped: SsoHashSet<_> = Default::default();
948             result.obligations.drain_filter(|projected_obligation| {
949                 if !deduped.insert(projected_obligation.clone()) {
950                     return true;
951                 }
952                 false
953             });
954
955             if use_cache {
956                 infcx.inner.borrow_mut().projection_cache().insert_ty(cache_key, result.clone());
957             }
958             obligations.extend(result.obligations);
959             Ok(Some(result.value))
960         }
961         Ok(ProjectedTy::NoProgress(projected_ty)) => {
962             debug!(?projected_ty, "opt_normalize_projection_type: no progress");
963             let result = Normalized { value: projected_ty, obligations: vec![] };
964             if use_cache {
965                 infcx.inner.borrow_mut().projection_cache().insert_ty(cache_key, result.clone());
966             }
967             // No need to extend `obligations`.
968             Ok(Some(result.value))
969         }
970         Err(ProjectionTyError::TooManyCandidates) => {
971             debug!("opt_normalize_projection_type: too many candidates");
972             if use_cache {
973                 infcx.inner.borrow_mut().projection_cache().ambiguous(cache_key);
974             }
975             Ok(None)
976         }
977         Err(ProjectionTyError::TraitSelectionError(_)) => {
978             debug!("opt_normalize_projection_type: ERROR");
979             // if we got an error processing the `T as Trait` part,
980             // just return `ty::err` but add the obligation `T :
981             // Trait`, which when processed will cause the error to be
982             // reported later
983
984             if use_cache {
985                 infcx.inner.borrow_mut().projection_cache().error(cache_key);
986             }
987             let result = normalize_to_error(selcx, param_env, projection_ty, cause, depth);
988             obligations.extend(result.obligations);
989             Ok(Some(result.value))
990         }
991     }
992 }
993
994 /// If we are projecting `<T as Trait>::Item`, but `T: Trait` does not
995 /// hold. In various error cases, we cannot generate a valid
996 /// normalized projection. Therefore, we create an inference variable
997 /// return an associated obligation that, when fulfilled, will lead to
998 /// an error.
999 ///
1000 /// Note that we used to return `Error` here, but that was quite
1001 /// dubious -- the premise was that an error would *eventually* be
1002 /// reported, when the obligation was processed. But in general once
1003 /// you see an `Error` you are supposed to be able to assume that an
1004 /// error *has been* reported, so that you can take whatever heuristic
1005 /// paths you want to take. To make things worse, it was possible for
1006 /// cycles to arise, where you basically had a setup like `<MyType<$0>
1007 /// as Trait>::Foo == $0`. Here, normalizing `<MyType<$0> as
1008 /// Trait>::Foo> to `[type error]` would lead to an obligation of
1009 /// `<MyType<[type error]> as Trait>::Foo`. We are supposed to report
1010 /// an error for this obligation, but we legitimately should not,
1011 /// because it contains `[type error]`. Yuck! (See issue #29857 for
1012 /// one case where this arose.)
1013 fn normalize_to_error<'a, 'tcx>(
1014     selcx: &mut SelectionContext<'a, 'tcx>,
1015     param_env: ty::ParamEnv<'tcx>,
1016     projection_ty: ty::ProjectionTy<'tcx>,
1017     cause: ObligationCause<'tcx>,
1018     depth: usize,
1019 ) -> NormalizedTy<'tcx> {
1020     let trait_ref = ty::Binder::dummy(projection_ty.trait_ref(selcx.tcx()));
1021     let trait_obligation = Obligation {
1022         cause,
1023         recursion_depth: depth,
1024         param_env,
1025         predicate: trait_ref.without_const().to_predicate(selcx.tcx()),
1026     };
1027     let tcx = selcx.infcx().tcx;
1028     let def_id = projection_ty.item_def_id;
1029     let new_value = selcx.infcx().next_ty_var(TypeVariableOrigin {
1030         kind: TypeVariableOriginKind::NormalizeProjectionType,
1031         span: tcx.def_span(def_id),
1032     });
1033     Normalized { value: new_value, obligations: vec![trait_obligation] }
1034 }
1035
1036 enum ProjectedTy<'tcx> {
1037     Progress(Progress<'tcx>),
1038     NoProgress(Ty<'tcx>),
1039 }
1040
1041 struct Progress<'tcx> {
1042     ty: Ty<'tcx>,
1043     obligations: Vec<PredicateObligation<'tcx>>,
1044 }
1045
1046 impl<'tcx> Progress<'tcx> {
1047     fn error(tcx: TyCtxt<'tcx>) -> Self {
1048         Progress { ty: tcx.ty_error(), obligations: vec![] }
1049     }
1050
1051     fn with_addl_obligations(mut self, mut obligations: Vec<PredicateObligation<'tcx>>) -> Self {
1052         debug!(
1053             self.obligations.len = ?self.obligations.len(),
1054             obligations.len = obligations.len(),
1055             "with_addl_obligations"
1056         );
1057
1058         debug!(?self.obligations, ?obligations, "with_addl_obligations");
1059
1060         self.obligations.append(&mut obligations);
1061         self
1062     }
1063 }
1064
1065 /// Computes the result of a projection type (if we can).
1066 ///
1067 /// IMPORTANT:
1068 /// - `obligation` must be fully normalized
1069 #[tracing::instrument(level = "info", skip(selcx))]
1070 fn project_type<'cx, 'tcx>(
1071     selcx: &mut SelectionContext<'cx, 'tcx>,
1072     obligation: &ProjectionTyObligation<'tcx>,
1073 ) -> Result<ProjectedTy<'tcx>, ProjectionTyError<'tcx>> {
1074     if !selcx.tcx().recursion_limit().value_within_limit(obligation.recursion_depth) {
1075         debug!("project: overflow!");
1076         // This should really be an immediate error, but some existing code
1077         // relies on being able to recover from this.
1078         return Err(ProjectionTyError::TraitSelectionError(SelectionError::Overflow));
1079     }
1080
1081     if obligation.predicate.references_error() {
1082         return Ok(ProjectedTy::Progress(Progress::error(selcx.tcx())));
1083     }
1084
1085     let mut candidates = ProjectionTyCandidateSet::None;
1086
1087     // Make sure that the following procedures are kept in order. ParamEnv
1088     // needs to be first because it has highest priority, and Select checks
1089     // the return value of push_candidate which assumes it's ran at last.
1090     assemble_candidates_from_param_env(selcx, obligation, &mut candidates);
1091
1092     assemble_candidates_from_trait_def(selcx, obligation, &mut candidates);
1093
1094     assemble_candidates_from_object_ty(selcx, obligation, &mut candidates);
1095
1096     if let ProjectionTyCandidateSet::Single(ProjectionTyCandidate::Object(_)) = candidates {
1097         // Avoid normalization cycle from selection (see
1098         // `assemble_candidates_from_object_ty`).
1099         // FIXME(lazy_normalization): Lazy normalization should save us from
1100         // having to special case this.
1101     } else {
1102         assemble_candidates_from_impls(selcx, obligation, &mut candidates);
1103     };
1104
1105     match candidates {
1106         ProjectionTyCandidateSet::Single(candidate) => {
1107             Ok(ProjectedTy::Progress(confirm_candidate(selcx, obligation, candidate)))
1108         }
1109         ProjectionTyCandidateSet::None => Ok(ProjectedTy::NoProgress(
1110             selcx
1111                 .tcx()
1112                 .mk_projection(obligation.predicate.item_def_id, obligation.predicate.substs),
1113         )),
1114         // Error occurred while trying to processing impls.
1115         ProjectionTyCandidateSet::Error(e) => Err(ProjectionTyError::TraitSelectionError(e)),
1116         // Inherent ambiguity that prevents us from even enumerating the
1117         // candidates.
1118         ProjectionTyCandidateSet::Ambiguous => Err(ProjectionTyError::TooManyCandidates),
1119     }
1120 }
1121
1122 /// The first thing we have to do is scan through the parameter
1123 /// environment to see whether there are any projection predicates
1124 /// there that can answer this question.
1125 fn assemble_candidates_from_param_env<'cx, 'tcx>(
1126     selcx: &mut SelectionContext<'cx, 'tcx>,
1127     obligation: &ProjectionTyObligation<'tcx>,
1128     candidate_set: &mut ProjectionTyCandidateSet<'tcx>,
1129 ) {
1130     debug!("assemble_candidates_from_param_env(..)");
1131     assemble_candidates_from_predicates(
1132         selcx,
1133         obligation,
1134         candidate_set,
1135         ProjectionTyCandidate::ParamEnv,
1136         obligation.param_env.caller_bounds().iter(),
1137         false,
1138     );
1139 }
1140
1141 /// In the case of a nested projection like <<A as Foo>::FooT as Bar>::BarT, we may find
1142 /// that the definition of `Foo` has some clues:
1143 ///
1144 /// ```
1145 /// trait Foo {
1146 ///     type FooT : Bar<BarT=i32>
1147 /// }
1148 /// ```
1149 ///
1150 /// Here, for example, we could conclude that the result is `i32`.
1151 fn assemble_candidates_from_trait_def<'cx, 'tcx>(
1152     selcx: &mut SelectionContext<'cx, 'tcx>,
1153     obligation: &ProjectionTyObligation<'tcx>,
1154     candidate_set: &mut ProjectionTyCandidateSet<'tcx>,
1155 ) {
1156     debug!("assemble_candidates_from_trait_def(..)");
1157
1158     let tcx = selcx.tcx();
1159     // Check whether the self-type is itself a projection.
1160     // If so, extract what we know from the trait and try to come up with a good answer.
1161     let bounds = match *obligation.predicate.self_ty().kind() {
1162         ty::Projection(ref data) => tcx.item_bounds(data.item_def_id).subst(tcx, data.substs),
1163         ty::Opaque(def_id, substs) => tcx.item_bounds(def_id).subst(tcx, substs),
1164         ty::Infer(ty::TyVar(_)) => {
1165             // If the self-type is an inference variable, then it MAY wind up
1166             // being a projected type, so induce an ambiguity.
1167             candidate_set.mark_ambiguous();
1168             return;
1169         }
1170         _ => return,
1171     };
1172
1173     assemble_candidates_from_predicates(
1174         selcx,
1175         obligation,
1176         candidate_set,
1177         ProjectionTyCandidate::TraitDef,
1178         bounds.iter(),
1179         true,
1180     )
1181 }
1182
1183 /// In the case of a trait object like
1184 /// `<dyn Iterator<Item = ()> as Iterator>::Item` we can use the existential
1185 /// predicate in the trait object.
1186 ///
1187 /// We don't go through the select candidate for these bounds to avoid cycles:
1188 /// In the above case, `dyn Iterator<Item = ()>: Iterator` would create a
1189 /// nested obligation of `<dyn Iterator<Item = ()> as Iterator>::Item: Sized`,
1190 /// this then has to be normalized without having to prove
1191 /// `dyn Iterator<Item = ()>: Iterator` again.
1192 fn assemble_candidates_from_object_ty<'cx, 'tcx>(
1193     selcx: &mut SelectionContext<'cx, 'tcx>,
1194     obligation: &ProjectionTyObligation<'tcx>,
1195     candidate_set: &mut ProjectionTyCandidateSet<'tcx>,
1196 ) {
1197     debug!("assemble_candidates_from_object_ty(..)");
1198
1199     let tcx = selcx.tcx();
1200
1201     let self_ty = obligation.predicate.self_ty();
1202     let object_ty = selcx.infcx().shallow_resolve(self_ty);
1203     let data = match object_ty.kind() {
1204         ty::Dynamic(data, ..) => data,
1205         ty::Infer(ty::TyVar(_)) => {
1206             // If the self-type is an inference variable, then it MAY wind up
1207             // being an object type, so induce an ambiguity.
1208             candidate_set.mark_ambiguous();
1209             return;
1210         }
1211         _ => return,
1212     };
1213     let env_predicates = data
1214         .projection_bounds()
1215         .filter(|bound| bound.item_def_id() == obligation.predicate.item_def_id)
1216         .map(|p| p.with_self_ty(tcx, object_ty).to_predicate(tcx));
1217
1218     assemble_candidates_from_predicates(
1219         selcx,
1220         obligation,
1221         candidate_set,
1222         ProjectionTyCandidate::Object,
1223         env_predicates,
1224         false,
1225     );
1226 }
1227
1228 fn assemble_candidates_from_predicates<'cx, 'tcx>(
1229     selcx: &mut SelectionContext<'cx, 'tcx>,
1230     obligation: &ProjectionTyObligation<'tcx>,
1231     candidate_set: &mut ProjectionTyCandidateSet<'tcx>,
1232     ctor: fn(ty::PolyProjectionPredicate<'tcx>) -> ProjectionTyCandidate<'tcx>,
1233     env_predicates: impl Iterator<Item = ty::Predicate<'tcx>>,
1234     potentially_unnormalized_candidates: bool,
1235 ) {
1236     debug!(?obligation, "assemble_candidates_from_predicates");
1237
1238     let infcx = selcx.infcx();
1239     for predicate in env_predicates {
1240         debug!(?predicate);
1241         let bound_predicate = predicate.kind();
1242         if let ty::PredicateKind::Projection(data) = predicate.kind().skip_binder() {
1243             let data = bound_predicate.rebind(data);
1244             let same_def_id = data.projection_def_id() == obligation.predicate.item_def_id;
1245
1246             let is_match = same_def_id
1247                 && infcx.probe(|_| {
1248                     selcx.match_projection_projections(
1249                         obligation,
1250                         data,
1251                         potentially_unnormalized_candidates,
1252                     )
1253                 });
1254
1255             debug!(?data, ?is_match, ?same_def_id);
1256
1257             if is_match {
1258                 candidate_set.push_candidate(ctor(data));
1259
1260                 if potentially_unnormalized_candidates
1261                     && !obligation.predicate.has_infer_types_or_consts()
1262                 {
1263                     // HACK: Pick the first trait def candidate for a fully
1264                     // inferred predicate. This is to allow duplicates that
1265                     // differ only in normalization.
1266                     return;
1267                 }
1268             }
1269         }
1270     }
1271 }
1272
1273 fn assemble_candidates_from_impls<'cx, 'tcx>(
1274     selcx: &mut SelectionContext<'cx, 'tcx>,
1275     obligation: &ProjectionTyObligation<'tcx>,
1276     candidate_set: &mut ProjectionTyCandidateSet<'tcx>,
1277 ) {
1278     debug!("assemble_candidates_from_impls");
1279
1280     // If we are resolving `<T as TraitRef<...>>::Item == Type`,
1281     // start out by selecting the predicate `T as TraitRef<...>`:
1282     let poly_trait_ref = ty::Binder::dummy(obligation.predicate.trait_ref(selcx.tcx()));
1283     let trait_obligation = obligation.with(poly_trait_ref.to_poly_trait_predicate());
1284     let _ = selcx.infcx().commit_if_ok(|_| {
1285         let impl_source = match selcx.select(&trait_obligation) {
1286             Ok(Some(impl_source)) => impl_source,
1287             Ok(None) => {
1288                 candidate_set.mark_ambiguous();
1289                 return Err(());
1290             }
1291             Err(e) => {
1292                 debug!(error = ?e, "selection error");
1293                 candidate_set.mark_error(e);
1294                 return Err(());
1295             }
1296         };
1297
1298         let eligible = match &impl_source {
1299             super::ImplSource::Closure(_)
1300             | super::ImplSource::Generator(_)
1301             | super::ImplSource::FnPointer(_)
1302             | super::ImplSource::TraitAlias(_) => {
1303                 debug!(?impl_source);
1304                 true
1305             }
1306             super::ImplSource::UserDefined(impl_data) => {
1307                 // We have to be careful when projecting out of an
1308                 // impl because of specialization. If we are not in
1309                 // codegen (i.e., projection mode is not "any"), and the
1310                 // impl's type is declared as default, then we disable
1311                 // projection (even if the trait ref is fully
1312                 // monomorphic). In the case where trait ref is not
1313                 // fully monomorphic (i.e., includes type parameters),
1314                 // this is because those type parameters may
1315                 // ultimately be bound to types from other crates that
1316                 // may have specialized impls we can't see. In the
1317                 // case where the trait ref IS fully monomorphic, this
1318                 // is a policy decision that we made in the RFC in
1319                 // order to preserve flexibility for the crate that
1320                 // defined the specializable impl to specialize later
1321                 // for existing types.
1322                 //
1323                 // In either case, we handle this by not adding a
1324                 // candidate for an impl if it contains a `default`
1325                 // type.
1326                 //
1327                 // NOTE: This should be kept in sync with the similar code in
1328                 // `rustc_ty_utils::instance::resolve_associated_item()`.
1329                 let node_item =
1330                     assoc_ty_def(selcx, impl_data.impl_def_id, obligation.predicate.item_def_id)
1331                         .map_err(|ErrorReported| ())?;
1332
1333                 if node_item.is_final() {
1334                     // Non-specializable items are always projectable.
1335                     true
1336                 } else {
1337                     // Only reveal a specializable default if we're past type-checking
1338                     // and the obligation is monomorphic, otherwise passes such as
1339                     // transmute checking and polymorphic MIR optimizations could
1340                     // get a result which isn't correct for all monomorphizations.
1341                     if obligation.param_env.reveal() == Reveal::All {
1342                         // NOTE(eddyb) inference variables can resolve to parameters, so
1343                         // assume `poly_trait_ref` isn't monomorphic, if it contains any.
1344                         let poly_trait_ref = selcx.infcx().resolve_vars_if_possible(poly_trait_ref);
1345                         !poly_trait_ref.still_further_specializable()
1346                     } else {
1347                         debug!(
1348                             assoc_ty = ?selcx.tcx().def_path_str(node_item.item.def_id),
1349                             ?obligation.predicate,
1350                             "assemble_candidates_from_impls: not eligible due to default",
1351                         );
1352                         false
1353                     }
1354                 }
1355             }
1356             super::ImplSource::DiscriminantKind(..) => {
1357                 // While `DiscriminantKind` is automatically implemented for every type,
1358                 // the concrete discriminant may not be known yet.
1359                 //
1360                 // Any type with multiple potential discriminant types is therefore not eligible.
1361                 let self_ty = selcx.infcx().shallow_resolve(obligation.predicate.self_ty());
1362
1363                 match self_ty.kind() {
1364                     ty::Bool
1365                     | ty::Char
1366                     | ty::Int(_)
1367                     | ty::Uint(_)
1368                     | ty::Float(_)
1369                     | ty::Adt(..)
1370                     | ty::Foreign(_)
1371                     | ty::Str
1372                     | ty::Array(..)
1373                     | ty::Slice(_)
1374                     | ty::RawPtr(..)
1375                     | ty::Ref(..)
1376                     | ty::FnDef(..)
1377                     | ty::FnPtr(..)
1378                     | ty::Dynamic(..)
1379                     | ty::Closure(..)
1380                     | ty::Generator(..)
1381                     | ty::GeneratorWitness(..)
1382                     | ty::Never
1383                     | ty::Tuple(..)
1384                     // Integers and floats always have `u8` as their discriminant.
1385                     | ty::Infer(ty::InferTy::IntVar(_) | ty::InferTy::FloatVar(..)) => true,
1386
1387                     ty::Projection(..)
1388                     | ty::Opaque(..)
1389                     | ty::Param(..)
1390                     | ty::Bound(..)
1391                     | ty::Placeholder(..)
1392                     | ty::Infer(..)
1393                     | ty::Error(_) => false,
1394                 }
1395             }
1396             super::ImplSource::Pointee(..) => {
1397                 // While `Pointee` is automatically implemented for every type,
1398                 // the concrete metadata type may not be known yet.
1399                 //
1400                 // Any type with multiple potential metadata types is therefore not eligible.
1401                 let self_ty = selcx.infcx().shallow_resolve(obligation.predicate.self_ty());
1402
1403                 let tail = selcx.tcx().struct_tail_with_normalize(self_ty, |ty| {
1404                     normalize_with_depth(
1405                         selcx,
1406                         obligation.param_env,
1407                         obligation.cause.clone(),
1408                         obligation.recursion_depth + 1,
1409                         ty,
1410                     )
1411                     .value
1412                 });
1413
1414                 match tail.kind() {
1415                     ty::Bool
1416                     | ty::Char
1417                     | ty::Int(_)
1418                     | ty::Uint(_)
1419                     | ty::Float(_)
1420                     | ty::Foreign(_)
1421                     | ty::Str
1422                     | ty::Array(..)
1423                     | ty::Slice(_)
1424                     | ty::RawPtr(..)
1425                     | ty::Ref(..)
1426                     | ty::FnDef(..)
1427                     | ty::FnPtr(..)
1428                     | ty::Dynamic(..)
1429                     | ty::Closure(..)
1430                     | ty::Generator(..)
1431                     | ty::GeneratorWitness(..)
1432                     | ty::Never
1433                     // If returned by `struct_tail_without_normalization` this is a unit struct
1434                     // without any fields, or not a struct, and therefore is Sized.
1435                     | ty::Adt(..)
1436                     // If returned by `struct_tail_without_normalization` this is the empty tuple.
1437                     | ty::Tuple(..)
1438                     // Integers and floats are always Sized, and so have unit type metadata.
1439                     | ty::Infer(ty::InferTy::IntVar(_) | ty::InferTy::FloatVar(..)) => true,
1440
1441                     ty::Projection(..)
1442                     | ty::Opaque(..)
1443                     | ty::Param(..)
1444                     | ty::Bound(..)
1445                     | ty::Placeholder(..)
1446                     | ty::Infer(..)
1447                     | ty::Error(_) => {
1448                         if tail.has_infer_types() {
1449                             candidate_set.mark_ambiguous();
1450                         }
1451                         false
1452                     },
1453                 }
1454             }
1455             super::ImplSource::Param(..) => {
1456                 // This case tell us nothing about the value of an
1457                 // associated type. Consider:
1458                 //
1459                 // ```
1460                 // trait SomeTrait { type Foo; }
1461                 // fn foo<T:SomeTrait>(...) { }
1462                 // ```
1463                 //
1464                 // If the user writes `<T as SomeTrait>::Foo`, then the `T
1465                 // : SomeTrait` binding does not help us decide what the
1466                 // type `Foo` is (at least, not more specifically than
1467                 // what we already knew).
1468                 //
1469                 // But wait, you say! What about an example like this:
1470                 //
1471                 // ```
1472                 // fn bar<T:SomeTrait<Foo=usize>>(...) { ... }
1473                 // ```
1474                 //
1475                 // Doesn't the `T : Sometrait<Foo=usize>` predicate help
1476                 // resolve `T::Foo`? And of course it does, but in fact
1477                 // that single predicate is desugared into two predicates
1478                 // in the compiler: a trait predicate (`T : SomeTrait`) and a
1479                 // projection. And the projection where clause is handled
1480                 // in `assemble_candidates_from_param_env`.
1481                 false
1482             }
1483             super::ImplSource::Object(_) => {
1484                 // Handled by the `Object` projection candidate. See
1485                 // `assemble_candidates_from_object_ty` for an explanation of
1486                 // why we special case object types.
1487                 false
1488             }
1489             super::ImplSource::AutoImpl(..)
1490             | super::ImplSource::Builtin(..)
1491             | super::ImplSource::TraitUpcasting(_)
1492             | super::ImplSource::ConstDrop(_) => {
1493                 // These traits have no associated types.
1494                 selcx.tcx().sess.delay_span_bug(
1495                     obligation.cause.span,
1496                     &format!("Cannot project an associated type from `{:?}`", impl_source),
1497                 );
1498                 return Err(());
1499             }
1500         };
1501
1502         if eligible {
1503             if candidate_set.push_candidate(ProjectionTyCandidate::Select(impl_source)) {
1504                 Ok(())
1505             } else {
1506                 Err(())
1507             }
1508         } else {
1509             Err(())
1510         }
1511     });
1512 }
1513
1514 fn confirm_candidate<'cx, 'tcx>(
1515     selcx: &mut SelectionContext<'cx, 'tcx>,
1516     obligation: &ProjectionTyObligation<'tcx>,
1517     candidate: ProjectionTyCandidate<'tcx>,
1518 ) -> Progress<'tcx> {
1519     debug!(?obligation, ?candidate, "confirm_candidate");
1520     let mut progress = match candidate {
1521         ProjectionTyCandidate::ParamEnv(poly_projection)
1522         | ProjectionTyCandidate::Object(poly_projection) => {
1523             confirm_param_env_candidate(selcx, obligation, poly_projection, false)
1524         }
1525
1526         ProjectionTyCandidate::TraitDef(poly_projection) => {
1527             confirm_param_env_candidate(selcx, obligation, poly_projection, true)
1528         }
1529
1530         ProjectionTyCandidate::Select(impl_source) => {
1531             confirm_select_candidate(selcx, obligation, impl_source)
1532         }
1533     };
1534     // When checking for cycle during evaluation, we compare predicates with
1535     // "syntactic" equality. Since normalization generally introduces a type
1536     // with new region variables, we need to resolve them to existing variables
1537     // when possible for this to work. See `auto-trait-projection-recursion.rs`
1538     // for a case where this matters.
1539     if progress.ty.has_infer_regions() {
1540         progress.ty = OpportunisticRegionResolver::new(selcx.infcx()).fold_ty(progress.ty);
1541     }
1542     progress
1543 }
1544
1545 fn confirm_select_candidate<'cx, 'tcx>(
1546     selcx: &mut SelectionContext<'cx, 'tcx>,
1547     obligation: &ProjectionTyObligation<'tcx>,
1548     impl_source: Selection<'tcx>,
1549 ) -> Progress<'tcx> {
1550     match impl_source {
1551         super::ImplSource::UserDefined(data) => confirm_impl_candidate(selcx, obligation, data),
1552         super::ImplSource::Generator(data) => confirm_generator_candidate(selcx, obligation, data),
1553         super::ImplSource::Closure(data) => confirm_closure_candidate(selcx, obligation, data),
1554         super::ImplSource::FnPointer(data) => confirm_fn_pointer_candidate(selcx, obligation, data),
1555         super::ImplSource::DiscriminantKind(data) => {
1556             confirm_discriminant_kind_candidate(selcx, obligation, data)
1557         }
1558         super::ImplSource::Pointee(data) => confirm_pointee_candidate(selcx, obligation, data),
1559         super::ImplSource::Object(_)
1560         | super::ImplSource::AutoImpl(..)
1561         | super::ImplSource::Param(..)
1562         | super::ImplSource::Builtin(..)
1563         | super::ImplSource::TraitUpcasting(_)
1564         | super::ImplSource::TraitAlias(..)
1565         | super::ImplSource::ConstDrop(_) => {
1566             // we don't create Select candidates with this kind of resolution
1567             span_bug!(
1568                 obligation.cause.span,
1569                 "Cannot project an associated type from `{:?}`",
1570                 impl_source
1571             )
1572         }
1573     }
1574 }
1575
1576 fn confirm_generator_candidate<'cx, 'tcx>(
1577     selcx: &mut SelectionContext<'cx, 'tcx>,
1578     obligation: &ProjectionTyObligation<'tcx>,
1579     impl_source: ImplSourceGeneratorData<'tcx, PredicateObligation<'tcx>>,
1580 ) -> Progress<'tcx> {
1581     let gen_sig = impl_source.substs.as_generator().poly_sig();
1582     let Normalized { value: gen_sig, obligations } = normalize_with_depth(
1583         selcx,
1584         obligation.param_env,
1585         obligation.cause.clone(),
1586         obligation.recursion_depth + 1,
1587         gen_sig,
1588     );
1589
1590     debug!(?obligation, ?gen_sig, ?obligations, "confirm_generator_candidate");
1591
1592     let tcx = selcx.tcx();
1593
1594     let gen_def_id = tcx.require_lang_item(LangItem::Generator, None);
1595
1596     let predicate = super::util::generator_trait_ref_and_outputs(
1597         tcx,
1598         gen_def_id,
1599         obligation.predicate.self_ty(),
1600         gen_sig,
1601     )
1602     .map_bound(|(trait_ref, yield_ty, return_ty)| {
1603         let name = tcx.associated_item(obligation.predicate.item_def_id).ident.name;
1604         let ty = if name == sym::Return {
1605             return_ty
1606         } else if name == sym::Yield {
1607             yield_ty
1608         } else {
1609             bug!()
1610         };
1611
1612         ty::ProjectionPredicate {
1613             projection_ty: ty::ProjectionTy {
1614                 substs: trait_ref.substs,
1615                 item_def_id: obligation.predicate.item_def_id,
1616             },
1617             ty,
1618         }
1619     });
1620
1621     confirm_param_env_candidate(selcx, obligation, predicate, false)
1622         .with_addl_obligations(impl_source.nested)
1623         .with_addl_obligations(obligations)
1624 }
1625
1626 fn confirm_discriminant_kind_candidate<'cx, 'tcx>(
1627     selcx: &mut SelectionContext<'cx, 'tcx>,
1628     obligation: &ProjectionTyObligation<'tcx>,
1629     _: ImplSourceDiscriminantKindData,
1630 ) -> Progress<'tcx> {
1631     let tcx = selcx.tcx();
1632
1633     let self_ty = selcx.infcx().shallow_resolve(obligation.predicate.self_ty());
1634     // We get here from `poly_project_and_unify_type` which replaces bound vars
1635     // with placeholders
1636     debug_assert!(!self_ty.has_escaping_bound_vars());
1637     let substs = tcx.mk_substs([self_ty.into()].iter());
1638
1639     let discriminant_def_id = tcx.require_lang_item(LangItem::Discriminant, None);
1640
1641     let predicate = ty::ProjectionPredicate {
1642         projection_ty: ty::ProjectionTy { substs, item_def_id: discriminant_def_id },
1643         ty: self_ty.discriminant_ty(tcx),
1644     };
1645
1646     // We get here from `poly_project_and_unify_type` which replaces bound vars
1647     // with placeholders, so dummy is okay here.
1648     confirm_param_env_candidate(selcx, obligation, ty::Binder::dummy(predicate), false)
1649 }
1650
1651 fn confirm_pointee_candidate<'cx, 'tcx>(
1652     selcx: &mut SelectionContext<'cx, 'tcx>,
1653     obligation: &ProjectionTyObligation<'tcx>,
1654     _: ImplSourcePointeeData,
1655 ) -> Progress<'tcx> {
1656     let tcx = selcx.tcx();
1657     let self_ty = selcx.infcx().shallow_resolve(obligation.predicate.self_ty());
1658
1659     let mut obligations = vec![];
1660     let metadata_ty = self_ty.ptr_metadata_ty(tcx, |ty| {
1661         normalize_with_depth_to(
1662             selcx,
1663             obligation.param_env,
1664             obligation.cause.clone(),
1665             obligation.recursion_depth + 1,
1666             ty,
1667             &mut obligations,
1668         )
1669     });
1670
1671     let substs = tcx.mk_substs([self_ty.into()].iter());
1672     let metadata_def_id = tcx.require_lang_item(LangItem::Metadata, None);
1673
1674     let predicate = ty::ProjectionPredicate {
1675         projection_ty: ty::ProjectionTy { substs, item_def_id: metadata_def_id },
1676         ty: metadata_ty,
1677     };
1678
1679     confirm_param_env_candidate(selcx, obligation, ty::Binder::dummy(predicate), false)
1680         .with_addl_obligations(obligations)
1681 }
1682
1683 fn confirm_fn_pointer_candidate<'cx, 'tcx>(
1684     selcx: &mut SelectionContext<'cx, 'tcx>,
1685     obligation: &ProjectionTyObligation<'tcx>,
1686     fn_pointer_impl_source: ImplSourceFnPointerData<'tcx, PredicateObligation<'tcx>>,
1687 ) -> Progress<'tcx> {
1688     let fn_type = selcx.infcx().shallow_resolve(fn_pointer_impl_source.fn_ty);
1689     let sig = fn_type.fn_sig(selcx.tcx());
1690     let Normalized { value: sig, obligations } = normalize_with_depth(
1691         selcx,
1692         obligation.param_env,
1693         obligation.cause.clone(),
1694         obligation.recursion_depth + 1,
1695         sig,
1696     );
1697
1698     confirm_callable_candidate(selcx, obligation, sig, util::TupleArgumentsFlag::Yes)
1699         .with_addl_obligations(fn_pointer_impl_source.nested)
1700         .with_addl_obligations(obligations)
1701 }
1702
1703 fn confirm_closure_candidate<'cx, 'tcx>(
1704     selcx: &mut SelectionContext<'cx, 'tcx>,
1705     obligation: &ProjectionTyObligation<'tcx>,
1706     impl_source: ImplSourceClosureData<'tcx, PredicateObligation<'tcx>>,
1707 ) -> Progress<'tcx> {
1708     let closure_sig = impl_source.substs.as_closure().sig();
1709     let Normalized { value: closure_sig, obligations } = normalize_with_depth(
1710         selcx,
1711         obligation.param_env,
1712         obligation.cause.clone(),
1713         obligation.recursion_depth + 1,
1714         closure_sig,
1715     );
1716
1717     debug!(?obligation, ?closure_sig, ?obligations, "confirm_closure_candidate");
1718
1719     confirm_callable_candidate(selcx, obligation, closure_sig, util::TupleArgumentsFlag::No)
1720         .with_addl_obligations(impl_source.nested)
1721         .with_addl_obligations(obligations)
1722 }
1723
1724 fn confirm_callable_candidate<'cx, 'tcx>(
1725     selcx: &mut SelectionContext<'cx, 'tcx>,
1726     obligation: &ProjectionTyObligation<'tcx>,
1727     fn_sig: ty::PolyFnSig<'tcx>,
1728     flag: util::TupleArgumentsFlag,
1729 ) -> Progress<'tcx> {
1730     let tcx = selcx.tcx();
1731
1732     debug!(?obligation, ?fn_sig, "confirm_callable_candidate");
1733
1734     let fn_once_def_id = tcx.require_lang_item(LangItem::FnOnce, None);
1735     let fn_once_output_def_id = tcx.require_lang_item(LangItem::FnOnceOutput, None);
1736
1737     let predicate = super::util::closure_trait_ref_and_return_type(
1738         tcx,
1739         fn_once_def_id,
1740         obligation.predicate.self_ty(),
1741         fn_sig,
1742         flag,
1743     )
1744     .map_bound(|(trait_ref, ret_type)| ty::ProjectionPredicate {
1745         projection_ty: ty::ProjectionTy {
1746             substs: trait_ref.substs,
1747             item_def_id: fn_once_output_def_id,
1748         },
1749         ty: ret_type,
1750     });
1751
1752     confirm_param_env_candidate(selcx, obligation, predicate, true)
1753 }
1754
1755 fn confirm_param_env_candidate<'cx, 'tcx>(
1756     selcx: &mut SelectionContext<'cx, 'tcx>,
1757     obligation: &ProjectionTyObligation<'tcx>,
1758     poly_cache_entry: ty::PolyProjectionPredicate<'tcx>,
1759     potentially_unnormalized_candidate: bool,
1760 ) -> Progress<'tcx> {
1761     let infcx = selcx.infcx();
1762     let cause = &obligation.cause;
1763     let param_env = obligation.param_env;
1764
1765     let (cache_entry, _) = infcx.replace_bound_vars_with_fresh_vars(
1766         cause.span,
1767         LateBoundRegionConversionTime::HigherRankedType,
1768         poly_cache_entry,
1769     );
1770
1771     let cache_projection = cache_entry.projection_ty;
1772     let mut nested_obligations = Vec::new();
1773     let obligation_projection = obligation.predicate;
1774     let obligation_projection = ensure_sufficient_stack(|| {
1775         normalize_with_depth_to(
1776             selcx,
1777             obligation.param_env,
1778             obligation.cause.clone(),
1779             obligation.recursion_depth + 1,
1780             obligation_projection,
1781             &mut nested_obligations,
1782         )
1783     });
1784     let cache_projection = if potentially_unnormalized_candidate {
1785         ensure_sufficient_stack(|| {
1786             normalize_with_depth_to(
1787                 selcx,
1788                 obligation.param_env,
1789                 obligation.cause.clone(),
1790                 obligation.recursion_depth + 1,
1791                 cache_projection,
1792                 &mut nested_obligations,
1793             )
1794         })
1795     } else {
1796         cache_projection
1797     };
1798
1799     debug!(?cache_projection, ?obligation_projection);
1800
1801     match infcx.at(cause, param_env).eq(cache_projection, obligation_projection) {
1802         Ok(InferOk { value: _, obligations }) => {
1803             nested_obligations.extend(obligations);
1804             assoc_ty_own_obligations(selcx, obligation, &mut nested_obligations);
1805             Progress { ty: cache_entry.ty, obligations: nested_obligations }
1806         }
1807         Err(e) => {
1808             let msg = format!(
1809                 "Failed to unify obligation `{:?}` with poly_projection `{:?}`: {:?}",
1810                 obligation, poly_cache_entry, e,
1811             );
1812             debug!("confirm_param_env_candidate: {}", msg);
1813             let err = infcx.tcx.ty_error_with_message(obligation.cause.span, &msg);
1814             Progress { ty: err, obligations: vec![] }
1815         }
1816     }
1817 }
1818
1819 fn confirm_impl_candidate<'cx, 'tcx>(
1820     selcx: &mut SelectionContext<'cx, 'tcx>,
1821     obligation: &ProjectionTyObligation<'tcx>,
1822     impl_impl_source: ImplSourceUserDefinedData<'tcx, PredicateObligation<'tcx>>,
1823 ) -> Progress<'tcx> {
1824     let tcx = selcx.tcx();
1825
1826     let ImplSourceUserDefinedData { impl_def_id, substs, mut nested } = impl_impl_source;
1827     let assoc_item_id = obligation.predicate.item_def_id;
1828     let trait_def_id = tcx.trait_id_of_impl(impl_def_id).unwrap();
1829
1830     let param_env = obligation.param_env;
1831     let assoc_ty = match assoc_ty_def(selcx, impl_def_id, assoc_item_id) {
1832         Ok(assoc_ty) => assoc_ty,
1833         Err(ErrorReported) => return Progress { ty: tcx.ty_error(), obligations: nested },
1834     };
1835
1836     if !assoc_ty.item.defaultness.has_value() {
1837         // This means that the impl is missing a definition for the
1838         // associated type. This error will be reported by the type
1839         // checker method `check_impl_items_against_trait`, so here we
1840         // just return Error.
1841         debug!(
1842             "confirm_impl_candidate: no associated type {:?} for {:?}",
1843             assoc_ty.item.ident, obligation.predicate
1844         );
1845         return Progress { ty: tcx.ty_error(), obligations: nested };
1846     }
1847     // If we're trying to normalize `<Vec<u32> as X>::A<S>` using
1848     //`impl<T> X for Vec<T> { type A<Y> = Box<Y>; }`, then:
1849     //
1850     // * `obligation.predicate.substs` is `[Vec<u32>, S]`
1851     // * `substs` is `[u32]`
1852     // * `substs` ends up as `[u32, S]`
1853     let substs = obligation.predicate.substs.rebase_onto(tcx, trait_def_id, substs);
1854     let substs =
1855         translate_substs(selcx.infcx(), param_env, impl_def_id, substs, assoc_ty.defining_node);
1856     let ty = tcx.type_of(assoc_ty.item.def_id);
1857     if substs.len() != tcx.generics_of(assoc_ty.item.def_id).count() {
1858         let err = tcx.ty_error_with_message(
1859             obligation.cause.span,
1860             "impl item and trait item have different parameter counts",
1861         );
1862         Progress { ty: err, obligations: nested }
1863     } else {
1864         assoc_ty_own_obligations(selcx, obligation, &mut nested);
1865         Progress { ty: ty.subst(tcx, substs), obligations: nested }
1866     }
1867 }
1868
1869 // Get obligations corresponding to the predicates from the where-clause of the
1870 // associated type itself.
1871 // Note: `feature(generic_associated_types)` is required to write such
1872 // predicates, even for non-generic associcated types.
1873 fn assoc_ty_own_obligations<'cx, 'tcx>(
1874     selcx: &mut SelectionContext<'cx, 'tcx>,
1875     obligation: &ProjectionTyObligation<'tcx>,
1876     nested: &mut Vec<PredicateObligation<'tcx>>,
1877 ) {
1878     let tcx = selcx.tcx();
1879     for predicate in tcx
1880         .predicates_of(obligation.predicate.item_def_id)
1881         .instantiate_own(tcx, obligation.predicate.substs)
1882         .predicates
1883     {
1884         let normalized = normalize_with_depth_to(
1885             selcx,
1886             obligation.param_env,
1887             obligation.cause.clone(),
1888             obligation.recursion_depth + 1,
1889             predicate,
1890             nested,
1891         );
1892         nested.push(Obligation::with_depth(
1893             obligation.cause.clone(),
1894             obligation.recursion_depth + 1,
1895             obligation.param_env,
1896             normalized,
1897         ));
1898     }
1899 }
1900
1901 /// Locate the definition of an associated type in the specialization hierarchy,
1902 /// starting from the given impl.
1903 ///
1904 /// Based on the "projection mode", this lookup may in fact only examine the
1905 /// topmost impl. See the comments for `Reveal` for more details.
1906 fn assoc_ty_def(
1907     selcx: &SelectionContext<'_, '_>,
1908     impl_def_id: DefId,
1909     assoc_ty_def_id: DefId,
1910 ) -> Result<specialization_graph::LeafDef, ErrorReported> {
1911     let tcx = selcx.tcx();
1912     let trait_def_id = tcx.impl_trait_ref(impl_def_id).unwrap().def_id;
1913     let trait_def = tcx.trait_def(trait_def_id);
1914
1915     // This function may be called while we are still building the
1916     // specialization graph that is queried below (via TraitDef::ancestors()),
1917     // so, in order to avoid unnecessary infinite recursion, we manually look
1918     // for the associated item at the given impl.
1919     // If there is no such item in that impl, this function will fail with a
1920     // cycle error if the specialization graph is currently being built.
1921     if let Some(&impl_item_id) = tcx.impl_item_implementor_ids(impl_def_id).get(&assoc_ty_def_id) {
1922         let item = tcx.associated_item(impl_item_id);
1923         let impl_node = specialization_graph::Node::Impl(impl_def_id);
1924         return Ok(specialization_graph::LeafDef {
1925             item: *item,
1926             defining_node: impl_node,
1927             finalizing_node: if item.defaultness.is_default() { None } else { Some(impl_node) },
1928         });
1929     }
1930
1931     let ancestors = trait_def.ancestors(tcx, impl_def_id)?;
1932     if let Some(assoc_item) = ancestors.leaf_def(tcx, assoc_ty_def_id) {
1933         Ok(assoc_item)
1934     } else {
1935         // This is saying that neither the trait nor
1936         // the impl contain a definition for this
1937         // associated type.  Normally this situation
1938         // could only arise through a compiler bug --
1939         // if the user wrote a bad item name, it
1940         // should have failed in astconv.
1941         bug!(
1942             "No associated type `{}` for {}",
1943             tcx.item_name(assoc_ty_def_id),
1944             tcx.def_path_str(impl_def_id)
1945         )
1946     }
1947 }
1948
1949 crate trait ProjectionCacheKeyExt<'cx, 'tcx>: Sized {
1950     fn from_poly_projection_predicate(
1951         selcx: &mut SelectionContext<'cx, 'tcx>,
1952         predicate: ty::PolyProjectionPredicate<'tcx>,
1953     ) -> Option<Self>;
1954 }
1955
1956 impl<'cx, 'tcx> ProjectionCacheKeyExt<'cx, 'tcx> for ProjectionCacheKey<'tcx> {
1957     fn from_poly_projection_predicate(
1958         selcx: &mut SelectionContext<'cx, 'tcx>,
1959         predicate: ty::PolyProjectionPredicate<'tcx>,
1960     ) -> Option<Self> {
1961         let infcx = selcx.infcx();
1962         // We don't do cross-snapshot caching of obligations with escaping regions,
1963         // so there's no cache key to use
1964         predicate.no_bound_vars().map(|predicate| {
1965             ProjectionCacheKey::new(
1966                 // We don't attempt to match up with a specific type-variable state
1967                 // from a specific call to `opt_normalize_projection_type` - if
1968                 // there's no precise match, the original cache entry is "stranded"
1969                 // anyway.
1970                 infcx.resolve_vars_if_possible(predicate.projection_ty),
1971             )
1972         })
1973     }
1974 }