我正在阅读有关jQuery.proxy()
. 它看起来很有希望,但我想知道在什么情况下最好使用。任何人都可以启发我吗?
jQuery.proxy() 用法
IT技术
javascript
jquery
2021-03-15 09:54:33
3个回答
当您想要一个将this
值绑定到特定对象的函数时。例如,在事件处理程序、AJAX 回调、超时、间隔、自定义对象等回调中。
这只是一个可能有用的情况的制造示例。假设有一个Person
具有属性名称的对象。它还链接到文本输入元素,每当输入值更改时,此人对象中的名称也会更新。
function Person(el) {
this.name = '';
$(el).change(function(event) {
// Want to update this.name of the Person object,
// but can't because this here refers to the element
// that triggered the change event.
});
}
我们经常使用的一种解决方案是将 this 上下文存储在一个变量中并在回调函数中使用它,例如:
function Person(el) {
this.name = '';
var self = this; // store reference to this
$(el).change(function(event) {
self.name = this.value; // captures self in a closure
});
}
或者,我们也可以在jQuery.proxy
这里使用,因此引用this
指向 Person 的对象,而不是触发事件的元素。
function Person(el) {
this.name = '';
$(el).change(jQuery.proxy(function(event) {
this.name = event.target.value;
}, this));
}
请注意,此功能已标准化为 ECMAScript 5,其中现在包括bind
从原型js 并且已经在某些浏览器上可用。
function Person(el) {
this.name = '';
$(el).change(function(event) {
this.name = event.target.value;
}.bind(this)); // we're binding the function to the object of person
}
这只是设置闭包上下文的一种速记方法,例如:
$(".myClass").click(function() {
setTimeout(function() {
alert(this); //window
}, 1000);
});
然而,我们经常希望this
保持与我们$.proxy()
使用的方法相同,它用于,如下所示:
$("button").click(function() {
setTimeout($.proxy(function() {
alert(this); //button
}, this), 1000);
});
它通常用于延迟调用,或者任何你不想做声明闭包的普通方法的地方。将上下文指向对象的字符串方法......好吧,我还没有在日常代码中遇到实际用途,但我确信有应用程序,这取决于您的对象/事件结构是什么。
例如,如果您想创建回调。代替:
var that = this;
$('button').click(function() {
that.someMethod();
});
你可以做:
$('button').click($.proxy(this.someMethod, this));
或者,如果您创建了一个接受回调的插件,并且您必须为回调设置特定的上下文。
其它你可能感兴趣的问题