这是使用jQuery在JavaScript中正确绑定和事件到对象方法的方法吗?
我已经设置了一些示例代码,但我关注的部分是评论后的两行“这样可以吗?”
当然,由于回调是对象的一种方法,我需要 context 保持不变。
function MyPrototype(id) {
this.id = id;
this.sel = '#' + id;
// *** IS THIS OK? ***
$(this.sel).on('click', function(evt) {
MyPrototype.prototype.mouseClick.call(this, evt); });
}
MyPrototype.prototype.mouseClick = function (evt) {
// I want to use evt to get info about the event
// I want use this to access properties and methods of the instance
alert(this.id + ' was clicked');
}
myObject1 = new MyPrototype('myDiv1');
myObject2 = new MyPrototype('myDiv2');
此外,我可能需要从特定功能中解除事件的绑定。
但以下情况不起作用......
MyPrototype.prototype.unbindClick = function() {
$(this.sel).off('click', function(evt) {
MyPrototype.prototype.mouseClick.call(this, evt); });
}
myObject2.unbindClick();
请注意,我将内联函数作为事件处理程序传递。
答案 0 :(得分:2)
尝试jQuery.proxy:
function MyPrototype(id) {
this.id = id;
this.sel = '#' + id;
// using jQuery.proxy:
$(this.sel).on('click', $.proxy(this.mouseClick, this));
// or Function.bind:
// $(this.sel).on('click', this.mouseClick.bind(this));
// or writing it out:
/*
var self = this;
$(this.sel).on('click', function () {
return self.mouseClick.apply(self, arguments);
});
*/
}
MyPrototype.prototype.mouseClick = function(evt) {
// I want to use evt to get info about the event
// I want use this to access properties and methods of the instance
console.log(this.id + ' was clicked');
};
var myObject1 = new MyPrototype('myDiv1');
var myObject2 = new MyPrototype('myDiv2');
关于问题的更新:
如果要取消绑定单个事件处理程序,则需要绑定时使用的完全相同的处理函数。否则整个事件将是未绑定的。您添加到问题中的解决方案和$.proxy
都不会对此有所帮助。但是有一些解决方案: