10

我知道您可以使用 Dart 收听按键按下和按下事件,例如:

var el = query('#el');
el.on.keyDown.add((e) {});

但这里的问题是它只触发一次。我要重复。

所以,我尝试keyPress了,但在重复之前它有一点延迟。我正在开发一款游戏,我希望它可以立即重复触发。

4

1 回答 1

23

首先,不要监听keyPress事件,因为“初始延迟”取决于操作系统配置!事实上,keyPress事件甚至可能不会重复触发。

你需要做的是监听keyDownkeyUp事件。你可以为此做一个助手。

class Keyboard {
  HashMap<int, int> _keys = new HashMap<int, int>();

  Keyboard() {
    window.onKeyDown.listen((KeyboardEvent e) {
      // If the key is not set yet, set it with a timestamp.
      if (!_keys.containsKey(e.keyCode))
        _keys[e.keyCode] = e.timeStamp;
    });

    window.onKeyUp.listen((KeyboardEvent e) {
      _keys.remove(e.keyCode);
    });
  }

  /**
   * Check if the given key code is pressed. You should use the [KeyCode] class.
   */
  isPressed(int keyCode) => _keys.containsKey(keyCode);
}

然后根据你在游戏中所做的事情,你可能有某种“游戏循环”,在你的update()方法中,每隔一段时间就会被调用一次:

class Game {
  Keyboard keyboard;

  Game() {
    keyboard = new Keyboard();

    window.requestAnimationFrame(update);
  }

  update(e) {
    if (keyboard.isPressed(KeyCode.A))
      print('A is pressed!');

    window.requestAnimationFrame(update);
  }
}

现在你的游戏循环重复检查A按键。

于 2012-12-06T15:03:52.380 回答