]> git.proxmox.com Git - rustc.git/blob - compiler/rustc_trait_selection/src/traits/select/candidate_assembly.rs
New upstream version 1.52.0~beta.3+dfsg1
[rustc.git] / compiler / rustc_trait_selection / src / traits / select / candidate_assembly.rs
1 //! Candidate assembly.
2 //!
3 //! The selection process begins by examining all in-scope impls,
4 //! caller obligations, and so forth and assembling a list of
5 //! candidates. See the [rustc dev guide] for more details.
6 //!
7 //! [rustc dev guide]:https://rustc-dev-guide.rust-lang.org/traits/resolution.html#candidate-assembly
8 use rustc_hir as hir;
9 use rustc_infer::traits::{Obligation, SelectionError, TraitObligation};
10 use rustc_middle::ty::print::with_no_trimmed_paths;
11 use rustc_middle::ty::{self, TypeFoldable};
12 use rustc_target::spec::abi::Abi;
13
14 use crate::traits::coherence::Conflict;
15 use crate::traits::{util, SelectionResult};
16 use crate::traits::{Overflow, Unimplemented};
17
18 use super::BuiltinImplConditions;
19 use super::IntercrateAmbiguityCause;
20 use super::OverflowError;
21 use super::SelectionCandidate::{self, *};
22 use super::{EvaluatedCandidate, SelectionCandidateSet, SelectionContext, TraitObligationStack};
23
24 impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
25 #[instrument(level = "debug", skip(self))]
26 pub(super) fn candidate_from_obligation<'o>(
27 &mut self,
28 stack: &TraitObligationStack<'o, 'tcx>,
29 ) -> SelectionResult<'tcx, SelectionCandidate<'tcx>> {
30 // Watch out for overflow. This intentionally bypasses (and does
31 // not update) the cache.
32 self.check_recursion_limit(&stack.obligation, &stack.obligation)?;
33
34 // Check the cache. Note that we freshen the trait-ref
35 // separately rather than using `stack.fresh_trait_ref` --
36 // this is because we want the unbound variables to be
37 // replaced with fresh types starting from index 0.
38 let cache_fresh_trait_pred = self.infcx.freshen(stack.obligation.predicate);
39 debug!(?cache_fresh_trait_pred);
40 debug_assert!(!stack.obligation.predicate.has_escaping_bound_vars());
41
42 if let Some(c) =
43 self.check_candidate_cache(stack.obligation.param_env, cache_fresh_trait_pred)
44 {
45 debug!(candidate = ?c, "CACHE HIT");
46 return c;
47 }
48
49 // If no match, compute result and insert into cache.
50 //
51 // FIXME(nikomatsakis) -- this cache is not taking into
52 // account cycles that may have occurred in forming the
53 // candidate. I don't know of any specific problems that
54 // result but it seems awfully suspicious.
55 let (candidate, dep_node) =
56 self.in_task(|this| this.candidate_from_obligation_no_cache(stack));
57
58 debug!(?candidate, "CACHE MISS");
59 self.insert_candidate_cache(
60 stack.obligation.param_env,
61 cache_fresh_trait_pred,
62 dep_node,
63 candidate.clone(),
64 );
65 candidate
66 }
67
68 fn candidate_from_obligation_no_cache<'o>(
69 &mut self,
70 stack: &TraitObligationStack<'o, 'tcx>,
71 ) -> SelectionResult<'tcx, SelectionCandidate<'tcx>> {
72 if let Some(conflict) = self.is_knowable(stack) {
73 debug!("coherence stage: not knowable");
74 if self.intercrate_ambiguity_causes.is_some() {
75 debug!("evaluate_stack: intercrate_ambiguity_causes is some");
76 // Heuristics: show the diagnostics when there are no candidates in crate.
77 if let Ok(candidate_set) = self.assemble_candidates(stack) {
78 let mut no_candidates_apply = true;
79
80 for c in candidate_set.vec.iter() {
81 if self.evaluate_candidate(stack, &c)?.may_apply() {
82 no_candidates_apply = false;
83 break;
84 }
85 }
86
87 if !candidate_set.ambiguous && no_candidates_apply {
88 let trait_ref = stack.obligation.predicate.skip_binder().trait_ref;
89 let self_ty = trait_ref.self_ty();
90 let (trait_desc, self_desc) = with_no_trimmed_paths(|| {
91 let trait_desc = trait_ref.print_only_trait_path().to_string();
92 let self_desc = if self_ty.has_concrete_skeleton() {
93 Some(self_ty.to_string())
94 } else {
95 None
96 };
97 (trait_desc, self_desc)
98 });
99 let cause = if let Conflict::Upstream = conflict {
100 IntercrateAmbiguityCause::UpstreamCrateUpdate { trait_desc, self_desc }
101 } else {
102 IntercrateAmbiguityCause::DownstreamCrate { trait_desc, self_desc }
103 };
104 debug!(?cause, "evaluate_stack: pushing cause");
105 self.intercrate_ambiguity_causes.as_mut().unwrap().push(cause);
106 }
107 }
108 }
109 return Ok(None);
110 }
111
112 let candidate_set = self.assemble_candidates(stack)?;
113
114 if candidate_set.ambiguous {
115 debug!("candidate set contains ambig");
116 return Ok(None);
117 }
118
119 let mut candidates = candidate_set.vec;
120
121 debug!(?stack, ?candidates, "assembled {} candidates", candidates.len());
122
123 // At this point, we know that each of the entries in the
124 // candidate set is *individually* applicable. Now we have to
125 // figure out if they contain mutual incompatibilities. This
126 // frequently arises if we have an unconstrained input type --
127 // for example, we are looking for `$0: Eq` where `$0` is some
128 // unconstrained type variable. In that case, we'll get a
129 // candidate which assumes $0 == int, one that assumes `$0 ==
130 // usize`, etc. This spells an ambiguity.
131
132 // If there is more than one candidate, first winnow them down
133 // by considering extra conditions (nested obligations and so
134 // forth). We don't winnow if there is exactly one
135 // candidate. This is a relatively minor distinction but it
136 // can lead to better inference and error-reporting. An
137 // example would be if there was an impl:
138 //
139 // impl<T:Clone> Vec<T> { fn push_clone(...) { ... } }
140 //
141 // and we were to see some code `foo.push_clone()` where `boo`
142 // is a `Vec<Bar>` and `Bar` does not implement `Clone`. If
143 // we were to winnow, we'd wind up with zero candidates.
144 // Instead, we select the right impl now but report "`Bar` does
145 // not implement `Clone`".
146 if candidates.len() == 1 {
147 return self.filter_negative_and_reservation_impls(candidates.pop().unwrap());
148 }
149
150 // Winnow, but record the exact outcome of evaluation, which
151 // is needed for specialization. Propagate overflow if it occurs.
152 let mut candidates = candidates
153 .into_iter()
154 .map(|c| match self.evaluate_candidate(stack, &c) {
155 Ok(eval) if eval.may_apply() => {
156 Ok(Some(EvaluatedCandidate { candidate: c, evaluation: eval }))
157 }
158 Ok(_) => Ok(None),
159 Err(OverflowError) => Err(Overflow),
160 })
161 .flat_map(Result::transpose)
162 .collect::<Result<Vec<_>, _>>()?;
163
164 debug!(?stack, ?candidates, "winnowed to {} candidates", candidates.len());
165
166 let needs_infer = stack.obligation.predicate.has_infer_types_or_consts();
167
168 // If there are STILL multiple candidates, we can further
169 // reduce the list by dropping duplicates -- including
170 // resolving specializations.
171 if candidates.len() > 1 {
172 let mut i = 0;
173 while i < candidates.len() {
174 let is_dup = (0..candidates.len()).filter(|&j| i != j).any(|j| {
175 self.candidate_should_be_dropped_in_favor_of(
176 &candidates[i],
177 &candidates[j],
178 needs_infer,
179 )
180 });
181 if is_dup {
182 debug!(candidate = ?candidates[i], "Dropping candidate #{}/{}", i, candidates.len());
183 candidates.swap_remove(i);
184 } else {
185 debug!(candidate = ?candidates[i], "Retaining candidate #{}/{}", i, candidates.len());
186 i += 1;
187
188 // If there are *STILL* multiple candidates, give up
189 // and report ambiguity.
190 if i > 1 {
191 debug!("multiple matches, ambig");
192 return Ok(None);
193 }
194 }
195 }
196 }
197
198 // If there are *NO* candidates, then there are no impls --
199 // that we know of, anyway. Note that in the case where there
200 // are unbound type variables within the obligation, it might
201 // be the case that you could still satisfy the obligation
202 // from another crate by instantiating the type variables with
203 // a type from another crate that does have an impl. This case
204 // is checked for in `evaluate_stack` (and hence users
205 // who might care about this case, like coherence, should use
206 // that function).
207 if candidates.is_empty() {
208 // If there's an error type, 'downgrade' our result from
209 // `Err(Unimplemented)` to `Ok(None)`. This helps us avoid
210 // emitting additional spurious errors, since we're guaranteed
211 // to have emitted at least one.
212 if stack.obligation.references_error() {
213 debug!("no results for error type, treating as ambiguous");
214 return Ok(None);
215 }
216 return Err(Unimplemented);
217 }
218
219 // Just one candidate left.
220 self.filter_negative_and_reservation_impls(candidates.pop().unwrap().candidate)
221 }
222
223 pub(super) fn assemble_candidates<'o>(
224 &mut self,
225 stack: &TraitObligationStack<'o, 'tcx>,
226 ) -> Result<SelectionCandidateSet<'tcx>, SelectionError<'tcx>> {
227 let TraitObligationStack { obligation, .. } = *stack;
228 let obligation = &Obligation {
229 param_env: obligation.param_env,
230 cause: obligation.cause.clone(),
231 recursion_depth: obligation.recursion_depth,
232 predicate: self.infcx().resolve_vars_if_possible(obligation.predicate),
233 };
234
235 if obligation.predicate.skip_binder().self_ty().is_ty_var() {
236 // Self is a type variable (e.g., `_: AsRef<str>`).
237 //
238 // This is somewhat problematic, as the current scheme can't really
239 // handle it turning to be a projection. This does end up as truly
240 // ambiguous in most cases anyway.
241 //
242 // Take the fast path out - this also improves
243 // performance by preventing assemble_candidates_from_impls from
244 // matching every impl for this trait.
245 return Ok(SelectionCandidateSet { vec: vec![], ambiguous: true });
246 }
247
248 let mut candidates = SelectionCandidateSet { vec: Vec::new(), ambiguous: false };
249
250 self.assemble_candidates_for_trait_alias(obligation, &mut candidates);
251
252 // Other bounds. Consider both in-scope bounds from fn decl
253 // and applicable impls. There is a certain set of precedence rules here.
254 let def_id = obligation.predicate.def_id();
255 let lang_items = self.tcx().lang_items();
256
257 if lang_items.copy_trait() == Some(def_id) {
258 debug!(obligation_self_ty = ?obligation.predicate.skip_binder().self_ty());
259
260 // User-defined copy impls are permitted, but only for
261 // structs and enums.
262 self.assemble_candidates_from_impls(obligation, &mut candidates);
263
264 // For other types, we'll use the builtin rules.
265 let copy_conditions = self.copy_clone_conditions(obligation);
266 self.assemble_builtin_bound_candidates(copy_conditions, &mut candidates);
267 } else if lang_items.discriminant_kind_trait() == Some(def_id) {
268 // `DiscriminantKind` is automatically implemented for every type.
269 candidates.vec.push(DiscriminantKindCandidate);
270 } else if lang_items.pointee_trait() == Some(def_id) {
271 // `Pointee` is automatically implemented for every type.
272 candidates.vec.push(PointeeCandidate);
273 } else if lang_items.sized_trait() == Some(def_id) {
274 // Sized is never implementable by end-users, it is
275 // always automatically computed.
276 let sized_conditions = self.sized_conditions(obligation);
277 self.assemble_builtin_bound_candidates(sized_conditions, &mut candidates);
278 } else if lang_items.unsize_trait() == Some(def_id) {
279 self.assemble_candidates_for_unsizing(obligation, &mut candidates);
280 } else {
281 if lang_items.clone_trait() == Some(def_id) {
282 // Same builtin conditions as `Copy`, i.e., every type which has builtin support
283 // for `Copy` also has builtin support for `Clone`, and tuples/arrays of `Clone`
284 // types have builtin support for `Clone`.
285 let clone_conditions = self.copy_clone_conditions(obligation);
286 self.assemble_builtin_bound_candidates(clone_conditions, &mut candidates);
287 }
288
289 self.assemble_generator_candidates(obligation, &mut candidates);
290 self.assemble_closure_candidates(obligation, &mut candidates);
291 self.assemble_fn_pointer_candidates(obligation, &mut candidates);
292 self.assemble_candidates_from_impls(obligation, &mut candidates);
293 self.assemble_candidates_from_object_ty(obligation, &mut candidates);
294 }
295
296 self.assemble_candidates_from_projected_tys(obligation, &mut candidates);
297 self.assemble_candidates_from_caller_bounds(stack, &mut candidates)?;
298 // Auto implementations have lower priority, so we only
299 // consider triggering a default if there is no other impl that can apply.
300 if candidates.vec.is_empty() {
301 self.assemble_candidates_from_auto_impls(obligation, &mut candidates);
302 }
303 debug!("candidate list size: {}", candidates.vec.len());
304 Ok(candidates)
305 }
306
307 fn assemble_candidates_from_projected_tys(
308 &mut self,
309 obligation: &TraitObligation<'tcx>,
310 candidates: &mut SelectionCandidateSet<'tcx>,
311 ) {
312 debug!(?obligation, "assemble_candidates_from_projected_tys");
313
314 // Before we go into the whole placeholder thing, just
315 // quickly check if the self-type is a projection at all.
316 match obligation.predicate.skip_binder().trait_ref.self_ty().kind() {
317 ty::Projection(_) | ty::Opaque(..) => {}
318 ty::Infer(ty::TyVar(_)) => {
319 span_bug!(
320 obligation.cause.span,
321 "Self=_ should have been handled by assemble_candidates"
322 );
323 }
324 _ => return,
325 }
326
327 let result = self
328 .infcx
329 .probe(|_| self.match_projection_obligation_against_definition_bounds(obligation));
330
331 for predicate_index in result {
332 candidates.vec.push(ProjectionCandidate(predicate_index));
333 }
334 }
335
336 /// Given an obligation like `<SomeTrait for T>`, searches the obligations that the caller
337 /// supplied to find out whether it is listed among them.
338 ///
339 /// Never affects the inference environment.
340 fn assemble_candidates_from_caller_bounds<'o>(
341 &mut self,
342 stack: &TraitObligationStack<'o, 'tcx>,
343 candidates: &mut SelectionCandidateSet<'tcx>,
344 ) -> Result<(), SelectionError<'tcx>> {
345 debug!(?stack.obligation, "assemble_candidates_from_caller_bounds");
346
347 let all_bounds = stack
348 .obligation
349 .param_env
350 .caller_bounds()
351 .iter()
352 .filter_map(|o| o.to_opt_poly_trait_ref());
353
354 // Micro-optimization: filter out predicates relating to different traits.
355 let matching_bounds =
356 all_bounds.filter(|p| p.value.def_id() == stack.obligation.predicate.def_id());
357
358 // Keep only those bounds which may apply, and propagate overflow if it occurs.
359 for bound in matching_bounds {
360 let wc = self.evaluate_where_clause(stack, bound.value)?;
361 if wc.may_apply() {
362 candidates.vec.push(ParamCandidate(bound));
363 }
364 }
365
366 Ok(())
367 }
368
369 fn assemble_generator_candidates(
370 &mut self,
371 obligation: &TraitObligation<'tcx>,
372 candidates: &mut SelectionCandidateSet<'tcx>,
373 ) {
374 if self.tcx().lang_items().gen_trait() != Some(obligation.predicate.def_id()) {
375 return;
376 }
377
378 // Okay to skip binder because the substs on generator types never
379 // touch bound regions, they just capture the in-scope
380 // type/region parameters.
381 let self_ty = obligation.self_ty().skip_binder();
382 match self_ty.kind() {
383 ty::Generator(..) => {
384 debug!(?self_ty, ?obligation, "assemble_generator_candidates",);
385
386 candidates.vec.push(GeneratorCandidate);
387 }
388 ty::Infer(ty::TyVar(_)) => {
389 debug!("assemble_generator_candidates: ambiguous self-type");
390 candidates.ambiguous = true;
391 }
392 _ => {}
393 }
394 }
395
396 /// Checks for the artificial impl that the compiler will create for an obligation like `X :
397 /// FnMut<..>` where `X` is a closure type.
398 ///
399 /// Note: the type parameters on a closure candidate are modeled as *output* type
400 /// parameters and hence do not affect whether this trait is a match or not. They will be
401 /// unified during the confirmation step.
402 fn assemble_closure_candidates(
403 &mut self,
404 obligation: &TraitObligation<'tcx>,
405 candidates: &mut SelectionCandidateSet<'tcx>,
406 ) {
407 let kind = match self.tcx().fn_trait_kind_from_lang_item(obligation.predicate.def_id()) {
408 Some(k) => k,
409 None => {
410 return;
411 }
412 };
413
414 // Okay to skip binder because the substs on closure types never
415 // touch bound regions, they just capture the in-scope
416 // type/region parameters
417 match *obligation.self_ty().skip_binder().kind() {
418 ty::Closure(_, closure_substs) => {
419 debug!(?kind, ?obligation, "assemble_unboxed_candidates");
420 match self.infcx.closure_kind(closure_substs) {
421 Some(closure_kind) => {
422 debug!(?closure_kind, "assemble_unboxed_candidates");
423 if closure_kind.extends(kind) {
424 candidates.vec.push(ClosureCandidate);
425 }
426 }
427 None => {
428 debug!("assemble_unboxed_candidates: closure_kind not yet known");
429 candidates.vec.push(ClosureCandidate);
430 }
431 }
432 }
433 ty::Infer(ty::TyVar(_)) => {
434 debug!("assemble_unboxed_closure_candidates: ambiguous self-type");
435 candidates.ambiguous = true;
436 }
437 _ => {}
438 }
439 }
440
441 /// Implements one of the `Fn()` family for a fn pointer.
442 fn assemble_fn_pointer_candidates(
443 &mut self,
444 obligation: &TraitObligation<'tcx>,
445 candidates: &mut SelectionCandidateSet<'tcx>,
446 ) {
447 // We provide impl of all fn traits for fn pointers.
448 if self.tcx().fn_trait_kind_from_lang_item(obligation.predicate.def_id()).is_none() {
449 return;
450 }
451
452 // Okay to skip binder because what we are inspecting doesn't involve bound regions.
453 let self_ty = obligation.self_ty().skip_binder();
454 match *self_ty.kind() {
455 ty::Infer(ty::TyVar(_)) => {
456 debug!("assemble_fn_pointer_candidates: ambiguous self-type");
457 candidates.ambiguous = true; // Could wind up being a fn() type.
458 }
459 // Provide an impl, but only for suitable `fn` pointers.
460 ty::FnPtr(_) => {
461 if let ty::FnSig {
462 unsafety: hir::Unsafety::Normal,
463 abi: Abi::Rust,
464 c_variadic: false,
465 ..
466 } = self_ty.fn_sig(self.tcx()).skip_binder()
467 {
468 candidates.vec.push(FnPointerCandidate);
469 }
470 }
471 // Provide an impl for suitable functions, rejecting `#[target_feature]` functions (RFC 2396).
472 ty::FnDef(def_id, _) => {
473 if let ty::FnSig {
474 unsafety: hir::Unsafety::Normal,
475 abi: Abi::Rust,
476 c_variadic: false,
477 ..
478 } = self_ty.fn_sig(self.tcx()).skip_binder()
479 {
480 if self.tcx().codegen_fn_attrs(def_id).target_features.is_empty() {
481 candidates.vec.push(FnPointerCandidate);
482 }
483 }
484 }
485 _ => {}
486 }
487 }
488
489 /// Searches for impls that might apply to `obligation`.
490 fn assemble_candidates_from_impls(
491 &mut self,
492 obligation: &TraitObligation<'tcx>,
493 candidates: &mut SelectionCandidateSet<'tcx>,
494 ) {
495 debug!(?obligation, "assemble_candidates_from_impls");
496
497 // Essentially any user-written impl will match with an error type,
498 // so creating `ImplCandidates` isn't useful. However, we might
499 // end up finding a candidate elsewhere (e.g. a `BuiltinCandidate` for `Sized)
500 // This helps us avoid overflow: see issue #72839
501 // Since compilation is already guaranteed to fail, this is just
502 // to try to show the 'nicest' possible errors to the user.
503 if obligation.references_error() {
504 return;
505 }
506
507 self.tcx().for_each_relevant_impl(
508 obligation.predicate.def_id(),
509 obligation.predicate.skip_binder().trait_ref.self_ty(),
510 |impl_def_id| {
511 self.infcx.probe(|_| {
512 if let Ok(_substs) = self.match_impl(impl_def_id, obligation) {
513 candidates.vec.push(ImplCandidate(impl_def_id));
514 }
515 });
516 },
517 );
518 }
519
520 fn assemble_candidates_from_auto_impls(
521 &mut self,
522 obligation: &TraitObligation<'tcx>,
523 candidates: &mut SelectionCandidateSet<'tcx>,
524 ) {
525 // Okay to skip binder here because the tests we do below do not involve bound regions.
526 let self_ty = obligation.self_ty().skip_binder();
527 debug!(?self_ty, "assemble_candidates_from_auto_impls");
528
529 let def_id = obligation.predicate.def_id();
530
531 if self.tcx().trait_is_auto(def_id) {
532 match self_ty.kind() {
533 ty::Dynamic(..) => {
534 // For object types, we don't know what the closed
535 // over types are. This means we conservatively
536 // say nothing; a candidate may be added by
537 // `assemble_candidates_from_object_ty`.
538 }
539 ty::Foreign(..) => {
540 // Since the contents of foreign types is unknown,
541 // we don't add any `..` impl. Default traits could
542 // still be provided by a manual implementation for
543 // this trait and type.
544 }
545 ty::Param(..) | ty::Projection(..) => {
546 // In these cases, we don't know what the actual
547 // type is. Therefore, we cannot break it down
548 // into its constituent types. So we don't
549 // consider the `..` impl but instead just add no
550 // candidates: this means that typeck will only
551 // succeed if there is another reason to believe
552 // that this obligation holds. That could be a
553 // where-clause or, in the case of an object type,
554 // it could be that the object type lists the
555 // trait (e.g., `Foo+Send : Send`). See
556 // `ui/typeck/typeck-default-trait-impl-send-param.rs`
557 // for an example of a test case that exercises
558 // this path.
559 }
560 ty::Infer(ty::TyVar(_)) => {
561 // The auto impl might apply; we don't know.
562 candidates.ambiguous = true;
563 }
564 ty::Generator(_, _, movability)
565 if self.tcx().lang_items().unpin_trait() == Some(def_id) =>
566 {
567 match movability {
568 hir::Movability::Static => {
569 // Immovable generators are never `Unpin`, so
570 // suppress the normal auto-impl candidate for it.
571 }
572 hir::Movability::Movable => {
573 // Movable generators are always `Unpin`, so add an
574 // unconditional builtin candidate.
575 candidates.vec.push(BuiltinCandidate { has_nested: false });
576 }
577 }
578 }
579
580 _ => candidates.vec.push(AutoImplCandidate(def_id)),
581 }
582 }
583 }
584
585 /// Searches for impls that might apply to `obligation`.
586 fn assemble_candidates_from_object_ty(
587 &mut self,
588 obligation: &TraitObligation<'tcx>,
589 candidates: &mut SelectionCandidateSet<'tcx>,
590 ) {
591 debug!(
592 self_ty = ?obligation.self_ty().skip_binder(),
593 "assemble_candidates_from_object_ty",
594 );
595
596 self.infcx.probe(|_snapshot| {
597 // The code below doesn't care about regions, and the
598 // self-ty here doesn't escape this probe, so just erase
599 // any LBR.
600 let self_ty = self.tcx().erase_late_bound_regions(obligation.self_ty());
601 let poly_trait_ref = match self_ty.kind() {
602 ty::Dynamic(ref data, ..) => {
603 if data.auto_traits().any(|did| did == obligation.predicate.def_id()) {
604 debug!(
605 "assemble_candidates_from_object_ty: matched builtin bound, \
606 pushing candidate"
607 );
608 candidates.vec.push(BuiltinObjectCandidate);
609 return;
610 }
611
612 if let Some(principal) = data.principal() {
613 if !self.infcx.tcx.features().object_safe_for_dispatch {
614 principal.with_self_ty(self.tcx(), self_ty)
615 } else if self.tcx().is_object_safe(principal.def_id()) {
616 principal.with_self_ty(self.tcx(), self_ty)
617 } else {
618 return;
619 }
620 } else {
621 // Only auto trait bounds exist.
622 return;
623 }
624 }
625 ty::Infer(ty::TyVar(_)) => {
626 debug!("assemble_candidates_from_object_ty: ambiguous");
627 candidates.ambiguous = true; // could wind up being an object type
628 return;
629 }
630 _ => return,
631 };
632
633 debug!(?poly_trait_ref, "assemble_candidates_from_object_ty");
634
635 let poly_trait_predicate = self.infcx().resolve_vars_if_possible(obligation.predicate);
636 let placeholder_trait_predicate =
637 self.infcx().replace_bound_vars_with_placeholders(poly_trait_predicate);
638
639 // Count only those upcast versions that match the trait-ref
640 // we are looking for. Specifically, do not only check for the
641 // correct trait, but also the correct type parameters.
642 // For example, we may be trying to upcast `Foo` to `Bar<i32>`,
643 // but `Foo` is declared as `trait Foo: Bar<u32>`.
644 let candidate_supertraits = util::supertraits(self.tcx(), poly_trait_ref)
645 .enumerate()
646 .filter(|&(_, upcast_trait_ref)| {
647 self.infcx.probe(|_| {
648 self.match_normalize_trait_ref(
649 obligation,
650 upcast_trait_ref,
651 placeholder_trait_predicate.trait_ref,
652 )
653 .is_ok()
654 })
655 })
656 .map(|(idx, _)| ObjectCandidate(idx));
657
658 candidates.vec.extend(candidate_supertraits);
659 })
660 }
661
662 /// Searches for unsizing that might apply to `obligation`.
663 fn assemble_candidates_for_unsizing(
664 &mut self,
665 obligation: &TraitObligation<'tcx>,
666 candidates: &mut SelectionCandidateSet<'tcx>,
667 ) {
668 // We currently never consider higher-ranked obligations e.g.
669 // `for<'a> &'a T: Unsize<Trait+'a>` to be implemented. This is not
670 // because they are a priori invalid, and we could potentially add support
671 // for them later, it's just that there isn't really a strong need for it.
672 // A `T: Unsize<U>` obligation is always used as part of a `T: CoerceUnsize<U>`
673 // impl, and those are generally applied to concrete types.
674 //
675 // That said, one might try to write a fn with a where clause like
676 // for<'a> Foo<'a, T>: Unsize<Foo<'a, Trait>>
677 // where the `'a` is kind of orthogonal to the relevant part of the `Unsize`.
678 // Still, you'd be more likely to write that where clause as
679 // T: Trait
680 // so it seems ok if we (conservatively) fail to accept that `Unsize`
681 // obligation above. Should be possible to extend this in the future.
682 let source = match obligation.self_ty().no_bound_vars() {
683 Some(t) => t,
684 None => {
685 // Don't add any candidates if there are bound regions.
686 return;
687 }
688 };
689 let target = obligation.predicate.skip_binder().trait_ref.substs.type_at(1);
690
691 debug!(?source, ?target, "assemble_candidates_for_unsizing");
692
693 let may_apply = match (source.kind(), target.kind()) {
694 // Trait+Kx+'a -> Trait+Ky+'b (upcasts).
695 (&ty::Dynamic(ref data_a, ..), &ty::Dynamic(ref data_b, ..)) => {
696 // Upcasts permit two things:
697 //
698 // 1. Dropping auto traits, e.g., `Foo + Send` to `Foo`
699 // 2. Tightening the region bound, e.g., `Foo + 'a` to `Foo + 'b` if `'a: 'b`
700 //
701 // Note that neither of these changes requires any
702 // change at runtime. Eventually this will be
703 // generalized.
704 //
705 // We always upcast when we can because of reason
706 // #2 (region bounds).
707 data_a.principal_def_id() == data_b.principal_def_id()
708 && data_b
709 .auto_traits()
710 // All of a's auto traits need to be in b's auto traits.
711 .all(|b| data_a.auto_traits().any(|a| a == b))
712 }
713
714 // `T` -> `Trait`
715 (_, &ty::Dynamic(..)) => true,
716
717 // Ambiguous handling is below `T` -> `Trait`, because inference
718 // variables can still implement `Unsize<Trait>` and nested
719 // obligations will have the final say (likely deferred).
720 (&ty::Infer(ty::TyVar(_)), _) | (_, &ty::Infer(ty::TyVar(_))) => {
721 debug!("assemble_candidates_for_unsizing: ambiguous");
722 candidates.ambiguous = true;
723 false
724 }
725
726 // `[T; n]` -> `[T]`
727 (&ty::Array(..), &ty::Slice(_)) => true,
728
729 // `Struct<T>` -> `Struct<U>`
730 (&ty::Adt(def_id_a, _), &ty::Adt(def_id_b, _)) if def_id_a.is_struct() => {
731 def_id_a == def_id_b
732 }
733
734 // `(.., T)` -> `(.., U)`
735 (&ty::Tuple(tys_a), &ty::Tuple(tys_b)) => tys_a.len() == tys_b.len(),
736
737 _ => false,
738 };
739
740 if may_apply {
741 candidates.vec.push(BuiltinUnsizeCandidate);
742 }
743 }
744
745 fn assemble_candidates_for_trait_alias(
746 &mut self,
747 obligation: &TraitObligation<'tcx>,
748 candidates: &mut SelectionCandidateSet<'tcx>,
749 ) {
750 // Okay to skip binder here because the tests we do below do not involve bound regions.
751 let self_ty = obligation.self_ty().skip_binder();
752 debug!(?self_ty, "assemble_candidates_for_trait_alias");
753
754 let def_id = obligation.predicate.def_id();
755
756 if self.tcx().is_trait_alias(def_id) {
757 candidates.vec.push(TraitAliasCandidate(def_id));
758 }
759 }
760
761 /// Assembles the trait which are built-in to the language itself:
762 /// `Copy`, `Clone` and `Sized`.
763 fn assemble_builtin_bound_candidates(
764 &mut self,
765 conditions: BuiltinImplConditions<'tcx>,
766 candidates: &mut SelectionCandidateSet<'tcx>,
767 ) {
768 match conditions {
769 BuiltinImplConditions::Where(nested) => {
770 debug!(?nested, "builtin_bound");
771 candidates
772 .vec
773 .push(BuiltinCandidate { has_nested: !nested.skip_binder().is_empty() });
774 }
775 BuiltinImplConditions::None => {}
776 BuiltinImplConditions::Ambiguous => {
777 debug!("assemble_builtin_bound_candidates: ambiguous builtin");
778 candidates.ambiguous = true;
779 }
780 }
781 }
782 }