2

对于代码:

enum A {
    Foo,
    Bar,
    Baz(~str)
}

#[test]
fn test_vector(){
    let test_vec = ~[Foo, Bar, Baz(~"asdf")];

    for x in test_vec.iter() {
        match x {
            &Foo   => true,
            &Bar   => true,
            &Baz(x) => x == ~"asdf"
        };
    }
}

我收到以下错误:

stackoverflow.rs:15:13: 15:19 error: cannot move out of dereference of & pointer
stackoverflow.rs:15             &Baz(x) => x == ~"asdf"
                             ^~~~~~
error: aborting due to previous error

如果我将字符串更改为 int,则它可以正常编译。

我的问题是:如何在 for 循环中访问枚举中拥有的指针的内容?我应该使用备用迭代器吗?

我使用的 Rust 版本是从 master 编译的。

4

1 回答 1

1

默认情况下会移动匹配案例中的变量。你不能移动x,因为循环中的一切都是不可变的。要获得对xstr 的引用,您需要使用ref关键字:

&Baz(ref x) => *x == ~"asdf"
于 2013-08-06T16:01:17.133 回答