1pub(super) mod structural_traits;
4
5use std::cell::Cell;
6use std::ops::ControlFlow;
7
8use derive_where::derive_where;
9use rustc_type_ir::inherent::*;
10use rustc_type_ir::lang_items::SolverTraitLangItem;
11use rustc_type_ir::search_graph::CandidateHeadUsages;
12use rustc_type_ir::solve::SizedTraitKind;
13use rustc_type_ir::{
14 self as ty, Interner, TypeFlags, TypeFoldable, TypeSuperVisitable, TypeVisitable,
15 TypeVisitableExt as _, TypeVisitor, TypingMode, Upcast as _, elaborate,
16};
17use tracing::{debug, instrument};
18
19use super::trait_goals::TraitGoalProvenVia;
20use super::{has_only_region_constraints, inspect};
21use crate::delegate::SolverDelegate;
22use crate::solve::inspect::ProbeKind;
23use crate::solve::{
24 BuiltinImplSource, CandidateSource, CanonicalResponse, Certainty, EvalCtxt, Goal, GoalSource,
25 MaybeCause, NoSolution, ParamEnvSource, QueryResult, has_no_inference_or_external_constraints,
26};
27
28enum AliasBoundKind {
29 SelfBounds,
30 NonSelfBounds,
31}
32
33#[derive_where(Debug; I: Interner)]
38pub(super) struct Candidate<I: Interner> {
39 pub(super) source: CandidateSource<I>,
40 pub(super) result: CanonicalResponse<I>,
41 pub(super) head_usages: CandidateHeadUsages,
42}
43
44pub(super) trait GoalKind<D, I = <D as SolverDelegate>::Interner>:
46 TypeFoldable<I> + Copy + Eq + std::fmt::Display
47where
48 D: SolverDelegate<Interner = I>,
49 I: Interner,
50{
51 fn self_ty(self) -> I::Ty;
52
53 fn trait_ref(self, cx: I) -> ty::TraitRef<I>;
54
55 fn with_replaced_self_ty(self, cx: I, self_ty: I::Ty) -> Self;
56
57 fn trait_def_id(self, cx: I) -> I::TraitId;
58
59 fn probe_and_consider_implied_clause(
63 ecx: &mut EvalCtxt<'_, D>,
64 parent_source: CandidateSource<I>,
65 goal: Goal<I, Self>,
66 assumption: I::Clause,
67 requirements: impl IntoIterator<Item = (GoalSource, Goal<I, I::Predicate>)>,
68 ) -> Result<Candidate<I>, NoSolution> {
69 Self::probe_and_match_goal_against_assumption(ecx, parent_source, goal, assumption, |ecx| {
70 for (nested_source, goal) in requirements {
71 ecx.add_goal(nested_source, goal);
72 }
73 ecx.evaluate_added_goals_and_make_canonical_response(Certainty::Yes)
74 })
75 }
76
77 fn probe_and_consider_object_bound_candidate(
81 ecx: &mut EvalCtxt<'_, D>,
82 source: CandidateSource<I>,
83 goal: Goal<I, Self>,
84 assumption: I::Clause,
85 ) -> Result<Candidate<I>, NoSolution> {
86 Self::probe_and_match_goal_against_assumption(ecx, source, goal, assumption, |ecx| {
87 let cx = ecx.cx();
88 let ty::Dynamic(bounds, _, _) = goal.predicate.self_ty().kind() else {
89 panic!("expected object type in `probe_and_consider_object_bound_candidate`");
90 };
91 match structural_traits::predicates_for_object_candidate(
92 ecx,
93 goal.param_env,
94 goal.predicate.trait_ref(cx),
95 bounds,
96 ) {
97 Ok(requirements) => {
98 ecx.add_goals(GoalSource::ImplWhereBound, requirements);
99 ecx.evaluate_added_goals_and_make_canonical_response(Certainty::Yes)
100 }
101 Err(_) => {
102 ecx.evaluate_added_goals_and_make_canonical_response(Certainty::AMBIGUOUS)
103 }
104 }
105 })
106 }
107
108 fn consider_additional_alias_assumptions(
112 ecx: &mut EvalCtxt<'_, D>,
113 goal: Goal<I, Self>,
114 alias_ty: ty::AliasTy<I>,
115 ) -> Vec<Candidate<I>>;
116
117 fn probe_and_consider_param_env_candidate(
118 ecx: &mut EvalCtxt<'_, D>,
119 goal: Goal<I, Self>,
120 assumption: I::Clause,
121 ) -> Result<Candidate<I>, CandidateHeadUsages> {
122 match Self::fast_reject_assumption(ecx, goal, assumption) {
123 Ok(()) => {}
124 Err(NoSolution) => return Err(CandidateHeadUsages::default()),
125 }
126
127 let source = Cell::new(CandidateSource::ParamEnv(ParamEnvSource::Global));
134 let (result, head_usages) = ecx
135 .probe(|result: &QueryResult<I>| inspect::ProbeKind::TraitCandidate {
136 source: source.get(),
137 result: *result,
138 })
139 .enter_single_candidate(|ecx| {
140 Self::match_assumption(ecx, goal, assumption, |ecx| {
141 ecx.try_evaluate_added_goals()?;
142 source.set(ecx.characterize_param_env_assumption(goal.param_env, assumption)?);
143 ecx.evaluate_added_goals_and_make_canonical_response(Certainty::Yes)
144 })
145 });
146
147 match result {
148 Ok(result) => Ok(Candidate { source: source.get(), result, head_usages }),
149 Err(NoSolution) => Err(head_usages),
150 }
151 }
152
153 fn probe_and_match_goal_against_assumption(
158 ecx: &mut EvalCtxt<'_, D>,
159 source: CandidateSource<I>,
160 goal: Goal<I, Self>,
161 assumption: I::Clause,
162 then: impl FnOnce(&mut EvalCtxt<'_, D>) -> QueryResult<I>,
163 ) -> Result<Candidate<I>, NoSolution> {
164 Self::fast_reject_assumption(ecx, goal, assumption)?;
165
166 ecx.probe_trait_candidate(source)
167 .enter(|ecx| Self::match_assumption(ecx, goal, assumption, then))
168 }
169
170 fn fast_reject_assumption(
173 ecx: &mut EvalCtxt<'_, D>,
174 goal: Goal<I, Self>,
175 assumption: I::Clause,
176 ) -> Result<(), NoSolution>;
177
178 fn match_assumption(
180 ecx: &mut EvalCtxt<'_, D>,
181 goal: Goal<I, Self>,
182 assumption: I::Clause,
183 then: impl FnOnce(&mut EvalCtxt<'_, D>) -> QueryResult<I>,
184 ) -> QueryResult<I>;
185
186 fn consider_impl_candidate(
187 ecx: &mut EvalCtxt<'_, D>,
188 goal: Goal<I, Self>,
189 impl_def_id: I::ImplId,
190 ) -> Result<Candidate<I>, NoSolution>;
191
192 fn consider_error_guaranteed_candidate(
199 ecx: &mut EvalCtxt<'_, D>,
200 guar: I::ErrorGuaranteed,
201 ) -> Result<Candidate<I>, NoSolution>;
202
203 fn consider_auto_trait_candidate(
208 ecx: &mut EvalCtxt<'_, D>,
209 goal: Goal<I, Self>,
210 ) -> Result<Candidate<I>, NoSolution>;
211
212 fn consider_trait_alias_candidate(
214 ecx: &mut EvalCtxt<'_, D>,
215 goal: Goal<I, Self>,
216 ) -> Result<Candidate<I>, NoSolution>;
217
218 fn consider_builtin_sizedness_candidates(
224 ecx: &mut EvalCtxt<'_, D>,
225 goal: Goal<I, Self>,
226 sizedness: SizedTraitKind,
227 ) -> Result<Candidate<I>, NoSolution>;
228
229 fn consider_builtin_copy_clone_candidate(
234 ecx: &mut EvalCtxt<'_, D>,
235 goal: Goal<I, Self>,
236 ) -> Result<Candidate<I>, NoSolution>;
237
238 fn consider_builtin_fn_ptr_trait_candidate(
240 ecx: &mut EvalCtxt<'_, D>,
241 goal: Goal<I, Self>,
242 ) -> Result<Candidate<I>, NoSolution>;
243
244 fn consider_builtin_fn_trait_candidates(
247 ecx: &mut EvalCtxt<'_, D>,
248 goal: Goal<I, Self>,
249 kind: ty::ClosureKind,
250 ) -> Result<Candidate<I>, NoSolution>;
251
252 fn consider_builtin_async_fn_trait_candidates(
255 ecx: &mut EvalCtxt<'_, D>,
256 goal: Goal<I, Self>,
257 kind: ty::ClosureKind,
258 ) -> Result<Candidate<I>, NoSolution>;
259
260 fn consider_builtin_async_fn_kind_helper_candidate(
264 ecx: &mut EvalCtxt<'_, D>,
265 goal: Goal<I, Self>,
266 ) -> Result<Candidate<I>, NoSolution>;
267
268 fn consider_builtin_tuple_candidate(
270 ecx: &mut EvalCtxt<'_, D>,
271 goal: Goal<I, Self>,
272 ) -> Result<Candidate<I>, NoSolution>;
273
274 fn consider_builtin_pointee_candidate(
280 ecx: &mut EvalCtxt<'_, D>,
281 goal: Goal<I, Self>,
282 ) -> Result<Candidate<I>, NoSolution>;
283
284 fn consider_builtin_future_candidate(
288 ecx: &mut EvalCtxt<'_, D>,
289 goal: Goal<I, Self>,
290 ) -> Result<Candidate<I>, NoSolution>;
291
292 fn consider_builtin_iterator_candidate(
296 ecx: &mut EvalCtxt<'_, D>,
297 goal: Goal<I, Self>,
298 ) -> Result<Candidate<I>, NoSolution>;
299
300 fn consider_builtin_fused_iterator_candidate(
303 ecx: &mut EvalCtxt<'_, D>,
304 goal: Goal<I, Self>,
305 ) -> Result<Candidate<I>, NoSolution>;
306
307 fn consider_builtin_async_iterator_candidate(
308 ecx: &mut EvalCtxt<'_, D>,
309 goal: Goal<I, Self>,
310 ) -> Result<Candidate<I>, NoSolution>;
311
312 fn consider_builtin_coroutine_candidate(
316 ecx: &mut EvalCtxt<'_, D>,
317 goal: Goal<I, Self>,
318 ) -> Result<Candidate<I>, NoSolution>;
319
320 fn consider_builtin_discriminant_kind_candidate(
321 ecx: &mut EvalCtxt<'_, D>,
322 goal: Goal<I, Self>,
323 ) -> Result<Candidate<I>, NoSolution>;
324
325 fn consider_builtin_destruct_candidate(
326 ecx: &mut EvalCtxt<'_, D>,
327 goal: Goal<I, Self>,
328 ) -> Result<Candidate<I>, NoSolution>;
329
330 fn consider_builtin_transmute_candidate(
331 ecx: &mut EvalCtxt<'_, D>,
332 goal: Goal<I, Self>,
333 ) -> Result<Candidate<I>, NoSolution>;
334
335 fn consider_builtin_bikeshed_guaranteed_no_drop_candidate(
336 ecx: &mut EvalCtxt<'_, D>,
337 goal: Goal<I, Self>,
338 ) -> Result<Candidate<I>, NoSolution>;
339
340 fn consider_structural_builtin_unsize_candidates(
348 ecx: &mut EvalCtxt<'_, D>,
349 goal: Goal<I, Self>,
350 ) -> Vec<Candidate<I>>;
351}
352
353pub(super) enum AssembleCandidatesFrom {
361 All,
362 EnvAndBounds,
366}
367
368#[derive(Debug)]
377pub(super) struct FailedCandidateInfo {
378 pub param_env_head_usages: CandidateHeadUsages,
379}
380
381impl<D, I> EvalCtxt<'_, D>
382where
383 D: SolverDelegate<Interner = I>,
384 I: Interner,
385{
386 pub(super) fn assemble_and_evaluate_candidates<G: GoalKind<D>>(
387 &mut self,
388 goal: Goal<I, G>,
389 assemble_from: AssembleCandidatesFrom,
390 ) -> (Vec<Candidate<I>>, FailedCandidateInfo) {
391 let mut candidates = vec![];
392 let mut failed_candidate_info =
393 FailedCandidateInfo { param_env_head_usages: CandidateHeadUsages::default() };
394 let Ok(normalized_self_ty) =
395 self.structurally_normalize_ty(goal.param_env, goal.predicate.self_ty())
396 else {
397 return (candidates, failed_candidate_info);
398 };
399
400 if normalized_self_ty.is_ty_var() {
401 debug!("self type has been normalized to infer");
402 candidates.extend(self.forced_ambiguity(MaybeCause::Ambiguity));
403 return (candidates, failed_candidate_info);
404 }
405
406 let goal: Goal<I, G> = goal
407 .with(self.cx(), goal.predicate.with_replaced_self_ty(self.cx(), normalized_self_ty));
408 let goal = self.resolve_vars_if_possible(goal);
411
412 if let TypingMode::Coherence = self.typing_mode()
413 && let Ok(candidate) = self.consider_coherence_unknowable_candidate(goal)
414 {
415 candidates.push(candidate);
416 return (candidates, failed_candidate_info);
417 }
418
419 self.assemble_alias_bound_candidates(goal, &mut candidates);
420 self.assemble_param_env_candidates(goal, &mut candidates, &mut failed_candidate_info);
421
422 match assemble_from {
423 AssembleCandidatesFrom::All => {
424 self.assemble_builtin_impl_candidates(goal, &mut candidates);
425 if TypingMode::Coherence == self.typing_mode()
437 || !candidates.iter().any(|c| {
438 matches!(
439 c.source,
440 CandidateSource::ParamEnv(ParamEnvSource::NonGlobal)
441 | CandidateSource::AliasBound
442 ) && has_no_inference_or_external_constraints(c.result)
443 })
444 {
445 self.assemble_impl_candidates(goal, &mut candidates);
446 self.assemble_object_bound_candidates(goal, &mut candidates);
447 }
448 }
449 AssembleCandidatesFrom::EnvAndBounds => {}
450 }
451
452 (candidates, failed_candidate_info)
453 }
454
455 pub(super) fn forced_ambiguity(
456 &mut self,
457 cause: MaybeCause,
458 ) -> Result<Candidate<I>, NoSolution> {
459 let source = CandidateSource::BuiltinImpl(BuiltinImplSource::Misc);
465 let certainty = Certainty::Maybe(cause);
466 self.probe_trait_candidate(source)
467 .enter(|this| this.evaluate_added_goals_and_make_canonical_response(certainty))
468 }
469
470 #[instrument(level = "trace", skip_all)]
471 fn assemble_impl_candidates<G: GoalKind<D>>(
472 &mut self,
473 goal: Goal<I, G>,
474 candidates: &mut Vec<Candidate<I>>,
475 ) {
476 let cx = self.cx();
477 cx.for_each_relevant_impl(
478 goal.predicate.trait_def_id(cx),
479 goal.predicate.self_ty(),
480 |impl_def_id| {
481 if cx.impl_is_default(impl_def_id) {
485 return;
486 }
487
488 match G::consider_impl_candidate(self, goal, impl_def_id) {
489 Ok(candidate) => candidates.push(candidate),
490 Err(NoSolution) => (),
491 }
492 },
493 );
494 }
495
496 #[instrument(level = "trace", skip_all)]
497 fn assemble_builtin_impl_candidates<G: GoalKind<D>>(
498 &mut self,
499 goal: Goal<I, G>,
500 candidates: &mut Vec<Candidate<I>>,
501 ) {
502 let cx = self.cx();
503 let trait_def_id = goal.predicate.trait_def_id(cx);
504
505 let result = if let Err(guar) = goal.predicate.error_reported() {
513 G::consider_error_guaranteed_candidate(self, guar)
514 } else if cx.trait_is_auto(trait_def_id) {
515 G::consider_auto_trait_candidate(self, goal)
516 } else if cx.trait_is_alias(trait_def_id) {
517 G::consider_trait_alias_candidate(self, goal)
518 } else {
519 match cx.as_trait_lang_item(trait_def_id) {
520 Some(SolverTraitLangItem::Sized) => {
521 G::consider_builtin_sizedness_candidates(self, goal, SizedTraitKind::Sized)
522 }
523 Some(SolverTraitLangItem::MetaSized) => {
524 G::consider_builtin_sizedness_candidates(self, goal, SizedTraitKind::MetaSized)
525 }
526 Some(SolverTraitLangItem::PointeeSized) => {
527 unreachable!("`PointeeSized` is removed during lowering");
528 }
529 Some(SolverTraitLangItem::Copy | SolverTraitLangItem::Clone) => {
530 G::consider_builtin_copy_clone_candidate(self, goal)
531 }
532 Some(SolverTraitLangItem::Fn) => {
533 G::consider_builtin_fn_trait_candidates(self, goal, ty::ClosureKind::Fn)
534 }
535 Some(SolverTraitLangItem::FnMut) => {
536 G::consider_builtin_fn_trait_candidates(self, goal, ty::ClosureKind::FnMut)
537 }
538 Some(SolverTraitLangItem::FnOnce) => {
539 G::consider_builtin_fn_trait_candidates(self, goal, ty::ClosureKind::FnOnce)
540 }
541 Some(SolverTraitLangItem::AsyncFn) => {
542 G::consider_builtin_async_fn_trait_candidates(self, goal, ty::ClosureKind::Fn)
543 }
544 Some(SolverTraitLangItem::AsyncFnMut) => {
545 G::consider_builtin_async_fn_trait_candidates(
546 self,
547 goal,
548 ty::ClosureKind::FnMut,
549 )
550 }
551 Some(SolverTraitLangItem::AsyncFnOnce) => {
552 G::consider_builtin_async_fn_trait_candidates(
553 self,
554 goal,
555 ty::ClosureKind::FnOnce,
556 )
557 }
558 Some(SolverTraitLangItem::FnPtrTrait) => {
559 G::consider_builtin_fn_ptr_trait_candidate(self, goal)
560 }
561 Some(SolverTraitLangItem::AsyncFnKindHelper) => {
562 G::consider_builtin_async_fn_kind_helper_candidate(self, goal)
563 }
564 Some(SolverTraitLangItem::Tuple) => G::consider_builtin_tuple_candidate(self, goal),
565 Some(SolverTraitLangItem::PointeeTrait) => {
566 G::consider_builtin_pointee_candidate(self, goal)
567 }
568 Some(SolverTraitLangItem::Future) => {
569 G::consider_builtin_future_candidate(self, goal)
570 }
571 Some(SolverTraitLangItem::Iterator) => {
572 G::consider_builtin_iterator_candidate(self, goal)
573 }
574 Some(SolverTraitLangItem::FusedIterator) => {
575 G::consider_builtin_fused_iterator_candidate(self, goal)
576 }
577 Some(SolverTraitLangItem::AsyncIterator) => {
578 G::consider_builtin_async_iterator_candidate(self, goal)
579 }
580 Some(SolverTraitLangItem::Coroutine) => {
581 G::consider_builtin_coroutine_candidate(self, goal)
582 }
583 Some(SolverTraitLangItem::DiscriminantKind) => {
584 G::consider_builtin_discriminant_kind_candidate(self, goal)
585 }
586 Some(SolverTraitLangItem::Destruct) => {
587 G::consider_builtin_destruct_candidate(self, goal)
588 }
589 Some(SolverTraitLangItem::TransmuteTrait) => {
590 G::consider_builtin_transmute_candidate(self, goal)
591 }
592 Some(SolverTraitLangItem::BikeshedGuaranteedNoDrop) => {
593 G::consider_builtin_bikeshed_guaranteed_no_drop_candidate(self, goal)
594 }
595 _ => Err(NoSolution),
596 }
597 };
598
599 candidates.extend(result);
600
601 if cx.is_trait_lang_item(trait_def_id, SolverTraitLangItem::Unsize) {
604 candidates.extend(G::consider_structural_builtin_unsize_candidates(self, goal));
605 }
606 }
607
608 #[instrument(level = "trace", skip_all)]
609 fn assemble_param_env_candidates<G: GoalKind<D>>(
610 &mut self,
611 goal: Goal<I, G>,
612 candidates: &mut Vec<Candidate<I>>,
613 failed_candidate_info: &mut FailedCandidateInfo,
614 ) {
615 for assumption in goal.param_env.caller_bounds().iter() {
616 match G::probe_and_consider_param_env_candidate(self, goal, assumption) {
617 Ok(candidate) => candidates.push(candidate),
618 Err(head_usages) => {
619 failed_candidate_info.param_env_head_usages.merge_usages(head_usages)
620 }
621 }
622 }
623 }
624
625 #[instrument(level = "trace", skip_all)]
626 fn assemble_alias_bound_candidates<G: GoalKind<D>>(
627 &mut self,
628 goal: Goal<I, G>,
629 candidates: &mut Vec<Candidate<I>>,
630 ) {
631 let () = self.probe(|_| ProbeKind::NormalizedSelfTyAssembly).enter(|ecx| {
632 ecx.assemble_alias_bound_candidates_recur(
633 goal.predicate.self_ty(),
634 goal,
635 candidates,
636 AliasBoundKind::SelfBounds,
637 );
638 });
639 }
640
641 fn assemble_alias_bound_candidates_recur<G: GoalKind<D>>(
651 &mut self,
652 self_ty: I::Ty,
653 goal: Goal<I, G>,
654 candidates: &mut Vec<Candidate<I>>,
655 consider_self_bounds: AliasBoundKind,
656 ) {
657 let (kind, alias_ty) = match self_ty.kind() {
658 ty::Bool
659 | ty::Char
660 | ty::Int(_)
661 | ty::Uint(_)
662 | ty::Float(_)
663 | ty::Adt(_, _)
664 | ty::Foreign(_)
665 | ty::Str
666 | ty::Array(_, _)
667 | ty::Pat(_, _)
668 | ty::Slice(_)
669 | ty::RawPtr(_, _)
670 | ty::Ref(_, _, _)
671 | ty::FnDef(_, _)
672 | ty::FnPtr(..)
673 | ty::UnsafeBinder(_)
674 | ty::Dynamic(..)
675 | ty::Closure(..)
676 | ty::CoroutineClosure(..)
677 | ty::Coroutine(..)
678 | ty::CoroutineWitness(..)
679 | ty::Never
680 | ty::Tuple(_)
681 | ty::Param(_)
682 | ty::Placeholder(..)
683 | ty::Infer(ty::IntVar(_) | ty::FloatVar(_))
684 | ty::Error(_) => return,
685 ty::Infer(ty::FreshTy(_) | ty::FreshIntTy(_) | ty::FreshFloatTy(_)) | ty::Bound(..) => {
686 panic!("unexpected self type for `{goal:?}`")
687 }
688
689 ty::Infer(ty::TyVar(_)) => {
690 if let Ok(result) =
694 self.evaluate_added_goals_and_make_canonical_response(Certainty::AMBIGUOUS)
695 {
696 candidates.push(Candidate {
697 source: CandidateSource::AliasBound,
698 result,
699 head_usages: CandidateHeadUsages::default(),
700 });
701 }
702 return;
703 }
704
705 ty::Alias(kind @ (ty::Projection | ty::Opaque), alias_ty) => (kind, alias_ty),
706 ty::Alias(ty::Inherent | ty::Free, _) => {
707 self.cx().delay_bug(format!("could not normalize {self_ty:?}, it is not WF"));
708 return;
709 }
710 };
711
712 match consider_self_bounds {
713 AliasBoundKind::SelfBounds => {
714 for assumption in self
715 .cx()
716 .item_self_bounds(alias_ty.def_id)
717 .iter_instantiated(self.cx(), alias_ty.args)
718 {
719 candidates.extend(G::probe_and_consider_implied_clause(
720 self,
721 CandidateSource::AliasBound,
722 goal,
723 assumption,
724 [],
725 ));
726 }
727 }
728 AliasBoundKind::NonSelfBounds => {
729 for assumption in self
730 .cx()
731 .item_non_self_bounds(alias_ty.def_id)
732 .iter_instantiated(self.cx(), alias_ty.args)
733 {
734 candidates.extend(G::probe_and_consider_implied_clause(
735 self,
736 CandidateSource::AliasBound,
737 goal,
738 assumption,
739 [],
740 ));
741 }
742 }
743 }
744
745 candidates.extend(G::consider_additional_alias_assumptions(self, goal, alias_ty));
746
747 if kind != ty::Projection {
748 return;
749 }
750
751 match self.structurally_normalize_ty(goal.param_env, alias_ty.self_ty()) {
753 Ok(next_self_ty) => self.assemble_alias_bound_candidates_recur(
754 next_self_ty,
755 goal,
756 candidates,
757 AliasBoundKind::NonSelfBounds,
758 ),
759 Err(NoSolution) => {}
760 }
761 }
762
763 #[instrument(level = "trace", skip_all)]
764 fn assemble_object_bound_candidates<G: GoalKind<D>>(
765 &mut self,
766 goal: Goal<I, G>,
767 candidates: &mut Vec<Candidate<I>>,
768 ) {
769 let cx = self.cx();
770 if !cx.trait_may_be_implemented_via_object(goal.predicate.trait_def_id(cx)) {
771 return;
772 }
773
774 let self_ty = goal.predicate.self_ty();
775 let bounds = match self_ty.kind() {
776 ty::Bool
777 | ty::Char
778 | ty::Int(_)
779 | ty::Uint(_)
780 | ty::Float(_)
781 | ty::Adt(_, _)
782 | ty::Foreign(_)
783 | ty::Str
784 | ty::Array(_, _)
785 | ty::Pat(_, _)
786 | ty::Slice(_)
787 | ty::RawPtr(_, _)
788 | ty::Ref(_, _, _)
789 | ty::FnDef(_, _)
790 | ty::FnPtr(..)
791 | ty::UnsafeBinder(_)
792 | ty::Alias(..)
793 | ty::Closure(..)
794 | ty::CoroutineClosure(..)
795 | ty::Coroutine(..)
796 | ty::CoroutineWitness(..)
797 | ty::Never
798 | ty::Tuple(_)
799 | ty::Param(_)
800 | ty::Placeholder(..)
801 | ty::Infer(ty::IntVar(_) | ty::FloatVar(_))
802 | ty::Error(_) => return,
803 ty::Infer(ty::TyVar(_) | ty::FreshTy(_) | ty::FreshIntTy(_) | ty::FreshFloatTy(_))
804 | ty::Bound(..) => panic!("unexpected self type for `{goal:?}`"),
805 ty::Dynamic(bounds, ..) => bounds,
806 };
807
808 if bounds.principal_def_id().is_some_and(|def_id| !cx.trait_is_dyn_compatible(def_id)) {
810 return;
811 }
812
813 for bound in bounds.iter() {
817 match bound.skip_binder() {
818 ty::ExistentialPredicate::Trait(_) => {
819 }
821 ty::ExistentialPredicate::Projection(_)
822 | ty::ExistentialPredicate::AutoTrait(_) => {
823 candidates.extend(G::probe_and_consider_object_bound_candidate(
824 self,
825 CandidateSource::BuiltinImpl(BuiltinImplSource::Misc),
826 goal,
827 bound.with_self_ty(cx, self_ty),
828 ));
829 }
830 }
831 }
832
833 if let Some(principal) = bounds.principal() {
837 let principal_trait_ref = principal.with_self_ty(cx, self_ty);
838 for (idx, assumption) in elaborate::supertraits(cx, principal_trait_ref).enumerate() {
839 candidates.extend(G::probe_and_consider_object_bound_candidate(
840 self,
841 CandidateSource::BuiltinImpl(BuiltinImplSource::Object(idx)),
842 goal,
843 assumption.upcast(cx),
844 ));
845 }
846 }
847 }
848
849 #[instrument(level = "trace", skip_all)]
856 fn consider_coherence_unknowable_candidate<G: GoalKind<D>>(
857 &mut self,
858 goal: Goal<I, G>,
859 ) -> Result<Candidate<I>, NoSolution> {
860 self.probe_trait_candidate(CandidateSource::CoherenceUnknowable).enter(|ecx| {
861 let cx = ecx.cx();
862 let trait_ref = goal.predicate.trait_ref(cx);
863 if ecx.trait_ref_is_knowable(goal.param_env, trait_ref)? {
864 Err(NoSolution)
865 } else {
866 let predicate: I::Predicate = trait_ref.upcast(cx);
872 ecx.add_goals(
873 GoalSource::Misc,
874 elaborate::elaborate(cx, [predicate])
875 .skip(1)
876 .map(|predicate| goal.with(cx, predicate)),
877 );
878 ecx.evaluate_added_goals_and_make_canonical_response(Certainty::AMBIGUOUS)
879 }
880 })
881 }
882}
883
884pub(super) enum AllowInferenceConstraints {
885 Yes,
886 No,
887}
888
889impl<D, I> EvalCtxt<'_, D>
890where
891 D: SolverDelegate<Interner = I>,
892 I: Interner,
893{
894 pub(super) fn filter_specialized_impls(
898 &mut self,
899 allow_inference_constraints: AllowInferenceConstraints,
900 candidates: &mut Vec<Candidate<I>>,
901 ) {
902 match self.typing_mode() {
903 TypingMode::Coherence => return,
904 TypingMode::Analysis { .. }
905 | TypingMode::Borrowck { .. }
906 | TypingMode::PostBorrowckAnalysis { .. }
907 | TypingMode::PostAnalysis => {}
908 }
909
910 let mut i = 0;
911 'outer: while i < candidates.len() {
912 let CandidateSource::Impl(victim_def_id) = candidates[i].source else {
913 i += 1;
914 continue;
915 };
916
917 for (j, c) in candidates.iter().enumerate() {
918 if i == j {
919 continue;
920 }
921
922 let CandidateSource::Impl(other_def_id) = c.source else {
923 continue;
924 };
925
926 if matches!(allow_inference_constraints, AllowInferenceConstraints::Yes)
933 || has_only_region_constraints(c.result)
934 {
935 if self.cx().impl_specializes(other_def_id, victim_def_id) {
936 candidates.remove(i);
937 continue 'outer;
938 }
939 }
940 }
941
942 i += 1;
943 }
944 }
945
946 #[instrument(level = "debug", skip(self, inject_normalize_to_rigid_candidate), ret)]
977 pub(super) fn assemble_and_merge_candidates<G: GoalKind<D>>(
978 &mut self,
979 proven_via: Option<TraitGoalProvenVia>,
980 goal: Goal<I, G>,
981 inject_normalize_to_rigid_candidate: impl FnOnce(&mut EvalCtxt<'_, D>) -> QueryResult<I>,
982 ) -> QueryResult<I> {
983 let Some(proven_via) = proven_via else {
984 return self.forced_ambiguity(MaybeCause::Ambiguity).map(|cand| cand.result);
991 };
992
993 match proven_via {
994 TraitGoalProvenVia::ParamEnv | TraitGoalProvenVia::AliasBound => {
995 let (mut candidates, _) = self
999 .assemble_and_evaluate_candidates(goal, AssembleCandidatesFrom::EnvAndBounds);
1000
1001 if candidates.iter().any(|c| matches!(c.source, CandidateSource::ParamEnv(_))) {
1004 candidates.retain(|c| matches!(c.source, CandidateSource::ParamEnv(_)));
1005 } else if candidates.is_empty() {
1006 return inject_normalize_to_rigid_candidate(self);
1009 }
1010
1011 if let Some((response, _)) = self.try_merge_candidates(&candidates) {
1012 Ok(response)
1013 } else {
1014 self.flounder(&candidates)
1015 }
1016 }
1017 TraitGoalProvenVia::Misc => {
1018 let (mut candidates, _) =
1019 self.assemble_and_evaluate_candidates(goal, AssembleCandidatesFrom::All);
1020
1021 if candidates.iter().any(|c| matches!(c.source, CandidateSource::ParamEnv(_))) {
1024 candidates.retain(|c| matches!(c.source, CandidateSource::ParamEnv(_)));
1025 }
1026
1027 self.filter_specialized_impls(AllowInferenceConstraints::Yes, &mut candidates);
1033 if let Some((response, _)) = self.try_merge_candidates(&candidates) {
1034 Ok(response)
1035 } else {
1036 self.flounder(&candidates)
1037 }
1038 }
1039 }
1040 }
1041
1042 fn characterize_param_env_assumption(
1056 &mut self,
1057 param_env: I::ParamEnv,
1058 assumption: I::Clause,
1059 ) -> Result<CandidateSource<I>, NoSolution> {
1060 if assumption.has_bound_vars() {
1063 return Ok(CandidateSource::ParamEnv(ParamEnvSource::NonGlobal));
1064 }
1065
1066 match assumption.visit_with(&mut FindParamInClause {
1067 ecx: self,
1068 param_env,
1069 universes: vec![],
1070 }) {
1071 ControlFlow::Break(Err(NoSolution)) => Err(NoSolution),
1072 ControlFlow::Break(Ok(())) => Ok(CandidateSource::ParamEnv(ParamEnvSource::NonGlobal)),
1073 ControlFlow::Continue(()) => Ok(CandidateSource::ParamEnv(ParamEnvSource::Global)),
1074 }
1075 }
1076}
1077
1078struct FindParamInClause<'a, 'b, D: SolverDelegate<Interner = I>, I: Interner> {
1079 ecx: &'a mut EvalCtxt<'b, D>,
1080 param_env: I::ParamEnv,
1081 universes: Vec<Option<ty::UniverseIndex>>,
1082}
1083
1084impl<D, I> TypeVisitor<I> for FindParamInClause<'_, '_, D, I>
1085where
1086 D: SolverDelegate<Interner = I>,
1087 I: Interner,
1088{
1089 type Result = ControlFlow<Result<(), NoSolution>>;
1090
1091 fn visit_binder<T: TypeVisitable<I>>(&mut self, t: &ty::Binder<I, T>) -> Self::Result {
1092 self.universes.push(None);
1093 t.super_visit_with(self)?;
1094 self.universes.pop();
1095 ControlFlow::Continue(())
1096 }
1097
1098 fn visit_ty(&mut self, ty: I::Ty) -> Self::Result {
1099 let ty = self.ecx.replace_bound_vars(ty, &mut self.universes);
1100 let Ok(ty) = self.ecx.structurally_normalize_ty(self.param_env, ty) else {
1101 return ControlFlow::Break(Err(NoSolution));
1102 };
1103
1104 if let ty::Placeholder(p) = ty.kind() {
1105 if p.universe() == ty::UniverseIndex::ROOT {
1106 ControlFlow::Break(Ok(()))
1107 } else {
1108 ControlFlow::Continue(())
1109 }
1110 } else if ty.has_type_flags(TypeFlags::HAS_PLACEHOLDER | TypeFlags::HAS_RE_INFER) {
1111 ty.super_visit_with(self)
1112 } else {
1113 ControlFlow::Continue(())
1114 }
1115 }
1116
1117 fn visit_const(&mut self, ct: I::Const) -> Self::Result {
1118 let ct = self.ecx.replace_bound_vars(ct, &mut self.universes);
1119 let Ok(ct) = self.ecx.structurally_normalize_const(self.param_env, ct) else {
1120 return ControlFlow::Break(Err(NoSolution));
1121 };
1122
1123 if let ty::ConstKind::Placeholder(p) = ct.kind() {
1124 if p.universe() == ty::UniverseIndex::ROOT {
1125 ControlFlow::Break(Ok(()))
1126 } else {
1127 ControlFlow::Continue(())
1128 }
1129 } else if ct.has_type_flags(TypeFlags::HAS_PLACEHOLDER | TypeFlags::HAS_RE_INFER) {
1130 ct.super_visit_with(self)
1131 } else {
1132 ControlFlow::Continue(())
1133 }
1134 }
1135
1136 fn visit_region(&mut self, r: I::Region) -> Self::Result {
1137 match self.ecx.eager_resolve_region(r).kind() {
1138 ty::ReStatic | ty::ReError(_) | ty::ReBound(..) => ControlFlow::Continue(()),
1139 ty::RePlaceholder(p) => {
1140 if p.universe() == ty::UniverseIndex::ROOT {
1141 ControlFlow::Break(Ok(()))
1142 } else {
1143 ControlFlow::Continue(())
1144 }
1145 }
1146 ty::ReVar(_) => ControlFlow::Break(Ok(())),
1147 ty::ReErased | ty::ReEarlyParam(_) | ty::ReLateParam(_) => {
1148 unreachable!("unexpected region in param-env clause")
1149 }
1150 }
1151 }
1152}