8

我有一个监听整个文档并记录击键的EventListener,但我想在满足某些条件时删除这个监听器。

以下是我的代码片段:

document.addEventListener('keyup', function(e) {
    var letter_entered = String.fromCharCode(e.keyCode).toLowerCase();
    player.makeGuess(letter_entered);

    if(player.win_status === true || player.lose_status === true) {
        document.removeEventListener('keyup', arguments.callee, false);
    }
});

这可行,但是根据Mozilla 开发人员文档,此方法已被弃用。

我知道我可以简单地命名该函数,但是是否有替代方法可以让我继续使用未命名的函数

4

2 回答 2

14

使用以下过程:

  • 创建变量
  • 将匿名函数分配给变量
  • 使用变量引用调用它
  • 匿名函数使用变量名引用自身

像这样使用它:

   var foo = function(e)
    {
    "use strict";
    console.log(e);
    document.removeEventListener('keyup', foo, false);
    }

document.addEventListener('keyup', foo);

y您可以使用组合器轻松解决此问题:

function y(f) {
    return function () {
        return f.bind(null, y(f)).apply(this, arguments);
    };
}

现在您可以按如下方式重写您的代码:

document.addEventListener("keyup", y(function (callee, e) {
    player.makeGuess(String.fromCharCode(e.keyCode).toLowerCase());
    if (player.win_status || player.lose_status) document
        .removeEventListener("keyup", callee);
}));

这就是所有人。

于 2013-12-06T07:33:13.340 回答
3

使用另一个匿名函数作为包装器将命名函数(被调用 shim)存储到原始函数:

document.addEventListener('keyup', (function(e)
  {
  var aFunction = function()
    {
    var letter_entered = String.fromCharCode(e.keyCode).toLowerCase();
    player.makeGuess(letter_entered);
    };

  if(player.win_status === true || player.lose_status === true) 
    {
    document.removeEventListener('keyup', window, false);
    }
  else
    {
    aFunction();
    }
  }
), false);

参考

于 2013-12-02T19:15:39.940 回答