var person = { firstName: "Bill", lastName : "Gates", id : 678, fullName : function() { return this.firstName + " " + this.lastName; }};
JavaScript this 关键词指的是它所属的对象。
它拥有不同的值,具体取决于它的使用位置:
像 call() 和 apply() 这样的方法可以将 this 引用到任何对象。
在对象方法中,this 指的是此方法的“拥有者”。
在本页最上面的例子中,this 指的是 person 对象。
person 对象是 fullName 方法的拥有者。
fullName : function() { return this.firstName + " " + this.lastName;}
在单独使用时,拥有者是全局对象,因此 this 指的是全局对象。
在浏览器窗口中,全局对象是 [object Window]:
var x = this;
在严格模式中,如果单独使用,那么 this 指的是全局对象 [object Window]:
"use strict";var x = this;
在 JavaScript 函数中,函数的拥有者默认绑定 this。
因此,在函数中,this 指的是全局对象 [object Window]。
function myFunction() { return this;}
JavaScript 严格模式不允许默认绑定。
因此,在函数中使用时,在严格模式下,this 是未定义的(undefined)。
"use strict";function myFunction() { return this;}
在 HTML 事件处理程序中,this 指的是接收此事件的 HTML 元素:
<button onclick="this.style.display='none'"> 点击来删除我!</button>
在此例中,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 属性。
call() 和 apply() 方法是预定义的 JavaScript 方法。
它们都可以用于将另一个对象作为参数调用对象方法。
您可以在本教程后面阅读有关 call() 和 apply() 的更多内容。
在下面的例子中,当使用 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"