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"