假设我们有一个名为aObject的javascript对象,而test()函数在JQuery中用作回调函数
var aObject = {
aVariable : 'whatever value',
test : function() {
// Trying to access property. But doesn't work as expected since I am getting the DOM element, not the aObject reference
var temp = this.aVariable;
}
}
var anInstanceOfAObject = $.extend({}, aObject);
anInstanceOfAObject.someFunction = function () {
// I have to put "this" in a variable since "this" in the context below refers to the DOM element, not the instance of the object
var placeHolder = this;
$('some random div.element').theJavascriptFunction({
"theJavascriptCallbackFunction": placeHolder.test,
});
}
在test()函数中,通常“this”的上下文是DOM元素。我的问题是如何引用aObject,因为我们不能使用“this”来引用它。
编辑:我不确定上面的语法是否是实例化Object的正确/首选方式。我看到一些使用这种语法的例子
var aObject = function() {....
如果这似乎与问题有关,请通知我。
答案 0 :(得分:1)
您只需要打开方法调用即可获得正确的this
:
anInstanceOfAObject.someFunction = function () {
var placeHolder = this;
$('some random div.element').theJavascriptFunction({
"theJavascriptCallbackFunction": function() { placeHolder.test() }
});
}
当您仅使用placeHolder.test
作为回调时,您只是将对test
函数的引用移交,并且该函数将使用DOM元素this
进行调用。 / p>
您还可以尝试bind
:
anInstanceOfAObject.someFunction = function () {
var placeHolder = this;
$('some random div.element').theJavascriptFunction({
"theJavascriptCallbackFunction": this.test.bind(this)
});
}
答案 1 :(得分:1)
如果你用$ .proxy(函数,这个)包装一个jquery函数调用,那么jquery将修复你对它的引用,以便它按照你想要的方式工作。
首先,你的问题是正确的。但是,您的代码不起作用,并且当它修复时它说明了问题的解决方案。简短的一课:如果您首先调试问题代码,您将了解更多信息!
下面我将提供问题,您说明的解决方案和更优雅的解决方案。
以下是有问题的对象:
var aObject = {
aVariable : 'whatever value',
test : function() {
// Trying to access property.
//But doesn't work as expected since I am getting
//the DOM element, not the aObject reference
var temp = this.aVariable;
alert("temp=" + temp);
}
}
以下是问题的一个示例:
var anInstanceOfAObject = $.extend({}, aObject);
anInstanceOfAObject.someFunction = function() {
$(function() {
//The problem. 'this' is not set after calling the fn via jquery.
this.test();
});
anInstanceOfAObject.someFunction();
以下是您编码的解决方案:
var anInstanceOfAObject = $.extend({}, aObject);
anInstanceOfAObject.someFunction = function() {
// by saving this in placeHolder you solve the problem. Good!
var placeHolder = this;
$(function() {
// Your solution works. Here you pass forward your ref to this
placeHolder.test();
});
}
anInstanceOfAObject.someFunction();
最后,这是一个稍微优雅的答案:
var anInstanceOfAObject = $.extend({}, aObject);
anInstanceOfAObject.someFunction = function() {
$(
$.proxy(function(){
// using $.proxy gets jquery to fix your this ref
this.test();
},this)
);
}
anInstanceOfAObject.someFunction();
答案 2 :(得分:0)
这总是指dom元素。获取与你需要再次将它包装在jquery中的元素相关的jQuery对象,所以要么是$(this)或jQuery(this),这取决于你的设置。