6

我正在尝试使用mousetrap Javascript插件以类似的方式处理一些击键,所以我想将它们编码如下:

    var keys = [ 'b', 'i', 'u'];
    for (var i=0; i < 3; ++i) {
        var iKey = keys[i];
        var iKeyUpper = iKey.toUpperCase();

        Mousetrap.bind(
            [   'command+' + iKey,
                'command+' + iKeyUpper,
                'ctrl+' + iKey,
                'ctrl+' + iKeyUpper],
            ( function( e ) {
                console.log( "you clicked: " + i );
        } ) );

    }

但是,显然,i是可变的。但是,我不确定如何在响应中与事件参数竞争的地方编写一个闭包。关于如何处理这种情况的建议?

4

2 回答 2

5

如何在响应中竞争事件参数的情况下编写闭包

在整个循环体周围使用闭包(如@dandavis 所示),或仅在处理程序周围使用它:

…
    Mousetrap.bind(
        [   'command+' + iKey,
            'command+' + iKeyUpper,
            'ctrl+' + iKey,
            'ctrl+' + iKeyUpper],
        (function(_i) { // of course you can use the name `i` again
            return function( e ) {
                console.log( "you clicked: " + _i );
            };
        })(i) // and pass in the to-be-preserved values
    );
于 2013-06-20T16:42:46.743 回答
4

您需要将 i 变量包装在本地范围内,以便它不会与 for 循环中的“i”同步:

   var keys = [ 'b', 'i', 'u'];
    for (var i=0; i < 3; ++i) {
      (function(i){
        var iKey = keys[i];
        var iKeyUpper = iKey.toUpperCase();

        Mousetrap.bind(
            [   'command+' + iKey,
                'command+' + iKeyUpper,
                'ctrl+' + iKey,
                'ctrl+' + iKeyUpper],
            ( function( e ) {
                console.log( "you clicked: " + i );
        } ) );
      }(i));
    }

另一种选择是使用函数式数组方法,因为它们使用函数,所以总是有自己的范围,并且它们本质上为您提供元素值和元素索引:

 var keys = [ 'b', 'i', 'u'];
   keys.map(function(iKey, i){
        var iKeyUpper = iKey.toUpperCase();

        Mousetrap.bind(
            [   'command+' + iKey,
                'command+' + iKeyUpper,
                'ctrl+' + iKey,
                'ctrl+' + iKeyUpper],
            function( e ) {
                console.log( "you clicked: " + i );
        }); // end bind()    

   }); // end map()

第二个示例将在 IE9+ 中开箱即用,但您可以使用简单的插入式数组方法兼容包使其在任何地方工作,通常包含在 IE 垫片中...

于 2013-06-20T15:57:04.100 回答