9

我有一个与此处类似的问题:Javascript 循环中的事件处理程序 - 需要闭包吗?但我正在使用 jQuery,并且给出的解决方案似乎在绑定而不是单击时触发事件。

这是我的代码:

for(var i in DisplayGlobals.Indicators)
{
    var div = d.createElement("div");
    div.style.width = "100%";
    td.appendChild(div);

    for(var j = 0;j<3;j++)
    {
        var test = j;
        if(DisplayGlobals.Indicators[i][j].length > 0)
        {   
             var img = d.createElement("img");
             jQuery(img).attr({
                     src : DisplayGlobals.Indicators[i][j],
                     alt : i,
                     className: "IndicatorImage"
              }).click(
                     function(indGroup,indValue){ 
                         jQuery(".IndicatorImage").removeClass("active");
                         _this.Indicator.TrueImage = DisplayGlobals.Indicators[indGroup][indValue];
                         _this.Indicator.FalseImage = DisplayGlobals.IndicatorsSpecial["BlankSmall"];
                         jQuery(this).addClass("active"); 
                     }(i,j)
               );
               div.appendChild(img);   
          }
     }
}

我尝试了几种不同的方法都没有成功...

最初的问题是 _this.Indicator.TrueImage 始终是最后一个值,因为我使用循环计数器而不是参数来选择正确的图像。

4

3 回答 3

14

你缺少一个功能。.click 函数需要一个函数作为参数,因此您需要这样做:

.click(
    function(indGroup,indValue)
    {
        return function()
        {
            jQuery(".IndicatorImage").removeClass("active");
            _this.Indicator.TrueImage = DisplayGlobals.Indicators[indGroup][indValue];
            _this.Indicator.FalseImage = DisplayGlobals.IndicatorsSpecial["BlankSmall"];
            jQuery(this).addClass("active"); 
        }
    }(i,j);
);
于 2008-12-11T14:22:55.437 回答
13

Greg的解决方案仍然有效,但您现在可以通过使用eventDatajQuery click方法(或绑定或任何其他事件绑定方法)的参数来实现它,而无需创建额外的闭包。

.click({indGroup: i, indValue : j}, function(event) {
    alert(event.data.indGroup);
    alert(event.data.indValue);
    ...
});

看起来更简单,可能更有效(每次迭代少一个闭包)。

bind方法的文档有关于事件数据的描述和一些示例。

于 2010-10-21T17:00:16.283 回答
6

只要您使用 jQuery 1.4.3 及更高版本,Nikita的答案就可以正常工作。对于此之前的版本(回到 1.0),您必须使用bind,如下所示:

.bind('click', {indGroup: i, indValue : j}, function(event) {
    alert(event.data.indGroup);
    alert(event.data.indValue);
    ...
});

希望这可以帮助其他仍在使用 1.4.2 的人(比如我)

于 2011-03-27T01:06:14.290 回答