]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_trait_selection/src/traits/fulfill.rs
Intermediate formatting and such
[rust.git] / compiler / rustc_trait_selection / src / traits / fulfill.rs
1 use crate::infer::{InferCtxt, TyOrConstInferVar};
2 use rustc_data_structures::obligation_forest::ProcessResult;
3 use rustc_data_structures::obligation_forest::{Error, ForestObligation, Outcome};
4 use rustc_data_structures::obligation_forest::{ObligationForest, ObligationProcessor};
5 use rustc_errors::ErrorReported;
6 use rustc_infer::traits::{TraitEngine, TraitEngineExt as _, TraitObligation};
7 use rustc_middle::mir::interpret::ErrorHandled;
8 use rustc_middle::ty::error::ExpectedFound;
9 use rustc_middle::ty::ToPredicate;
10 use rustc_middle::ty::{self, Binder, Const, Ty, TypeFoldable};
11 use std::marker::PhantomData;
12
13 use super::const_evaluatable;
14 use super::project;
15 use super::select::SelectionContext;
16 use super::wf;
17 use super::CodeAmbiguity;
18 use super::CodeProjectionError;
19 use super::CodeSelectionError;
20 use super::{ConstEvalFailure, Unimplemented};
21 use super::{FulfillmentError, FulfillmentErrorCode};
22 use super::{ObligationCause, PredicateObligation};
23
24 use crate::traits::error_reporting::InferCtxtExt as _;
25 use crate::traits::project::PolyProjectionObligation;
26 use crate::traits::query::evaluate_obligation::InferCtxtExt as _;
27
28 impl<'tcx> ForestObligation for PendingPredicateObligation<'tcx> {
29     /// Note that we include both the `ParamEnv` and the `Predicate`,
30     /// as the `ParamEnv` can influence whether fulfillment succeeds
31     /// or fails.
32     type CacheKey = ty::ParamEnvAnd<'tcx, ty::Predicate<'tcx>>;
33
34     fn as_cache_key(&self) -> Self::CacheKey {
35         self.obligation.param_env.and(self.obligation.predicate)
36     }
37 }
38
39 /// The fulfillment context is used to drive trait resolution. It
40 /// consists of a list of obligations that must be (eventually)
41 /// satisfied. The job is to track which are satisfied, which yielded
42 /// errors, and which are still pending. At any point, users can call
43 /// `select_where_possible`, and the fulfillment context will try to do
44 /// selection, retaining only those obligations that remain
45 /// ambiguous. This may be helpful in pushing type inference
46 /// along. Once all type inference constraints have been generated, the
47 /// method `select_all_or_error` can be used to report any remaining
48 /// ambiguous cases as errors.
49 pub struct FulfillmentContext<'tcx> {
50     // A list of all obligations that have been registered with this
51     // fulfillment context.
52     predicates: ObligationForest<PendingPredicateObligation<'tcx>>,
53     // Should this fulfillment context register type-lives-for-region
54     // obligations on its parent infcx? In some cases, region
55     // obligations are either already known to hold (normalization) or
56     // hopefully verifed elsewhere (type-impls-bound), and therefore
57     // should not be checked.
58     //
59     // Note that if we are normalizing a type that we already
60     // know is well-formed, there should be no harm setting this
61     // to true - all the region variables should be determinable
62     // using the RFC 447 rules, which don't depend on
63     // type-lives-for-region constraints, and because the type
64     // is well-formed, the constraints should hold.
65     register_region_obligations: bool,
66     // Is it OK to register obligations into this infcx inside
67     // an infcx snapshot?
68     //
69     // The "primary fulfillment" in many cases in typeck lives
70     // outside of any snapshot, so any use of it inside a snapshot
71     // will lead to trouble and therefore is checked against, but
72     // other fulfillment contexts sometimes do live inside of
73     // a snapshot (they don't *straddle* a snapshot, so there
74     // is no trouble there).
75     usable_in_snapshot: bool,
76 }
77
78 #[derive(Clone, Debug)]
79 pub struct PendingPredicateObligation<'tcx> {
80     pub obligation: PredicateObligation<'tcx>,
81     // This is far more often read than modified, meaning that we
82     // should mostly optimize for reading speed, while modifying is not as relevant.
83     //
84     // For whatever reason using a boxed slice is slower than using a `Vec` here.
85     pub stalled_on: Vec<TyOrConstInferVar<'tcx>>,
86 }
87
88 // `PendingPredicateObligation` is used a lot. Make sure it doesn't unintentionally get bigger.
89 #[cfg(target_arch = "x86_64")]
90 static_assert_size!(PendingPredicateObligation<'_>, 56);
91
92 impl<'a, 'tcx> FulfillmentContext<'tcx> {
93     /// Creates a new fulfillment context.
94     pub fn new() -> FulfillmentContext<'tcx> {
95         FulfillmentContext {
96             predicates: ObligationForest::new(),
97             register_region_obligations: true,
98             usable_in_snapshot: false,
99         }
100     }
101
102     pub fn new_in_snapshot() -> FulfillmentContext<'tcx> {
103         FulfillmentContext {
104             predicates: ObligationForest::new(),
105             register_region_obligations: true,
106             usable_in_snapshot: true,
107         }
108     }
109
110     pub fn new_ignoring_regions() -> FulfillmentContext<'tcx> {
111         FulfillmentContext {
112             predicates: ObligationForest::new(),
113             register_region_obligations: false,
114             usable_in_snapshot: false,
115         }
116     }
117
118     /// Attempts to select obligations using `selcx`.
119     fn select(
120         &mut self,
121         selcx: &mut SelectionContext<'a, 'tcx>,
122     ) -> Result<(), Vec<FulfillmentError<'tcx>>> {
123         let span = debug_span!("select", obligation_forest_size = ?self.predicates.len());
124         let _enter = span.enter();
125
126         let mut errors = Vec::new();
127
128         loop {
129             debug!("select: starting another iteration");
130
131             // Process pending obligations.
132             let outcome: Outcome<_, _> =
133                 self.predicates.process_obligations(&mut FulfillProcessor {
134                     selcx,
135                     register_region_obligations: self.register_region_obligations,
136                 });
137             debug!("select: outcome={:#?}", outcome);
138
139             // FIXME: if we kept the original cache key, we could mark projection
140             // obligations as complete for the projection cache here.
141
142             errors.extend(outcome.errors.into_iter().map(to_fulfillment_error));
143
144             // If nothing new was added, no need to keep looping.
145             if outcome.stalled {
146                 break;
147             }
148         }
149
150         debug!(
151             "select({} predicates remaining, {} errors) done",
152             self.predicates.len(),
153             errors.len()
154         );
155
156         if errors.is_empty() { Ok(()) } else { Err(errors) }
157     }
158 }
159
160 impl<'tcx> TraitEngine<'tcx> for FulfillmentContext<'tcx> {
161     /// "Normalize" a projection type `<SomeType as SomeTrait>::X` by
162     /// creating a fresh type variable `$0` as well as a projection
163     /// predicate `<SomeType as SomeTrait>::X == $0`. When the
164     /// inference engine runs, it will attempt to find an impl of
165     /// `SomeTrait` or a where-clause that lets us unify `$0` with
166     /// something concrete. If this fails, we'll unify `$0` with
167     /// `projection_ty` again.
168     fn normalize_projection_type(
169         &mut self,
170         infcx: &InferCtxt<'_, 'tcx>,
171         param_env: ty::ParamEnv<'tcx>,
172         projection_ty: ty::ProjectionTy<'tcx>,
173         cause: ObligationCause<'tcx>,
174     ) -> Ty<'tcx> {
175         debug!(?projection_ty, "normalize_projection_type");
176
177         debug_assert!(!projection_ty.has_escaping_bound_vars());
178
179         // FIXME(#20304) -- cache
180
181         let mut selcx = SelectionContext::new(infcx);
182         let mut obligations = vec![];
183         let normalized_ty = project::normalize_projection_type(
184             &mut selcx,
185             param_env,
186             projection_ty,
187             cause,
188             0,
189             &mut obligations,
190         );
191         self.register_predicate_obligations(infcx, obligations);
192
193         debug!(?normalized_ty);
194
195         normalized_ty
196     }
197
198     fn register_predicate_obligation(
199         &mut self,
200         infcx: &InferCtxt<'_, 'tcx>,
201         obligation: PredicateObligation<'tcx>,
202     ) {
203         // this helps to reduce duplicate errors, as well as making
204         // debug output much nicer to read and so on.
205         let obligation = infcx.resolve_vars_if_possible(obligation);
206
207         debug!(?obligation, "register_predicate_obligation");
208
209         assert!(!infcx.is_in_snapshot() || self.usable_in_snapshot);
210
211         self.predicates
212             .register_obligation(PendingPredicateObligation { obligation, stalled_on: vec![] });
213     }
214
215     fn select_all_or_error(
216         &mut self,
217         infcx: &InferCtxt<'_, 'tcx>,
218     ) -> Result<(), Vec<FulfillmentError<'tcx>>> {
219         self.select_where_possible(infcx)?;
220
221         let errors: Vec<_> = self
222             .predicates
223             .to_errors(CodeAmbiguity)
224             .into_iter()
225             .map(to_fulfillment_error)
226             .collect();
227         if errors.is_empty() { Ok(()) } else { Err(errors) }
228     }
229
230     fn select_where_possible(
231         &mut self,
232         infcx: &InferCtxt<'_, 'tcx>,
233     ) -> Result<(), Vec<FulfillmentError<'tcx>>> {
234         let mut selcx = SelectionContext::new(infcx);
235         self.select(&mut selcx)
236     }
237
238     fn pending_obligations(&self) -> Vec<PredicateObligation<'tcx>> {
239         self.predicates.map_pending_obligations(|o| o.obligation.clone())
240     }
241 }
242
243 struct FulfillProcessor<'a, 'b, 'tcx> {
244     selcx: &'a mut SelectionContext<'b, 'tcx>,
245     register_region_obligations: bool,
246 }
247
248 fn mk_pending(os: Vec<PredicateObligation<'tcx>>) -> Vec<PendingPredicateObligation<'tcx>> {
249     os.into_iter()
250         .map(|o| PendingPredicateObligation { obligation: o, stalled_on: vec![] })
251         .collect()
252 }
253
254 impl<'a, 'b, 'tcx> ObligationProcessor for FulfillProcessor<'a, 'b, 'tcx> {
255     type Obligation = PendingPredicateObligation<'tcx>;
256     type Error = FulfillmentErrorCode<'tcx>;
257
258     /// Processes a predicate obligation and returns either:
259     /// - `Changed(v)` if the predicate is true, presuming that `v` are also true
260     /// - `Unchanged` if we don't have enough info to be sure
261     /// - `Error(e)` if the predicate does not hold
262     ///
263     /// This is always inlined, despite its size, because it has a single
264     /// callsite and it is called *very* frequently.
265     #[inline(always)]
266     fn process_obligation(
267         &mut self,
268         pending_obligation: &mut Self::Obligation,
269     ) -> ProcessResult<Self::Obligation, Self::Error> {
270         // If we were stalled on some unresolved variables, first check whether
271         // any of them have been resolved; if not, don't bother doing more work
272         // yet.
273         let change = match pending_obligation.stalled_on.len() {
274             // Match arms are in order of frequency, which matters because this
275             // code is so hot. 1 and 0 dominate; 2+ is fairly rare.
276             1 => {
277                 let infer_var = pending_obligation.stalled_on[0];
278                 self.selcx.infcx().ty_or_const_infer_var_changed(infer_var)
279             }
280             0 => {
281                 // In this case we haven't changed, but wish to make a change.
282                 true
283             }
284             _ => {
285                 // This `for` loop was once a call to `all()`, but this lower-level
286                 // form was a perf win. See #64545 for details.
287                 (|| {
288                     for &infer_var in &pending_obligation.stalled_on {
289                         if self.selcx.infcx().ty_or_const_infer_var_changed(infer_var) {
290                             return true;
291                         }
292                     }
293                     false
294                 })()
295             }
296         };
297
298         if !change {
299             debug!(
300                 "process_predicate: pending obligation {:?} still stalled on {:?}",
301                 self.selcx.infcx().resolve_vars_if_possible(pending_obligation.obligation.clone()),
302                 pending_obligation.stalled_on
303             );
304             return ProcessResult::Unchanged;
305         }
306
307         self.progress_changed_obligations(pending_obligation)
308     }
309
310     fn process_backedge<'c, I>(
311         &mut self,
312         cycle: I,
313         _marker: PhantomData<&'c PendingPredicateObligation<'tcx>>,
314     ) where
315         I: Clone + Iterator<Item = &'c PendingPredicateObligation<'tcx>>,
316     {
317         if self.selcx.coinductive_match(cycle.clone().map(|s| s.obligation.predicate)) {
318             debug!("process_child_obligations: coinductive match");
319         } else {
320             let cycle: Vec<_> = cycle.map(|c| c.obligation.clone()).collect();
321             self.selcx.infcx().report_overflow_error_cycle(&cycle);
322         }
323     }
324 }
325
326 impl<'a, 'b, 'tcx> FulfillProcessor<'a, 'b, 'tcx> {
327     // The code calling this method is extremely hot and only rarely
328     // actually uses this, so move this part of the code
329     // out of that loop.
330     #[inline(never)]
331     fn progress_changed_obligations(
332         &mut self,
333         pending_obligation: &mut PendingPredicateObligation<'tcx>,
334     ) -> ProcessResult<PendingPredicateObligation<'tcx>, FulfillmentErrorCode<'tcx>> {
335         pending_obligation.stalled_on.truncate(0);
336
337         let obligation = &mut pending_obligation.obligation;
338
339         if obligation.predicate.has_infer_types_or_consts() {
340             obligation.predicate =
341                 self.selcx.infcx().resolve_vars_if_possible(obligation.predicate);
342         }
343
344         debug!(?obligation, ?obligation.cause, "process_obligation");
345
346         let infcx = self.selcx.infcx();
347
348         let ty::PredicateKind::ForAll(binder) = *obligation.predicate.kind();
349         if binder.skip_binder().has_escaping_bound_vars() {
350             match binder.skip_binder() {
351                 // Evaluation will discard candidates using the leak check.
352                 // This means we need to pass it the bound version of our
353                 // predicate.
354                 ty::PredicateAtom::Trait(trait_ref, _constness) => {
355                     let trait_obligation = obligation.with(binder.rebind(trait_ref));
356
357                     self.process_trait_obligation(
358                         obligation,
359                         trait_obligation,
360                         &mut pending_obligation.stalled_on,
361                     )
362                 }
363                 ty::PredicateAtom::Projection(data) => {
364                     let project_obligation = obligation.with(binder.rebind(data));
365
366                     self.process_projection_obligation(
367                         project_obligation,
368                         &mut pending_obligation.stalled_on,
369                     )
370                 }
371                 ty::PredicateAtom::RegionOutlives(_)
372                 | ty::PredicateAtom::TypeOutlives(_)
373                 | ty::PredicateAtom::WellFormed(_)
374                 | ty::PredicateAtom::ObjectSafe(_)
375                 | ty::PredicateAtom::ClosureKind(..)
376                 | ty::PredicateAtom::Subtype(_)
377                 | ty::PredicateAtom::ConstEvaluatable(..)
378                 | ty::PredicateAtom::ConstEquate(..) => {
379                     let pred = infcx.replace_bound_vars_with_placeholders(binder);
380                     ProcessResult::Changed(mk_pending(vec![
381                         obligation.with(pred.to_predicate(self.selcx.tcx())),
382                     ]))
383                 }
384                 ty::PredicateAtom::TypeWellFormedFromEnv(..) => {
385                     bug!("TypeWellFormedFromEnv is only used for Chalk")
386                 }
387             }
388         } else {
389             match binder.skip_binder() {
390                 ty::PredicateAtom::Trait(data, _) => {
391                     let trait_obligation = obligation.with(Binder::dummy(data));
392
393                     self.process_trait_obligation(
394                         obligation,
395                         trait_obligation,
396                         &mut pending_obligation.stalled_on,
397                     )
398                 }
399
400                 ty::PredicateAtom::RegionOutlives(data) => {
401                     match infcx.region_outlives_predicate(&obligation.cause, Binder::dummy(data)) {
402                         Ok(()) => ProcessResult::Changed(vec![]),
403                         Err(_) => ProcessResult::Error(CodeSelectionError(Unimplemented)),
404                     }
405                 }
406
407                 ty::PredicateAtom::TypeOutlives(ty::OutlivesPredicate(t_a, r_b)) => {
408                     if self.register_region_obligations {
409                         self.selcx.infcx().register_region_obligation_with_cause(
410                             t_a,
411                             r_b,
412                             &obligation.cause,
413                         );
414                     }
415                     ProcessResult::Changed(vec![])
416                 }
417
418                 ty::PredicateAtom::Projection(ref data) => {
419                     let project_obligation = obligation.with(Binder::dummy(*data));
420
421                     self.process_projection_obligation(
422                         project_obligation,
423                         &mut pending_obligation.stalled_on,
424                     )
425                 }
426
427                 ty::PredicateAtom::ObjectSafe(trait_def_id) => {
428                     if !self.selcx.tcx().is_object_safe(trait_def_id) {
429                         ProcessResult::Error(CodeSelectionError(Unimplemented))
430                     } else {
431                         ProcessResult::Changed(vec![])
432                     }
433                 }
434
435                 ty::PredicateAtom::ClosureKind(_, closure_substs, kind) => {
436                     match self.selcx.infcx().closure_kind(closure_substs) {
437                         Some(closure_kind) => {
438                             if closure_kind.extends(kind) {
439                                 ProcessResult::Changed(vec![])
440                             } else {
441                                 ProcessResult::Error(CodeSelectionError(Unimplemented))
442                             }
443                         }
444                         None => ProcessResult::Unchanged,
445                     }
446                 }
447
448                 ty::PredicateAtom::WellFormed(arg) => {
449                     match wf::obligations(
450                         self.selcx.infcx(),
451                         obligation.param_env,
452                         obligation.cause.body_id,
453                         obligation.recursion_depth + 1,
454                         arg,
455                         obligation.cause.span,
456                     ) {
457                         None => {
458                             pending_obligation.stalled_on =
459                                 vec![TyOrConstInferVar::maybe_from_generic_arg(arg).unwrap()];
460                             ProcessResult::Unchanged
461                         }
462                         Some(os) => ProcessResult::Changed(mk_pending(os)),
463                     }
464                 }
465
466                 ty::PredicateAtom::Subtype(subtype) => {
467                     match self.selcx.infcx().subtype_predicate(
468                         &obligation.cause,
469                         obligation.param_env,
470                         Binder::dummy(subtype),
471                     ) {
472                         None => {
473                             // None means that both are unresolved.
474                             pending_obligation.stalled_on = vec![
475                                 TyOrConstInferVar::maybe_from_ty(subtype.a).unwrap(),
476                                 TyOrConstInferVar::maybe_from_ty(subtype.b).unwrap(),
477                             ];
478                             ProcessResult::Unchanged
479                         }
480                         Some(Ok(ok)) => ProcessResult::Changed(mk_pending(ok.obligations)),
481                         Some(Err(err)) => {
482                             let expected_found =
483                                 ExpectedFound::new(subtype.a_is_expected, subtype.a, subtype.b);
484                             ProcessResult::Error(FulfillmentErrorCode::CodeSubtypeError(
485                                 expected_found,
486                                 err,
487                             ))
488                         }
489                     }
490                 }
491
492                 ty::PredicateAtom::ConstEvaluatable(def_id, substs) => {
493                     match const_evaluatable::is_const_evaluatable(
494                         self.selcx.infcx(),
495                         def_id,
496                         substs,
497                         obligation.param_env,
498                         obligation.cause.span,
499                     ) {
500                         Ok(()) => ProcessResult::Changed(vec![]),
501                         Err(ErrorHandled::TooGeneric) => {
502                             pending_obligation.stalled_on = substs
503                                 .iter()
504                                 .filter_map(TyOrConstInferVar::maybe_from_generic_arg)
505                                 .collect();
506                             ProcessResult::Unchanged
507                         }
508                         Err(e) => ProcessResult::Error(CodeSelectionError(ConstEvalFailure(e))),
509                     }
510                 }
511
512                 ty::PredicateAtom::ConstEquate(c1, c2) => {
513                     debug!(?c1, ?c2, "equating consts");
514                     if self.selcx.tcx().features().const_evaluatable_checked {
515                         // FIXME: we probably should only try to unify abstract constants
516                         // if the constants depend on generic parameters.
517                         //
518                         // Let's just see where this breaks :shrug:
519                         if let (
520                             ty::ConstKind::Unevaluated(a_def, a_substs, None),
521                             ty::ConstKind::Unevaluated(b_def, b_substs, None),
522                         ) = (c1.val, c2.val)
523                         {
524                             if self
525                                 .selcx
526                                 .tcx()
527                                 .try_unify_abstract_consts(((a_def, a_substs), (b_def, b_substs)))
528                             {
529                                 return ProcessResult::Changed(vec![]);
530                             }
531                         }
532                     }
533
534                     let stalled_on = &mut pending_obligation.stalled_on;
535
536                     let mut evaluate = |c: &'tcx Const<'tcx>| {
537                         if let ty::ConstKind::Unevaluated(def, substs, promoted) = c.val {
538                             match self.selcx.infcx().const_eval_resolve(
539                                 obligation.param_env,
540                                 def,
541                                 substs,
542                                 promoted,
543                                 Some(obligation.cause.span),
544                             ) {
545                                 Ok(val) => Ok(Const::from_value(self.selcx.tcx(), val, c.ty)),
546                                 Err(ErrorHandled::TooGeneric) => {
547                                     stalled_on.append(
548                                         &mut substs
549                                             .iter()
550                                             .filter_map(|arg| {
551                                                 TyOrConstInferVar::maybe_from_generic_arg(arg)
552                                             })
553                                             .collect(),
554                                     );
555                                     Err(ErrorHandled::TooGeneric)
556                                 }
557                                 Err(err) => Err(err),
558                             }
559                         } else {
560                             Ok(c)
561                         }
562                     };
563
564                     match (evaluate(c1), evaluate(c2)) {
565                         (Ok(c1), Ok(c2)) => {
566                             match self
567                                 .selcx
568                                 .infcx()
569                                 .at(&obligation.cause, obligation.param_env)
570                                 .eq(c1, c2)
571                             {
572                                 Ok(_) => ProcessResult::Changed(vec![]),
573                                 Err(err) => ProcessResult::Error(
574                                     FulfillmentErrorCode::CodeConstEquateError(
575                                         ExpectedFound::new(true, c1, c2),
576                                         err,
577                                     ),
578                                 ),
579                             }
580                         }
581                         (Err(ErrorHandled::Reported(ErrorReported)), _)
582                         | (_, Err(ErrorHandled::Reported(ErrorReported))) => {
583                             ProcessResult::Error(CodeSelectionError(ConstEvalFailure(
584                                 ErrorHandled::Reported(ErrorReported),
585                             )))
586                         }
587                         (Err(ErrorHandled::Linted), _) | (_, Err(ErrorHandled::Linted)) => {
588                             span_bug!(
589                                 obligation.cause.span(self.selcx.tcx()),
590                                 "ConstEquate: const_eval_resolve returned an unexpected error"
591                             )
592                         }
593                         (Err(ErrorHandled::TooGeneric), _) | (_, Err(ErrorHandled::TooGeneric)) => {
594                             ProcessResult::Unchanged
595                         }
596                     }
597                 }
598                 ty::PredicateAtom::TypeWellFormedFromEnv(..) => {
599                     bug!("TypeWellFormedFromEnv is only used for Chalk")
600                 }
601             }
602         }
603     }
604
605     #[instrument(level = "debug", skip(self, obligation, stalled_on))]
606     fn process_trait_obligation(
607         &mut self,
608         obligation: &PredicateObligation<'tcx>,
609         trait_obligation: TraitObligation<'tcx>,
610         stalled_on: &mut Vec<TyOrConstInferVar<'tcx>>,
611     ) -> ProcessResult<PendingPredicateObligation<'tcx>, FulfillmentErrorCode<'tcx>> {
612         let infcx = self.selcx.infcx();
613         if obligation.predicate.is_global() {
614             // no type variables present, can use evaluation for better caching.
615             // FIXME: consider caching errors too.
616             if infcx.predicate_must_hold_considering_regions(obligation) {
617                 debug!(
618                     "selecting trait at depth {} evaluated to holds",
619                     obligation.recursion_depth
620                 );
621                 return ProcessResult::Changed(vec![]);
622             }
623         }
624
625         match self.selcx.select(&trait_obligation) {
626             Ok(Some(impl_source)) => {
627                 debug!("selecting trait at depth {} yielded Ok(Some)", obligation.recursion_depth);
628                 ProcessResult::Changed(mk_pending(impl_source.nested_obligations()))
629             }
630             Ok(None) => {
631                 debug!("selecting trait at depth {} yielded Ok(None)", obligation.recursion_depth);
632
633                 // This is a bit subtle: for the most part, the
634                 // only reason we can fail to make progress on
635                 // trait selection is because we don't have enough
636                 // information about the types in the trait.
637                 *stalled_on = trait_ref_infer_vars(
638                     self.selcx,
639                     trait_obligation.predicate.map_bound(|pred| pred.trait_ref),
640                 );
641
642                 debug!(
643                     "process_predicate: pending obligation {:?} now stalled on {:?}",
644                     infcx.resolve_vars_if_possible(obligation.clone()),
645                     stalled_on
646                 );
647
648                 ProcessResult::Unchanged
649             }
650             Err(selection_err) => {
651                 info!("selecting trait at depth {} yielded Err", obligation.recursion_depth);
652
653                 ProcessResult::Error(CodeSelectionError(selection_err))
654             }
655         }
656     }
657
658     fn process_projection_obligation(
659         &mut self,
660         project_obligation: PolyProjectionObligation<'tcx>,
661         stalled_on: &mut Vec<TyOrConstInferVar<'tcx>>,
662     ) -> ProcessResult<PendingPredicateObligation<'tcx>, FulfillmentErrorCode<'tcx>> {
663         let tcx = self.selcx.tcx();
664         match project::poly_project_and_unify_type(self.selcx, &project_obligation) {
665             Ok(Ok(Some(os))) => ProcessResult::Changed(mk_pending(os)),
666             Ok(Ok(None)) => {
667                 *stalled_on = trait_ref_infer_vars(
668                     self.selcx,
669                     project_obligation.predicate.to_poly_trait_ref(tcx),
670                 );
671                 ProcessResult::Unchanged
672             }
673             // Let the caller handle the recursion
674             Ok(Err(project::InProgress)) => ProcessResult::Changed(mk_pending(vec![
675                 project_obligation.with(project_obligation.predicate.to_predicate(tcx)),
676             ])),
677             Err(e) => ProcessResult::Error(CodeProjectionError(e)),
678         }
679     }
680 }
681
682 /// Returns the set of inference variables contained in a trait ref.
683 fn trait_ref_infer_vars<'a, 'tcx>(
684     selcx: &mut SelectionContext<'a, 'tcx>,
685     trait_ref: ty::PolyTraitRef<'tcx>,
686 ) -> Vec<TyOrConstInferVar<'tcx>> {
687     selcx
688         .infcx()
689         .resolve_vars_if_possible(trait_ref)
690         .skip_binder()
691         .substs
692         .iter()
693         // FIXME(eddyb) try using `skip_current_subtree` to skip everything that
694         // doesn't contain inference variables, not just the outermost level.
695         .filter(|arg| arg.has_infer_types_or_consts())
696         .flat_map(|arg| arg.walk())
697         .filter_map(TyOrConstInferVar::maybe_from_generic_arg)
698         .collect()
699 }
700
701 fn to_fulfillment_error<'tcx>(
702     error: Error<PendingPredicateObligation<'tcx>, FulfillmentErrorCode<'tcx>>,
703 ) -> FulfillmentError<'tcx> {
704     let obligation = error.backtrace.into_iter().next().unwrap().obligation;
705     FulfillmentError::new(obligation, error.error)
706 }