一、全局范围
this // window
全局范围中的this
将会指向全局对象,即window
。
二、普通函数调用
function foo(x) {
this.x = x;
}
foo(3);
(x /* or this.x */); // 3
this
指向全局对象,即window
。严格模式时,为undefined
。
三、作为对象的方法调用
var name = "foo";
var person = {
name : "bar",
hello : function(sth){
console.log(this.name + " says " + sth);
}
}
person.hello("hello"); // bar says hello
this
指向person
对象,即当前对象。
四、作为构造函数
var foo = new Bar(name) {
this.name = name;
this.age = 28;
}
函数内部的this
指向创建的对象。
五、闭包(内部函数)
var name = "foo";
var person = {
name : "bar",
hello : function(sth){
var sayhello = function(sth) {
console.log(this.name + " says " + sth);
};
sayhello(sth)
}
}
person.hello("hello"); // foo says hello
this.name
为foo
,所以this
指向全局变量,即window
。所以,一般将this
作为变量保存下来。代码如下:
var name = "foo";
var person = {
name : "bar",
hello : function(sth){
var self = this;
var sayhello = function(sth) {
console.log(self.name + " says " + sth);
};
sayhello(sth)
}
}
person.hello("hello"); // bar says hello
六、使用call与apply设置this
fun.apply(thisArg, [argsArray])
fun.call(thisArg[, arg1[, arg2[, ...]]])
函数绑定到thisArg
这个对象上使用,this
就指向thisArg
。
七、总结
当函数作为对象的方法调用时,
this
指向该对象。当函数作为淡出函数调用时,
this
指向全局对象(严格模式时,为undefined
)。构造函数中的
this
指向新创建的对象。嵌套函数中的
this
不会继承上层函数的this
,如果需要,可以用一个变量保存上层函数的this
。
一句话总结:如果在函数中使用了this
,只有在该函数直接被某对象调用时,该this
才指向该对象。
八、一个常见的坑
事件绑定中回调函数的this
。
addEventListener(elem, func, false);
如果func
中有使用this
,this
指向elem
,即使func
的形式是obj.func
,其中的this依然指向elem
,可用var self = this;
的方法解决这个问题。
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。