Skip to content

Commit 3e15e51

Browse files
authoredOct 3, 2019
Rollup merge of rust-lang#63678 - Aaron1011:fix/hrtb-leak, r=nikomatsakis
Improve HRTB error span when -Zno-leak-check is used As described in rust-lang#57374, NLL currently produces unhelpful higher-ranked trait bound (HRTB) errors when '-Zno-leak-check' is enabled. This PR tackles one half of this issue - making the error message point at the proper span. The error message itself is still the very generic "higher-ranked subtype error", but this can be improved in a follow-up PR. The root cause of the bad spans lies in how NLL attempts to compute the 'blamed' region, for which it will retrieve a span for. Consider the following code, which (correctly) does not compile: ```rust let my_val: u8 = 25; let a: &u8 = &my_val; let b = a; let c = b; let d: &'static u8 = c; ``` This will cause NLL to generate the following subtype constraints: d :< c c :< b b <: a Since normal Rust lifetimes are covariant, this results in the following region constraints (I'm using 'd to denote the lifetime of 'd', 'c to denote the lifetime of 'c, etc.): 'c: 'd 'b: 'c 'a: 'b From this, we can derive that 'a: 'd holds, which implies that 'a: 'static must hold. However, this is not the case, since 'a refers to 'my_val', which does not outlive the current function. When NLL attempts to infer regions for this code, it will see that the region 'a has grown 'too large' - it will be inferred to outlive 'static, despite the fact that is not declared as outliving 'static We can find the region responsible, 'd, by starting at the *end* of the 'constraint chain' we generated above. This works because for normal (non-higher-ranked) lifetimes, we generally build up a 'chain' of lifetime constraints *away* from the original variable/lifetime. That is, our original lifetime 'a is required to outlive progressively more regions. If it ends up living for too long, we can look at the 'end' of this chain to determine the 'most recent' usage that caused the lifetime to grow too large. However, this logic does not work correctly when higher-ranked trait bounds (HRTBs) come into play. This is because HRTBs have *contravariance* with respect to their bound regions. For example, this code snippet compiles: ```rust let a: for<'a> fn(&'a ()) = |_| {}; let b: fn(&'static ()) = a; ``` Here, we require that 'a' is a subtype of 'b'. Because of contravariance, we end up with the region constraint 'static: 'a, *not* 'a: 'static This means that our 'constraint chains' grow in the opposite direction of 'normal lifetime' constraint chains. As we introduce subtypes, our lifetime ends up being outlived by other lifetimes, rather than outliving other lifetimes. Therefore, starting at the end of the 'constraint chain' will cause us to 'blame' a lifetime close to the original definition of a variable, instead of close to where the bad lifetime constraint is introduced. This PR improves how we select the region to blame for 'too large' universal lifetimes, when bound lifetimes are involved. If the region we're checking is a 'placeholder' region (e.g. the region 'a' in for<'a>, or the implicit region in fn(&())), we start traversing the constraint chain from the beginning, rather than the end. There are two (maybe more) different ways we generate region constraints for NLL: requirements generated from trait queries, and requirements generated from MIR subtype constraints. While the former always use explicit placeholder regions, the latter is more tricky. In order to implement contravariance for HRTBs, TypeRelating replaces placeholder regions with existential regions. This requires us to keep track of whether or not an existential region was originally a placeholder region. When we look for a region to blame, we check if our starting region is either a placeholder region or is an existential region created from a placeholder region. If so, we start iterating from the beginning of the constraint chain, rather than the end.
2 parents 2daa404 + ba54ef8 commit 3e15e51

File tree

13 files changed

+172
-30
lines changed

13 files changed

+172
-30
lines changed
 

‎src/librustc/infer/mod.rs

+14-2
Original file line numberDiff line numberDiff line change
@@ -418,15 +418,27 @@ pub enum NLLRegionVariableOrigin {
418418
/// from a `for<'a> T` binder). Meant to represent "any region".
419419
Placeholder(ty::PlaceholderRegion),
420420

421-
Existential,
421+
Existential {
422+
/// If this is true, then this variable was created to represent a lifetime
423+
/// bound in a `for` binder. For example, it might have been created to
424+
/// represent the lifetime `'a` in a type like `for<'a> fn(&'a u32)`.
425+
/// Such variables are created when we are trying to figure out if there
426+
/// is any valid instantiation of `'a` that could fit into some scenario.
427+
///
428+
/// This is used to inform error reporting: in the case that we are trying to
429+
/// determine whether there is any valid instantiation of a `'a` variable that meets
430+
/// some constraint C, we want to blame the "source" of that `for` type,
431+
/// rather than blaming the source of the constraint C.
432+
from_forall: bool
433+
},
422434
}
423435

424436
impl NLLRegionVariableOrigin {
425437
pub fn is_universal(self) -> bool {
426438
match self {
427439
NLLRegionVariableOrigin::FreeRegion => true,
428440
NLLRegionVariableOrigin::Placeholder(..) => true,
429-
NLLRegionVariableOrigin::Existential => false,
441+
NLLRegionVariableOrigin::Existential{ .. } => false,
430442
}
431443
}
432444

‎src/librustc/infer/nll_relate/mod.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -93,7 +93,7 @@ pub trait TypeRelatingDelegate<'tcx> {
9393
/// we will invoke this method to instantiate `'a` with an
9494
/// inference variable (though `'b` would be instantiated first,
9595
/// as a placeholder).
96-
fn next_existential_region_var(&mut self) -> ty::Region<'tcx>;
96+
fn next_existential_region_var(&mut self, was_placeholder: bool) -> ty::Region<'tcx>;
9797

9898
/// Creates a new region variable representing a
9999
/// higher-ranked region that is instantiated universally.
@@ -193,7 +193,7 @@ where
193193
let placeholder = ty::PlaceholderRegion { universe, name: br };
194194
delegate.next_placeholder_region(placeholder)
195195
} else {
196-
delegate.next_existential_region_var()
196+
delegate.next_existential_region_var(true)
197197
}
198198
}
199199
};

‎src/librustc_mir/borrow_check/nll/region_infer/error_reporting/mod.rs

+86-12
Original file line numberDiff line numberDiff line change
@@ -97,9 +97,11 @@ impl<'tcx> RegionInferenceContext<'tcx> {
9797
&self,
9898
body: &Body<'tcx>,
9999
from_region: RegionVid,
100+
from_region_origin: NLLRegionVariableOrigin,
100101
target_test: impl Fn(RegionVid) -> bool,
101102
) -> (ConstraintCategory, bool, Span) {
102-
debug!("best_blame_constraint(from_region={:?})", from_region);
103+
debug!("best_blame_constraint(from_region={:?}, from_region_origin={:?})",
104+
from_region, from_region_origin);
103105

104106
// Find all paths
105107
let (path, target_region) =
@@ -152,19 +154,85 @@ impl<'tcx> RegionInferenceContext<'tcx> {
152154
// we still want to screen for an "interesting" point to
153155
// highlight (e.g., a call site or something).
154156
let target_scc = self.constraint_sccs.scc(target_region);
155-
let best_choice = (0..path.len()).rev().find(|&i| {
156-
let constraint = path[i];
157+
let mut range = 0..path.len();
158+
159+
// As noted above, when reporting an error, there is typically a chain of constraints
160+
// leading from some "source" region which must outlive some "target" region.
161+
// In most cases, we prefer to "blame" the constraints closer to the target --
162+
// but there is one exception. When constraints arise from higher-ranked subtyping,
163+
// we generally prefer to blame the source value,
164+
// as the "target" in this case tends to be some type annotation that the user gave.
165+
// Therefore, if we find that the region origin is some instantiation
166+
// of a higher-ranked region, we start our search from the "source" point
167+
// rather than the "target", and we also tweak a few other things.
168+
//
169+
// An example might be this bit of Rust code:
170+
//
171+
// ```rust
172+
// let x: fn(&'static ()) = |_| {};
173+
// let y: for<'a> fn(&'a ()) = x;
174+
// ```
175+
//
176+
// In MIR, this will be converted into a combination of assignments and type ascriptions.
177+
// In particular, the 'static is imposed through a type ascription:
178+
//
179+
// ```rust
180+
// x = ...;
181+
// AscribeUserType(x, fn(&'static ())
182+
// y = x;
183+
// ```
184+
//
185+
// We wind up ultimately with constraints like
186+
//
187+
// ```rust
188+
// !a: 'temp1 // from the `y = x` statement
189+
// 'temp1: 'temp2
190+
// 'temp2: 'static // from the AscribeUserType
191+
// ```
192+
//
193+
// and here we prefer to blame the source (the y = x statement).
194+
let blame_source = match from_region_origin {
195+
NLLRegionVariableOrigin::FreeRegion
196+
| NLLRegionVariableOrigin::Existential { from_forall: false } => {
197+
true
198+
}
199+
NLLRegionVariableOrigin::Placeholder(_)
200+
| NLLRegionVariableOrigin::Existential { from_forall: true } => {
201+
false
202+
}
203+
};
204+
205+
let find_region = |i: &usize| {
206+
let constraint = path[*i];
157207

158208
let constraint_sup_scc = self.constraint_sccs.scc(constraint.sup);
159209

160-
match categorized_path[i].0 {
161-
ConstraintCategory::OpaqueType | ConstraintCategory::Boring |
162-
ConstraintCategory::BoringNoLocation | ConstraintCategory::Internal => false,
163-
ConstraintCategory::TypeAnnotation | ConstraintCategory::Return |
164-
ConstraintCategory::Yield => true,
165-
_ => constraint_sup_scc != target_scc,
210+
if blame_source {
211+
match categorized_path[*i].0 {
212+
ConstraintCategory::OpaqueType | ConstraintCategory::Boring |
213+
ConstraintCategory::BoringNoLocation | ConstraintCategory::Internal => false,
214+
ConstraintCategory::TypeAnnotation | ConstraintCategory::Return |
215+
ConstraintCategory::Yield => true,
216+
_ => constraint_sup_scc != target_scc,
217+
}
218+
} else {
219+
match categorized_path[*i].0 {
220+
ConstraintCategory::OpaqueType | ConstraintCategory::Boring |
221+
ConstraintCategory::BoringNoLocation | ConstraintCategory::Internal => false,
222+
_ => true
223+
}
166224
}
167-
});
225+
};
226+
227+
let best_choice = if blame_source {
228+
range.rev().find(find_region)
229+
} else {
230+
range.find(find_region)
231+
};
232+
233+
debug!("best_blame_constraint: best_choice={:?} blame_source={}",
234+
best_choice, blame_source);
235+
168236
if let Some(i) = best_choice {
169237
if let Some(next) = categorized_path.get(i + 1) {
170238
if categorized_path[i].0 == ConstraintCategory::Return
@@ -300,12 +368,13 @@ impl<'tcx> RegionInferenceContext<'tcx> {
300368
infcx: &'a InferCtxt<'a, 'tcx>,
301369
mir_def_id: DefId,
302370
fr: RegionVid,
371+
fr_origin: NLLRegionVariableOrigin,
303372
outlived_fr: RegionVid,
304373
renctx: &mut RegionErrorNamingCtx,
305374
) -> DiagnosticBuilder<'a> {
306375
debug!("report_error(fr={:?}, outlived_fr={:?})", fr, outlived_fr);
307376

308-
let (category, _, span) = self.best_blame_constraint(body, fr, |r| {
377+
let (category, _, span) = self.best_blame_constraint(body, fr, fr_origin, |r| {
309378
self.provides_universal_region(r, fr, outlived_fr)
310379
});
311380

@@ -712,6 +781,7 @@ impl<'tcx> RegionInferenceContext<'tcx> {
712781
let (category, from_closure, span) = self.best_blame_constraint(
713782
body,
714783
borrow_region,
784+
NLLRegionVariableOrigin::FreeRegion,
715785
|r| self.provides_universal_region(r, borrow_region, outlived_region)
716786
);
717787

@@ -771,11 +841,13 @@ impl<'tcx> RegionInferenceContext<'tcx> {
771841
&self,
772842
body: &Body<'tcx>,
773843
fr1: RegionVid,
844+
fr1_origin: NLLRegionVariableOrigin,
774845
fr2: RegionVid,
775846
) -> (ConstraintCategory, Span) {
776847
let (category, _, span) = self.best_blame_constraint(
777848
body,
778849
fr1,
850+
fr1_origin,
779851
|r| self.provides_universal_region(r, fr1, fr2),
780852
);
781853
(category, span)
@@ -828,7 +900,9 @@ impl<'tcx> RegionInferenceContext<'tcx> {
828900
universe1.cannot_name(placeholder.universe)
829901
}
830902

831-
NLLRegionVariableOrigin::FreeRegion | NLLRegionVariableOrigin::Existential => false,
903+
NLLRegionVariableOrigin::FreeRegion | NLLRegionVariableOrigin::Existential { .. } => {
904+
false
905+
}
832906
}
833907
}
834908
}

‎src/librustc_mir/borrow_check/nll/region_infer/mod.rs

+9-5
Original file line numberDiff line numberDiff line change
@@ -406,7 +406,7 @@ impl<'tcx> RegionInferenceContext<'tcx> {
406406
}
407407
}
408408

409-
NLLRegionVariableOrigin::Existential => {
409+
NLLRegionVariableOrigin::Existential { .. } => {
410410
// For existential, regions, nothing to do.
411411
}
412412
}
@@ -1348,7 +1348,7 @@ impl<'tcx> RegionInferenceContext<'tcx> {
13481348
self.check_bound_universal_region(infcx, body, mir_def_id, fr, placeholder);
13491349
}
13501350

1351-
NLLRegionVariableOrigin::Existential => {
1351+
NLLRegionVariableOrigin::Existential { .. } => {
13521352
// nothing to check here
13531353
}
13541354
}
@@ -1461,7 +1461,8 @@ impl<'tcx> RegionInferenceContext<'tcx> {
14611461
debug!("check_universal_region: fr_minus={:?}", fr_minus);
14621462

14631463
let blame_span_category =
1464-
self.find_outlives_blame_span(body, longer_fr, shorter_fr);
1464+
self.find_outlives_blame_span(body, longer_fr,
1465+
NLLRegionVariableOrigin::FreeRegion,shorter_fr);
14651466

14661467
// Grow `shorter_fr` until we find some non-local regions. (We
14671468
// always will.) We'll call them `shorter_fr+` -- they're ever
@@ -1494,6 +1495,7 @@ impl<'tcx> RegionInferenceContext<'tcx> {
14941495
infcx,
14951496
mir_def_id,
14961497
longer_fr,
1498+
NLLRegionVariableOrigin::FreeRegion,
14971499
shorter_fr,
14981500
region_naming,
14991501
);
@@ -1547,7 +1549,9 @@ impl<'tcx> RegionInferenceContext<'tcx> {
15471549
};
15481550

15491551
// Find the code to blame for the fact that `longer_fr` outlives `error_fr`.
1550-
let (_, span) = self.find_outlives_blame_span(body, longer_fr, error_region);
1552+
let (_, span) = self.find_outlives_blame_span(
1553+
body, longer_fr, NLLRegionVariableOrigin::Placeholder(placeholder), error_region
1554+
);
15511555

15521556
// Obviously, this error message is far from satisfactory.
15531557
// At present, though, it only appears in unit tests --
@@ -1608,7 +1612,7 @@ impl<'tcx> RegionDefinition<'tcx> {
16081612

16091613
let origin = match rv_origin {
16101614
RegionVariableOrigin::NLL(origin) => origin,
1611-
_ => NLLRegionVariableOrigin::Existential,
1615+
_ => NLLRegionVariableOrigin::Existential { from_forall: false },
16121616
};
16131617

16141618
Self { origin, universe, external_name: None }

‎src/librustc_mir/borrow_check/nll/renumber.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -35,7 +35,7 @@ where
3535
infcx
3636
.tcx
3737
.fold_regions(value, &mut false, |_region, _depth| {
38-
let origin = NLLRegionVariableOrigin::Existential;
38+
let origin = NLLRegionVariableOrigin::Existential { from_forall: false };
3939
infcx.next_nll_region_var(origin)
4040
})
4141
}

‎src/librustc_mir/borrow_check/nll/type_check/relate_tys.rs

+5-3
Original file line numberDiff line numberDiff line change
@@ -66,9 +66,9 @@ impl TypeRelatingDelegate<'tcx> for NllTypeRelatingDelegate<'_, '_, 'tcx> {
6666
self.infcx.create_next_universe()
6767
}
6868

69-
fn next_existential_region_var(&mut self) -> ty::Region<'tcx> {
69+
fn next_existential_region_var(&mut self, from_forall: bool) -> ty::Region<'tcx> {
7070
if let Some(_) = &mut self.borrowck_context {
71-
let origin = NLLRegionVariableOrigin::Existential;
71+
let origin = NLLRegionVariableOrigin::Existential { from_forall };
7272
self.infcx.next_nll_region_var(origin)
7373
} else {
7474
self.infcx.tcx.lifetimes.re_erased
@@ -88,7 +88,9 @@ impl TypeRelatingDelegate<'tcx> for NllTypeRelatingDelegate<'_, '_, 'tcx> {
8888

8989
fn generalize_existential(&mut self, universe: ty::UniverseIndex) -> ty::Region<'tcx> {
9090
self.infcx
91-
.next_nll_region_var_in_universe(NLLRegionVariableOrigin::Existential, universe)
91+
.next_nll_region_var_in_universe(NLLRegionVariableOrigin::Existential {
92+
from_forall: false
93+
}, universe)
9294
}
9395

9496
fn push_outlives(&mut self, sup: ty::Region<'tcx>, sub: ty::Region<'tcx>) {

‎src/librustc_traits/chalk_context/unify.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -65,7 +65,7 @@ impl TypeRelatingDelegate<'tcx> for &mut ChalkTypeRelatingDelegate<'_, 'tcx> {
6565
self.infcx.create_next_universe()
6666
}
6767

68-
fn next_existential_region_var(&mut self) -> ty::Region<'tcx> {
68+
fn next_existential_region_var(&mut self, _was_placeholder: bool) -> ty::Region<'tcx> {
6969
self.infcx.next_region_var(RegionVariableOrigin::MiscVariable(DUMMY_SP))
7070
}
7171

+9-3
Original file line numberDiff line numberDiff line change
@@ -1,14 +1,20 @@
11
error: higher-ranked subtype error
2-
--> $DIR/issue-30786.rs:113:18
2+
--> $DIR/issue-30786.rs:108:15
3+
|
4+
LL | let map = source.map(|x: &_| x);
5+
| ^^^^^^^^^^^^^^^^^^^^^
6+
7+
error: higher-ranked subtype error
8+
--> $DIR/issue-30786.rs:114:18
39
|
410
LL | let filter = map.filter(|x: &_| true);
511
| ^^^^^^^^^^^^^^^^^^^^^^^^
612

713
error: higher-ranked subtype error
8-
--> $DIR/issue-30786.rs:115:17
14+
--> $DIR/issue-30786.rs:116:17
915
|
1016
LL | let count = filter.count(); // Assert that we still have a valid stream.
1117
| ^^^^^^^^^^^^^^
1218

13-
error: aborting due to 2 previous errors
19+
error: aborting due to 3 previous errors
1420

‎src/test/ui/hrtb/issue-30786.rs

+3-1
Original file line numberDiff line numberDiff line change
@@ -106,12 +106,14 @@ impl<T> StreamExt for T where for<'a> &'a mut T: Stream { }
106106
fn main() {
107107
let source = Repeat(10);
108108
let map = source.map(|x: &_| x);
109-
//[migrate]~^ ERROR implementation of `Stream` is not general enough
109+
//[nll]~^ ERROR higher-ranked subtype error
110+
//[migrate]~^^ ERROR implementation of `Stream` is not general enough
110111
//[migrate]~| NOTE `Stream` would have to be implemented for the type `&'0 mut Map
111112
//[migrate]~| NOTE but `Stream` is actually implemented for the type `&'1
112113
//[migrate]~| NOTE implementation of `Stream` is not general enough
113114
let filter = map.filter(|x: &_| true);
114115
//[nll]~^ ERROR higher-ranked subtype error
115116
let count = filter.count(); // Assert that we still have a valid stream.
116117
//[nll]~^ ERROR higher-ranked subtype error
118+
117119
}
+10
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,10 @@
1+
// Test that NLL produces correct spans for higher-ranked subtyping errors.
2+
//
3+
// compile-flags:-Zno-leak-check
4+
5+
#![feature(nll)]
6+
7+
fn main() {
8+
let x: fn(&'static ()) = |_| {};
9+
let y: for<'a> fn(&'a ()) = x; //~ ERROR higher-ranked subtype error
10+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
error: higher-ranked subtype error
2+
--> $DIR/fn-subtype.rs:9:33
3+
|
4+
LL | let y: for<'a> fn(&'a ()) = x;
5+
| ^
6+
7+
error: aborting due to previous error
8+
+16
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,16 @@
1+
// Test that NLL generates proper error spans for trait HRTB errors
2+
//
3+
// compile-flags:-Zno-leak-check
4+
5+
#![feature(nll)]
6+
7+
trait Foo<'a> {}
8+
9+
fn make_foo<'a>() -> Box<dyn Foo<'a>> {
10+
panic!()
11+
}
12+
13+
fn main() {
14+
let x: Box<dyn Foo<'static>> = make_foo();
15+
let y: Box<dyn for<'a> Foo<'a>> = x; //~ ERROR higher-ranked subtype error
16+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
error: higher-ranked subtype error
2+
--> $DIR/trait-hrtb.rs:15:39
3+
|
4+
LL | let y: Box<dyn for<'a> Foo<'a>> = x;
5+
| ^
6+
7+
error: aborting due to previous error
8+

0 commit comments

Comments
 (0)
Please sign in to comment.