根据The Rust Programming Language:
由于范围总是嵌套,另一种说法是通用生命周期
'a
将使具体生命周期等于x
和y
的生命周期中的较小者。
fn main() {
let x = "abcd";
let result;
{
let y = "qwerty";
result = longest(x, y);
}
println!("The longest string is {} ", result);
}
fn longest<'a>(x: &'a str, y: &'a str) -> &'a str {
if x.len() > y.len() {
x
} else {
y
}
}
在主函数中,&#34; x和y&#34;的生命周期越小;是嵌套范围。这应该是result
中值的生命周期,但结果包含来自该嵌套范围外部的正确值。
为什么这段代码能够正常运行?
答案 0 :(得分:6)
在谈论借用局部变量所产生的生命期时,这是唯一的。在这种情况下,相关生命周期是字符串数据的生命周期,对于字符串文字是'static
。换句话说,&str
s指向存储在别处的数据(特别是在静态数据段中),因此它们根本不与堆栈生存期交互。
如果我们稍微改变一下这个例子,我们可以诱导你期望的行为:
fn main() {
let x = "abcd";
let result;
{
let y = "qwerty";
result = longest(&x, &y);
}
println!("The longest string is {} ", result);
}
fn longest<'a>(x: &'a &'static str, y: &'a &'static str) -> &'a &'static str {
if x.len() > y.len() {
x
} else {
y
}
}
无法编译:
error[E0597]: `y` does not live long enough
--> src/main.rs:6:35
|
6 | result = longest(&x, &y);
| ^ borrowed value does not live long enough
7 | }
| - `y` dropped here while still borrowed
...
10 | }
| - borrowed value needs to live until here
这失败了,因为现在我们正在谈论借入堆栈。