move E0623 into the new error code format

This commit is contained in:
Guillaume Gomez 2019-11-13 18:01:19 +01:00
parent 356da40db5
commit 411f94c3b9
2 changed files with 42 additions and 1 deletions

View File

@ -338,6 +338,7 @@
E0620: include_str!("./error_codes/E0620.md"),
E0621: include_str!("./error_codes/E0621.md"),
E0622: include_str!("./error_codes/E0622.md"),
E0623: include_str!("./error_codes/E0623.md"),
E0624: include_str!("./error_codes/E0624.md"),
E0626: include_str!("./error_codes/E0626.md"),
E0633: include_str!("./error_codes/E0633.md"),
@ -565,7 +566,6 @@
// E0611, // merged into E0616
// E0612, // merged into E0609
// E0613, // Removed (merged with E0609)
E0623, // lifetime mismatch where both parameters are anonymous regions
E0625, // thread-local statics cannot be accessed at compile-time
E0627, // yield statement outside of generator literal
E0628, // generators cannot have explicit parameters

View File

@ -0,0 +1,41 @@
A lifetime didn't match what was expected.
Erroneous code example:
```compile_fail,E0623
struct Foo<'a> {
x: &'a isize,
}
fn bar<'short, 'long>(c: Foo<'short>, l: &'long isize) {
let _: Foo<'long> = c; // error!
}
```
In this example, we tried to set a value with an incompatible lifetime to
another one (`'long` is unrelated to `'short`). We can solve this issue in
two different ways:
Either we make `'short` live at least as long as `'long`:
```
struct Foo<'a> {
x: &'a isize,
}
// we set 'short to live at least as long as 'long
fn bar<'short: 'long, 'long>(c: Foo<'short>, l: &'long isize) {
let _: Foo<'long> = c; // ok!
}
```
Or we use only one lifetime:
```
struct Foo<'a> {
x: &'a isize,
}
fn bar<'short>(c: Foo<'short>, l: &'short isize) {
let _: Foo<'short> = c; // ok!
}
```