admin管理员组文章数量:1341475
In the following customized class in javascript, in callback, why does this.obj have nothing but local variable obj has thing I want? Thanks.
function ClassTest(director) {
this.obj = {"test1": "test1"};
}
function test1(input, callback) {
callback("success");
}
ClassTest.prototype.test = function() {
var obj = this.obj;
test1("niuniu",function(e){
console.log(this.obj); // undefined
console.log(obj); // this one has stuff
});
}
// run
new ClassTest().test()
In the following customized class in javascript, in callback, why does this.obj have nothing but local variable obj has thing I want? Thanks.
function ClassTest(director) {
this.obj = {"test1": "test1"};
}
function test1(input, callback) {
callback("success");
}
ClassTest.prototype.test = function() {
var obj = this.obj;
test1("niuniu",function(e){
console.log(this.obj); // undefined
console.log(obj); // this one has stuff
});
}
// run
new ClassTest().test()
Share
Improve this question
asked Feb 3, 2013 at 7:27
Linghua JinLinghua Jin
5692 gold badges6 silver badges23 bronze badges
1
-
1
Add
var that = this;
and then inside the callback you usethat
to refer tothis
:) – Ja͢ck Commented Feb 3, 2013 at 7:30
2 Answers
Reset to default 14Because the function inside test1
is creating a new scope with different this
context. Typical solutions are to bind
or to cache this
:
Binding:
test1("niuniu",function(e){
console.log(this.obj);
}.bind(this));
Caching:
var self = this;
test1("niuniu",function(e){
console.log(self.obj);
});
As for this line of code:
console.log(obj); // this one has stuff
The reason it works has to do with how JavaScript closure works. The code defined in your anonymous function has access to all variables in its local scope as well as variables defined in enpassing scopes and therefore obj
is available. See How do JavaScript closures work? for more on closure.
The keyword this
however, is a reference to the current scope. Because you are accessing this.obj
from within the anonymous function, this
refers to the anonymous function itself - which has no obj
property defined. In the enclosing function, which is extending the ClassTest
prototype, this
refers to the current ClassTest
object, which does have a obj
property defined.
本文标签: javascript how to get thisvariable in callback functionStack Overflow
版权声明:本文标题:javascript how to get this.variable in callback function - Stack Overflow 内容由网友自发贡献,该文观点仅代表作者本人, 转载请联系作者并注明出处:http://www.betaflare.com/web/1743595435a2507791.html, 本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容,一经查实,本站将立刻删除。
发表评论