所以我有一张提交照片的表格(总共8张),我试图应用一个小效果:一旦你选择了一张照片,按钮会隐藏,文件名会随着一个' X'删除它的选择。
然而,当我添加多张照片并尝试删除一张照片时,会多次调用该事件,我点击的次数越多,触发的事件就越多,所有事件都来自同一个元素。
有人能搞清楚吗?
var Upload = {
init: function ( config ) {
this.config = config;
this.bindEvents();
this.counter = 1;
},
/**
* Binds all events triggered by the user.
*/
bindEvents: function () {
this.config.photoContainer.children('li').children('input[name=images]').off();
this.config.photoContainer.children('li').children('input[name=images]').on("change", this.photoAdded);
this.config.photoContainer.children('li').children('p').children('a.removePhoto').on('click', this.removePhoto);
},
/**
* Called when a new photo is selected in the input.
*/
photoAdded: function ( evt ) {
var self = Upload,
file = this.files[0];
$(this).hide();
$(this).parent().append('<p class="photo" style="background-color: gray; color: white;">' + file.name + ' <a class="removePhoto" style="color: red;" href="#">X</a></p>');
if(self.counter < 8) { // Adds another button if needed.
Upload.config.photoContainer.append( '<li><input type="file" name="images"></li>');
self.counter++;
}
Upload.bindEvents();
},
/**
* Removes the <li> from the list.
*/
removePhoto: function ( evt ) {
var self = Upload;
evt.preventDefault();
$(this).off();
$(this).parent().parent().remove();
if(self.counter == 8) { // Adds a new input, if necessary.
Upload.config.photoContainer.append( '<li><input type="file" name="images"></li>');
}
self.counter--;
Upload.bindEvents();
}
}
Upload.init({
photoContainer: $('ul#photo-upload')
});
答案 0 :(得分:2)
你做了很多事:Upload.bindEvents();
在再次绑定它们之前,您需要取消绑定那些'li'的事件。否则,您添加更多点击事件。这就是为什么你会看到越来越多的点击被触发的原因。
答案 1 :(得分:2)
从我看到的,您正在尝试根据用户选择的内容附加/删除事件处理程序。这样效率低,容易出错。
在您的情况下,每次添加照片时都会调用Upload.bindEvents()
,而不会清除所有以前的处理程序。你可能会调试,直到你不再泄漏事件监听器,但它不值得。
jQuery.on非常强大,允许您将处理程序附加到尚未包含在DOM中的元素。你应该可以这样做:
init: function ( config ) {
this.config = config;
this.counter = 1;
this.config.photoContainer.on('change', 'li > input[name=images]', this.photoAdded);
this.config.photoContainer.on('click', 'li > p > a.removePhoto', this.removePhoto);
},
您只需将一个处理程序附加到photoContainer
,它将捕获从子项中冒出的所有事件,无论它们何时被添加。如果要在其中一个元素上禁用处理程序,只需删除removePhoto
类(使其与过滤器不匹配)。