Skip to content

Commit 49dc89d

Browse files
Rollup merge of rust-lang#119071 - lcnr:overflowo, r=compiler-errors
-Znext-solver: adapt overflow rules to avoid breakage Do not erase overflow constraints if they are from equating the impl header when normalizing[^1]. This should be the minimal change to not break crates depending on the old project behavior of "apply impl constraints while only lazily evaluating any nested goals". Fixes rust-lang/trait-system-refactor-initiative#70, see https://hackmd.io/ATf4hN0NRY-w2LIVgeFsVg for the reasoning behind this. Only keeping constraints on overflow for `normalize-to` goals as that's the only thing needed for backcompat. It also allows us to not track the origin of root obligations. The issue with root goals would be something like the following: ```rust trait Foo {} trait Bar {} trait FooBar {} impl<T: Foo + Bar> FooBar for T {} // These two should behave the same, rn we can drop constraints for both, // but if we don't drop `Misc` goals we would only drop the constraints for // `FooBar` unless we track origins of root obligations. fn func1<T: Foo + Bar>() {} fn func2<T: FooBaz>() {} ``` [^1]: mostly, the actual rules are slightly different r? `@compiler-errors`
2 parents b25b723 + 17705ea commit 49dc89d

File tree

18 files changed

+269
-104
lines changed

18 files changed

+269
-104
lines changed

compiler/rustc_middle/src/traits/solve.rs

+21
Original file line numberDiff line numberDiff line change
@@ -233,6 +233,27 @@ impl<'tcx> TypeVisitable<TyCtxt<'tcx>> for PredefinedOpaques<'tcx> {
233233
}
234234
}
235235

236+
/// Why a specific goal has to be proven.
237+
///
238+
/// This is necessary as we treat nested goals different depending on
239+
/// their source.
240+
#[derive(Copy, Clone, Debug, PartialEq, Eq)]
241+
pub enum GoalSource {
242+
Misc,
243+
/// We're proving a where-bound of an impl.
244+
///
245+
/// FIXME(-Znext-solver=coinductive): Explain how and why this
246+
/// changes whether cycles are coinductive.
247+
///
248+
/// This also impacts whether we erase constraints on overflow.
249+
/// Erasing constraints is generally very useful for perf and also
250+
/// results in better error messages by avoiding spurious errors.
251+
/// We do not erase overflow constraints in `normalizes-to` goals unless
252+
/// they are from an impl where-clause. This is necessary due to
253+
/// backwards compatability, cc trait-system-refactor-initiatitive#70.
254+
ImplWhereBound,
255+
}
256+
236257
#[derive(Debug, Copy, Clone, PartialEq, Eq, Hash, HashStable)]
237258
pub enum IsNormalizesToHack {
238259
Yes,

compiler/rustc_middle/src/traits/solve/inspect.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -19,8 +19,8 @@
1919
//! [canonicalized]: https://rustc-dev-guide.rust-lang.org/solve/canonicalization.html
2020
2121
use super::{
22-
CandidateSource, Canonical, CanonicalInput, Certainty, Goal, IsNormalizesToHack, NoSolution,
23-
QueryInput, QueryResult,
22+
CandidateSource, Canonical, CanonicalInput, Certainty, Goal, GoalSource, IsNormalizesToHack,
23+
NoSolution, QueryInput, QueryResult,
2424
};
2525
use crate::{infer::canonical::CanonicalVarValues, ty};
2626
use format::ProofTreeFormatter;
@@ -115,7 +115,7 @@ impl Debug for Probe<'_> {
115115
pub enum ProbeStep<'tcx> {
116116
/// We added a goal to the `EvalCtxt` which will get proven
117117
/// the next time `EvalCtxt::try_evaluate_added_goals` is called.
118-
AddGoal(CanonicalState<'tcx, Goal<'tcx, ty::Predicate<'tcx>>>),
118+
AddGoal(GoalSource, CanonicalState<'tcx, Goal<'tcx, ty::Predicate<'tcx>>>),
119119
/// The inside of a `EvalCtxt::try_evaluate_added_goals` call.
120120
EvaluateGoals(AddedGoalsEvaluation<'tcx>),
121121
/// A call to `probe` while proving the current goal. This is

compiler/rustc_middle/src/traits/solve/inspect/format.rs

+7-1
Original file line numberDiff line numberDiff line change
@@ -123,7 +123,13 @@ impl<'a, 'b> ProofTreeFormatter<'a, 'b> {
123123
self.nested(|this| {
124124
for step in &probe.steps {
125125
match step {
126-
ProbeStep::AddGoal(goal) => writeln!(this.f, "ADDED GOAL: {goal:?}")?,
126+
ProbeStep::AddGoal(source, goal) => {
127+
let source = match source {
128+
GoalSource::Misc => "misc",
129+
GoalSource::ImplWhereBound => "impl where-bound",
130+
};
131+
writeln!(this.f, "ADDED GOAL ({source}): {goal:?}")?
132+
}
127133
ProbeStep::EvaluateGoals(eval) => this.format_added_goals_evaluation(eval)?,
128134
ProbeStep::NestedProbe(probe) => this.format_probe(probe)?,
129135
ProbeStep::CommitIfOkStart => writeln!(this.f, "COMMIT_IF_OK START")?,

compiler/rustc_trait_selection/src/solve/alias_relate.rs

+9-7
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,7 @@
1111
//! * bidirectional-normalizes-to: If `A` and `B` are both projections, and both
1212
//! may apply, then we can compute the "intersection" of both normalizes-to by
1313
//! performing them together. This is used specifically to resolve ambiguities.
14-
use super::EvalCtxt;
14+
use super::{EvalCtxt, GoalSource};
1515
use rustc_infer::infer::DefineOpaqueTypes;
1616
use rustc_infer::traits::query::NoSolution;
1717
use rustc_middle::traits::solve::{Certainty, Goal, QueryResult};
@@ -89,11 +89,10 @@ impl<'tcx> EvalCtxt<'_, 'tcx> {
8989
ty::TermKind::Const(_) => {
9090
if let Some(alias) = term.to_alias_ty(self.tcx()) {
9191
let term = self.next_term_infer_of_kind(term);
92-
self.add_goal(Goal::new(
93-
self.tcx(),
94-
param_env,
95-
ty::NormalizesTo { alias, term },
96-
));
92+
self.add_goal(
93+
GoalSource::Misc,
94+
Goal::new(self.tcx(), param_env, ty::NormalizesTo { alias, term }),
95+
);
9796
self.try_evaluate_added_goals()?;
9897
Ok(Some(self.resolve_vars_if_possible(term)))
9998
} else {
@@ -109,7 +108,10 @@ impl<'tcx> EvalCtxt<'_, 'tcx> {
109108
opaque: ty::AliasTy<'tcx>,
110109
term: ty::Term<'tcx>,
111110
) -> QueryResult<'tcx> {
112-
self.add_goal(Goal::new(self.tcx(), param_env, ty::NormalizesTo { alias: opaque, term }));
111+
self.add_goal(
112+
GoalSource::Misc,
113+
Goal::new(self.tcx(), param_env, ty::NormalizesTo { alias: opaque, term }),
114+
);
113115
self.evaluate_added_goals_and_make_canonical_response(Certainty::Yes)
114116
}
115117

compiler/rustc_trait_selection/src/solve/assembly/mod.rs

+15-8
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
//! Code shared by trait and projection goals for candidate assembly.
22
33
use super::{EvalCtxt, SolverMode};
4+
use crate::solve::GoalSource;
45
use crate::traits::coherence;
56
use rustc_hir::def_id::DefId;
67
use rustc_infer::traits::query::NoSolution;
@@ -62,7 +63,9 @@ pub(super) trait GoalKind<'tcx>:
6263
requirements: impl IntoIterator<Item = Goal<'tcx, ty::Predicate<'tcx>>>,
6364
) -> QueryResult<'tcx> {
6465
Self::probe_and_match_goal_against_assumption(ecx, goal, assumption, |ecx| {
65-
ecx.add_goals(requirements);
66+
// FIXME(-Znext-solver=coinductive): check whether this should be
67+
// `GoalSource::ImplWhereBound` for any caller.
68+
ecx.add_goals(GoalSource::Misc, requirements);
6669
ecx.evaluate_added_goals_and_make_canonical_response(Certainty::Yes)
6770
})
6871
}
@@ -94,12 +97,16 @@ pub(super) trait GoalKind<'tcx>:
9497
let ty::Dynamic(bounds, _, _) = *goal.predicate.self_ty().kind() else {
9598
bug!("expected object type in `consider_object_bound_candidate`");
9699
};
97-
ecx.add_goals(structural_traits::predicates_for_object_candidate(
98-
ecx,
99-
goal.param_env,
100-
goal.predicate.trait_ref(tcx),
101-
bounds,
102-
));
100+
// FIXME(-Znext-solver=coinductive): Should this be `GoalSource::ImplWhereBound`?
101+
ecx.add_goals(
102+
GoalSource::Misc,
103+
structural_traits::predicates_for_object_candidate(
104+
ecx,
105+
goal.param_env,
106+
goal.predicate.trait_ref(tcx),
107+
bounds,
108+
),
109+
);
103110
ecx.evaluate_added_goals_and_make_canonical_response(Certainty::Yes)
104111
})
105112
}
@@ -364,7 +371,7 @@ impl<'tcx> EvalCtxt<'_, 'tcx> {
364371
let normalized_ty = ecx.next_ty_infer();
365372
let normalizes_to_goal =
366373
goal.with(tcx, ty::NormalizesTo { alias, term: normalized_ty.into() });
367-
ecx.add_goal(normalizes_to_goal);
374+
ecx.add_goal(GoalSource::Misc, normalizes_to_goal);
368375
if let Err(NoSolution) = ecx.try_evaluate_added_goals() {
369376
debug!("self type normalization failed");
370377
return vec![];

compiler/rustc_trait_selection/src/solve/eval_ctxt/canonical.rs

-14
Original file line numberDiff line numberDiff line change
@@ -94,20 +94,6 @@ impl<'tcx> EvalCtxt<'_, 'tcx> {
9494
);
9595

9696
let certainty = certainty.unify_with(goals_certainty);
97-
if let Certainty::OVERFLOW = certainty {
98-
// If we have overflow, it's probable that we're substituting a type
99-
// into itself infinitely and any partial substitutions in the query
100-
// response are probably not useful anyways, so just return an empty
101-
// query response.
102-
//
103-
// This may prevent us from potentially useful inference, e.g.
104-
// 2 candidates, one ambiguous and one overflow, which both
105-
// have the same inference constraints.
106-
//
107-
// Changing this to retain some constraints in the future
108-
// won't be a breaking change, so this is good enough for now.
109-
return Ok(self.make_ambiguous_response_no_constraints(MaybeCause::Overflow));
110-
}
11197

11298
let var_values = self.var_values;
11399
let external_constraints = self.compute_external_query_constraints()?;

compiler/rustc_trait_selection/src/solve/eval_ctxt/mod.rs

+70-21
Original file line numberDiff line numberDiff line change
@@ -23,14 +23,15 @@ use rustc_middle::ty::{
2323
use rustc_session::config::DumpSolverProofTree;
2424
use rustc_span::DUMMY_SP;
2525
use std::io::Write;
26+
use std::iter;
2627
use std::ops::ControlFlow;
2728

2829
use crate::traits::vtable::{count_own_vtable_entries, prepare_vtable_segments, VtblSegment};
2930

3031
use super::inspect::ProofTreeBuilder;
31-
use super::SolverMode;
3232
use super::{search_graph, GoalEvaluationKind};
3333
use super::{search_graph::SearchGraph, Goal};
34+
use super::{GoalSource, SolverMode};
3435
pub use select::InferCtxtSelectExt;
3536

3637
mod canonical;
@@ -105,7 +106,7 @@ pub(super) struct NestedGoals<'tcx> {
105106
/// can be unsound with more powerful coinduction in the future.
106107
pub(super) normalizes_to_hack_goal: Option<Goal<'tcx, ty::NormalizesTo<'tcx>>>,
107108
/// The rest of the goals which have not yet processed or remain ambiguous.
108-
pub(super) goals: Vec<Goal<'tcx, ty::Predicate<'tcx>>>,
109+
pub(super) goals: Vec<(GoalSource, Goal<'tcx, ty::Predicate<'tcx>>)>,
109110
}
110111

111112
impl<'tcx> NestedGoals<'tcx> {
@@ -156,7 +157,7 @@ impl<'tcx> InferCtxtEvalExt<'tcx> for InferCtxt<'tcx> {
156157
Option<inspect::GoalEvaluation<'tcx>>,
157158
) {
158159
EvalCtxt::enter_root(self, generate_proof_tree, |ecx| {
159-
ecx.evaluate_goal(GoalEvaluationKind::Root, goal)
160+
ecx.evaluate_goal(GoalEvaluationKind::Root, GoalSource::Misc, goal)
160161
})
161162
}
162163
}
@@ -334,6 +335,7 @@ impl<'a, 'tcx> EvalCtxt<'a, 'tcx> {
334335
fn evaluate_goal(
335336
&mut self,
336337
goal_evaluation_kind: GoalEvaluationKind,
338+
source: GoalSource,
337339
goal: Goal<'tcx, ty::Predicate<'tcx>>,
338340
) -> Result<(bool, Certainty, Vec<Goal<'tcx, ty::Predicate<'tcx>>>), NoSolution> {
339341
let (orig_values, canonical_goal) = self.canonicalize_goal(goal);
@@ -353,13 +355,13 @@ impl<'a, 'tcx> EvalCtxt<'a, 'tcx> {
353355
Ok(response) => response,
354356
};
355357

356-
let has_changed = !canonical_response.value.var_values.is_identity_modulo_regions()
357-
|| !canonical_response.value.external_constraints.opaque_types.is_empty();
358-
let (certainty, nested_goals) = match self.instantiate_and_apply_query_response(
359-
goal.param_env,
360-
orig_values,
361-
canonical_response,
362-
) {
358+
let (certainty, has_changed, nested_goals) = match self
359+
.instantiate_response_discarding_overflow(
360+
goal.param_env,
361+
source,
362+
orig_values,
363+
canonical_response,
364+
) {
363365
Err(e) => {
364366
self.inspect.goal_evaluation(goal_evaluation);
365367
return Err(e);
@@ -386,6 +388,44 @@ impl<'a, 'tcx> EvalCtxt<'a, 'tcx> {
386388
Ok((has_changed, certainty, nested_goals))
387389
}
388390

391+
fn instantiate_response_discarding_overflow(
392+
&mut self,
393+
param_env: ty::ParamEnv<'tcx>,
394+
source: GoalSource,
395+
original_values: Vec<ty::GenericArg<'tcx>>,
396+
response: CanonicalResponse<'tcx>,
397+
) -> Result<(Certainty, bool, Vec<Goal<'tcx, ty::Predicate<'tcx>>>), NoSolution> {
398+
// The old solver did not evaluate nested goals when normalizing.
399+
// It returned the selection constraints allowing a `Projection`
400+
// obligation to not hold in coherence while avoiding the fatal error
401+
// from overflow.
402+
//
403+
// We match this behavior here by considering all constraints
404+
// from nested goals which are not from where-bounds. We will already
405+
// need to track which nested goals are required by impl where-bounds
406+
// for coinductive cycles, so we simply reuse that here.
407+
//
408+
// While we could consider overflow constraints in more cases, this should
409+
// not be necessary for backcompat and results in better perf. It also
410+
// avoids a potential inconsistency which would otherwise require some
411+
// tracking for root goals as well. See #119071 for an example.
412+
let keep_overflow_constraints = || {
413+
self.search_graph.current_goal_is_normalizes_to()
414+
&& source != GoalSource::ImplWhereBound
415+
};
416+
417+
if response.value.certainty == Certainty::OVERFLOW && !keep_overflow_constraints() {
418+
Ok((Certainty::OVERFLOW, false, Vec::new()))
419+
} else {
420+
let has_changed = !response.value.var_values.is_identity_modulo_regions()
421+
|| !response.value.external_constraints.opaque_types.is_empty();
422+
423+
let (certainty, nested_goals) =
424+
self.instantiate_and_apply_query_response(param_env, original_values, response)?;
425+
Ok((certainty, has_changed, nested_goals))
426+
}
427+
}
428+
389429
fn compute_goal(&mut self, goal: Goal<'tcx, ty::Predicate<'tcx>>) -> QueryResult<'tcx> {
390430
let Goal { param_env, predicate } = goal;
391431
let kind = predicate.kind();
@@ -439,7 +479,7 @@ impl<'a, 'tcx> EvalCtxt<'a, 'tcx> {
439479
} else {
440480
let kind = self.infcx.instantiate_binder_with_placeholders(kind);
441481
let goal = goal.with(self.tcx(), ty::Binder::dummy(kind));
442-
self.add_goal(goal);
482+
self.add_goal(GoalSource::Misc, goal);
443483
self.evaluate_added_goals_and_make_canonical_response(Certainty::Yes)
444484
}
445485
}
@@ -488,6 +528,13 @@ impl<'a, 'tcx> EvalCtxt<'a, 'tcx> {
488528
let mut goals = core::mem::replace(&mut self.nested_goals, NestedGoals::new());
489529

490530
self.inspect.evaluate_added_goals_loop_start();
531+
532+
fn with_misc_source<'tcx>(
533+
it: impl IntoIterator<Item = Goal<'tcx, ty::Predicate<'tcx>>>,
534+
) -> impl Iterator<Item = (GoalSource, Goal<'tcx, ty::Predicate<'tcx>>)> {
535+
iter::zip(iter::repeat(GoalSource::Misc), it)
536+
}
537+
491538
// If this loop did not result in any progress, what's our final certainty.
492539
let mut unchanged_certainty = Some(Certainty::Yes);
493540
if let Some(goal) = goals.normalizes_to_hack_goal.take() {
@@ -501,9 +548,10 @@ impl<'a, 'tcx> EvalCtxt<'a, 'tcx> {
501548

502549
let (_, certainty, instantiate_goals) = self.evaluate_goal(
503550
GoalEvaluationKind::Nested { is_normalizes_to_hack: IsNormalizesToHack::Yes },
551+
GoalSource::Misc,
504552
unconstrained_goal,
505553
)?;
506-
self.nested_goals.goals.extend(instantiate_goals);
554+
self.nested_goals.goals.extend(with_misc_source(instantiate_goals));
507555

508556
// Finally, equate the goal's RHS with the unconstrained var.
509557
// We put the nested goals from this into goals instead of
@@ -512,7 +560,7 @@ impl<'a, 'tcx> EvalCtxt<'a, 'tcx> {
512560
// matters in practice, though.
513561
let eq_goals =
514562
self.eq_and_get_goals(goal.param_env, goal.predicate.term, unconstrained_rhs)?;
515-
goals.goals.extend(eq_goals);
563+
goals.goals.extend(with_misc_source(eq_goals));
516564

517565
// We only look at the `projection_ty` part here rather than
518566
// looking at the "has changed" return from evaluate_goal,
@@ -533,20 +581,21 @@ impl<'a, 'tcx> EvalCtxt<'a, 'tcx> {
533581
}
534582
}
535583

536-
for goal in goals.goals.drain(..) {
584+
for (source, goal) in goals.goals.drain(..) {
537585
let (has_changed, certainty, instantiate_goals) = self.evaluate_goal(
538586
GoalEvaluationKind::Nested { is_normalizes_to_hack: IsNormalizesToHack::No },
587+
source,
539588
goal,
540589
)?;
541-
self.nested_goals.goals.extend(instantiate_goals);
590+
self.nested_goals.goals.extend(with_misc_source(instantiate_goals));
542591
if has_changed {
543592
unchanged_certainty = None;
544593
}
545594

546595
match certainty {
547596
Certainty::Yes => {}
548597
Certainty::Maybe(_) => {
549-
self.nested_goals.goals.push(goal);
598+
self.nested_goals.goals.push((source, goal));
550599
unchanged_certainty = unchanged_certainty.map(|c| c.unify_with(certainty));
551600
}
552601
}
@@ -670,7 +719,7 @@ impl<'tcx> EvalCtxt<'_, 'tcx> {
670719
.at(&ObligationCause::dummy(), param_env)
671720
.eq(DefineOpaqueTypes::No, lhs, rhs)
672721
.map(|InferOk { value: (), obligations }| {
673-
self.add_goals(obligations.into_iter().map(|o| o.into()));
722+
self.add_goals(GoalSource::Misc, obligations.into_iter().map(|o| o.into()));
674723
})
675724
.map_err(|e| {
676725
debug!(?e, "failed to equate");
@@ -689,7 +738,7 @@ impl<'tcx> EvalCtxt<'_, 'tcx> {
689738
.at(&ObligationCause::dummy(), param_env)
690739
.sub(DefineOpaqueTypes::No, sub, sup)
691740
.map(|InferOk { value: (), obligations }| {
692-
self.add_goals(obligations.into_iter().map(|o| o.into()));
741+
self.add_goals(GoalSource::Misc, obligations.into_iter().map(|o| o.into()));
693742
})
694743
.map_err(|e| {
695744
debug!(?e, "failed to subtype");
@@ -709,7 +758,7 @@ impl<'tcx> EvalCtxt<'_, 'tcx> {
709758
.at(&ObligationCause::dummy(), param_env)
710759
.relate(DefineOpaqueTypes::No, lhs, variance, rhs)
711760
.map(|InferOk { value: (), obligations }| {
712-
self.add_goals(obligations.into_iter().map(|o| o.into()));
761+
self.add_goals(GoalSource::Misc, obligations.into_iter().map(|o| o.into()));
713762
})
714763
.map_err(|e| {
715764
debug!(?e, "failed to relate");
@@ -842,7 +891,7 @@ impl<'tcx> EvalCtxt<'_, 'tcx> {
842891
true,
843892
&mut obligations,
844893
)?;
845-
self.add_goals(obligations.into_iter().map(|o| o.into()));
894+
self.add_goals(GoalSource::Misc, obligations.into_iter().map(|o| o.into()));
846895
Ok(())
847896
}
848897

@@ -862,7 +911,7 @@ impl<'tcx> EvalCtxt<'_, 'tcx> {
862911
hidden_ty,
863912
&mut obligations,
864913
);
865-
self.add_goals(obligations.into_iter().map(|o| o.into()));
914+
self.add_goals(GoalSource::Misc, obligations.into_iter().map(|o| o.into()));
866915
}
867916

868917
// Do something for each opaque/hidden pair defined with `def_id` in the

0 commit comments

Comments
 (0)