为什么这段代码会编译?
fn get_iter() -> impl Iterator<Item = i32> {
[1, 2, 3].iter().map(|&i| i)
}
fn main() {
let _it = get_iter();
}
[1, 2, 3]
是一个局部变量,iter()
借用它。此代码不应编译,因为返回的值包含对局部变量的引用。
答案 0 :(得分:29)
在您的示例中,[1, 2, 3]
不被视为局部变量,而是静态变量!
我们来看看这段代码:
fn foo() -> &'static [i32] {
&[1, 2, 3]
}
这个有效!
不久前,RFC 1414: Rvalue Static Promotion被合并:“将constexpr rvalues提升为静态内存中的值而不是堆栈槽”。这意味着你写的基本上所有文字都可以永远存在。因此,let _: &'static i32 = &42;
之类的东西也有用!
如果我们避免使用文字数组,我们可以看到预期的错误:
fn bar() -> impl Iterator<Item = i32> {
vec![1, 2, 3].iter().map(|&i| i)
}
在这里,我们得到“v
活得不够长”错误。
这不仅限于整数或数组;它广泛适用于任何仅由文字组成的文字:
fn promote_integer() -> &'static i32 {
&42
}
fn promote_float() -> &'static f64 {
&42.42
}
fn promote_str() -> &'static str {
"Hello World!"
}
struct Foo(char);
fn promote_struct() -> &'static Foo {
&Foo('x')
}
除了文字之外,这也适用于标准库but these were likely a mistake中的 tiny 个函数。确定任意const
函数的结果是否可以自动提升为static
仍然是open topic。