]> git.lizzy.rs Git - rust.git/blob - src/librustc_trait_selection/traits/select/mod.rs
c3b1079fb1284248d7129d4cb3cc3211f3515e31
[rust.git] / src / librustc_trait_selection / traits / select / mod.rs
1 //! Candidate selection. See the [rustc dev guide] for more information on how this works.
2 //!
3 //! [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/traits/resolution.html#selection
4
5 use self::EvaluationResult::*;
6 use self::SelectionCandidate::*;
7
8 use super::coherence::{self, Conflict};
9 use super::project;
10 use super::project::normalize_with_depth_to;
11 use super::util;
12 use super::util::{closure_trait_ref_and_return_type, predicate_for_trait_def};
13 use super::wf;
14 use super::DerivedObligationCause;
15 use super::Obligation;
16 use super::ObligationCauseCode;
17 use super::Selection;
18 use super::SelectionResult;
19 use super::TraitQueryMode;
20 use super::{Normalized, ProjectionCacheKey};
21 use super::{ObligationCause, PredicateObligation, TraitObligation};
22 use super::{Overflow, SelectionError, Unimplemented};
23
24 use crate::infer::{CombinedSnapshot, InferCtxt, InferOk, PlaceholderMap, TypeFreshener};
25 use crate::traits::error_reporting::InferCtxtExt;
26 use crate::traits::project::ProjectionCacheKeyExt;
27 use rustc_ast::attr;
28 use rustc_data_structures::fx::{FxHashMap, FxHashSet};
29 use rustc_data_structures::stack::ensure_sufficient_stack;
30 use rustc_errors::ErrorReported;
31 use rustc_hir as hir;
32 use rustc_hir::def_id::DefId;
33 use rustc_middle::dep_graph::{DepKind, DepNodeIndex};
34 use rustc_middle::mir::interpret::ErrorHandled;
35 use rustc_middle::ty::fast_reject;
36 use rustc_middle::ty::relate::TypeRelation;
37 use rustc_middle::ty::subst::{GenericArgKind, Subst, SubstsRef};
38 use rustc_middle::ty::{self, ToPolyTraitRef, ToPredicate, Ty, TyCtxt, TypeFoldable};
39 use rustc_span::symbol::sym;
40
41 use std::cell::{Cell, RefCell};
42 use std::cmp;
43 use std::fmt::{self, Display};
44 use std::iter;
45 use std::rc::Rc;
46
47 pub use rustc_middle::traits::select::*;
48
49 mod candidate_assembly;
50 mod confirmation;
51
52 pub struct SelectionContext<'cx, 'tcx> {
53     infcx: &'cx InferCtxt<'cx, 'tcx>,
54
55     /// Freshener used specifically for entries on the obligation
56     /// stack. This ensures that all entries on the stack at one time
57     /// will have the same set of placeholder entries, which is
58     /// important for checking for trait bounds that recursively
59     /// require themselves.
60     freshener: TypeFreshener<'cx, 'tcx>,
61
62     /// If `true`, indicates that the evaluation should be conservative
63     /// and consider the possibility of types outside this crate.
64     /// This comes up primarily when resolving ambiguity. Imagine
65     /// there is some trait reference `$0: Bar` where `$0` is an
66     /// inference variable. If `intercrate` is true, then we can never
67     /// say for sure that this reference is not implemented, even if
68     /// there are *no impls at all for `Bar`*, because `$0` could be
69     /// bound to some type that in a downstream crate that implements
70     /// `Bar`. This is the suitable mode for coherence. Elsewhere,
71     /// though, we set this to false, because we are only interested
72     /// in types that the user could actually have written --- in
73     /// other words, we consider `$0: Bar` to be unimplemented if
74     /// there is no type that the user could *actually name* that
75     /// would satisfy it. This avoids crippling inference, basically.
76     intercrate: bool,
77
78     intercrate_ambiguity_causes: Option<Vec<IntercrateAmbiguityCause>>,
79
80     /// Controls whether or not to filter out negative impls when selecting.
81     /// This is used in librustdoc to distinguish between the lack of an impl
82     /// and a negative impl
83     allow_negative_impls: bool,
84
85     /// The mode that trait queries run in, which informs our error handling
86     /// policy. In essence, canonicalized queries need their errors propagated
87     /// rather than immediately reported because we do not have accurate spans.
88     query_mode: TraitQueryMode,
89 }
90
91 // A stack that walks back up the stack frame.
92 struct TraitObligationStack<'prev, 'tcx> {
93     obligation: &'prev TraitObligation<'tcx>,
94
95     /// The trait ref from `obligation` but "freshened" with the
96     /// selection-context's freshener. Used to check for recursion.
97     fresh_trait_ref: ty::PolyTraitRef<'tcx>,
98
99     /// Starts out equal to `depth` -- if, during evaluation, we
100     /// encounter a cycle, then we will set this flag to the minimum
101     /// depth of that cycle for all participants in the cycle. These
102     /// participants will then forego caching their results. This is
103     /// not the most efficient solution, but it addresses #60010. The
104     /// problem we are trying to prevent:
105     ///
106     /// - If you have `A: AutoTrait` requires `B: AutoTrait` and `C: NonAutoTrait`
107     /// - `B: AutoTrait` requires `A: AutoTrait` (coinductive cycle, ok)
108     /// - `C: NonAutoTrait` requires `A: AutoTrait` (non-coinductive cycle, not ok)
109     ///
110     /// you don't want to cache that `B: AutoTrait` or `A: AutoTrait`
111     /// is `EvaluatedToOk`; this is because they were only considered
112     /// ok on the premise that if `A: AutoTrait` held, but we indeed
113     /// encountered a problem (later on) with `A: AutoTrait. So we
114     /// currently set a flag on the stack node for `B: AutoTrait` (as
115     /// well as the second instance of `A: AutoTrait`) to suppress
116     /// caching.
117     ///
118     /// This is a simple, targeted fix. A more-performant fix requires
119     /// deeper changes, but would permit more caching: we could
120     /// basically defer caching until we have fully evaluated the
121     /// tree, and then cache the entire tree at once. In any case, the
122     /// performance impact here shouldn't be so horrible: every time
123     /// this is hit, we do cache at least one trait, so we only
124     /// evaluate each member of a cycle up to N times, where N is the
125     /// length of the cycle. This means the performance impact is
126     /// bounded and we shouldn't have any terrible worst-cases.
127     reached_depth: Cell<usize>,
128
129     previous: TraitObligationStackList<'prev, 'tcx>,
130
131     /// The number of parent frames plus one (thus, the topmost frame has depth 1).
132     depth: usize,
133
134     /// The depth-first number of this node in the search graph -- a
135     /// pre-order index. Basically, a freshly incremented counter.
136     dfn: usize,
137 }
138
139 struct SelectionCandidateSet<'tcx> {
140     // A list of candidates that definitely apply to the current
141     // obligation (meaning: types unify).
142     vec: Vec<SelectionCandidate<'tcx>>,
143
144     // If `true`, then there were candidates that might or might
145     // not have applied, but we couldn't tell. This occurs when some
146     // of the input types are type variables, in which case there are
147     // various "builtin" rules that might or might not trigger.
148     ambiguous: bool,
149 }
150
151 #[derive(PartialEq, Eq, Debug, Clone)]
152 struct EvaluatedCandidate<'tcx> {
153     candidate: SelectionCandidate<'tcx>,
154     evaluation: EvaluationResult,
155 }
156
157 /// When does the builtin impl for `T: Trait` apply?
158 enum BuiltinImplConditions<'tcx> {
159     /// The impl is conditional on `T1, T2, ...: Trait`.
160     Where(ty::Binder<Vec<Ty<'tcx>>>),
161     /// There is no built-in impl. There may be some other
162     /// candidate (a where-clause or user-defined impl).
163     None,
164     /// It is unknown whether there is an impl.
165     Ambiguous,
166 }
167
168 impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
169     pub fn new(infcx: &'cx InferCtxt<'cx, 'tcx>) -> SelectionContext<'cx, 'tcx> {
170         SelectionContext {
171             infcx,
172             freshener: infcx.freshener(),
173             intercrate: false,
174             intercrate_ambiguity_causes: None,
175             allow_negative_impls: false,
176             query_mode: TraitQueryMode::Standard,
177         }
178     }
179
180     pub fn intercrate(infcx: &'cx InferCtxt<'cx, 'tcx>) -> SelectionContext<'cx, 'tcx> {
181         SelectionContext {
182             infcx,
183             freshener: infcx.freshener(),
184             intercrate: true,
185             intercrate_ambiguity_causes: None,
186             allow_negative_impls: false,
187             query_mode: TraitQueryMode::Standard,
188         }
189     }
190
191     pub fn with_negative(
192         infcx: &'cx InferCtxt<'cx, 'tcx>,
193         allow_negative_impls: bool,
194     ) -> SelectionContext<'cx, 'tcx> {
195         debug!("with_negative({:?})", allow_negative_impls);
196         SelectionContext {
197             infcx,
198             freshener: infcx.freshener(),
199             intercrate: false,
200             intercrate_ambiguity_causes: None,
201             allow_negative_impls,
202             query_mode: TraitQueryMode::Standard,
203         }
204     }
205
206     pub fn with_query_mode(
207         infcx: &'cx InferCtxt<'cx, 'tcx>,
208         query_mode: TraitQueryMode,
209     ) -> SelectionContext<'cx, 'tcx> {
210         debug!("with_query_mode({:?})", query_mode);
211         SelectionContext {
212             infcx,
213             freshener: infcx.freshener(),
214             intercrate: false,
215             intercrate_ambiguity_causes: None,
216             allow_negative_impls: false,
217             query_mode,
218         }
219     }
220
221     /// Enables tracking of intercrate ambiguity causes. These are
222     /// used in coherence to give improved diagnostics. We don't do
223     /// this until we detect a coherence error because it can lead to
224     /// false overflow results (#47139) and because it costs
225     /// computation time.
226     pub fn enable_tracking_intercrate_ambiguity_causes(&mut self) {
227         assert!(self.intercrate);
228         assert!(self.intercrate_ambiguity_causes.is_none());
229         self.intercrate_ambiguity_causes = Some(vec![]);
230         debug!("selcx: enable_tracking_intercrate_ambiguity_causes");
231     }
232
233     /// Gets the intercrate ambiguity causes collected since tracking
234     /// was enabled and disables tracking at the same time. If
235     /// tracking is not enabled, just returns an empty vector.
236     pub fn take_intercrate_ambiguity_causes(&mut self) -> Vec<IntercrateAmbiguityCause> {
237         assert!(self.intercrate);
238         self.intercrate_ambiguity_causes.take().unwrap_or(vec![])
239     }
240
241     pub fn infcx(&self) -> &'cx InferCtxt<'cx, 'tcx> {
242         self.infcx
243     }
244
245     pub fn tcx(&self) -> TyCtxt<'tcx> {
246         self.infcx.tcx
247     }
248
249     pub fn closure_typer(&self) -> &'cx InferCtxt<'cx, 'tcx> {
250         self.infcx
251     }
252
253     ///////////////////////////////////////////////////////////////////////////
254     // Selection
255     //
256     // The selection phase tries to identify *how* an obligation will
257     // be resolved. For example, it will identify which impl or
258     // parameter bound is to be used. The process can be inconclusive
259     // if the self type in the obligation is not fully inferred. Selection
260     // can result in an error in one of two ways:
261     //
262     // 1. If no applicable impl or parameter bound can be found.
263     // 2. If the output type parameters in the obligation do not match
264     //    those specified by the impl/bound. For example, if the obligation
265     //    is `Vec<Foo>: Iterable<Bar>`, but the impl specifies
266     //    `impl<T> Iterable<T> for Vec<T>`, than an error would result.
267
268     /// Attempts to satisfy the obligation. If successful, this will affect the surrounding
269     /// type environment by performing unification.
270     pub fn select(
271         &mut self,
272         obligation: &TraitObligation<'tcx>,
273     ) -> SelectionResult<'tcx, Selection<'tcx>> {
274         debug!("select({:?})", obligation);
275         debug_assert!(!obligation.predicate.has_escaping_bound_vars());
276
277         let pec = &ProvisionalEvaluationCache::default();
278         let stack = self.push_stack(TraitObligationStackList::empty(pec), obligation);
279
280         let candidate = match self.candidate_from_obligation(&stack) {
281             Err(SelectionError::Overflow) => {
282                 // In standard mode, overflow must have been caught and reported
283                 // earlier.
284                 assert!(self.query_mode == TraitQueryMode::Canonical);
285                 return Err(SelectionError::Overflow);
286             }
287             Err(e) => {
288                 return Err(e);
289             }
290             Ok(None) => {
291                 return Ok(None);
292             }
293             Ok(Some(candidate)) => candidate,
294         };
295
296         match self.confirm_candidate(obligation, candidate) {
297             Err(SelectionError::Overflow) => {
298                 assert!(self.query_mode == TraitQueryMode::Canonical);
299                 Err(SelectionError::Overflow)
300             }
301             Err(e) => Err(e),
302             Ok(candidate) => Ok(Some(candidate)),
303         }
304     }
305
306     ///////////////////////////////////////////////////////////////////////////
307     // EVALUATION
308     //
309     // Tests whether an obligation can be selected or whether an impl
310     // can be applied to particular types. It skips the "confirmation"
311     // step and hence completely ignores output type parameters.
312     //
313     // The result is "true" if the obligation *may* hold and "false" if
314     // we can be sure it does not.
315
316     /// Evaluates whether the obligation `obligation` can be satisfied (by any means).
317     pub fn predicate_may_hold_fatal(&mut self, obligation: &PredicateObligation<'tcx>) -> bool {
318         debug!("predicate_may_hold_fatal({:?})", obligation);
319
320         // This fatal query is a stopgap that should only be used in standard mode,
321         // where we do not expect overflow to be propagated.
322         assert!(self.query_mode == TraitQueryMode::Standard);
323
324         self.evaluate_root_obligation(obligation)
325             .expect("Overflow should be caught earlier in standard query mode")
326             .may_apply()
327     }
328
329     /// Evaluates whether the obligation `obligation` can be satisfied
330     /// and returns an `EvaluationResult`. This is meant for the
331     /// *initial* call.
332     pub fn evaluate_root_obligation(
333         &mut self,
334         obligation: &PredicateObligation<'tcx>,
335     ) -> Result<EvaluationResult, OverflowError> {
336         self.evaluation_probe(|this| {
337             this.evaluate_predicate_recursively(
338                 TraitObligationStackList::empty(&ProvisionalEvaluationCache::default()),
339                 obligation.clone(),
340             )
341         })
342     }
343
344     fn evaluation_probe(
345         &mut self,
346         op: impl FnOnce(&mut Self) -> Result<EvaluationResult, OverflowError>,
347     ) -> Result<EvaluationResult, OverflowError> {
348         self.infcx.probe(|snapshot| -> Result<EvaluationResult, OverflowError> {
349             let result = op(self)?;
350             match self.infcx.region_constraints_added_in_snapshot(snapshot) {
351                 None => Ok(result),
352                 Some(_) => Ok(result.max(EvaluatedToOkModuloRegions)),
353             }
354         })
355     }
356
357     /// Evaluates the predicates in `predicates` recursively. Note that
358     /// this applies projections in the predicates, and therefore
359     /// is run within an inference probe.
360     fn evaluate_predicates_recursively<'o, I>(
361         &mut self,
362         stack: TraitObligationStackList<'o, 'tcx>,
363         predicates: I,
364     ) -> Result<EvaluationResult, OverflowError>
365     where
366         I: IntoIterator<Item = PredicateObligation<'tcx>>,
367     {
368         let mut result = EvaluatedToOk;
369         for obligation in predicates {
370             let eval = self.evaluate_predicate_recursively(stack, obligation.clone())?;
371             debug!("evaluate_predicate_recursively({:?}) = {:?}", obligation, eval);
372             if let EvaluatedToErr = eval {
373                 // fast-path - EvaluatedToErr is the top of the lattice,
374                 // so we don't need to look on the other predicates.
375                 return Ok(EvaluatedToErr);
376             } else {
377                 result = cmp::max(result, eval);
378             }
379         }
380         Ok(result)
381     }
382
383     fn evaluate_predicate_recursively<'o>(
384         &mut self,
385         previous_stack: TraitObligationStackList<'o, 'tcx>,
386         obligation: PredicateObligation<'tcx>,
387     ) -> Result<EvaluationResult, OverflowError> {
388         debug!(
389             "evaluate_predicate_recursively(previous_stack={:?}, obligation={:?})",
390             previous_stack.head(),
391             obligation
392         );
393
394         // `previous_stack` stores a `TraitObligatiom`, while `obligation` is
395         // a `PredicateObligation`. These are distinct types, so we can't
396         // use any `Option` combinator method that would force them to be
397         // the same.
398         match previous_stack.head() {
399             Some(h) => self.check_recursion_limit(&obligation, h.obligation)?,
400             None => self.check_recursion_limit(&obligation, &obligation)?,
401         }
402
403         match obligation.predicate.kind() {
404             &ty::PredicateKind::Trait(t, _) => {
405                 debug_assert!(!t.has_escaping_bound_vars());
406                 let obligation = obligation.with(t);
407                 self.evaluate_trait_predicate_recursively(previous_stack, obligation)
408             }
409
410             &ty::PredicateKind::Subtype(p) => {
411                 // Does this code ever run?
412                 match self.infcx.subtype_predicate(&obligation.cause, obligation.param_env, p) {
413                     Some(Ok(InferOk { mut obligations, .. })) => {
414                         self.add_depth(obligations.iter_mut(), obligation.recursion_depth);
415                         self.evaluate_predicates_recursively(
416                             previous_stack,
417                             obligations.into_iter(),
418                         )
419                     }
420                     Some(Err(_)) => Ok(EvaluatedToErr),
421                     None => Ok(EvaluatedToAmbig),
422                 }
423             }
424
425             &ty::PredicateKind::WellFormed(arg) => match wf::obligations(
426                 self.infcx,
427                 obligation.param_env,
428                 obligation.cause.body_id,
429                 arg,
430                 obligation.cause.span,
431             ) {
432                 Some(mut obligations) => {
433                     self.add_depth(obligations.iter_mut(), obligation.recursion_depth);
434                     self.evaluate_predicates_recursively(previous_stack, obligations.into_iter())
435                 }
436                 None => Ok(EvaluatedToAmbig),
437             },
438
439             ty::PredicateKind::TypeOutlives(..) | ty::PredicateKind::RegionOutlives(..) => {
440                 // We do not consider region relationships when evaluating trait matches.
441                 Ok(EvaluatedToOkModuloRegions)
442             }
443
444             &ty::PredicateKind::ObjectSafe(trait_def_id) => {
445                 if self.tcx().is_object_safe(trait_def_id) {
446                     Ok(EvaluatedToOk)
447                 } else {
448                     Ok(EvaluatedToErr)
449                 }
450             }
451
452             &ty::PredicateKind::Projection(data) => {
453                 let project_obligation = obligation.with(data);
454                 match project::poly_project_and_unify_type(self, &project_obligation) {
455                     Ok(Some(mut subobligations)) => {
456                         self.add_depth(subobligations.iter_mut(), obligation.recursion_depth);
457                         let result = self.evaluate_predicates_recursively(
458                             previous_stack,
459                             subobligations.into_iter(),
460                         );
461                         if let Some(key) =
462                             ProjectionCacheKey::from_poly_projection_predicate(self, data)
463                         {
464                             self.infcx.inner.borrow_mut().projection_cache().complete(key);
465                         }
466                         result
467                     }
468                     Ok(None) => Ok(EvaluatedToAmbig),
469                     Err(_) => Ok(EvaluatedToErr),
470                 }
471             }
472
473             &ty::PredicateKind::ClosureKind(_, closure_substs, kind) => {
474                 match self.infcx.closure_kind(closure_substs) {
475                     Some(closure_kind) => {
476                         if closure_kind.extends(kind) {
477                             Ok(EvaluatedToOk)
478                         } else {
479                             Ok(EvaluatedToErr)
480                         }
481                     }
482                     None => Ok(EvaluatedToAmbig),
483                 }
484             }
485
486             &ty::PredicateKind::ConstEvaluatable(def_id, substs) => {
487                 match self.tcx().const_eval_resolve(
488                     obligation.param_env,
489                     def_id,
490                     substs,
491                     None,
492                     None,
493                 ) {
494                     Ok(_) => Ok(EvaluatedToOk),
495                     Err(ErrorHandled::TooGeneric) => Ok(EvaluatedToAmbig),
496                     Err(_) => Ok(EvaluatedToErr),
497                 }
498             }
499
500             ty::PredicateKind::ConstEquate(c1, c2) => {
501                 debug!("evaluate_predicate_recursively: equating consts c1={:?} c2={:?}", c1, c2);
502
503                 let evaluate = |c: &'tcx ty::Const<'tcx>| {
504                     if let ty::ConstKind::Unevaluated(def_id, substs, promoted) = c.val {
505                         self.infcx
506                             .const_eval_resolve(
507                                 obligation.param_env,
508                                 def_id,
509                                 substs,
510                                 promoted,
511                                 Some(obligation.cause.span),
512                             )
513                             .map(|val| ty::Const::from_value(self.tcx(), val, c.ty))
514                     } else {
515                         Ok(c)
516                     }
517                 };
518
519                 match (evaluate(c1), evaluate(c2)) {
520                     (Ok(c1), Ok(c2)) => {
521                         match self.infcx().at(&obligation.cause, obligation.param_env).eq(c1, c2) {
522                             Ok(_) => Ok(EvaluatedToOk),
523                             Err(_) => Ok(EvaluatedToErr),
524                         }
525                     }
526                     (Err(ErrorHandled::Reported(ErrorReported)), _)
527                     | (_, Err(ErrorHandled::Reported(ErrorReported))) => Ok(EvaluatedToErr),
528                     (Err(ErrorHandled::Linted), _) | (_, Err(ErrorHandled::Linted)) => span_bug!(
529                         obligation.cause.span(self.tcx()),
530                         "ConstEquate: const_eval_resolve returned an unexpected error"
531                     ),
532                     (Err(ErrorHandled::TooGeneric), _) | (_, Err(ErrorHandled::TooGeneric)) => {
533                         Ok(EvaluatedToAmbig)
534                     }
535                 }
536             }
537         }
538     }
539
540     fn evaluate_trait_predicate_recursively<'o>(
541         &mut self,
542         previous_stack: TraitObligationStackList<'o, 'tcx>,
543         mut obligation: TraitObligation<'tcx>,
544     ) -> Result<EvaluationResult, OverflowError> {
545         debug!("evaluate_trait_predicate_recursively({:?})", obligation);
546
547         if !self.intercrate
548             && obligation.is_global()
549             && obligation.param_env.caller_bounds.iter().all(|bound| bound.needs_subst())
550         {
551             // If a param env has no global bounds, global obligations do not
552             // depend on its particular value in order to work, so we can clear
553             // out the param env and get better caching.
554             debug!("evaluate_trait_predicate_recursively({:?}) - in global", obligation);
555             obligation.param_env = obligation.param_env.without_caller_bounds();
556         }
557
558         let stack = self.push_stack(previous_stack, &obligation);
559         let fresh_trait_ref = stack.fresh_trait_ref;
560         if let Some(result) = self.check_evaluation_cache(obligation.param_env, fresh_trait_ref) {
561             debug!("CACHE HIT: EVAL({:?})={:?}", fresh_trait_ref, result);
562             return Ok(result);
563         }
564
565         if let Some(result) = stack.cache().get_provisional(fresh_trait_ref) {
566             debug!("PROVISIONAL CACHE HIT: EVAL({:?})={:?}", fresh_trait_ref, result);
567             stack.update_reached_depth(stack.cache().current_reached_depth());
568             return Ok(result);
569         }
570
571         // Check if this is a match for something already on the
572         // stack. If so, we don't want to insert the result into the
573         // main cache (it is cycle dependent) nor the provisional
574         // cache (which is meant for things that have completed but
575         // for a "backedge" -- this result *is* the backedge).
576         if let Some(cycle_result) = self.check_evaluation_cycle(&stack) {
577             return Ok(cycle_result);
578         }
579
580         let (result, dep_node) = self.in_task(|this| this.evaluate_stack(&stack));
581         let result = result?;
582
583         if !result.must_apply_modulo_regions() {
584             stack.cache().on_failure(stack.dfn);
585         }
586
587         let reached_depth = stack.reached_depth.get();
588         if reached_depth >= stack.depth {
589             debug!("CACHE MISS: EVAL({:?})={:?}", fresh_trait_ref, result);
590             self.insert_evaluation_cache(obligation.param_env, fresh_trait_ref, dep_node, result);
591
592             stack.cache().on_completion(stack.depth, |fresh_trait_ref, provisional_result| {
593                 self.insert_evaluation_cache(
594                     obligation.param_env,
595                     fresh_trait_ref,
596                     dep_node,
597                     provisional_result.max(result),
598                 );
599             });
600         } else {
601             debug!("PROVISIONAL: {:?}={:?}", fresh_trait_ref, result);
602             debug!(
603                 "evaluate_trait_predicate_recursively: caching provisionally because {:?} \
604                  is a cycle participant (at depth {}, reached depth {})",
605                 fresh_trait_ref, stack.depth, reached_depth,
606             );
607
608             stack.cache().insert_provisional(stack.dfn, reached_depth, fresh_trait_ref, result);
609         }
610
611         Ok(result)
612     }
613
614     /// If there is any previous entry on the stack that precisely
615     /// matches this obligation, then we can assume that the
616     /// obligation is satisfied for now (still all other conditions
617     /// must be met of course). One obvious case this comes up is
618     /// marker traits like `Send`. Think of a linked list:
619     ///
620     ///    struct List<T> { data: T, next: Option<Box<List<T>>> }
621     ///
622     /// `Box<List<T>>` will be `Send` if `T` is `Send` and
623     /// `Option<Box<List<T>>>` is `Send`, and in turn
624     /// `Option<Box<List<T>>>` is `Send` if `Box<List<T>>` is
625     /// `Send`.
626     ///
627     /// Note that we do this comparison using the `fresh_trait_ref`
628     /// fields. Because these have all been freshened using
629     /// `self.freshener`, we can be sure that (a) this will not
630     /// affect the inferencer state and (b) that if we see two
631     /// fresh regions with the same index, they refer to the same
632     /// unbound type variable.
633     fn check_evaluation_cycle(
634         &mut self,
635         stack: &TraitObligationStack<'_, 'tcx>,
636     ) -> Option<EvaluationResult> {
637         if let Some(cycle_depth) = stack
638             .iter()
639             .skip(1) // Skip top-most frame.
640             .find(|prev| {
641                 stack.obligation.param_env == prev.obligation.param_env
642                     && stack.fresh_trait_ref == prev.fresh_trait_ref
643             })
644             .map(|stack| stack.depth)
645         {
646             debug!(
647                 "evaluate_stack({:?}) --> recursive at depth {}",
648                 stack.fresh_trait_ref, cycle_depth,
649             );
650
651             // If we have a stack like `A B C D E A`, where the top of
652             // the stack is the final `A`, then this will iterate over
653             // `A, E, D, C, B` -- i.e., all the participants apart
654             // from the cycle head. We mark them as participating in a
655             // cycle. This suppresses caching for those nodes. See
656             // `in_cycle` field for more details.
657             stack.update_reached_depth(cycle_depth);
658
659             // Subtle: when checking for a coinductive cycle, we do
660             // not compare using the "freshened trait refs" (which
661             // have erased regions) but rather the fully explicit
662             // trait refs. This is important because it's only a cycle
663             // if the regions match exactly.
664             let cycle = stack.iter().skip(1).take_while(|s| s.depth >= cycle_depth);
665             let tcx = self.tcx();
666             let cycle = cycle.map(|stack| {
667                 ty::PredicateKind::Trait(stack.obligation.predicate, hir::Constness::NotConst)
668                     .to_predicate(tcx)
669             });
670             if self.coinductive_match(cycle) {
671                 debug!("evaluate_stack({:?}) --> recursive, coinductive", stack.fresh_trait_ref);
672                 Some(EvaluatedToOk)
673             } else {
674                 debug!("evaluate_stack({:?}) --> recursive, inductive", stack.fresh_trait_ref);
675                 Some(EvaluatedToRecur)
676             }
677         } else {
678             None
679         }
680     }
681
682     fn evaluate_stack<'o>(
683         &mut self,
684         stack: &TraitObligationStack<'o, 'tcx>,
685     ) -> Result<EvaluationResult, OverflowError> {
686         // In intercrate mode, whenever any of the generics are unbound,
687         // there can always be an impl. Even if there are no impls in
688         // this crate, perhaps the type would be unified with
689         // something from another crate that does provide an impl.
690         //
691         // In intra mode, we must still be conservative. The reason is
692         // that we want to avoid cycles. Imagine an impl like:
693         //
694         //     impl<T:Eq> Eq for Vec<T>
695         //
696         // and a trait reference like `$0 : Eq` where `$0` is an
697         // unbound variable. When we evaluate this trait-reference, we
698         // will unify `$0` with `Vec<$1>` (for some fresh variable
699         // `$1`), on the condition that `$1 : Eq`. We will then wind
700         // up with many candidates (since that are other `Eq` impls
701         // that apply) and try to winnow things down. This results in
702         // a recursive evaluation that `$1 : Eq` -- as you can
703         // imagine, this is just where we started. To avoid that, we
704         // check for unbound variables and return an ambiguous (hence possible)
705         // match if we've seen this trait before.
706         //
707         // This suffices to allow chains like `FnMut` implemented in
708         // terms of `Fn` etc, but we could probably make this more
709         // precise still.
710         let unbound_input_types =
711             stack.fresh_trait_ref.skip_binder().substs.types().any(|ty| ty.is_fresh());
712         // This check was an imperfect workaround for a bug in the old
713         // intercrate mode; it should be removed when that goes away.
714         if unbound_input_types && self.intercrate {
715             debug!(
716                 "evaluate_stack({:?}) --> unbound argument, intercrate -->  ambiguous",
717                 stack.fresh_trait_ref
718             );
719             // Heuristics: show the diagnostics when there are no candidates in crate.
720             if self.intercrate_ambiguity_causes.is_some() {
721                 debug!("evaluate_stack: intercrate_ambiguity_causes is some");
722                 if let Ok(candidate_set) = self.assemble_candidates(stack) {
723                     if !candidate_set.ambiguous && candidate_set.vec.is_empty() {
724                         let trait_ref = stack.obligation.predicate.skip_binder().trait_ref;
725                         let self_ty = trait_ref.self_ty();
726                         let cause = IntercrateAmbiguityCause::DownstreamCrate {
727                             trait_desc: trait_ref.print_only_trait_path().to_string(),
728                             self_desc: if self_ty.has_concrete_skeleton() {
729                                 Some(self_ty.to_string())
730                             } else {
731                                 None
732                             },
733                         };
734                         debug!("evaluate_stack: pushing cause = {:?}", cause);
735                         self.intercrate_ambiguity_causes.as_mut().unwrap().push(cause);
736                     }
737                 }
738             }
739             return Ok(EvaluatedToAmbig);
740         }
741         if unbound_input_types
742             && stack.iter().skip(1).any(|prev| {
743                 stack.obligation.param_env == prev.obligation.param_env
744                     && self.match_fresh_trait_refs(
745                         &stack.fresh_trait_ref,
746                         &prev.fresh_trait_ref,
747                         prev.obligation.param_env,
748                     )
749             })
750         {
751             debug!(
752                 "evaluate_stack({:?}) --> unbound argument, recursive --> giving up",
753                 stack.fresh_trait_ref
754             );
755             return Ok(EvaluatedToUnknown);
756         }
757
758         match self.candidate_from_obligation(stack) {
759             Ok(Some(c)) => self.evaluate_candidate(stack, &c),
760             Ok(None) => Ok(EvaluatedToAmbig),
761             Err(Overflow) => Err(OverflowError),
762             Err(..) => Ok(EvaluatedToErr),
763         }
764     }
765
766     /// For defaulted traits, we use a co-inductive strategy to solve, so
767     /// that recursion is ok. This routine returns `true` if the top of the
768     /// stack (`cycle[0]`):
769     ///
770     /// - is a defaulted trait,
771     /// - it also appears in the backtrace at some position `X`,
772     /// - all the predicates at positions `X..` between `X` and the top are
773     ///   also defaulted traits.
774     pub fn coinductive_match<I>(&mut self, cycle: I) -> bool
775     where
776         I: Iterator<Item = ty::Predicate<'tcx>>,
777     {
778         let mut cycle = cycle;
779         cycle.all(|predicate| self.coinductive_predicate(predicate))
780     }
781
782     fn coinductive_predicate(&self, predicate: ty::Predicate<'tcx>) -> bool {
783         let result = match predicate.kind() {
784             ty::PredicateKind::Trait(ref data, _) => self.tcx().trait_is_auto(data.def_id()),
785             _ => false,
786         };
787         debug!("coinductive_predicate({:?}) = {:?}", predicate, result);
788         result
789     }
790
791     /// Further evaluates `candidate` to decide whether all type parameters match and whether nested
792     /// obligations are met. Returns whether `candidate` remains viable after this further
793     /// scrutiny.
794     fn evaluate_candidate<'o>(
795         &mut self,
796         stack: &TraitObligationStack<'o, 'tcx>,
797         candidate: &SelectionCandidate<'tcx>,
798     ) -> Result<EvaluationResult, OverflowError> {
799         debug!(
800             "evaluate_candidate: depth={} candidate={:?}",
801             stack.obligation.recursion_depth, candidate
802         );
803         let result = self.evaluation_probe(|this| {
804             let candidate = (*candidate).clone();
805             match this.confirm_candidate(stack.obligation, candidate) {
806                 Ok(selection) => this.evaluate_predicates_recursively(
807                     stack.list(),
808                     selection.nested_obligations().into_iter(),
809                 ),
810                 Err(..) => Ok(EvaluatedToErr),
811             }
812         })?;
813         debug!(
814             "evaluate_candidate: depth={} result={:?}",
815             stack.obligation.recursion_depth, result
816         );
817         Ok(result)
818     }
819
820     fn check_evaluation_cache(
821         &self,
822         param_env: ty::ParamEnv<'tcx>,
823         trait_ref: ty::PolyTraitRef<'tcx>,
824     ) -> Option<EvaluationResult> {
825         let tcx = self.tcx();
826         if self.can_use_global_caches(param_env) {
827             let cache = tcx.evaluation_cache.hashmap.borrow();
828             if let Some(cached) = cache.get(&param_env.and(trait_ref)) {
829                 return Some(cached.get(tcx));
830             }
831         }
832         self.infcx
833             .evaluation_cache
834             .hashmap
835             .borrow()
836             .get(&param_env.and(trait_ref))
837             .map(|v| v.get(tcx))
838     }
839
840     fn insert_evaluation_cache(
841         &mut self,
842         param_env: ty::ParamEnv<'tcx>,
843         trait_ref: ty::PolyTraitRef<'tcx>,
844         dep_node: DepNodeIndex,
845         result: EvaluationResult,
846     ) {
847         // Avoid caching results that depend on more than just the trait-ref
848         // - the stack can create recursion.
849         if result.is_stack_dependent() {
850             return;
851         }
852
853         if self.can_use_global_caches(param_env) {
854             if !trait_ref.needs_infer() {
855                 debug!(
856                     "insert_evaluation_cache(trait_ref={:?}, candidate={:?}) global",
857                     trait_ref, result,
858                 );
859                 // This may overwrite the cache with the same value
860                 // FIXME: Due to #50507 this overwrites the different values
861                 // This should be changed to use HashMapExt::insert_same
862                 // when that is fixed
863                 self.tcx()
864                     .evaluation_cache
865                     .hashmap
866                     .borrow_mut()
867                     .insert(param_env.and(trait_ref), WithDepNode::new(dep_node, result));
868                 return;
869             }
870         }
871
872         debug!("insert_evaluation_cache(trait_ref={:?}, candidate={:?})", trait_ref, result,);
873         self.infcx
874             .evaluation_cache
875             .hashmap
876             .borrow_mut()
877             .insert(param_env.and(trait_ref), WithDepNode::new(dep_node, result));
878     }
879
880     /// For various reasons, it's possible for a subobligation
881     /// to have a *lower* recursion_depth than the obligation used to create it.
882     /// Projection sub-obligations may be returned from the projection cache,
883     /// which results in obligations with an 'old' `recursion_depth`.
884     /// Additionally, methods like `wf::obligations` and
885     /// `InferCtxt.subtype_predicate` produce subobligations without
886     /// taking in a 'parent' depth, causing the generated subobligations
887     /// to have a `recursion_depth` of `0`.
888     ///
889     /// To ensure that obligation_depth never decreasees, we force all subobligations
890     /// to have at least the depth of the original obligation.
891     fn add_depth<T: 'cx, I: Iterator<Item = &'cx mut Obligation<'tcx, T>>>(
892         &self,
893         it: I,
894         min_depth: usize,
895     ) {
896         it.for_each(|o| o.recursion_depth = cmp::max(min_depth, o.recursion_depth) + 1);
897     }
898
899     /// Checks that the recursion limit has not been exceeded.
900     ///
901     /// The weird return type of this function allows it to be used with the `try` (`?`)
902     /// operator within certain functions.
903     fn check_recursion_limit<T: Display + TypeFoldable<'tcx>, V: Display + TypeFoldable<'tcx>>(
904         &self,
905         obligation: &Obligation<'tcx, T>,
906         error_obligation: &Obligation<'tcx, V>,
907     ) -> Result<(), OverflowError> {
908         if !self.infcx.tcx.sess.recursion_limit().value_within_limit(obligation.recursion_depth) {
909             match self.query_mode {
910                 TraitQueryMode::Standard => {
911                     self.infcx().report_overflow_error(error_obligation, true);
912                 }
913                 TraitQueryMode::Canonical => {
914                     return Err(OverflowError);
915                 }
916             }
917         }
918         Ok(())
919     }
920
921     fn in_task<OP, R>(&mut self, op: OP) -> (R, DepNodeIndex)
922     where
923         OP: FnOnce(&mut Self) -> R,
924     {
925         let (result, dep_node) =
926             self.tcx().dep_graph.with_anon_task(DepKind::TraitSelect, || op(self));
927         self.tcx().dep_graph.read_index(dep_node);
928         (result, dep_node)
929     }
930
931     // Treat negative impls as unimplemented, and reservation impls as ambiguity.
932     fn filter_negative_and_reservation_impls(
933         &mut self,
934         candidate: SelectionCandidate<'tcx>,
935     ) -> SelectionResult<'tcx, SelectionCandidate<'tcx>> {
936         if let ImplCandidate(def_id) = candidate {
937             let tcx = self.tcx();
938             match tcx.impl_polarity(def_id) {
939                 ty::ImplPolarity::Negative if !self.allow_negative_impls => {
940                     return Err(Unimplemented);
941                 }
942                 ty::ImplPolarity::Reservation => {
943                     if let Some(intercrate_ambiguity_clauses) =
944                         &mut self.intercrate_ambiguity_causes
945                     {
946                         let attrs = tcx.get_attrs(def_id);
947                         let attr = attr::find_by_name(&attrs, sym::rustc_reservation_impl);
948                         let value = attr.and_then(|a| a.value_str());
949                         if let Some(value) = value {
950                             debug!(
951                                 "filter_negative_and_reservation_impls: \
952                                  reservation impl ambiguity on {:?}",
953                                 def_id
954                             );
955                             intercrate_ambiguity_clauses.push(
956                                 IntercrateAmbiguityCause::ReservationImpl {
957                                     message: value.to_string(),
958                                 },
959                             );
960                         }
961                     }
962                     return Ok(None);
963                 }
964                 _ => {}
965             };
966         }
967         Ok(Some(candidate))
968     }
969
970     fn candidate_from_obligation_no_cache<'o>(
971         &mut self,
972         stack: &TraitObligationStack<'o, 'tcx>,
973     ) -> SelectionResult<'tcx, SelectionCandidate<'tcx>> {
974         if let Some(conflict) = self.is_knowable(stack) {
975             debug!("coherence stage: not knowable");
976             if self.intercrate_ambiguity_causes.is_some() {
977                 debug!("evaluate_stack: intercrate_ambiguity_causes is some");
978                 // Heuristics: show the diagnostics when there are no candidates in crate.
979                 if let Ok(candidate_set) = self.assemble_candidates(stack) {
980                     let mut no_candidates_apply = true;
981
982                     for c in candidate_set.vec.iter() {
983                         if self.evaluate_candidate(stack, &c)?.may_apply() {
984                             no_candidates_apply = false;
985                             break;
986                         }
987                     }
988
989                     if !candidate_set.ambiguous && no_candidates_apply {
990                         let trait_ref = stack.obligation.predicate.skip_binder().trait_ref;
991                         let self_ty = trait_ref.self_ty();
992                         let trait_desc = trait_ref.print_only_trait_path().to_string();
993                         let self_desc = if self_ty.has_concrete_skeleton() {
994                             Some(self_ty.to_string())
995                         } else {
996                             None
997                         };
998                         let cause = if let Conflict::Upstream = conflict {
999                             IntercrateAmbiguityCause::UpstreamCrateUpdate { trait_desc, self_desc }
1000                         } else {
1001                             IntercrateAmbiguityCause::DownstreamCrate { trait_desc, self_desc }
1002                         };
1003                         debug!("evaluate_stack: pushing cause = {:?}", cause);
1004                         self.intercrate_ambiguity_causes.as_mut().unwrap().push(cause);
1005                     }
1006                 }
1007             }
1008             return Ok(None);
1009         }
1010
1011         let candidate_set = self.assemble_candidates(stack)?;
1012
1013         if candidate_set.ambiguous {
1014             debug!("candidate set contains ambig");
1015             return Ok(None);
1016         }
1017
1018         let mut candidates = candidate_set.vec;
1019
1020         debug!("assembled {} candidates for {:?}: {:?}", candidates.len(), stack, candidates);
1021
1022         // At this point, we know that each of the entries in the
1023         // candidate set is *individually* applicable. Now we have to
1024         // figure out if they contain mutual incompatibilities. This
1025         // frequently arises if we have an unconstrained input type --
1026         // for example, we are looking for `$0: Eq` where `$0` is some
1027         // unconstrained type variable. In that case, we'll get a
1028         // candidate which assumes $0 == int, one that assumes `$0 ==
1029         // usize`, etc. This spells an ambiguity.
1030
1031         // If there is more than one candidate, first winnow them down
1032         // by considering extra conditions (nested obligations and so
1033         // forth). We don't winnow if there is exactly one
1034         // candidate. This is a relatively minor distinction but it
1035         // can lead to better inference and error-reporting. An
1036         // example would be if there was an impl:
1037         //
1038         //     impl<T:Clone> Vec<T> { fn push_clone(...) { ... } }
1039         //
1040         // and we were to see some code `foo.push_clone()` where `boo`
1041         // is a `Vec<Bar>` and `Bar` does not implement `Clone`.  If
1042         // we were to winnow, we'd wind up with zero candidates.
1043         // Instead, we select the right impl now but report "`Bar` does
1044         // not implement `Clone`".
1045         if candidates.len() == 1 {
1046             return self.filter_negative_and_reservation_impls(candidates.pop().unwrap());
1047         }
1048
1049         // Winnow, but record the exact outcome of evaluation, which
1050         // is needed for specialization. Propagate overflow if it occurs.
1051         let mut candidates = candidates
1052             .into_iter()
1053             .map(|c| match self.evaluate_candidate(stack, &c) {
1054                 Ok(eval) if eval.may_apply() => {
1055                     Ok(Some(EvaluatedCandidate { candidate: c, evaluation: eval }))
1056                 }
1057                 Ok(_) => Ok(None),
1058                 Err(OverflowError) => Err(Overflow),
1059             })
1060             .flat_map(Result::transpose)
1061             .collect::<Result<Vec<_>, _>>()?;
1062
1063         debug!("winnowed to {} candidates for {:?}: {:?}", candidates.len(), stack, candidates);
1064
1065         let needs_infer = stack.obligation.predicate.needs_infer();
1066
1067         // If there are STILL multiple candidates, we can further
1068         // reduce the list by dropping duplicates -- including
1069         // resolving specializations.
1070         if candidates.len() > 1 {
1071             let mut i = 0;
1072             while i < candidates.len() {
1073                 let is_dup = (0..candidates.len()).filter(|&j| i != j).any(|j| {
1074                     self.candidate_should_be_dropped_in_favor_of(
1075                         &candidates[i],
1076                         &candidates[j],
1077                         needs_infer,
1078                     )
1079                 });
1080                 if is_dup {
1081                     debug!("Dropping candidate #{}/{}: {:?}", i, candidates.len(), candidates[i]);
1082                     candidates.swap_remove(i);
1083                 } else {
1084                     debug!("Retaining candidate #{}/{}: {:?}", i, candidates.len(), candidates[i]);
1085                     i += 1;
1086
1087                     // If there are *STILL* multiple candidates, give up
1088                     // and report ambiguity.
1089                     if i > 1 {
1090                         debug!("multiple matches, ambig");
1091                         return Ok(None);
1092                     }
1093                 }
1094             }
1095         }
1096
1097         // If there are *NO* candidates, then there are no impls --
1098         // that we know of, anyway. Note that in the case where there
1099         // are unbound type variables within the obligation, it might
1100         // be the case that you could still satisfy the obligation
1101         // from another crate by instantiating the type variables with
1102         // a type from another crate that does have an impl. This case
1103         // is checked for in `evaluate_stack` (and hence users
1104         // who might care about this case, like coherence, should use
1105         // that function).
1106         if candidates.is_empty() {
1107             // If there's an error type, 'downgrade' our result from
1108             // `Err(Unimplemented)` to `Ok(None)`. This helps us avoid
1109             // emitting additional spurious errors, since we're guaranteed
1110             // to have emitted at least one.
1111             if stack.obligation.references_error() {
1112                 debug!("no results for error type, treating as ambiguous");
1113                 return Ok(None);
1114             }
1115             return Err(Unimplemented);
1116         }
1117
1118         // Just one candidate left.
1119         self.filter_negative_and_reservation_impls(candidates.pop().unwrap().candidate)
1120     }
1121
1122     fn is_knowable<'o>(&mut self, stack: &TraitObligationStack<'o, 'tcx>) -> Option<Conflict> {
1123         debug!("is_knowable(intercrate={:?})", self.intercrate);
1124
1125         if !self.intercrate {
1126             return None;
1127         }
1128
1129         let obligation = &stack.obligation;
1130         let predicate = self.infcx().resolve_vars_if_possible(&obligation.predicate);
1131
1132         // Okay to skip binder because of the nature of the
1133         // trait-ref-is-knowable check, which does not care about
1134         // bound regions.
1135         let trait_ref = predicate.skip_binder().trait_ref;
1136
1137         coherence::trait_ref_is_knowable(self.tcx(), trait_ref)
1138     }
1139
1140     /// Returns `true` if the global caches can be used.
1141     /// Do note that if the type itself is not in the
1142     /// global tcx, the local caches will be used.
1143     fn can_use_global_caches(&self, param_env: ty::ParamEnv<'tcx>) -> bool {
1144         // If there are any inference variables in the `ParamEnv`, then we
1145         // always use a cache local to this particular scope. Otherwise, we
1146         // switch to a global cache.
1147         if param_env.needs_infer() {
1148             return false;
1149         }
1150
1151         // Avoid using the master cache during coherence and just rely
1152         // on the local cache. This effectively disables caching
1153         // during coherence. It is really just a simplification to
1154         // avoid us having to fear that coherence results "pollute"
1155         // the master cache. Since coherence executes pretty quickly,
1156         // it's not worth going to more trouble to increase the
1157         // hit-rate, I don't think.
1158         if self.intercrate {
1159             return false;
1160         }
1161
1162         // Otherwise, we can use the global cache.
1163         true
1164     }
1165
1166     fn check_candidate_cache(
1167         &mut self,
1168         param_env: ty::ParamEnv<'tcx>,
1169         cache_fresh_trait_pred: ty::PolyTraitPredicate<'tcx>,
1170     ) -> Option<SelectionResult<'tcx, SelectionCandidate<'tcx>>> {
1171         let tcx = self.tcx();
1172         let trait_ref = &cache_fresh_trait_pred.skip_binder().trait_ref;
1173         if self.can_use_global_caches(param_env) {
1174             let cache = tcx.selection_cache.hashmap.borrow();
1175             if let Some(cached) = cache.get(&param_env.and(*trait_ref)) {
1176                 return Some(cached.get(tcx));
1177             }
1178         }
1179         self.infcx
1180             .selection_cache
1181             .hashmap
1182             .borrow()
1183             .get(&param_env.and(*trait_ref))
1184             .map(|v| v.get(tcx))
1185     }
1186
1187     /// Determines whether can we safely cache the result
1188     /// of selecting an obligation. This is almost always `true`,
1189     /// except when dealing with certain `ParamCandidate`s.
1190     ///
1191     /// Ordinarily, a `ParamCandidate` will contain no inference variables,
1192     /// since it was usually produced directly from a `DefId`. However,
1193     /// certain cases (currently only librustdoc's blanket impl finder),
1194     /// a `ParamEnv` may be explicitly constructed with inference types.
1195     /// When this is the case, we do *not* want to cache the resulting selection
1196     /// candidate. This is due to the fact that it might not always be possible
1197     /// to equate the obligation's trait ref and the candidate's trait ref,
1198     /// if more constraints end up getting added to an inference variable.
1199     ///
1200     /// Because of this, we always want to re-run the full selection
1201     /// process for our obligation the next time we see it, since
1202     /// we might end up picking a different `SelectionCandidate` (or none at all).
1203     fn can_cache_candidate(
1204         &self,
1205         result: &SelectionResult<'tcx, SelectionCandidate<'tcx>>,
1206     ) -> bool {
1207         match result {
1208             Ok(Some(SelectionCandidate::ParamCandidate(trait_ref))) => !trait_ref.needs_infer(),
1209             _ => true,
1210         }
1211     }
1212
1213     fn insert_candidate_cache(
1214         &mut self,
1215         param_env: ty::ParamEnv<'tcx>,
1216         cache_fresh_trait_pred: ty::PolyTraitPredicate<'tcx>,
1217         dep_node: DepNodeIndex,
1218         candidate: SelectionResult<'tcx, SelectionCandidate<'tcx>>,
1219     ) {
1220         let tcx = self.tcx();
1221         let trait_ref = cache_fresh_trait_pred.skip_binder().trait_ref;
1222
1223         if !self.can_cache_candidate(&candidate) {
1224             debug!(
1225                 "insert_candidate_cache(trait_ref={:?}, candidate={:?} -\
1226                  candidate is not cacheable",
1227                 trait_ref, candidate
1228             );
1229             return;
1230         }
1231
1232         if self.can_use_global_caches(param_env) {
1233             if let Err(Overflow) = candidate {
1234                 // Don't cache overflow globally; we only produce this in certain modes.
1235             } else if !trait_ref.needs_infer() {
1236                 if !candidate.needs_infer() {
1237                     debug!(
1238                         "insert_candidate_cache(trait_ref={:?}, candidate={:?}) global",
1239                         trait_ref, candidate,
1240                     );
1241                     // This may overwrite the cache with the same value.
1242                     tcx.selection_cache
1243                         .hashmap
1244                         .borrow_mut()
1245                         .insert(param_env.and(trait_ref), WithDepNode::new(dep_node, candidate));
1246                     return;
1247                 }
1248             }
1249         }
1250
1251         debug!(
1252             "insert_candidate_cache(trait_ref={:?}, candidate={:?}) local",
1253             trait_ref, candidate,
1254         );
1255         self.infcx
1256             .selection_cache
1257             .hashmap
1258             .borrow_mut()
1259             .insert(param_env.and(trait_ref), WithDepNode::new(dep_node, candidate));
1260     }
1261
1262     fn match_projection_obligation_against_definition_bounds(
1263         &mut self,
1264         obligation: &TraitObligation<'tcx>,
1265         snapshot: &CombinedSnapshot<'_, 'tcx>,
1266     ) -> bool {
1267         let poly_trait_predicate = self.infcx().resolve_vars_if_possible(&obligation.predicate);
1268         let (placeholder_trait_predicate, placeholder_map) =
1269             self.infcx().replace_bound_vars_with_placeholders(&poly_trait_predicate);
1270         debug!(
1271             "match_projection_obligation_against_definition_bounds: \
1272              placeholder_trait_predicate={:?}",
1273             placeholder_trait_predicate,
1274         );
1275
1276         let (def_id, substs) = match placeholder_trait_predicate.trait_ref.self_ty().kind {
1277             ty::Projection(ref data) => (data.trait_ref(self.tcx()).def_id, data.substs),
1278             ty::Opaque(def_id, substs) => (def_id, substs),
1279             _ => {
1280                 span_bug!(
1281                     obligation.cause.span,
1282                     "match_projection_obligation_against_definition_bounds() called \
1283                      but self-ty is not a projection: {:?}",
1284                     placeholder_trait_predicate.trait_ref.self_ty()
1285                 );
1286             }
1287         };
1288         debug!(
1289             "match_projection_obligation_against_definition_bounds: \
1290              def_id={:?}, substs={:?}",
1291             def_id, substs
1292         );
1293
1294         let predicates_of = self.tcx().predicates_of(def_id);
1295         let bounds = predicates_of.instantiate(self.tcx(), substs);
1296         debug!(
1297             "match_projection_obligation_against_definition_bounds: \
1298              bounds={:?}",
1299             bounds
1300         );
1301
1302         let elaborated_predicates =
1303             util::elaborate_predicates(self.tcx(), bounds.predicates.into_iter());
1304         let matching_bound = elaborated_predicates.filter_to_traits().find(|bound| {
1305             self.infcx.probe(|_| {
1306                 self.match_projection(
1307                     obligation,
1308                     *bound,
1309                     placeholder_trait_predicate.trait_ref,
1310                     &placeholder_map,
1311                     snapshot,
1312                 )
1313             })
1314         });
1315
1316         debug!(
1317             "match_projection_obligation_against_definition_bounds: \
1318              matching_bound={:?}",
1319             matching_bound
1320         );
1321         match matching_bound {
1322             None => false,
1323             Some(bound) => {
1324                 // Repeat the successful match, if any, this time outside of a probe.
1325                 let result = self.match_projection(
1326                     obligation,
1327                     bound,
1328                     placeholder_trait_predicate.trait_ref,
1329                     &placeholder_map,
1330                     snapshot,
1331                 );
1332
1333                 assert!(result);
1334                 true
1335             }
1336         }
1337     }
1338
1339     fn match_projection(
1340         &mut self,
1341         obligation: &TraitObligation<'tcx>,
1342         trait_bound: ty::PolyTraitRef<'tcx>,
1343         placeholder_trait_ref: ty::TraitRef<'tcx>,
1344         placeholder_map: &PlaceholderMap<'tcx>,
1345         snapshot: &CombinedSnapshot<'_, 'tcx>,
1346     ) -> bool {
1347         debug_assert!(!placeholder_trait_ref.has_escaping_bound_vars());
1348         self.infcx
1349             .at(&obligation.cause, obligation.param_env)
1350             .sup(ty::Binder::dummy(placeholder_trait_ref), trait_bound)
1351             .is_ok()
1352             && self.infcx.leak_check(false, placeholder_map, snapshot).is_ok()
1353     }
1354
1355     fn evaluate_where_clause<'o>(
1356         &mut self,
1357         stack: &TraitObligationStack<'o, 'tcx>,
1358         where_clause_trait_ref: ty::PolyTraitRef<'tcx>,
1359     ) -> Result<EvaluationResult, OverflowError> {
1360         self.evaluation_probe(|this| {
1361             match this.match_where_clause_trait_ref(stack.obligation, where_clause_trait_ref) {
1362                 Ok(obligations) => {
1363                     this.evaluate_predicates_recursively(stack.list(), obligations.into_iter())
1364                 }
1365                 Err(()) => Ok(EvaluatedToErr),
1366             }
1367         })
1368     }
1369
1370     ///////////////////////////////////////////////////////////////////////////
1371     // WINNOW
1372     //
1373     // Winnowing is the process of attempting to resolve ambiguity by
1374     // probing further. During the winnowing process, we unify all
1375     // type variables and then we also attempt to evaluate recursive
1376     // bounds to see if they are satisfied.
1377
1378     /// Returns `true` if `victim` should be dropped in favor of
1379     /// `other`. Generally speaking we will drop duplicate
1380     /// candidates and prefer where-clause candidates.
1381     ///
1382     /// See the comment for "SelectionCandidate" for more details.
1383     fn candidate_should_be_dropped_in_favor_of(
1384         &mut self,
1385         victim: &EvaluatedCandidate<'tcx>,
1386         other: &EvaluatedCandidate<'tcx>,
1387         needs_infer: bool,
1388     ) -> bool {
1389         if victim.candidate == other.candidate {
1390             return true;
1391         }
1392
1393         // Check if a bound would previously have been removed when normalizing
1394         // the param_env so that it can be given the lowest priority. See
1395         // #50825 for the motivation for this.
1396         let is_global =
1397             |cand: &ty::PolyTraitRef<'_>| cand.is_global() && !cand.has_late_bound_regions();
1398
1399         // (*) Prefer `BuiltinCandidate { has_nested: false }` and `DiscriminantKindCandidate`
1400         // to anything else.
1401         //
1402         // This is a fix for #53123 and prevents winnowing from accidentally extending the
1403         // lifetime of a variable.
1404         match other.candidate {
1405             // (*)
1406             BuiltinCandidate { has_nested: false } | DiscriminantKindCandidate => true,
1407             ParamCandidate(ref cand) => match victim.candidate {
1408                 AutoImplCandidate(..) => {
1409                     bug!(
1410                         "default implementations shouldn't be recorded \
1411                          when there are other valid candidates"
1412                     );
1413                 }
1414                 // (*)
1415                 BuiltinCandidate { has_nested: false } | DiscriminantKindCandidate => false,
1416                 ImplCandidate(..)
1417                 | ClosureCandidate
1418                 | GeneratorCandidate
1419                 | FnPointerCandidate
1420                 | BuiltinObjectCandidate
1421                 | BuiltinUnsizeCandidate
1422                 | BuiltinCandidate { .. }
1423                 | TraitAliasCandidate(..) => {
1424                     // Global bounds from the where clause should be ignored
1425                     // here (see issue #50825). Otherwise, we have a where
1426                     // clause so don't go around looking for impls.
1427                     !is_global(cand)
1428                 }
1429                 ObjectCandidate | ProjectionCandidate => {
1430                     // Arbitrarily give param candidates priority
1431                     // over projection and object candidates.
1432                     !is_global(cand)
1433                 }
1434                 ParamCandidate(..) => false,
1435             },
1436             ObjectCandidate | ProjectionCandidate => match victim.candidate {
1437                 AutoImplCandidate(..) => {
1438                     bug!(
1439                         "default implementations shouldn't be recorded \
1440                          when there are other valid candidates"
1441                     );
1442                 }
1443                 // (*)
1444                 BuiltinCandidate { has_nested: false } | DiscriminantKindCandidate => false,
1445                 ImplCandidate(..)
1446                 | ClosureCandidate
1447                 | GeneratorCandidate
1448                 | FnPointerCandidate
1449                 | BuiltinObjectCandidate
1450                 | BuiltinUnsizeCandidate
1451                 | BuiltinCandidate { .. }
1452                 | TraitAliasCandidate(..) => true,
1453                 ObjectCandidate | ProjectionCandidate => {
1454                     // Arbitrarily give param candidates priority
1455                     // over projection and object candidates.
1456                     true
1457                 }
1458                 ParamCandidate(ref cand) => is_global(cand),
1459             },
1460             ImplCandidate(other_def) => {
1461                 // See if we can toss out `victim` based on specialization.
1462                 // This requires us to know *for sure* that the `other` impl applies
1463                 // i.e., `EvaluatedToOk`.
1464                 if other.evaluation.must_apply_modulo_regions() {
1465                     match victim.candidate {
1466                         ImplCandidate(victim_def) => {
1467                             let tcx = self.tcx();
1468                             if tcx.specializes((other_def, victim_def)) {
1469                                 return true;
1470                             }
1471                             return match tcx.impls_are_allowed_to_overlap(other_def, victim_def) {
1472                                 Some(ty::ImplOverlapKind::Permitted { marker: true }) => {
1473                                     // Subtle: If the predicate we are evaluating has inference
1474                                     // variables, do *not* allow discarding candidates due to
1475                                     // marker trait impls.
1476                                     //
1477                                     // Without this restriction, we could end up accidentally
1478                                     // constrainting inference variables based on an arbitrarily
1479                                     // chosen trait impl.
1480                                     //
1481                                     // Imagine we have the following code:
1482                                     //
1483                                     // ```rust
1484                                     // #[marker] trait MyTrait {}
1485                                     // impl MyTrait for u8 {}
1486                                     // impl MyTrait for bool {}
1487                                     // ```
1488                                     //
1489                                     // And we are evaluating the predicate `<_#0t as MyTrait>`.
1490                                     //
1491                                     // During selection, we will end up with one candidate for each
1492                                     // impl of `MyTrait`. If we were to discard one impl in favor
1493                                     // of the other, we would be left with one candidate, causing
1494                                     // us to "successfully" select the predicate, unifying
1495                                     // _#0t with (for example) `u8`.
1496                                     //
1497                                     // However, we have no reason to believe that this unification
1498                                     // is correct - we've essentially just picked an arbitrary
1499                                     // *possibility* for _#0t, and required that this be the *only*
1500                                     // possibility.
1501                                     //
1502                                     // Eventually, we will either:
1503                                     // 1) Unify all inference variables in the predicate through
1504                                     // some other means (e.g. type-checking of a function). We will
1505                                     // then be in a position to drop marker trait candidates
1506                                     // without constraining inference variables (since there are
1507                                     // none left to constrin)
1508                                     // 2) Be left with some unconstrained inference variables. We
1509                                     // will then correctly report an inference error, since the
1510                                     // existence of multiple marker trait impls tells us nothing
1511                                     // about which one should actually apply.
1512                                     !needs_infer
1513                                 }
1514                                 Some(_) => true,
1515                                 None => false,
1516                             };
1517                         }
1518                         ParamCandidate(ref cand) => {
1519                             // Prefer the impl to a global where clause candidate.
1520                             return is_global(cand);
1521                         }
1522                         _ => (),
1523                     }
1524                 }
1525
1526                 false
1527             }
1528             ClosureCandidate
1529             | GeneratorCandidate
1530             | FnPointerCandidate
1531             | BuiltinObjectCandidate
1532             | BuiltinUnsizeCandidate
1533             | BuiltinCandidate { has_nested: true } => {
1534                 match victim.candidate {
1535                     ParamCandidate(ref cand) => {
1536                         // Prefer these to a global where-clause bound
1537                         // (see issue #50825).
1538                         is_global(cand) && other.evaluation.must_apply_modulo_regions()
1539                     }
1540                     _ => false,
1541                 }
1542             }
1543             _ => false,
1544         }
1545     }
1546
1547     fn sized_conditions(
1548         &mut self,
1549         obligation: &TraitObligation<'tcx>,
1550     ) -> BuiltinImplConditions<'tcx> {
1551         use self::BuiltinImplConditions::{Ambiguous, None, Where};
1552
1553         // NOTE: binder moved to (*)
1554         let self_ty = self.infcx.shallow_resolve(obligation.predicate.skip_binder().self_ty());
1555
1556         match self_ty.kind {
1557             ty::Infer(ty::IntVar(_) | ty::FloatVar(_))
1558             | ty::Uint(_)
1559             | ty::Int(_)
1560             | ty::Bool
1561             | ty::Float(_)
1562             | ty::FnDef(..)
1563             | ty::FnPtr(_)
1564             | ty::RawPtr(..)
1565             | ty::Char
1566             | ty::Ref(..)
1567             | ty::Generator(..)
1568             | ty::GeneratorWitness(..)
1569             | ty::Array(..)
1570             | ty::Closure(..)
1571             | ty::Never
1572             | ty::Error(_) => {
1573                 // safe for everything
1574                 Where(ty::Binder::dummy(Vec::new()))
1575             }
1576
1577             ty::Str | ty::Slice(_) | ty::Dynamic(..) | ty::Foreign(..) => None,
1578
1579             ty::Tuple(tys) => {
1580                 Where(ty::Binder::bind(tys.last().into_iter().map(|k| k.expect_ty()).collect()))
1581             }
1582
1583             ty::Adt(def, substs) => {
1584                 let sized_crit = def.sized_constraint(self.tcx());
1585                 // (*) binder moved here
1586                 Where(ty::Binder::bind(
1587                     sized_crit.iter().map(|ty| ty.subst(self.tcx(), substs)).collect(),
1588                 ))
1589             }
1590
1591             ty::Projection(_) | ty::Param(_) | ty::Opaque(..) => None,
1592             ty::Infer(ty::TyVar(_)) => Ambiguous,
1593
1594             ty::Placeholder(..)
1595             | ty::Bound(..)
1596             | ty::Infer(ty::FreshTy(_) | ty::FreshIntTy(_) | ty::FreshFloatTy(_)) => {
1597                 bug!("asked to assemble builtin bounds of unexpected type: {:?}", self_ty);
1598             }
1599         }
1600     }
1601
1602     fn copy_clone_conditions(
1603         &mut self,
1604         obligation: &TraitObligation<'tcx>,
1605     ) -> BuiltinImplConditions<'tcx> {
1606         // NOTE: binder moved to (*)
1607         let self_ty = self.infcx.shallow_resolve(obligation.predicate.skip_binder().self_ty());
1608
1609         use self::BuiltinImplConditions::{Ambiguous, None, Where};
1610
1611         match self_ty.kind {
1612             ty::Infer(ty::IntVar(_))
1613             | ty::Infer(ty::FloatVar(_))
1614             | ty::FnDef(..)
1615             | ty::FnPtr(_)
1616             | ty::Error(_) => Where(ty::Binder::dummy(Vec::new())),
1617
1618             ty::Uint(_)
1619             | ty::Int(_)
1620             | ty::Bool
1621             | ty::Float(_)
1622             | ty::Char
1623             | ty::RawPtr(..)
1624             | ty::Never
1625             | ty::Ref(_, _, hir::Mutability::Not) => {
1626                 // Implementations provided in libcore
1627                 None
1628             }
1629
1630             ty::Dynamic(..)
1631             | ty::Str
1632             | ty::Slice(..)
1633             | ty::Generator(..)
1634             | ty::GeneratorWitness(..)
1635             | ty::Foreign(..)
1636             | ty::Ref(_, _, hir::Mutability::Mut) => None,
1637
1638             ty::Array(element_ty, _) => {
1639                 // (*) binder moved here
1640                 Where(ty::Binder::bind(vec![element_ty]))
1641             }
1642
1643             ty::Tuple(tys) => {
1644                 // (*) binder moved here
1645                 Where(ty::Binder::bind(tys.iter().map(|k| k.expect_ty()).collect()))
1646             }
1647
1648             ty::Closure(_, substs) => {
1649                 // (*) binder moved here
1650                 Where(ty::Binder::bind(substs.as_closure().upvar_tys().collect()))
1651             }
1652
1653             ty::Adt(..) | ty::Projection(..) | ty::Param(..) | ty::Opaque(..) => {
1654                 // Fallback to whatever user-defined impls exist in this case.
1655                 None
1656             }
1657
1658             ty::Infer(ty::TyVar(_)) => {
1659                 // Unbound type variable. Might or might not have
1660                 // applicable impls and so forth, depending on what
1661                 // those type variables wind up being bound to.
1662                 Ambiguous
1663             }
1664
1665             ty::Placeholder(..)
1666             | ty::Bound(..)
1667             | ty::Infer(ty::FreshTy(_) | ty::FreshIntTy(_) | ty::FreshFloatTy(_)) => {
1668                 bug!("asked to assemble builtin bounds of unexpected type: {:?}", self_ty);
1669             }
1670         }
1671     }
1672
1673     /// For default impls, we need to break apart a type into its
1674     /// "constituent types" -- meaning, the types that it contains.
1675     ///
1676     /// Here are some (simple) examples:
1677     ///
1678     /// ```
1679     /// (i32, u32) -> [i32, u32]
1680     /// Foo where struct Foo { x: i32, y: u32 } -> [i32, u32]
1681     /// Bar<i32> where struct Bar<T> { x: T, y: u32 } -> [i32, u32]
1682     /// Zed<i32> where enum Zed { A(T), B(u32) } -> [i32, u32]
1683     /// ```
1684     fn constituent_types_for_ty(&self, t: Ty<'tcx>) -> Vec<Ty<'tcx>> {
1685         match t.kind {
1686             ty::Uint(_)
1687             | ty::Int(_)
1688             | ty::Bool
1689             | ty::Float(_)
1690             | ty::FnDef(..)
1691             | ty::FnPtr(_)
1692             | ty::Str
1693             | ty::Error(_)
1694             | ty::Infer(ty::IntVar(_) | ty::FloatVar(_))
1695             | ty::Never
1696             | ty::Char => Vec::new(),
1697
1698             ty::Placeholder(..)
1699             | ty::Dynamic(..)
1700             | ty::Param(..)
1701             | ty::Foreign(..)
1702             | ty::Projection(..)
1703             | ty::Bound(..)
1704             | ty::Infer(ty::TyVar(_) | ty::FreshTy(_) | ty::FreshIntTy(_) | ty::FreshFloatTy(_)) => {
1705                 bug!("asked to assemble constituent types of unexpected type: {:?}", t);
1706             }
1707
1708             ty::RawPtr(ty::TypeAndMut { ty: element_ty, .. }) | ty::Ref(_, element_ty, _) => {
1709                 vec![element_ty]
1710             }
1711
1712             ty::Array(element_ty, _) | ty::Slice(element_ty) => vec![element_ty],
1713
1714             ty::Tuple(ref tys) => {
1715                 // (T1, ..., Tn) -- meets any bound that all of T1...Tn meet
1716                 tys.iter().map(|k| k.expect_ty()).collect()
1717             }
1718
1719             ty::Closure(_, ref substs) => substs.as_closure().upvar_tys().collect(),
1720
1721             ty::Generator(_, ref substs, _) => {
1722                 let witness = substs.as_generator().witness();
1723                 substs.as_generator().upvar_tys().chain(iter::once(witness)).collect()
1724             }
1725
1726             ty::GeneratorWitness(types) => {
1727                 // This is sound because no regions in the witness can refer to
1728                 // the binder outside the witness. So we'll effectivly reuse
1729                 // the implicit binder around the witness.
1730                 types.skip_binder().to_vec()
1731             }
1732
1733             // For `PhantomData<T>`, we pass `T`.
1734             ty::Adt(def, substs) if def.is_phantom_data() => substs.types().collect(),
1735
1736             ty::Adt(def, substs) => def.all_fields().map(|f| f.ty(self.tcx(), substs)).collect(),
1737
1738             ty::Opaque(def_id, substs) => {
1739                 // We can resolve the `impl Trait` to its concrete type,
1740                 // which enforces a DAG between the functions requiring
1741                 // the auto trait bounds in question.
1742                 vec![self.tcx().type_of(def_id).subst(self.tcx(), substs)]
1743             }
1744         }
1745     }
1746
1747     fn collect_predicates_for_types(
1748         &mut self,
1749         param_env: ty::ParamEnv<'tcx>,
1750         cause: ObligationCause<'tcx>,
1751         recursion_depth: usize,
1752         trait_def_id: DefId,
1753         types: ty::Binder<Vec<Ty<'tcx>>>,
1754     ) -> Vec<PredicateObligation<'tcx>> {
1755         // Because the types were potentially derived from
1756         // higher-ranked obligations they may reference late-bound
1757         // regions. For example, `for<'a> Foo<&'a i32> : Copy` would
1758         // yield a type like `for<'a> &'a i32`. In general, we
1759         // maintain the invariant that we never manipulate bound
1760         // regions, so we have to process these bound regions somehow.
1761         //
1762         // The strategy is to:
1763         //
1764         // 1. Instantiate those regions to placeholder regions (e.g.,
1765         //    `for<'a> &'a int` becomes `&0 i32`.
1766         // 2. Produce something like `&'0 i32 : Copy`
1767         // 3. Re-bind the regions back to `for<'a> &'a i32 : Copy`
1768
1769         types
1770             .skip_binder() // binder moved -\
1771             .iter()
1772             .flat_map(|ty| {
1773                 let ty: ty::Binder<Ty<'tcx>> = ty::Binder::bind(ty); // <----/
1774
1775                 self.infcx.commit_unconditionally(|_| {
1776                     let (placeholder_ty, _) = self.infcx.replace_bound_vars_with_placeholders(&ty);
1777                     let Normalized { value: normalized_ty, mut obligations } =
1778                         ensure_sufficient_stack(|| {
1779                             project::normalize_with_depth(
1780                                 self,
1781                                 param_env,
1782                                 cause.clone(),
1783                                 recursion_depth,
1784                                 &placeholder_ty,
1785                             )
1786                         });
1787                     let placeholder_obligation = predicate_for_trait_def(
1788                         self.tcx(),
1789                         param_env,
1790                         cause.clone(),
1791                         trait_def_id,
1792                         recursion_depth,
1793                         normalized_ty,
1794                         &[],
1795                     );
1796                     obligations.push(placeholder_obligation);
1797                     obligations
1798                 })
1799             })
1800             .collect()
1801     }
1802
1803     ///////////////////////////////////////////////////////////////////////////
1804     // Matching
1805     //
1806     // Matching is a common path used for both evaluation and
1807     // confirmation.  It basically unifies types that appear in impls
1808     // and traits. This does affect the surrounding environment;
1809     // therefore, when used during evaluation, match routines must be
1810     // run inside of a `probe()` so that their side-effects are
1811     // contained.
1812
1813     fn rematch_impl(
1814         &mut self,
1815         impl_def_id: DefId,
1816         obligation: &TraitObligation<'tcx>,
1817         snapshot: &CombinedSnapshot<'_, 'tcx>,
1818     ) -> Normalized<'tcx, SubstsRef<'tcx>> {
1819         match self.match_impl(impl_def_id, obligation, snapshot) {
1820             Ok(substs) => substs,
1821             Err(()) => {
1822                 bug!(
1823                     "Impl {:?} was matchable against {:?} but now is not",
1824                     impl_def_id,
1825                     obligation
1826                 );
1827             }
1828         }
1829     }
1830
1831     fn match_impl(
1832         &mut self,
1833         impl_def_id: DefId,
1834         obligation: &TraitObligation<'tcx>,
1835         snapshot: &CombinedSnapshot<'_, 'tcx>,
1836     ) -> Result<Normalized<'tcx, SubstsRef<'tcx>>, ()> {
1837         let impl_trait_ref = self.tcx().impl_trait_ref(impl_def_id).unwrap();
1838
1839         // Before we create the substitutions and everything, first
1840         // consider a "quick reject". This avoids creating more types
1841         // and so forth that we need to.
1842         if self.fast_reject_trait_refs(obligation, &impl_trait_ref) {
1843             return Err(());
1844         }
1845
1846         let (placeholder_obligation, placeholder_map) =
1847             self.infcx().replace_bound_vars_with_placeholders(&obligation.predicate);
1848         let placeholder_obligation_trait_ref = placeholder_obligation.trait_ref;
1849
1850         let impl_substs = self.infcx.fresh_substs_for_item(obligation.cause.span, impl_def_id);
1851
1852         let impl_trait_ref = impl_trait_ref.subst(self.tcx(), impl_substs);
1853
1854         let Normalized { value: impl_trait_ref, obligations: mut nested_obligations } =
1855             ensure_sufficient_stack(|| {
1856                 project::normalize_with_depth(
1857                     self,
1858                     obligation.param_env,
1859                     obligation.cause.clone(),
1860                     obligation.recursion_depth + 1,
1861                     &impl_trait_ref,
1862                 )
1863             });
1864
1865         debug!(
1866             "match_impl(impl_def_id={:?}, obligation={:?}, \
1867              impl_trait_ref={:?}, placeholder_obligation_trait_ref={:?})",
1868             impl_def_id, obligation, impl_trait_ref, placeholder_obligation_trait_ref
1869         );
1870
1871         let InferOk { obligations, .. } = self
1872             .infcx
1873             .at(&obligation.cause, obligation.param_env)
1874             .eq(placeholder_obligation_trait_ref, impl_trait_ref)
1875             .map_err(|e| debug!("match_impl: failed eq_trait_refs due to `{}`", e))?;
1876         nested_obligations.extend(obligations);
1877
1878         if let Err(e) = self.infcx.leak_check(false, &placeholder_map, snapshot) {
1879             debug!("match_impl: failed leak check due to `{}`", e);
1880             return Err(());
1881         }
1882
1883         if !self.intercrate
1884             && self.tcx().impl_polarity(impl_def_id) == ty::ImplPolarity::Reservation
1885         {
1886             debug!("match_impl: reservation impls only apply in intercrate mode");
1887             return Err(());
1888         }
1889
1890         debug!("match_impl: success impl_substs={:?}", impl_substs);
1891         Ok(Normalized { value: impl_substs, obligations: nested_obligations })
1892     }
1893
1894     fn fast_reject_trait_refs(
1895         &mut self,
1896         obligation: &TraitObligation<'_>,
1897         impl_trait_ref: &ty::TraitRef<'_>,
1898     ) -> bool {
1899         // We can avoid creating type variables and doing the full
1900         // substitution if we find that any of the input types, when
1901         // simplified, do not match.
1902
1903         obligation.predicate.skip_binder().trait_ref.substs.iter().zip(impl_trait_ref.substs).any(
1904             |(obligation_arg, impl_arg)| {
1905                 match (obligation_arg.unpack(), impl_arg.unpack()) {
1906                     (GenericArgKind::Type(obligation_ty), GenericArgKind::Type(impl_ty)) => {
1907                         let simplified_obligation_ty =
1908                             fast_reject::simplify_type(self.tcx(), obligation_ty, true);
1909                         let simplified_impl_ty =
1910                             fast_reject::simplify_type(self.tcx(), impl_ty, false);
1911
1912                         simplified_obligation_ty.is_some()
1913                             && simplified_impl_ty.is_some()
1914                             && simplified_obligation_ty != simplified_impl_ty
1915                     }
1916                     (GenericArgKind::Lifetime(_), GenericArgKind::Lifetime(_)) => {
1917                         // Lifetimes can never cause a rejection.
1918                         false
1919                     }
1920                     (GenericArgKind::Const(_), GenericArgKind::Const(_)) => {
1921                         // Conservatively ignore consts (i.e. assume they might
1922                         // unify later) until we have `fast_reject` support for
1923                         // them (if we'll ever need it, even).
1924                         false
1925                     }
1926                     _ => unreachable!(),
1927                 }
1928             },
1929         )
1930     }
1931
1932     /// Normalize `where_clause_trait_ref` and try to match it against
1933     /// `obligation`. If successful, return any predicates that
1934     /// result from the normalization. Normalization is necessary
1935     /// because where-clauses are stored in the parameter environment
1936     /// unnormalized.
1937     fn match_where_clause_trait_ref(
1938         &mut self,
1939         obligation: &TraitObligation<'tcx>,
1940         where_clause_trait_ref: ty::PolyTraitRef<'tcx>,
1941     ) -> Result<Vec<PredicateObligation<'tcx>>, ()> {
1942         self.match_poly_trait_ref(obligation, where_clause_trait_ref)
1943     }
1944
1945     /// Returns `Ok` if `poly_trait_ref` being true implies that the
1946     /// obligation is satisfied.
1947     fn match_poly_trait_ref(
1948         &mut self,
1949         obligation: &TraitObligation<'tcx>,
1950         poly_trait_ref: ty::PolyTraitRef<'tcx>,
1951     ) -> Result<Vec<PredicateObligation<'tcx>>, ()> {
1952         debug!(
1953             "match_poly_trait_ref: obligation={:?} poly_trait_ref={:?}",
1954             obligation, poly_trait_ref
1955         );
1956
1957         self.infcx
1958             .at(&obligation.cause, obligation.param_env)
1959             .sup(obligation.predicate.to_poly_trait_ref(), poly_trait_ref)
1960             .map(|InferOk { obligations, .. }| obligations)
1961             .map_err(|_| ())
1962     }
1963
1964     ///////////////////////////////////////////////////////////////////////////
1965     // Miscellany
1966
1967     fn match_fresh_trait_refs(
1968         &self,
1969         previous: &ty::PolyTraitRef<'tcx>,
1970         current: &ty::PolyTraitRef<'tcx>,
1971         param_env: ty::ParamEnv<'tcx>,
1972     ) -> bool {
1973         let mut matcher = ty::_match::Match::new(self.tcx(), param_env);
1974         matcher.relate(previous, current).is_ok()
1975     }
1976
1977     fn push_stack<'o>(
1978         &mut self,
1979         previous_stack: TraitObligationStackList<'o, 'tcx>,
1980         obligation: &'o TraitObligation<'tcx>,
1981     ) -> TraitObligationStack<'o, 'tcx> {
1982         let fresh_trait_ref =
1983             obligation.predicate.to_poly_trait_ref().fold_with(&mut self.freshener);
1984
1985         let dfn = previous_stack.cache.next_dfn();
1986         let depth = previous_stack.depth() + 1;
1987         TraitObligationStack {
1988             obligation,
1989             fresh_trait_ref,
1990             reached_depth: Cell::new(depth),
1991             previous: previous_stack,
1992             dfn,
1993             depth,
1994         }
1995     }
1996
1997     fn closure_trait_ref_unnormalized(
1998         &mut self,
1999         obligation: &TraitObligation<'tcx>,
2000         substs: SubstsRef<'tcx>,
2001     ) -> ty::PolyTraitRef<'tcx> {
2002         debug!("closure_trait_ref_unnormalized(obligation={:?}, substs={:?})", obligation, substs);
2003         let closure_sig = substs.as_closure().sig();
2004
2005         debug!("closure_trait_ref_unnormalized: closure_sig = {:?}", closure_sig);
2006
2007         // (1) Feels icky to skip the binder here, but OTOH we know
2008         // that the self-type is an unboxed closure type and hence is
2009         // in fact unparameterized (or at least does not reference any
2010         // regions bound in the obligation). Still probably some
2011         // refactoring could make this nicer.
2012         closure_trait_ref_and_return_type(
2013             self.tcx(),
2014             obligation.predicate.def_id(),
2015             obligation.predicate.skip_binder().self_ty(), // (1)
2016             closure_sig,
2017             util::TupleArgumentsFlag::No,
2018         )
2019         .map_bound(|(trait_ref, _)| trait_ref)
2020     }
2021
2022     fn generator_trait_ref_unnormalized(
2023         &mut self,
2024         obligation: &TraitObligation<'tcx>,
2025         substs: SubstsRef<'tcx>,
2026     ) -> ty::PolyTraitRef<'tcx> {
2027         let gen_sig = substs.as_generator().poly_sig();
2028
2029         // (1) Feels icky to skip the binder here, but OTOH we know
2030         // that the self-type is an generator type and hence is
2031         // in fact unparameterized (or at least does not reference any
2032         // regions bound in the obligation). Still probably some
2033         // refactoring could make this nicer.
2034
2035         super::util::generator_trait_ref_and_outputs(
2036             self.tcx(),
2037             obligation.predicate.def_id(),
2038             obligation.predicate.skip_binder().self_ty(), // (1)
2039             gen_sig,
2040         )
2041         .map_bound(|(trait_ref, ..)| trait_ref)
2042     }
2043
2044     /// Returns the obligations that are implied by instantiating an
2045     /// impl or trait. The obligations are substituted and fully
2046     /// normalized. This is used when confirming an impl or default
2047     /// impl.
2048     fn impl_or_trait_obligations(
2049         &mut self,
2050         cause: ObligationCause<'tcx>,
2051         recursion_depth: usize,
2052         param_env: ty::ParamEnv<'tcx>,
2053         def_id: DefId,           // of impl or trait
2054         substs: SubstsRef<'tcx>, // for impl or trait
2055     ) -> Vec<PredicateObligation<'tcx>> {
2056         debug!("impl_or_trait_obligations(def_id={:?})", def_id);
2057         let tcx = self.tcx();
2058
2059         // To allow for one-pass evaluation of the nested obligation,
2060         // each predicate must be preceded by the obligations required
2061         // to normalize it.
2062         // for example, if we have:
2063         //    impl<U: Iterator<Item: Copy>, V: Iterator<Item = U>> Foo for V
2064         // the impl will have the following predicates:
2065         //    <V as Iterator>::Item = U,
2066         //    U: Iterator, U: Sized,
2067         //    V: Iterator, V: Sized,
2068         //    <U as Iterator>::Item: Copy
2069         // When we substitute, say, `V => IntoIter<u32>, U => $0`, the last
2070         // obligation will normalize to `<$0 as Iterator>::Item = $1` and
2071         // `$1: Copy`, so we must ensure the obligations are emitted in
2072         // that order.
2073         let predicates = tcx.predicates_of(def_id);
2074         assert_eq!(predicates.parent, None);
2075         let mut obligations = Vec::with_capacity(predicates.predicates.len());
2076         for (predicate, _) in predicates.predicates {
2077             let predicate = normalize_with_depth_to(
2078                 self,
2079                 param_env,
2080                 cause.clone(),
2081                 recursion_depth,
2082                 &predicate.subst(tcx, substs),
2083                 &mut obligations,
2084             );
2085             obligations.push(Obligation {
2086                 cause: cause.clone(),
2087                 recursion_depth,
2088                 param_env,
2089                 predicate,
2090             });
2091         }
2092
2093         // We are performing deduplication here to avoid exponential blowups
2094         // (#38528) from happening, but the real cause of the duplication is
2095         // unknown. What we know is that the deduplication avoids exponential
2096         // amount of predicates being propagated when processing deeply nested
2097         // types.
2098         //
2099         // This code is hot enough that it's worth avoiding the allocation
2100         // required for the FxHashSet when possible. Special-casing lengths 0,
2101         // 1 and 2 covers roughly 75-80% of the cases.
2102         if obligations.len() <= 1 {
2103             // No possibility of duplicates.
2104         } else if obligations.len() == 2 {
2105             // Only two elements. Drop the second if they are equal.
2106             if obligations[0] == obligations[1] {
2107                 obligations.truncate(1);
2108             }
2109         } else {
2110             // Three or more elements. Use a general deduplication process.
2111             let mut seen = FxHashSet::default();
2112             obligations.retain(|i| seen.insert(i.clone()));
2113         }
2114
2115         obligations
2116     }
2117 }
2118
2119 trait TraitObligationExt<'tcx> {
2120     fn derived_cause(
2121         &self,
2122         variant: fn(DerivedObligationCause<'tcx>) -> ObligationCauseCode<'tcx>,
2123     ) -> ObligationCause<'tcx>;
2124 }
2125
2126 impl<'tcx> TraitObligationExt<'tcx> for TraitObligation<'tcx> {
2127     #[allow(unused_comparisons)]
2128     fn derived_cause(
2129         &self,
2130         variant: fn(DerivedObligationCause<'tcx>) -> ObligationCauseCode<'tcx>,
2131     ) -> ObligationCause<'tcx> {
2132         /*!
2133          * Creates a cause for obligations that are derived from
2134          * `obligation` by a recursive search (e.g., for a builtin
2135          * bound, or eventually a `auto trait Foo`). If `obligation`
2136          * is itself a derived obligation, this is just a clone, but
2137          * otherwise we create a "derived obligation" cause so as to
2138          * keep track of the original root obligation for error
2139          * reporting.
2140          */
2141
2142         let obligation = self;
2143
2144         // NOTE(flaper87): As of now, it keeps track of the whole error
2145         // chain. Ideally, we should have a way to configure this either
2146         // by using -Z verbose or just a CLI argument.
2147         let derived_cause = DerivedObligationCause {
2148             parent_trait_ref: obligation.predicate.to_poly_trait_ref(),
2149             parent_code: Rc::new(obligation.cause.code.clone()),
2150         };
2151         let derived_code = variant(derived_cause);
2152         ObligationCause::new(obligation.cause.span, obligation.cause.body_id, derived_code)
2153     }
2154 }
2155
2156 impl<'o, 'tcx> TraitObligationStack<'o, 'tcx> {
2157     fn list(&'o self) -> TraitObligationStackList<'o, 'tcx> {
2158         TraitObligationStackList::with(self)
2159     }
2160
2161     fn cache(&self) -> &'o ProvisionalEvaluationCache<'tcx> {
2162         self.previous.cache
2163     }
2164
2165     fn iter(&'o self) -> TraitObligationStackList<'o, 'tcx> {
2166         self.list()
2167     }
2168
2169     /// Indicates that attempting to evaluate this stack entry
2170     /// required accessing something from the stack at depth `reached_depth`.
2171     fn update_reached_depth(&self, reached_depth: usize) {
2172         assert!(
2173             self.depth > reached_depth,
2174             "invoked `update_reached_depth` with something under this stack: \
2175              self.depth={} reached_depth={}",
2176             self.depth,
2177             reached_depth,
2178         );
2179         debug!("update_reached_depth(reached_depth={})", reached_depth);
2180         let mut p = self;
2181         while reached_depth < p.depth {
2182             debug!("update_reached_depth: marking {:?} as cycle participant", p.fresh_trait_ref);
2183             p.reached_depth.set(p.reached_depth.get().min(reached_depth));
2184             p = p.previous.head.unwrap();
2185         }
2186     }
2187 }
2188
2189 /// The "provisional evaluation cache" is used to store intermediate cache results
2190 /// when solving auto traits. Auto traits are unusual in that they can support
2191 /// cycles. So, for example, a "proof tree" like this would be ok:
2192 ///
2193 /// - `Foo<T>: Send` :-
2194 ///   - `Bar<T>: Send` :-
2195 ///     - `Foo<T>: Send` -- cycle, but ok
2196 ///   - `Baz<T>: Send`
2197 ///
2198 /// Here, to prove `Foo<T>: Send`, we have to prove `Bar<T>: Send` and
2199 /// `Baz<T>: Send`. Proving `Bar<T>: Send` in turn required `Foo<T>: Send`.
2200 /// For non-auto traits, this cycle would be an error, but for auto traits (because
2201 /// they are coinductive) it is considered ok.
2202 ///
2203 /// However, there is a complication: at the point where we have
2204 /// "proven" `Bar<T>: Send`, we have in fact only proven it
2205 /// *provisionally*. In particular, we proved that `Bar<T>: Send`
2206 /// *under the assumption* that `Foo<T>: Send`. But what if we later
2207 /// find out this assumption is wrong?  Specifically, we could
2208 /// encounter some kind of error proving `Baz<T>: Send`. In that case,
2209 /// `Bar<T>: Send` didn't turn out to be true.
2210 ///
2211 /// In Issue #60010, we found a bug in rustc where it would cache
2212 /// these intermediate results. This was fixed in #60444 by disabling
2213 /// *all* caching for things involved in a cycle -- in our example,
2214 /// that would mean we don't cache that `Bar<T>: Send`.  But this led
2215 /// to large slowdowns.
2216 ///
2217 /// Specifically, imagine this scenario, where proving `Baz<T>: Send`
2218 /// first requires proving `Bar<T>: Send` (which is true:
2219 ///
2220 /// - `Foo<T>: Send` :-
2221 ///   - `Bar<T>: Send` :-
2222 ///     - `Foo<T>: Send` -- cycle, but ok
2223 ///   - `Baz<T>: Send`
2224 ///     - `Bar<T>: Send` -- would be nice for this to be a cache hit!
2225 ///     - `*const T: Send` -- but what if we later encounter an error?
2226 ///
2227 /// The *provisional evaluation cache* resolves this issue. It stores
2228 /// cache results that we've proven but which were involved in a cycle
2229 /// in some way. We track the minimal stack depth (i.e., the
2230 /// farthest from the top of the stack) that we are dependent on.
2231 /// The idea is that the cache results within are all valid -- so long as
2232 /// none of the nodes in between the current node and the node at that minimum
2233 /// depth result in an error (in which case the cached results are just thrown away).
2234 ///
2235 /// During evaluation, we consult this provisional cache and rely on
2236 /// it. Accessing a cached value is considered equivalent to accessing
2237 /// a result at `reached_depth`, so it marks the *current* solution as
2238 /// provisional as well. If an error is encountered, we toss out any
2239 /// provisional results added from the subtree that encountered the
2240 /// error.  When we pop the node at `reached_depth` from the stack, we
2241 /// can commit all the things that remain in the provisional cache.
2242 struct ProvisionalEvaluationCache<'tcx> {
2243     /// next "depth first number" to issue -- just a counter
2244     dfn: Cell<usize>,
2245
2246     /// Stores the "coldest" depth (bottom of stack) reached by any of
2247     /// the evaluation entries. The idea here is that all things in the provisional
2248     /// cache are always dependent on *something* that is colder in the stack:
2249     /// therefore, if we add a new entry that is dependent on something *colder still*,
2250     /// we have to modify the depth for all entries at once.
2251     ///
2252     /// Example:
2253     ///
2254     /// Imagine we have a stack `A B C D E` (with `E` being the top of
2255     /// the stack).  We cache something with depth 2, which means that
2256     /// it was dependent on C.  Then we pop E but go on and process a
2257     /// new node F: A B C D F.  Now F adds something to the cache with
2258     /// depth 1, meaning it is dependent on B.  Our original cache
2259     /// entry is also dependent on B, because there is a path from E
2260     /// to C and then from C to F and from F to B.
2261     reached_depth: Cell<usize>,
2262
2263     /// Map from cache key to the provisionally evaluated thing.
2264     /// The cache entries contain the result but also the DFN in which they
2265     /// were added. The DFN is used to clear out values on failure.
2266     ///
2267     /// Imagine we have a stack like:
2268     ///
2269     /// - `A B C` and we add a cache for the result of C (DFN 2)
2270     /// - Then we have a stack `A B D` where `D` has DFN 3
2271     /// - We try to solve D by evaluating E: `A B D E` (DFN 4)
2272     /// - `E` generates various cache entries which have cyclic dependices on `B`
2273     ///   - `A B D E F` and so forth
2274     ///   - the DFN of `F` for example would be 5
2275     /// - then we determine that `E` is in error -- we will then clear
2276     ///   all cache values whose DFN is >= 4 -- in this case, that
2277     ///   means the cached value for `F`.
2278     map: RefCell<FxHashMap<ty::PolyTraitRef<'tcx>, ProvisionalEvaluation>>,
2279 }
2280
2281 /// A cache value for the provisional cache: contains the depth-first
2282 /// number (DFN) and result.
2283 #[derive(Copy, Clone, Debug)]
2284 struct ProvisionalEvaluation {
2285     from_dfn: usize,
2286     result: EvaluationResult,
2287 }
2288
2289 impl<'tcx> Default for ProvisionalEvaluationCache<'tcx> {
2290     fn default() -> Self {
2291         Self { dfn: Cell::new(0), reached_depth: Cell::new(usize::MAX), map: Default::default() }
2292     }
2293 }
2294
2295 impl<'tcx> ProvisionalEvaluationCache<'tcx> {
2296     /// Get the next DFN in sequence (basically a counter).
2297     fn next_dfn(&self) -> usize {
2298         let result = self.dfn.get();
2299         self.dfn.set(result + 1);
2300         result
2301     }
2302
2303     /// Check the provisional cache for any result for
2304     /// `fresh_trait_ref`. If there is a hit, then you must consider
2305     /// it an access to the stack slots at depth
2306     /// `self.current_reached_depth()` and above.
2307     fn get_provisional(&self, fresh_trait_ref: ty::PolyTraitRef<'tcx>) -> Option<EvaluationResult> {
2308         debug!(
2309             "get_provisional(fresh_trait_ref={:?}) = {:#?} with reached-depth {}",
2310             fresh_trait_ref,
2311             self.map.borrow().get(&fresh_trait_ref),
2312             self.reached_depth.get(),
2313         );
2314         Some(self.map.borrow().get(&fresh_trait_ref)?.result)
2315     }
2316
2317     /// Current value of the `reached_depth` counter -- all the
2318     /// provisional cache entries are dependent on the item at this
2319     /// depth.
2320     fn current_reached_depth(&self) -> usize {
2321         self.reached_depth.get()
2322     }
2323
2324     /// Insert a provisional result into the cache. The result came
2325     /// from the node with the given DFN. It accessed a minimum depth
2326     /// of `reached_depth` to compute. It evaluated `fresh_trait_ref`
2327     /// and resulted in `result`.
2328     fn insert_provisional(
2329         &self,
2330         from_dfn: usize,
2331         reached_depth: usize,
2332         fresh_trait_ref: ty::PolyTraitRef<'tcx>,
2333         result: EvaluationResult,
2334     ) {
2335         debug!(
2336             "insert_provisional(from_dfn={}, reached_depth={}, fresh_trait_ref={:?}, result={:?})",
2337             from_dfn, reached_depth, fresh_trait_ref, result,
2338         );
2339         let r_d = self.reached_depth.get();
2340         self.reached_depth.set(r_d.min(reached_depth));
2341
2342         debug!("insert_provisional: reached_depth={:?}", self.reached_depth.get());
2343
2344         self.map.borrow_mut().insert(fresh_trait_ref, ProvisionalEvaluation { from_dfn, result });
2345     }
2346
2347     /// Invoked when the node with dfn `dfn` does not get a successful
2348     /// result.  This will clear out any provisional cache entries
2349     /// that were added since `dfn` was created. This is because the
2350     /// provisional entries are things which must assume that the
2351     /// things on the stack at the time of their creation succeeded --
2352     /// since the failing node is presently at the top of the stack,
2353     /// these provisional entries must either depend on it or some
2354     /// ancestor of it.
2355     fn on_failure(&self, dfn: usize) {
2356         debug!("on_failure(dfn={:?})", dfn,);
2357         self.map.borrow_mut().retain(|key, eval| {
2358             if !eval.from_dfn >= dfn {
2359                 debug!("on_failure: removing {:?}", key);
2360                 false
2361             } else {
2362                 true
2363             }
2364         });
2365     }
2366
2367     /// Invoked when the node at depth `depth` completed without
2368     /// depending on anything higher in the stack (if that completion
2369     /// was a failure, then `on_failure` should have been invoked
2370     /// already). The callback `op` will be invoked for each
2371     /// provisional entry that we can now confirm.
2372     fn on_completion(
2373         &self,
2374         depth: usize,
2375         mut op: impl FnMut(ty::PolyTraitRef<'tcx>, EvaluationResult),
2376     ) {
2377         debug!("on_completion(depth={}, reached_depth={})", depth, self.reached_depth.get(),);
2378
2379         if self.reached_depth.get() < depth {
2380             debug!("on_completion: did not yet reach depth to complete");
2381             return;
2382         }
2383
2384         for (fresh_trait_ref, eval) in self.map.borrow_mut().drain() {
2385             debug!("on_completion: fresh_trait_ref={:?} eval={:?}", fresh_trait_ref, eval,);
2386
2387             op(fresh_trait_ref, eval.result);
2388         }
2389
2390         self.reached_depth.set(usize::MAX);
2391     }
2392 }
2393
2394 #[derive(Copy, Clone)]
2395 struct TraitObligationStackList<'o, 'tcx> {
2396     cache: &'o ProvisionalEvaluationCache<'tcx>,
2397     head: Option<&'o TraitObligationStack<'o, 'tcx>>,
2398 }
2399
2400 impl<'o, 'tcx> TraitObligationStackList<'o, 'tcx> {
2401     fn empty(cache: &'o ProvisionalEvaluationCache<'tcx>) -> TraitObligationStackList<'o, 'tcx> {
2402         TraitObligationStackList { cache, head: None }
2403     }
2404
2405     fn with(r: &'o TraitObligationStack<'o, 'tcx>) -> TraitObligationStackList<'o, 'tcx> {
2406         TraitObligationStackList { cache: r.cache(), head: Some(r) }
2407     }
2408
2409     fn head(&self) -> Option<&'o TraitObligationStack<'o, 'tcx>> {
2410         self.head
2411     }
2412
2413     fn depth(&self) -> usize {
2414         if let Some(head) = self.head { head.depth } else { 0 }
2415     }
2416 }
2417
2418 impl<'o, 'tcx> Iterator for TraitObligationStackList<'o, 'tcx> {
2419     type Item = &'o TraitObligationStack<'o, 'tcx>;
2420
2421     fn next(&mut self) -> Option<&'o TraitObligationStack<'o, 'tcx>> {
2422         match self.head {
2423             Some(o) => {
2424                 *self = o.previous;
2425                 Some(o)
2426             }
2427             None => None,
2428         }
2429     }
2430 }
2431
2432 impl<'o, 'tcx> fmt::Debug for TraitObligationStack<'o, 'tcx> {
2433     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2434         write!(f, "TraitObligationStack({:?})", self.obligation)
2435     }
2436 }