1

这旨在在浏览器上使用。

function keyboardJS () {
    this.keys = {};
    this.tempASCIIkey;
    this.tempCHARkey;
}
keyboardJS.prototype = {
    keyIsUp : function (evt) {
      console.log(this);
      this.ASCIIkey = evt.keyCode;
      this.CHARkey = String.fromCharCode(this.ASCIIkey);
      this.keys[this.CHARkey] = false;
      console.log(this.CHARkey + " is now " + this.keys[this.CHARkey]);
    },
    keyIsDown : function (evt) {
      console.log(this);
      this.ASCIIkey = evt.keyCode;
      this.CHARkey = String.fromCharCode(this.ASCIIkey);
      this.keys[this.CHARkey] = true;
      console.log(this.CHARkey + " is now " + this.keys[this.CHARkey]);
    },
    init : function () {
      document.addEventListener("keydown", this.keyIsDown);
      document.addEventListener("keyup", this.keyIsUp);
    }
}

var game = {};

game.myKeyboard = new keyboardJS();
game.myKeyboard.init();

但是,(console.log(this);) 返回“#document”。如何在原型函数中引用对象的属性?

4

1 回答 1

1

尝试这个...

init : function () {
  document.addEventListener("keydown", this.keyIsDown.bind(this));
  document.addEventListener("keyup", this.keyIsUp.bind(this));
}

this您传递对函数的引用时, 并没有神奇地绑定,在这种情况下addEventListener(), thethis就是它的本意。

请注意,bind()我们最喜欢的旧版 IE 不支持这一点。

您可以填充它,传递在原型上调用您的函数的函数,或使用具有绑定等效项的库(_.bind()在 Underscore、$.proxy()jQuery 等中)。

于 2012-05-23T12:14:50.423 回答