-1

嗨,我有一个这样的函数和一个 HashMap,问题是我想迭代和编辑 HashMap,但是克隆代码编译时我有太多错误,但是 HashMap 的值

struct Piece(HashMap<(i32,i32), Couleur>);
fn press(&mut self, args: &Button) {
    let mut coco = self.0.clone();

    for (mut x, y) in coco {
        if let &Button::Keyboard(key) = args {
            match key {
                Key::Down => x.1 -= 1,
                Key::Left => x.0 += 1,
                Key::Right => x.0 -= 1,
                _ => {
                    println!("{:?}", x);
                }
            };
        }
    }
}

如果您需要/想尝试链接,请在此处查看完整代码的 链接

和货物的依赖

[dependencies]
piston_window = "0.93.0"
rand = "0.6.5"
4

1 回答 1

0

当您克隆self.0coco时,您正在使用以下 for 循环HashMap。因此,当您修改时,x您实际上并没有影响 中的键coco,因为您不能改变 中的键HashMap

而是将 for 循环的主体包装在 a 中map(),然后collect()将结果返回self.0.

您的+=/-=键也被翻转。

fn press(&mut self, args: &Button) {
    let coco = self.0.clone();
    self.0 = coco
        .into_iter()
        .map(|(mut x, y)| {
            if let &Button::Keyboard(key) = args {
                match key {
                    // Key::Up => x.1 -= 1,
                    Key::Down => x.1 += 1,
                    Key::Left => x.0 -= 1,
                    Key::Right => x.0 += 1,
                    _ => {
                        println!("{:?}", x);
                    }
                };
            }
            (x, y)
        })
        .collect();
}

或者,如果您想避免预先克隆整个HashMap文件,则可以使用.iter()and clone()in map()

fn press(&mut self, args: &Button) {
    self.0 = self
        .0
        .iter()
        .map(|(x, &y)| {
            let mut x = x.clone();
            if let &Button::Keyboard(key) = args {
                match key {
                    // Key::Up => x.1 -= 1,
                    Key::Down => x.1 += 1,
                    Key::Left => x.0 -= 1,
                    Key::Right => x.0 += 1,
                    _ => {
                        println!("{:?}", x);
                    }
                };
            }
            (x, y)
        })
        .collect::<HashMap<_, _>>();
}

或者你可以mem::replace()extend()

fn press(&mut self, args: &Button) {
    let coco = std::mem::replace(&mut self.0, HashMap::new());
    self.0.extend(coco.into_iter().map(|(mut x, y)| {
        if let &Button::Keyboard(key) = args {
            match key {
                // Key::Up => x.1 -= 1,
                Key::Down => x.1 += 1,
                Key::Left => x.0 -= 1,
                Key::Right => x.0 += 1,
                _ => {
                    println!("{:?}", x);
                }
            };
        }
        (x, y)
    }));
}

此外,我强烈建议使用rustfmt来保持代码格式良好,更不用说英文和非英文名称的混合会造成混淆。

于 2020-12-15T16:41:01.247 回答