0

我动态填写列表,然后单击我有多个事件调用。第一次重复1次,第二次重复2次,第三次重复3次,等等......

4

1 回答 1

2

首先,关于这个问题的更多信息可以在我的另一个答案中找到:jQuery Mobile: document ready vs page events

防止多个事件绑定/触发

由于有趣的 jQM 加载架构,多事件触发是一个持续存在的问题。例如,看一下这段代码:

$(document).on('pagebeforeshow','#index' ,function(e,data){    
    $(document).on('click', '#test-button',function(e) {
        alert('Button click');
    });    
});

工作 jsFiddle 示例:http: //jsfiddle.net/Gajotres/CCfL4/

每次访问页面#index点击事件都会绑定到按钮#test-button。有几种方法可以防止此问题:

解决方案1:

在绑定之前删除事件:

$('#index').live('pagebeforeshow',function(e,data){    
    $('#test-button').die().live('click', function(e) {
        alert('Button click');
    });    
});

工作 jsFiddle 示例:http: //jsfiddle.net/Gajotres/K8YmG/

如果您有不同的事件绑定到一个对象:

$('#index').live('pagebeforeshow',function(e,data){    
    $('#test-button').die('click').live('click', function(e) {
        alert('Button click');
    });    
});

解决方案2:

使用 jQuery 过滤器选择器,如下所示:

$('#carousel div:Event(!click)').each(function(){
    //If click is not bind to #carousel div do something
});

因为事件过滤器不是官方 jQuery 框架的一部分,所以可以在这里找到:http: //www.codenothing.com/archives/2009/event-filter/

简而言之,如果速度是您主要关心的问题,那么解决方案 2比解决方案 1 好得多。

解决方案3:

一个新的,可能是最简单的。

$(document).on('pagebeforeshow', '#index', function(){       
    $(document).on('click', '#test-button',function(e) {
        if(e.handled !== true) // This will prevent event triggering more then once
        {
            alert('Clicked');
            e.handled = true;
        }
    }); 
});

工作 jsFiddle 示例:http: //jsfiddle.net/Gajotres/Yerv9/

此解决方案的 Tnx 到sholsinger : http ://sholsinger.com/archive/2011/08/prevent-jquery-live-handlers-from-firing-multiple-times/

更多信息

如果您想了解有关此问题的更多信息,请查看本文,其中包含工作示例。

于 2013-05-21T14:56:05.263 回答