在结构中实例化 2d Vec?

Instantiating a 2d Vec in a Struct?

我在使用构造函数 return 新结构对象时无法实例化 vec。我尝试过的语法(可能不正确地使用 collect())吐出了一大堆编译器错误。

fn main() {
    let level = Level::new();
}

struct Level {
    tiles: Vec<Vec<Tile>>
}

struct Tile {
    idx: i32
}

impl Level {
    fn new() -> Level {
        Level {
            tiles: {
            let mut t = Vec::new();
            let mut t2 = Vec::new();
            for x in range(0, 80) {
                for y in range(0, 24) {
                    t2.push(Tile::new(x, y));
                }
                t.push(t2);
            }
            t
        }
    }
}

impl Tile {
    fn new(x: i32, y: i32) -> Tile {
        Tile { pos: Point { x: x, y: y } }
    }
}

struct Point {
    x: i32,
    y: i32
}

我收到这些错误:

src/game/dungeon/level/mod.rs:47:25: 47:27 error: use of moved value: `t2`
src/game/dungeon/level/mod.rs:47                 t2.push(Tile::new(x, y));
                                                     ^~
src/game/dungeon/level/mod.rs:49:28: 49:30 note: `t2` moved here because it has type `collections::vec::Vec<game::dungeon::level::Tile>`, which is non-copyable
src/game/dungeon/level/mod.rs:49                     t.push(t2);
                                                        ^~
src/game/dungeon/level/mod.rs:49:28: 49:30 error: use of moved value: `t2`
src/game/dungeon/level/mod.rs:49                     t.push(t2);
                                                        ^~
src/game/dungeon/level/mod.rs:49:28: 49:30 note: `t2` moved here because it has type `collections::vec::Vec<game::dungeon::level::Tile>`, which is non-copyable
src/game/dungeon/level/mod.rs:49                     t.push(t2);
                                                        ^~

是的,你做错了。类似的代码在 C/C++ 中也不正确,顺便说一句。

        let mut t = Vec::new();
        let mut t2 = Vec::new();
        for x in range(0, 80) {
            for y in range(0, 24) {
                t2.push(Tile::new());
            }
            t.push(t2);
        }

问题是,您总是在内循环中推入相同的 t2,然后又总是将相同的 t2 推入 t。后者违反了所有权语义,因此 Rust 编译器正确地告诉您有关使用移动值的信息。

惯用的方法是使用迭代器,它看起来像这样:

(0..80).map(|_| (0..24).map(|_| Tile::new()).collect()).collect()

如果您需要访问索引,您可以使用 map() 闭包参数:

(0..80).map(|x| (0..24).map(|y| Tile::new(x, y)).collect()).collect()

编译器应该自动推断出所需的 collect() 结果类型。

Vladimir 的回答非常好,但我感觉函数式风格可能会隐藏此处的错误。

其实你离解决方案不远了;问题很简单,您不能在外循环的每次迭代中重复使用相同的 t2 。因此,最简单的转换是在 外循环中创建 t2

impl Level {
    fn new() -> Level {
        Level {
            tiles: {
            let mut t = Vec::new();
            for x in range(0, 80) {
                let mut t2 = Vec::new(); // Moved!
                for y in range(0, 24) {
                    t2.push(Tile::new(x, y));
                }
                t.push(t2);
            }
            t
        }
    }
}