为什么我可以返回对本地文字但不是变量的引用?

问题描述 投票:18回答:1

为什么这段代码会编译?

fn get_iter() -> impl Iterator<Item = i32> {
    [1, 2, 3].iter().map(|&i| i)
}

fn main() {
    let _it = get_iter();
}

[1, 2, 3]是一个局部变量,iter()借用它。此代码不应编译,因为返回的值包含对局部变量的引用。

reference rust borrow-checker
1个回答
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中的少量函数。决定是否任意const函数的结果可以自动提升为static仍然是open topic

© www.soinside.com 2019 - 2024. All rights reserved.