JavaScript this 关键词
1. this 是什么?
javascript this 关键词指的是它所属的对象。
var person = { firstname: "bill", lastname : "gates", id : 678, fullname : function() { return this.firstname + " " + this.lastname; } };
它拥有不同的值,具体取决于它的使用位置:
- 在方法中,this 指的是所有者对象。
- 单独的情况下,this 指的是全局对象。
- 在函数中,this 指的是全局对象。
- 在函数中,严格模式下,this 是 undefined。
- 在事件中,this 指的是接收事件的元素。
像 call() 和 apply() 这样的方法可以将 this 引用到任何对象。
2. 方法中的 this
在对象方法中,this 指的是此方法的“拥有者”。
在本页最上面的例子中,this 指的是 person 对象。
person 对象是 fullname 方法的拥有者。
fullname : function() { return this.firstname + " " + this.lastname; }
3. 单独的 this
在单独使用时,拥有者是全局对象,因此 this 指的是全局对象。
在浏览器窗口中,全局对象是 [object window]:
范例
var x = this;
在严格模式中,如果单独使用,那么 this 指的是全局对象 [object window]:
范例
"use strict"; var x = this;
4. 函数中的 this(默认)
在 javascript 函数中,函数的拥有者默认绑定 this。
因此,在函数中,this 指的是全局对象 [object window]。
范例
function myfunction() { return this; }
5. 函数中的 this(严格模式)
javascript 严格模式不允许默认绑定。
因此,在函数中使用时,在严格模式下,this 是未定义的(undefined)。
范例
"use strict"; function myfunction() { return this; }
6. 事件处理程序中的 this
在 html 事件处理程序中,this 指的是接收此事件的 html 元素:
范例
点击来删除我!
7. 对象方法绑定
在此例中,this 是 person 对象(person 对象是该函数的“拥有者”):
范例
var person = { firstname : "bill", lastname : "gates", id : 678, myfunction : function() { return this; } };
范例
var person = { firstname: "bill", lastname : "gates", id : 678, fullname : function() { return this.firstname + " " + this.lastname; } };
换句话说,this.firstname 意味着 this(person)对象的 firstname 属性。
8. 显式函数绑定
call() 和 apply() 方法是预定义的 javascript 方法。
它们都可以用于将另一个对象作为参数调用对象方法。
在下面的例子中,当使用 person2 作为参数调用 person1.fullname 时,this 将引用 person2,即使它是 person1 的方法:
范例
var person1 = {
fullname: function() {
return this.firstname + " " + this.lastname;
}
}
var person2 = {
firstname:"bill",
lastname: "gates",
}
person1.fullname.call(person2); // 会返回 "bill gates"