rustc_trait_selection/traits/
coherence.rs1use std::fmt::Debug;
8
9use rustc_data_structures::fx::{FxHashSet, FxIndexSet};
10use rustc_errors::{Diag, EmissionGuarantee};
11use rustc_hir::def::DefKind;
12use rustc_hir::def_id::{CRATE_DEF_ID, DefId};
13use rustc_infer::infer::{DefineOpaqueTypes, InferCtxt, TyCtxtInferExt};
14use rustc_infer::traits::PredicateObligations;
15use rustc_macros::{TypeFoldable, TypeVisitable};
16use rustc_middle::bug;
17use rustc_middle::traits::query::NoSolution;
18use rustc_middle::traits::solve::{CandidateSource, Certainty, Goal};
19use rustc_middle::traits::specialization_graph::OverlapMode;
20use rustc_middle::ty::fast_reject::DeepRejectCtxt;
21use rustc_middle::ty::{
22 self, Ty, TyCtxt, TypeSuperVisitable, TypeVisitable, TypeVisitableExt, TypeVisitor, TypingMode,
23};
24pub use rustc_next_trait_solver::coherence::*;
25use rustc_next_trait_solver::solve::SolverDelegateEvalExt;
26use rustc_span::{DUMMY_SP, Span, sym};
27use tracing::{debug, instrument, warn};
28
29use super::ObligationCtxt;
30use crate::error_reporting::traits::suggest_new_overflow_limit;
31use crate::infer::InferOk;
32use crate::solve::inspect::{InspectGoal, ProofTreeInferCtxtExt, ProofTreeVisitor};
33use crate::solve::{SolverDelegate, deeply_normalize_for_diagnostics, inspect};
34use crate::traits::query::evaluate_obligation::InferCtxtExt;
35use crate::traits::select::IntercrateAmbiguityCause;
36use crate::traits::{
37 FulfillmentErrorCode, NormalizeExt, Obligation, ObligationCause, PredicateObligation,
38 SelectionContext, SkipLeakCheck, util,
39};
40
41#[derive(Clone, Debug, TypeFoldable, TypeVisitable)]
45pub struct ImplHeader<'tcx> {
46 pub impl_def_id: DefId,
47 pub impl_args: ty::GenericArgsRef<'tcx>,
48 pub self_ty: Ty<'tcx>,
49 pub trait_ref: Option<ty::TraitRef<'tcx>>,
50 pub predicates: Vec<ty::Predicate<'tcx>>,
51}
52
53pub struct OverlapResult<'tcx> {
54 pub impl_header: ImplHeader<'tcx>,
55 pub intercrate_ambiguity_causes: FxIndexSet<IntercrateAmbiguityCause<'tcx>>,
56
57 pub involves_placeholder: bool,
60
61 pub overflowing_predicates: Vec<ty::Predicate<'tcx>>,
63}
64
65pub fn add_placeholder_note<G: EmissionGuarantee>(err: &mut Diag<'_, G>) {
66 err.note(
67 "this behavior recently changed as a result of a bug fix; \
68 see rust-lang/rust#56105 for details",
69 );
70}
71
72pub(crate) fn suggest_increasing_recursion_limit<'tcx, G: EmissionGuarantee>(
73 tcx: TyCtxt<'tcx>,
74 err: &mut Diag<'_, G>,
75 overflowing_predicates: &[ty::Predicate<'tcx>],
76) {
77 for pred in overflowing_predicates {
78 err.note(format!("overflow evaluating the requirement `{}`", pred));
79 }
80
81 suggest_new_overflow_limit(tcx, err);
82}
83
84#[derive(Debug, Clone, Copy)]
85enum TrackAmbiguityCauses {
86 Yes,
87 No,
88}
89
90impl TrackAmbiguityCauses {
91 fn is_yes(self) -> bool {
92 match self {
93 TrackAmbiguityCauses::Yes => true,
94 TrackAmbiguityCauses::No => false,
95 }
96 }
97}
98
99#[instrument(skip(tcx, skip_leak_check), level = "debug")]
103pub fn overlapping_inherent_impls(
104 tcx: TyCtxt<'_>,
105 impl1_def_id: DefId,
106 impl2_def_id: DefId,
107 skip_leak_check: SkipLeakCheck,
108 overlap_mode: OverlapMode,
109) -> Option<OverlapResult<'_>> {
110 let self_ty1 = tcx.type_of(impl1_def_id).skip_binder();
114 let self_ty2 = tcx.type_of(impl2_def_id).skip_binder();
115 let may_overlap = DeepRejectCtxt::relate_infer_infer(tcx).types_may_unify(self_ty1, self_ty2);
116
117 if !may_overlap {
118 debug!("overlapping_inherent_impls: fast_reject early-exit");
120 return None;
121 }
122
123 overlapping_impls(tcx, impl1_def_id, impl2_def_id, skip_leak_check, overlap_mode, false)
124}
125
126#[instrument(skip(tcx, skip_leak_check), level = "debug")]
130pub fn overlapping_trait_impls(
131 tcx: TyCtxt<'_>,
132 impl1_def_id: DefId,
133 impl2_def_id: DefId,
134 skip_leak_check: SkipLeakCheck,
135 overlap_mode: OverlapMode,
136) -> Option<OverlapResult<'_>> {
137 let impl1_args = tcx.impl_trait_ref(impl1_def_id).unwrap().skip_binder().args;
141 let impl2_args = tcx.impl_trait_ref(impl2_def_id).unwrap().skip_binder().args;
142 let may_overlap =
143 DeepRejectCtxt::relate_infer_infer(tcx).args_may_unify(impl1_args, impl2_args);
144
145 if !may_overlap {
146 debug!("overlapping_impls: fast_reject early-exit");
148 return None;
149 }
150
151 overlapping_impls(tcx, impl1_def_id, impl2_def_id, skip_leak_check, overlap_mode, true)
152}
153
154fn overlapping_impls(
155 tcx: TyCtxt<'_>,
156 impl1_def_id: DefId,
157 impl2_def_id: DefId,
158 skip_leak_check: SkipLeakCheck,
159 overlap_mode: OverlapMode,
160 is_of_trait: bool,
161) -> Option<OverlapResult<'_>> {
162 if tcx.next_trait_solver_in_coherence() {
163 overlap(
164 tcx,
165 TrackAmbiguityCauses::Yes,
166 skip_leak_check,
167 impl1_def_id,
168 impl2_def_id,
169 overlap_mode,
170 is_of_trait,
171 )
172 } else {
173 let _overlap_with_bad_diagnostics = overlap(
174 tcx,
175 TrackAmbiguityCauses::No,
176 skip_leak_check,
177 impl1_def_id,
178 impl2_def_id,
179 overlap_mode,
180 is_of_trait,
181 )?;
182
183 let overlap = overlap(
187 tcx,
188 TrackAmbiguityCauses::Yes,
189 skip_leak_check,
190 impl1_def_id,
191 impl2_def_id,
192 overlap_mode,
193 is_of_trait,
194 )
195 .unwrap();
196 Some(overlap)
197 }
198}
199
200fn fresh_impl_header<'tcx>(
201 infcx: &InferCtxt<'tcx>,
202 impl_def_id: DefId,
203 is_of_trait: bool,
204) -> ImplHeader<'tcx> {
205 let tcx = infcx.tcx;
206 let impl_args = infcx.fresh_args_for_item(DUMMY_SP, impl_def_id);
207
208 ImplHeader {
209 impl_def_id,
210 impl_args,
211 self_ty: tcx.type_of(impl_def_id).instantiate(tcx, impl_args),
212 trait_ref: is_of_trait
213 .then(|| tcx.impl_trait_ref(impl_def_id).unwrap().instantiate(tcx, impl_args)),
214 predicates: tcx
215 .predicates_of(impl_def_id)
216 .instantiate(tcx, impl_args)
217 .iter()
218 .map(|(c, _)| c.as_predicate())
219 .collect(),
220 }
221}
222
223fn fresh_impl_header_normalized<'tcx>(
224 infcx: &InferCtxt<'tcx>,
225 param_env: ty::ParamEnv<'tcx>,
226 impl_def_id: DefId,
227 is_of_trait: bool,
228) -> ImplHeader<'tcx> {
229 let header = fresh_impl_header(infcx, impl_def_id, is_of_trait);
230
231 let InferOk { value: mut header, obligations } =
232 infcx.at(&ObligationCause::dummy(), param_env).normalize(header);
233
234 header.predicates.extend(obligations.into_iter().map(|o| o.predicate));
235 header
236}
237
238#[instrument(level = "debug", skip(tcx))]
241fn overlap<'tcx>(
242 tcx: TyCtxt<'tcx>,
243 track_ambiguity_causes: TrackAmbiguityCauses,
244 skip_leak_check: SkipLeakCheck,
245 impl1_def_id: DefId,
246 impl2_def_id: DefId,
247 overlap_mode: OverlapMode,
248 is_of_trait: bool,
249) -> Option<OverlapResult<'tcx>> {
250 if overlap_mode.use_negative_impl() {
251 if impl_intersection_has_negative_obligation(tcx, impl1_def_id, impl2_def_id, is_of_trait)
252 || impl_intersection_has_negative_obligation(
253 tcx,
254 impl2_def_id,
255 impl1_def_id,
256 is_of_trait,
257 )
258 {
259 return None;
260 }
261 }
262
263 let infcx = tcx
264 .infer_ctxt()
265 .skip_leak_check(skip_leak_check.is_yes())
266 .with_next_trait_solver(tcx.next_trait_solver_in_coherence())
267 .build(TypingMode::Coherence);
268 let selcx = &mut SelectionContext::new(&infcx);
269 if track_ambiguity_causes.is_yes() {
270 selcx.enable_tracking_intercrate_ambiguity_causes();
271 }
272
273 let param_env = ty::ParamEnv::empty();
278
279 let impl1_header =
280 fresh_impl_header_normalized(selcx.infcx, param_env, impl1_def_id, is_of_trait);
281 let impl2_header =
282 fresh_impl_header_normalized(selcx.infcx, param_env, impl2_def_id, is_of_trait);
283
284 let mut obligations =
287 equate_impl_headers(selcx.infcx, param_env, &impl1_header, &impl2_header)?;
288 debug!("overlap: unification check succeeded");
289
290 obligations.extend(
291 [&impl1_header.predicates, &impl2_header.predicates].into_iter().flatten().map(
292 |&predicate| Obligation::new(infcx.tcx, ObligationCause::dummy(), param_env, predicate),
293 ),
294 );
295
296 let mut overflowing_predicates = Vec::new();
297 if overlap_mode.use_implicit_negative() {
298 match impl_intersection_has_impossible_obligation(selcx, &obligations) {
299 IntersectionHasImpossibleObligations::Yes => return None,
300 IntersectionHasImpossibleObligations::No { overflowing_predicates: p } => {
301 overflowing_predicates = p
302 }
303 }
304 }
305
306 if infcx.leak_check(ty::UniverseIndex::ROOT, None).is_err() {
309 debug!("overlap: leak check failed");
310 return None;
311 }
312
313 let intercrate_ambiguity_causes = if !overlap_mode.use_implicit_negative() {
314 Default::default()
315 } else if infcx.next_trait_solver() {
316 compute_intercrate_ambiguity_causes(&infcx, &obligations)
317 } else {
318 selcx.take_intercrate_ambiguity_causes()
319 };
320
321 debug!("overlap: intercrate_ambiguity_causes={:#?}", intercrate_ambiguity_causes);
322 let involves_placeholder = infcx
323 .inner
324 .borrow_mut()
325 .unwrap_region_constraints()
326 .data()
327 .constraints
328 .iter()
329 .any(|c| c.0.involves_placeholders());
330
331 let mut impl_header = infcx.resolve_vars_if_possible(impl1_header);
332
333 if infcx.next_trait_solver() {
335 impl_header = deeply_normalize_for_diagnostics(&infcx, param_env, impl_header);
336 }
337
338 Some(OverlapResult {
339 impl_header,
340 intercrate_ambiguity_causes,
341 involves_placeholder,
342 overflowing_predicates,
343 })
344}
345
346#[instrument(level = "debug", skip(infcx), ret)]
347fn equate_impl_headers<'tcx>(
348 infcx: &InferCtxt<'tcx>,
349 param_env: ty::ParamEnv<'tcx>,
350 impl1: &ImplHeader<'tcx>,
351 impl2: &ImplHeader<'tcx>,
352) -> Option<PredicateObligations<'tcx>> {
353 let result =
354 match (impl1.trait_ref, impl2.trait_ref) {
355 (Some(impl1_ref), Some(impl2_ref)) => infcx
356 .at(&ObligationCause::dummy(), param_env)
357 .eq(DefineOpaqueTypes::Yes, impl1_ref, impl2_ref),
358 (None, None) => infcx.at(&ObligationCause::dummy(), param_env).eq(
359 DefineOpaqueTypes::Yes,
360 impl1.self_ty,
361 impl2.self_ty,
362 ),
363 _ => bug!("equate_impl_headers given mismatched impl kinds"),
364 };
365
366 result.map(|infer_ok| infer_ok.obligations).ok()
367}
368
369#[derive(Debug)]
371enum IntersectionHasImpossibleObligations<'tcx> {
372 Yes,
373 No {
374 overflowing_predicates: Vec<ty::Predicate<'tcx>>,
380 },
381}
382
383#[instrument(level = "debug", skip(selcx), ret)]
402fn impl_intersection_has_impossible_obligation<'a, 'cx, 'tcx>(
403 selcx: &mut SelectionContext<'cx, 'tcx>,
404 obligations: &'a [PredicateObligation<'tcx>],
405) -> IntersectionHasImpossibleObligations<'tcx> {
406 let infcx = selcx.infcx;
407
408 if infcx.next_trait_solver() {
409 if !obligations.iter().all(|o| {
413 <&SolverDelegate<'tcx>>::from(infcx)
414 .root_goal_may_hold_with_depth(8, Goal::new(infcx.tcx, o.param_env, o.predicate))
415 }) {
416 return IntersectionHasImpossibleObligations::Yes;
417 }
418
419 let ocx = ObligationCtxt::new(infcx);
420 ocx.register_obligations(obligations.iter().cloned());
421 let hard_errors = ocx.try_evaluate_obligations();
422 if !hard_errors.is_empty() {
423 assert!(
424 hard_errors.iter().all(|e| e.is_true_error()),
425 "should not have detected ambiguity during first pass"
426 );
427 return IntersectionHasImpossibleObligations::Yes;
428 }
429
430 let ambiguities = ocx.into_pending_obligations();
434 let ocx = ObligationCtxt::new_with_diagnostics(infcx);
435 ocx.register_obligations(ambiguities);
436 let errors_and_ambiguities = ocx.evaluate_obligations_error_on_ambiguity();
437 let (errors, ambiguities): (Vec<_>, Vec<_>) =
440 errors_and_ambiguities.into_iter().partition(|error| error.is_true_error());
441 assert!(errors.is_empty(), "should not have ambiguities during second pass");
442
443 IntersectionHasImpossibleObligations::No {
444 overflowing_predicates: ambiguities
445 .into_iter()
446 .filter(|error| {
447 matches!(error.code, FulfillmentErrorCode::Ambiguity { overflow: Some(true) })
448 })
449 .map(|e| infcx.resolve_vars_if_possible(e.obligation.predicate))
450 .collect(),
451 }
452 } else {
453 for obligation in obligations {
454 let evaluation_result = selcx.evaluate_root_obligation(obligation);
457
458 match evaluation_result {
459 Ok(result) => {
460 if !result.may_apply() {
461 return IntersectionHasImpossibleObligations::Yes;
462 }
463 }
464 Err(_overflow) => {}
469 }
470 }
471
472 IntersectionHasImpossibleObligations::No { overflowing_predicates: Vec::new() }
473 }
474}
475
476fn impl_intersection_has_negative_obligation(
493 tcx: TyCtxt<'_>,
494 impl1_def_id: DefId,
495 impl2_def_id: DefId,
496 is_of_trait: bool,
497) -> bool {
498 debug!("negative_impl(impl1_def_id={:?}, impl2_def_id={:?})", impl1_def_id, impl2_def_id);
499
500 let ref infcx = tcx.infer_ctxt().with_next_trait_solver(true).build(TypingMode::Coherence);
503 let root_universe = infcx.universe();
504 assert_eq!(root_universe, ty::UniverseIndex::ROOT);
505
506 let impl1_header = fresh_impl_header(infcx, impl1_def_id, is_of_trait);
507 let param_env =
508 ty::EarlyBinder::bind(tcx.param_env(impl1_def_id)).instantiate(tcx, impl1_header.impl_args);
509
510 let impl2_header = fresh_impl_header(infcx, impl2_def_id, is_of_trait);
511
512 let Some(equate_obligations) =
515 equate_impl_headers(infcx, param_env, &impl1_header, &impl2_header)
516 else {
517 return false;
518 };
519
520 drop(equate_obligations);
524 drop(infcx.take_registered_region_obligations());
525 drop(infcx.take_registered_region_assumptions());
526 drop(infcx.take_and_reset_region_constraints());
527
528 plug_infer_with_placeholders(
529 infcx,
530 root_universe,
531 (impl1_header.impl_args, impl2_header.impl_args),
532 );
533 let param_env = infcx.resolve_vars_if_possible(param_env);
534
535 util::elaborate(tcx, tcx.predicates_of(impl2_def_id).instantiate(tcx, impl2_header.impl_args))
536 .elaborate_sized()
537 .any(|(clause, _)| try_prove_negated_where_clause(infcx, clause, param_env))
538}
539
540fn plug_infer_with_placeholders<'tcx>(
541 infcx: &InferCtxt<'tcx>,
542 universe: ty::UniverseIndex,
543 value: impl TypeVisitable<TyCtxt<'tcx>>,
544) {
545 struct PlugInferWithPlaceholder<'a, 'tcx> {
546 infcx: &'a InferCtxt<'tcx>,
547 universe: ty::UniverseIndex,
548 var: ty::BoundVar,
549 }
550
551 impl<'tcx> PlugInferWithPlaceholder<'_, 'tcx> {
552 fn next_var(&mut self) -> ty::BoundVar {
553 let var = self.var;
554 self.var = self.var + 1;
555 var
556 }
557 }
558
559 impl<'tcx> TypeVisitor<TyCtxt<'tcx>> for PlugInferWithPlaceholder<'_, 'tcx> {
560 fn visit_ty(&mut self, ty: Ty<'tcx>) {
561 let ty = self.infcx.shallow_resolve(ty);
562 if ty.is_ty_var() {
563 let Ok(InferOk { value: (), obligations }) =
564 self.infcx.at(&ObligationCause::dummy(), ty::ParamEnv::empty()).eq(
565 DefineOpaqueTypes::Yes,
567 ty,
568 Ty::new_placeholder(
569 self.infcx.tcx,
570 ty::Placeholder {
571 universe: self.universe,
572 bound: ty::BoundTy {
573 var: self.next_var(),
574 kind: ty::BoundTyKind::Anon,
575 },
576 },
577 ),
578 )
579 else {
580 bug!("we always expect to be able to plug an infer var with placeholder")
581 };
582 assert_eq!(obligations.len(), 0);
583 } else {
584 ty.super_visit_with(self);
585 }
586 }
587
588 fn visit_const(&mut self, ct: ty::Const<'tcx>) {
589 let ct = self.infcx.shallow_resolve_const(ct);
590 if ct.is_ct_infer() {
591 let Ok(InferOk { value: (), obligations }) =
592 self.infcx.at(&ObligationCause::dummy(), ty::ParamEnv::empty()).eq(
593 DefineOpaqueTypes::Yes,
596 ct,
597 ty::Const::new_placeholder(
598 self.infcx.tcx,
599 ty::Placeholder {
600 universe: self.universe,
601 bound: ty::BoundConst { var: self.next_var() },
602 },
603 ),
604 )
605 else {
606 bug!("we always expect to be able to plug an infer var with placeholder")
607 };
608 assert_eq!(obligations.len(), 0);
609 } else {
610 ct.super_visit_with(self);
611 }
612 }
613
614 fn visit_region(&mut self, r: ty::Region<'tcx>) {
615 if let ty::ReVar(vid) = r.kind() {
616 let r = self
617 .infcx
618 .inner
619 .borrow_mut()
620 .unwrap_region_constraints()
621 .opportunistic_resolve_var(self.infcx.tcx, vid);
622 if r.is_var() {
623 let Ok(InferOk { value: (), obligations }) =
624 self.infcx.at(&ObligationCause::dummy(), ty::ParamEnv::empty()).eq(
625 DefineOpaqueTypes::Yes,
627 r,
628 ty::Region::new_placeholder(
629 self.infcx.tcx,
630 ty::Placeholder {
631 universe: self.universe,
632 bound: ty::BoundRegion {
633 var: self.next_var(),
634 kind: ty::BoundRegionKind::Anon,
635 },
636 },
637 ),
638 )
639 else {
640 bug!("we always expect to be able to plug an infer var with placeholder")
641 };
642 assert_eq!(obligations.len(), 0);
643 }
644 }
645 }
646 }
647
648 value.visit_with(&mut PlugInferWithPlaceholder { infcx, universe, var: ty::BoundVar::ZERO });
649}
650
651fn try_prove_negated_where_clause<'tcx>(
652 root_infcx: &InferCtxt<'tcx>,
653 clause: ty::Clause<'tcx>,
654 param_env: ty::ParamEnv<'tcx>,
655) -> bool {
656 let Some(negative_predicate) = clause.as_predicate().flip_polarity(root_infcx.tcx) else {
657 return false;
658 };
659
660 let ref infcx = root_infcx.fork_with_typing_mode(TypingMode::non_body_analysis());
667 let ocx = ObligationCtxt::new(infcx);
668 ocx.register_obligation(Obligation::new(
669 infcx.tcx,
670 ObligationCause::dummy(),
671 param_env,
672 negative_predicate,
673 ));
674 if !ocx.evaluate_obligations_error_on_ambiguity().is_empty() {
675 return false;
676 }
677
678 let errors = ocx.resolve_regions(CRATE_DEF_ID, param_env, []);
682 if !errors.is_empty() {
683 return false;
684 }
685
686 true
687}
688
689fn compute_intercrate_ambiguity_causes<'tcx>(
697 infcx: &InferCtxt<'tcx>,
698 obligations: &[PredicateObligation<'tcx>],
699) -> FxIndexSet<IntercrateAmbiguityCause<'tcx>> {
700 let mut causes: FxIndexSet<IntercrateAmbiguityCause<'tcx>> = Default::default();
701
702 for obligation in obligations {
703 search_ambiguity_causes(infcx, obligation.as_goal(), &mut causes);
704 }
705
706 causes
707}
708
709struct AmbiguityCausesVisitor<'a, 'tcx> {
710 cache: FxHashSet<Goal<'tcx, ty::Predicate<'tcx>>>,
711 causes: &'a mut FxIndexSet<IntercrateAmbiguityCause<'tcx>>,
712}
713
714impl<'a, 'tcx> ProofTreeVisitor<'tcx> for AmbiguityCausesVisitor<'a, 'tcx> {
715 fn span(&self) -> Span {
716 DUMMY_SP
717 }
718
719 fn visit_goal(&mut self, goal: &InspectGoal<'_, 'tcx>) {
720 if !self.cache.insert(goal.goal()) {
721 return;
722 }
723
724 let infcx = goal.infcx();
725 for cand in goal.candidates() {
726 cand.visit_nested_in_probe(self);
727 }
728 match goal.result() {
732 Ok(Certainty::Yes) | Err(NoSolution) => return,
733 Ok(Certainty::Maybe { .. }) => {}
734 }
735
736 let Goal { param_env, predicate } = goal.goal();
739 let trait_ref = match predicate.kind().no_bound_vars() {
740 Some(ty::PredicateKind::Clause(ty::ClauseKind::Trait(tr))) => tr.trait_ref,
741 Some(ty::PredicateKind::Clause(ty::ClauseKind::Projection(proj)))
742 if matches!(
743 infcx.tcx.def_kind(proj.projection_term.def_id),
744 DefKind::AssocTy | DefKind::AssocConst
745 ) =>
746 {
747 proj.projection_term.trait_ref(infcx.tcx)
748 }
749 _ => return,
750 };
751
752 if trait_ref.references_error() {
753 return;
754 }
755
756 let mut candidates = goal.candidates();
757 for cand in goal.candidates() {
758 if let inspect::ProbeKind::TraitCandidate {
759 source: CandidateSource::Impl(def_id),
760 result: Ok(_),
761 } = cand.kind()
762 && let ty::ImplPolarity::Reservation = infcx.tcx.impl_polarity(def_id)
763 {
764 let message = infcx
765 .tcx
766 .get_attr(def_id, sym::rustc_reservation_impl)
767 .and_then(|a| a.value_str());
768 if let Some(message) = message {
769 self.causes.insert(IntercrateAmbiguityCause::ReservationImpl { message });
770 }
771 }
772 }
773
774 let Some(cand) = candidates.pop() else {
777 return;
778 };
779
780 let inspect::ProbeKind::TraitCandidate {
781 source: CandidateSource::CoherenceUnknowable,
782 result: Ok(_),
783 } = cand.kind()
784 else {
785 return;
786 };
787
788 let lazily_normalize_ty = |mut ty: Ty<'tcx>| {
789 if matches!(ty.kind(), ty::Alias(..)) {
790 let ocx = ObligationCtxt::new(infcx);
791 ty = ocx
792 .structurally_normalize_ty(&ObligationCause::dummy(), param_env, ty)
793 .map_err(|_| ())?;
794 if !ocx.try_evaluate_obligations().is_empty() {
795 return Err(());
796 }
797 }
798 Ok(ty)
799 };
800
801 infcx.probe(|_| {
802 let conflict = match trait_ref_is_knowable(infcx, trait_ref, lazily_normalize_ty) {
803 Err(()) => return,
804 Ok(Ok(())) => {
805 warn!("expected an unknowable trait ref: {trait_ref:?}");
806 return;
807 }
808 Ok(Err(conflict)) => conflict,
809 };
810
811 let non_intercrate_infcx = infcx.fork_with_typing_mode(TypingMode::non_body_analysis());
817 if non_intercrate_infcx.predicate_may_hold(&Obligation::new(
818 infcx.tcx,
819 ObligationCause::dummy(),
820 param_env,
821 predicate,
822 )) {
823 return;
824 }
825
826 let trait_ref = deeply_normalize_for_diagnostics(infcx, param_env, trait_ref);
828 let self_ty = trait_ref.self_ty();
829 let self_ty = self_ty.has_concrete_skeleton().then(|| self_ty);
830 self.causes.insert(match conflict {
831 Conflict::Upstream => {
832 IntercrateAmbiguityCause::UpstreamCrateUpdate { trait_ref, self_ty }
833 }
834 Conflict::Downstream => {
835 IntercrateAmbiguityCause::DownstreamCrate { trait_ref, self_ty }
836 }
837 });
838 });
839 }
840}
841
842fn search_ambiguity_causes<'tcx>(
843 infcx: &InferCtxt<'tcx>,
844 goal: Goal<'tcx, ty::Predicate<'tcx>>,
845 causes: &mut FxIndexSet<IntercrateAmbiguityCause<'tcx>>,
846) {
847 infcx.probe(|_| {
848 infcx.visit_proof_tree(
849 goal,
850 &mut AmbiguityCausesVisitor { cache: Default::default(), causes },
851 )
852 });
853}