Lifetimes
This is a short note of this book
Lifetime
✅ borrowed value does live long enough.
❌ borrowed value does not live long enough.
Lifetime Annotations
Lifetime Annotations in Function Signatures
fn main() {
// Actually we need 'a 👇 lifetime annotations. 😱
fn hello_with_lifetime<'a>(x: &'a str) -> &'a str {
x
}
// Or this... 😱
fn hello_with_any_lifetime(x: &'_ str) -> &'_ str {
x
}
// Good news, we can do this instead (Thanks to compiler!) 🙏
fn hello_str(x: &str) -> &str {
x
}
// Anyway for multiple params, we not sure how long lifetime each one.
// So this 👇 and 👇 also here 👇 and here 👇 will need. 😅
fn longest<'a>(x: &'a str, y: &'a str) -> &'a str {
// This └───────┴───────────┴───────────┘ have same lifetime
// which defined as 'a (can be any e.g. 'foo, 'lol).
if x.len() > y.len() {
x // Maybe return this
} else {
y // Maybe return this
}
}
println!("1️⃣ {:?}", hello_with_lifetime("world"));
println!("2️⃣ {:?}", hello_with_any_lifetime("world"));
println!("3️⃣ {:?}", hello_str("world"));
let string1 = String::from("long string is long");
{
let string2 = String::from("xyz");
let result = longest(string1.as_str(), string2.as_str());
println!("3️⃣ The longest string is {}", result);
}
}
Now we go deeper with
outlive
where clause.
And deeper!
Lifetime Annotations in Method Definitions
Recap
&'static str
= lives the entire lifetime of your program = like book hotel for entire year = use it wisely.String
= onheap
.&'a str
= named (as a) lifetime annotations = more specific lifetime scope = good (but noisy).to_owned()
= more generic, can be any type.to_string()
= more specific that we needString
.
Consider read more about Common Rust Lifetime Misconceptions if you plan to use it properly.
Don't be surprise if this seem complicated at first, try start with why which will explain you again from error
perspective.