Skip to content

Commit b8de591

Browse files
committed
Auto merge of #119106 - lcnr:decrement-universes, r=BoxyUwU
avoid generalization inside of aliases The basic idea of this PR is that we don't generalize aliases when the instantiation could fail later on, either due to the *occurs check* or because of a universe error. We instead replace the whole alias with an inference variable and emit a nested `AliasRelate` goal. This `AliasRelate` then fully normalizes the alias before equating it with the inference variable, at which point the alias can be treated like any other rigid type. We now treat aliases differently depending on whether they are *rigid* or not. To detect whether an alias is rigid we check whether `NormalizesTo` fails. While we already do so inside of `AliasRelate` anyways, also doing so when instantiating a query response would be both ugly/difficult and likely inefficient. To avoid that I change `instantiate_and_apply_query_response` to relate types completely structurally. This change generally removes a lot of annoying complexity, which is nice. It's implemented by adding a flag to `Equate` to change it to structurally handle aliases. We currently always apply constraints from canonical queries right away. By providing all the necessary information to the canonical query, we can guarantee that instantiating the query response never fails, which further simplifies the implementation. This does add the invariant that *any information which could cause instantiating type variables to fail must also be available inside of the query*. While it's acceptable for canonicalization to result in more ambiguity, we must not cause the solver to incompletely structurally relate aliases by erasing information. This means we have to be careful when merging universes during canonicalization. As we only generalize for type and const variables we have to make sure that anything nameable by such a type or const variable inside of the canonical query is also nameable outside of it. Because of this we both stop merging universes of existential variables when canonicalizing inputs, we put all uniquified regions into a higher universe which is not nameable by any type or const variable. I will look into always replacing aliases with inference variables when generalizing in a later PR unless the alias references bound variables. This should both pretty much fix rust-lang/trait-system-refactor-initiative#4. This may allow us to merge the universes of existential variables again by changing generalize to not consider their universe when deciding whether to generalize aliases. This requires some additional non-trivial changes to alias-relate, so I am leaving that as future work. Fixes rust-lang/trait-system-refactor-initiative#79. While it would be nice to decrement universe indices when existing a `forall`, that was surprisingly difficult and not necessary to fix this issue. I am really happy with the approach in this PR think it is the correct way forward to also fix the remaining cases of rust-lang/trait-system-refactor-initiative#8.
2 parents ee933f6 + 3b3514a commit b8de591

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

43 files changed

+586
-366
lines changed

compiler/rustc_borrowck/src/type_check/relate_tys.rs

+6-1
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,8 @@
11
use rustc_data_structures::fx::FxHashMap;
22
use rustc_errors::ErrorGuaranteed;
33
use rustc_infer::infer::type_variable::{TypeVariableOrigin, TypeVariableOriginKind};
4-
use rustc_infer::infer::{NllRegionVariableOrigin, ObligationEmittingRelation};
4+
use rustc_infer::infer::NllRegionVariableOrigin;
5+
use rustc_infer::infer::{ObligationEmittingRelation, StructurallyRelateAliases};
56
use rustc_infer::traits::{Obligation, PredicateObligations};
67
use rustc_middle::mir::ConstraintCategory;
78
use rustc_middle::traits::query::NoSolution;
@@ -548,6 +549,10 @@ impl<'bccx, 'tcx> ObligationEmittingRelation<'tcx> for NllTypeRelating<'_, 'bccx
548549
self.locations.span(self.type_checker.body)
549550
}
550551

552+
fn structurally_relate_aliases(&self) -> StructurallyRelateAliases {
553+
StructurallyRelateAliases::No
554+
}
555+
551556
fn param_env(&self) -> ty::ParamEnv<'tcx> {
552557
self.type_checker.param_env
553558
}

compiler/rustc_hir_typeck/src/coercion.rs

+15-11
Original file line numberDiff line numberDiff line change
@@ -44,6 +44,8 @@ use rustc_hir::Expr;
4444
use rustc_hir_analysis::astconv::AstConv;
4545
use rustc_infer::infer::type_variable::{TypeVariableOrigin, TypeVariableOriginKind};
4646
use rustc_infer::infer::{Coercion, DefineOpaqueTypes, InferOk, InferResult};
47+
use rustc_infer::traits::TraitEngine;
48+
use rustc_infer::traits::TraitEngineExt as _;
4749
use rustc_infer::traits::{Obligation, PredicateObligation};
4850
use rustc_middle::lint::in_external_macro;
4951
use rustc_middle::traits::BuiltinImplSource;
@@ -61,6 +63,7 @@ use rustc_target::spec::abi::Abi;
6163
use rustc_trait_selection::infer::InferCtxtExt as _;
6264
use rustc_trait_selection::traits::error_reporting::TypeErrCtxtExt as _;
6365
use rustc_trait_selection::traits::query::evaluate_obligation::InferCtxtExt;
66+
use rustc_trait_selection::traits::TraitEngineExt as _;
6467
use rustc_trait_selection::traits::{
6568
self, NormalizeExt, ObligationCause, ObligationCauseCode, ObligationCtxt,
6669
};
@@ -157,17 +160,19 @@ impl<'f, 'tcx> Coerce<'f, 'tcx> {
157160
// In the new solver, lazy norm may allow us to shallowly equate
158161
// more types, but we emit possibly impossible-to-satisfy obligations.
159162
// Filter these cases out to make sure our coercion is more accurate.
160-
if self.next_trait_solver() {
161-
if let Ok(res) = &res {
162-
for obligation in &res.obligations {
163-
if !self.predicate_may_hold(obligation) {
164-
return Err(TypeError::Mismatch);
165-
}
163+
match res {
164+
Ok(InferOk { value, obligations }) if self.next_trait_solver() => {
165+
let mut fulfill_cx = <dyn TraitEngine<'tcx>>::new(self);
166+
fulfill_cx.register_predicate_obligations(self, obligations);
167+
let errs = fulfill_cx.select_where_possible(self);
168+
if errs.is_empty() {
169+
Ok(InferOk { value, obligations: fulfill_cx.pending_obligations() })
170+
} else {
171+
Err(TypeError::Mismatch)
166172
}
167173
}
174+
res => res,
168175
}
169-
170-
res
171176
})
172177
}
173178

@@ -625,19 +630,18 @@ impl<'f, 'tcx> Coerce<'f, 'tcx> {
625630
let traits = [coerce_unsized_did, unsize_did];
626631
while !queue.is_empty() {
627632
let obligation = queue.remove(0);
628-
debug!("coerce_unsized resolve step: {:?}", obligation);
629633
let trait_pred = match obligation.predicate.kind().no_bound_vars() {
630634
Some(ty::PredicateKind::Clause(ty::ClauseKind::Trait(trait_pred)))
631635
if traits.contains(&trait_pred.def_id()) =>
632636
{
633-
trait_pred
637+
self.resolve_vars_if_possible(trait_pred)
634638
}
635639
_ => {
636640
coercion.obligations.push(obligation);
637641
continue;
638642
}
639643
};
640-
let trait_pred = self.resolve_vars_if_possible(trait_pred);
644+
debug!("coerce_unsized resolve step: {:?}", trait_pred);
641645
match selcx.select(&obligation.with(selcx.tcx(), trait_pred)) {
642646
// Uncertain or unimplemented.
643647
Ok(None) => {

compiler/rustc_hir_typeck/src/fn_ctxt/_impl.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1516,6 +1516,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
15161516
/// In case there is still ambiguity, the returned type may be an inference
15171517
/// variable. This is different from `structurally_resolve_type` which errors
15181518
/// in this case.
1519+
#[instrument(level = "debug", skip(self, sp), ret)]
15191520
pub fn try_structurally_resolve_type(&self, sp: Span, ty: Ty<'tcx>) -> Ty<'tcx> {
15201521
let ty = self.resolve_vars_with_obligations(ty);
15211522

compiler/rustc_infer/src/infer/at.rs

+17-1
Original file line numberDiff line numberDiff line change
@@ -302,7 +302,23 @@ impl<'a, 'tcx> Trace<'a, 'tcx> {
302302
let Trace { at, trace, a_is_expected } = self;
303303
let mut fields = at.infcx.combine_fields(trace, at.param_env, define_opaque_types);
304304
fields
305-
.equate(a_is_expected)
305+
.equate(StructurallyRelateAliases::No, a_is_expected)
306+
.relate(a, b)
307+
.map(move |_| InferOk { value: (), obligations: fields.obligations })
308+
}
309+
310+
/// Equates `a` and `b` while structurally relating aliases. This should only
311+
/// be used inside of the next generation trait solver when relating rigid aliases.
312+
#[instrument(skip(self), level = "debug")]
313+
pub fn eq_structurally_relating_aliases<T>(self, a: T, b: T) -> InferResult<'tcx, ()>
314+
where
315+
T: Relate<'tcx>,
316+
{
317+
let Trace { at, trace, a_is_expected } = self;
318+
debug_assert!(at.infcx.next_trait_solver());
319+
let mut fields = at.infcx.combine_fields(trace, at.param_env, DefineOpaqueTypes::No);
320+
fields
321+
.equate(StructurallyRelateAliases::Yes, a_is_expected)
306322
.relate(a, b)
307323
.map(move |_| InferOk { value: (), obligations: fields.obligations })
308324
}

compiler/rustc_infer/src/infer/mod.rs

+1
Original file line numberDiff line numberDiff line change
@@ -54,6 +54,7 @@ use self::region_constraints::{
5454
RegionConstraintCollector, RegionConstraintStorage, RegionSnapshot,
5555
};
5656
pub use self::relate::combine::CombineFields;
57+
pub use self::relate::StructurallyRelateAliases;
5758
use self::type_variable::{TypeVariableOrigin, TypeVariableOriginKind};
5859

5960
pub mod at;

compiler/rustc_infer/src/infer/relate/combine.rs

+41-17
Original file line numberDiff line numberDiff line change
@@ -26,6 +26,7 @@ use super::equate::Equate;
2626
use super::glb::Glb;
2727
use super::lub::Lub;
2828
use super::sub::Sub;
29+
use super::StructurallyRelateAliases;
2930
use crate::infer::{DefineOpaqueTypes, InferCtxt, TypeTrace};
3031
use crate::traits::{Obligation, PredicateObligations};
3132
use rustc_middle::infer::canonical::OriginalQueryValues;
@@ -116,8 +117,15 @@ impl<'tcx> InferCtxt<'tcx> {
116117
}
117118

118119
(_, ty::Alias(..)) | (ty::Alias(..), _) if self.next_trait_solver() => {
119-
relation.register_type_relate_obligation(a, b);
120-
Ok(a)
120+
match relation.structurally_relate_aliases() {
121+
StructurallyRelateAliases::Yes => {
122+
ty::relate::structurally_relate_tys(relation, a, b)
123+
}
124+
StructurallyRelateAliases::No => {
125+
relation.register_type_relate_obligation(a, b);
126+
Ok(a)
127+
}
128+
}
121129
}
122130

123131
// All other cases of inference are errors
@@ -240,19 +248,26 @@ impl<'tcx> InferCtxt<'tcx> {
240248
(ty::ConstKind::Unevaluated(..), _) | (_, ty::ConstKind::Unevaluated(..))
241249
if self.tcx.features().generic_const_exprs || self.next_trait_solver() =>
242250
{
243-
let (a, b) = if relation.a_is_expected() { (a, b) } else { (b, a) };
244-
245-
relation.register_predicates([if self.next_trait_solver() {
246-
ty::PredicateKind::AliasRelate(
247-
a.into(),
248-
b.into(),
249-
ty::AliasRelationDirection::Equate,
250-
)
251-
} else {
252-
ty::PredicateKind::ConstEquate(a, b)
253-
}]);
254-
255-
Ok(b)
251+
match relation.structurally_relate_aliases() {
252+
StructurallyRelateAliases::No => {
253+
let (a, b) = if relation.a_is_expected() { (a, b) } else { (b, a) };
254+
255+
relation.register_predicates([if self.next_trait_solver() {
256+
ty::PredicateKind::AliasRelate(
257+
a.into(),
258+
b.into(),
259+
ty::AliasRelationDirection::Equate,
260+
)
261+
} else {
262+
ty::PredicateKind::ConstEquate(a, b)
263+
}]);
264+
265+
Ok(b)
266+
}
267+
StructurallyRelateAliases::Yes => {
268+
ty::relate::structurally_relate_consts(relation, a, b)
269+
}
270+
}
256271
}
257272
_ => ty::relate::structurally_relate_consts(relation, a, b),
258273
}
@@ -303,8 +318,12 @@ impl<'infcx, 'tcx> CombineFields<'infcx, 'tcx> {
303318
self.infcx.tcx
304319
}
305320

306-
pub fn equate<'a>(&'a mut self, a_is_expected: bool) -> Equate<'a, 'infcx, 'tcx> {
307-
Equate::new(self, a_is_expected)
321+
pub fn equate<'a>(
322+
&'a mut self,
323+
structurally_relate_aliases: StructurallyRelateAliases,
324+
a_is_expected: bool,
325+
) -> Equate<'a, 'infcx, 'tcx> {
326+
Equate::new(self, structurally_relate_aliases, a_is_expected)
308327
}
309328

310329
pub fn sub<'a>(&'a mut self, a_is_expected: bool) -> Sub<'a, 'infcx, 'tcx> {
@@ -335,6 +354,11 @@ pub trait ObligationEmittingRelation<'tcx>: TypeRelation<'tcx> {
335354

336355
fn param_env(&self) -> ty::ParamEnv<'tcx>;
337356

357+
/// Whether aliases should be related structurally. This is pretty much
358+
/// always `No` unless you're equating in some specific locations of the
359+
/// new solver. See the comments in these use-cases for more details.
360+
fn structurally_relate_aliases(&self) -> StructurallyRelateAliases;
361+
338362
/// Register obligations that must hold in order for this relation to hold
339363
fn register_obligations(&mut self, obligations: PredicateObligations<'tcx>);
340364

compiler/rustc_infer/src/infer/relate/equate.rs

+10-3
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
11
use super::combine::{CombineFields, ObligationEmittingRelation};
2+
use super::StructurallyRelateAliases;
23
use crate::infer::{DefineOpaqueTypes, SubregionOrigin};
34
use crate::traits::PredicateObligations;
45

@@ -13,15 +14,17 @@ use rustc_span::Span;
1314
/// Ensures `a` is made equal to `b`. Returns `a` on success.
1415
pub struct Equate<'combine, 'infcx, 'tcx> {
1516
fields: &'combine mut CombineFields<'infcx, 'tcx>,
17+
structurally_relate_aliases: StructurallyRelateAliases,
1618
a_is_expected: bool,
1719
}
1820

1921
impl<'combine, 'infcx, 'tcx> Equate<'combine, 'infcx, 'tcx> {
2022
pub fn new(
2123
fields: &'combine mut CombineFields<'infcx, 'tcx>,
24+
structurally_relate_aliases: StructurallyRelateAliases,
2225
a_is_expected: bool,
2326
) -> Equate<'combine, 'infcx, 'tcx> {
24-
Equate { fields, a_is_expected }
27+
Equate { fields, structurally_relate_aliases, a_is_expected }
2528
}
2629
}
2730

@@ -99,7 +102,7 @@ impl<'tcx> TypeRelation<'tcx> for Equate<'_, '_, 'tcx> {
99102
&ty::Alias(ty::Opaque, ty::AliasTy { def_id: a_def_id, .. }),
100103
&ty::Alias(ty::Opaque, ty::AliasTy { def_id: b_def_id, .. }),
101104
) if a_def_id == b_def_id => {
102-
self.fields.infcx.super_combine_tys(self, a, b)?;
105+
infcx.super_combine_tys(self, a, b)?;
103106
}
104107
(&ty::Alias(ty::Opaque, ty::AliasTy { def_id, .. }), _)
105108
| (_, &ty::Alias(ty::Opaque, ty::AliasTy { def_id, .. }))
@@ -120,7 +123,7 @@ impl<'tcx> TypeRelation<'tcx> for Equate<'_, '_, 'tcx> {
120123
);
121124
}
122125
_ => {
123-
self.fields.infcx.super_combine_tys(self, a, b)?;
126+
infcx.super_combine_tys(self, a, b)?;
124127
}
125128
}
126129

@@ -180,6 +183,10 @@ impl<'tcx> ObligationEmittingRelation<'tcx> for Equate<'_, '_, 'tcx> {
180183
self.fields.trace.span()
181184
}
182185

186+
fn structurally_relate_aliases(&self) -> StructurallyRelateAliases {
187+
self.structurally_relate_aliases
188+
}
189+
183190
fn param_env(&self) -> ty::ParamEnv<'tcx> {
184191
self.fields.param_env
185192
}

compiler/rustc_infer/src/infer/relate/generalize.rs

+46-7
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
use std::mem;
22

3+
use super::StructurallyRelateAliases;
34
use crate::infer::type_variable::{TypeVariableOrigin, TypeVariableOriginKind, TypeVariableValue};
45
use crate::infer::{InferCtxt, ObligationEmittingRelation, RegionVariableOrigin};
56
use rustc_data_structures::sso::SsoHashMap;
@@ -45,8 +46,14 @@ impl<'tcx> InferCtxt<'tcx> {
4546
// region/type inference variables.
4647
//
4748
// We then relate `generalized_ty <: source_ty`,adding constraints like `'x: '?2` and `?1 <: ?3`.
48-
let Generalization { value_may_be_infer: generalized_ty, has_unconstrained_ty_var } =
49-
self.generalize(relation.span(), target_vid, instantiation_variance, source_ty)?;
49+
let Generalization { value_may_be_infer: generalized_ty, has_unconstrained_ty_var } = self
50+
.generalize(
51+
relation.span(),
52+
relation.structurally_relate_aliases(),
53+
target_vid,
54+
instantiation_variance,
55+
source_ty,
56+
)?;
5057

5158
// Constrain `b_vid` to the generalized type `generalized_ty`.
5259
if let &ty::Infer(ty::TyVar(generalized_vid)) = generalized_ty.kind() {
@@ -178,8 +185,14 @@ impl<'tcx> InferCtxt<'tcx> {
178185
) -> RelateResult<'tcx, ()> {
179186
// FIXME(generic_const_exprs): Occurs check failures for unevaluated
180187
// constants and generic expressions are not yet handled correctly.
181-
let Generalization { value_may_be_infer: generalized_ct, has_unconstrained_ty_var } =
182-
self.generalize(relation.span(), target_vid, ty::Variance::Invariant, source_ct)?;
188+
let Generalization { value_may_be_infer: generalized_ct, has_unconstrained_ty_var } = self
189+
.generalize(
190+
relation.span(),
191+
relation.structurally_relate_aliases(),
192+
target_vid,
193+
ty::Variance::Invariant,
194+
source_ct,
195+
)?;
183196

184197
debug_assert!(!generalized_ct.is_ct_infer());
185198
if has_unconstrained_ty_var {
@@ -217,6 +230,7 @@ impl<'tcx> InferCtxt<'tcx> {
217230
fn generalize<T: Into<Term<'tcx>> + Relate<'tcx>>(
218231
&self,
219232
span: Span,
233+
structurally_relate_aliases: StructurallyRelateAliases,
220234
target_vid: impl Into<ty::TermVid>,
221235
ambient_variance: ty::Variance,
222236
source_term: T,
@@ -237,6 +251,7 @@ impl<'tcx> InferCtxt<'tcx> {
237251
let mut generalizer = Generalizer {
238252
infcx: self,
239253
span,
254+
structurally_relate_aliases,
240255
root_vid,
241256
for_universe,
242257
ambient_variance,
@@ -270,6 +285,10 @@ struct Generalizer<'me, 'tcx> {
270285

271286
span: Span,
272287

288+
/// Whether aliases should be related structurally. If not, we have to
289+
/// be careful when generalizing aliases.
290+
structurally_relate_aliases: StructurallyRelateAliases,
291+
273292
/// The vid of the type variable that is in the process of being
274293
/// instantiated. If we find this within the value we are folding,
275294
/// that means we would have created a cyclic value.
@@ -314,13 +333,30 @@ impl<'tcx> Generalizer<'_, 'tcx> {
314333
/// to normalize the alias after all.
315334
///
316335
/// We handle this by lazily equating the alias and generalizing
317-
/// it to an inference variable.
336+
/// it to an inference variable. In the new solver, we always
337+
/// generalize to an infer var unless the alias contains escaping
338+
/// bound variables.
318339
///
319-
/// This is incomplete and will hopefully soon get fixed by #119106.
340+
/// Correctly handling aliases with escaping bound variables is
341+
/// difficult and currently incomplete in two opposite ways:
342+
/// - if we get an occurs check failure in the alias, replace it with a new infer var.
343+
/// This causes us to later emit an alias-relate goal and is incomplete in case the
344+
/// alias normalizes to type containing one of the bound variables.
345+
/// - if the alias contains an inference variable not nameable by `for_universe`, we
346+
/// continue generalizing the alias. This ends up pulling down the universe of the
347+
/// inference variable and is incomplete in case the alias would normalize to a type
348+
/// which does not mention that inference variable.
320349
fn generalize_alias_ty(
321350
&mut self,
322351
alias: ty::AliasTy<'tcx>,
323352
) -> Result<Ty<'tcx>, TypeError<'tcx>> {
353+
if self.infcx.next_trait_solver() && !alias.has_escaping_bound_vars() {
354+
return Ok(self.infcx.next_ty_var_in_universe(
355+
TypeVariableOrigin { kind: TypeVariableOriginKind::MiscVariable, span: self.span },
356+
self.for_universe,
357+
));
358+
}
359+
324360
let is_nested_alias = mem::replace(&mut self.in_alias, true);
325361
let result = match self.relate(alias, alias) {
326362
Ok(alias) => Ok(alias.to_ty(self.tcx())),
@@ -490,7 +526,10 @@ impl<'tcx> TypeRelation<'tcx> for Generalizer<'_, 'tcx> {
490526
}
491527
}
492528

493-
ty::Alias(_, data) => self.generalize_alias_ty(data),
529+
ty::Alias(_, data) => match self.structurally_relate_aliases {
530+
StructurallyRelateAliases::No => self.generalize_alias_ty(data),
531+
StructurallyRelateAliases::Yes => relate::structurally_relate_tys(self, t, t),
532+
},
494533

495534
_ => relate::structurally_relate_tys(self, t, t),
496535
}?;

0 commit comments

Comments
 (0)