Can anyone tell what the lifetime error is in the following code? (simplified from my actual code) I've looked it over myself, but I can't figure out what is wrong or how to fix it. The problem comes when I try to add the Cell
, but I'm not sure why.
use std::cell::Cell;
struct Bar<'a> {
bar: &'a str,
}
impl<'a> Bar<'a> {
fn new(foo: &'a Foo<'a>) -> Bar<'a> { Bar{bar: foo.raw} }
}
pub struct Foo<'a> {
raw: &'a str,
cell: Cell<&'a str>,
}
impl<'a> Foo<'a> {
fn get_bar(&self) -> Bar { Bar::new(&self) }
}
The compiler error is
error[E0495]: cannot infer an appropriate lifetime for lifetime parameter `'a` due to conflicting requirements
--> src/foo.rs:15:32
|
15 | fn get_bar(&self) -> Bar { Bar::new(&self) }
| ^^^^^^^^
First, the solution:
There are two problems in your code. The first is with
get_bar
, where you didn't specify the lifetime for the return type. When you don't specify lifetimes in signatures, Rust doesn't infer the correct lifetimes, it just blindly fills them in based on simple rules. In this specific case, what you get is effectivelyfn get_bar<'b>(&'b self) -> Bar<'b>
which is obviously wrong, given the lifetime ofself.raw
(which was what you actually wanted) is'a
. See the Rust Book chapter on Lifetime Elision.The second problem is that you're over-constraining the argument to
Bar::new
.&'a Foo<'a>
means you require a borrow to aFoo
for as long as the strings it's borrowing exist. But borrows within a type have to outlive values of said type, so the only lifetime valid in this case is where'a
matches the entire lifetime of the thing being borrowed... and that conflicts with the signature ofget_bar
(where you're saying&self
won't necessarily live as long as'a
since it has its own lifetime). Long story short: remove the unnecessary'a
from theFoo
borrow, leaving just&Foo<'a>
.To rephrase the above: the problem with
get_bar
was that you hadn't written enough constraints, the problem withBar::new
was that you'd written too many.