1. this 是什么?
javascript this 關(guān)鍵詞指的是它所屬的對象。
var person = { firstname: "bill", lastname : "gates", id : 678, fullname : function() { return this.firstname + " " + this.lastname; } };
它擁有不同的值,具體取決于它的使用位置:
- 在方法中,this 指的是所有者對象。
- 單獨(dú)的情況下,this 指的是全局對象。
- 在函數(shù)中,this 指的是全局對象。
- 在函數(shù)中,嚴(yán)格模式下,this 是 undefined。
- 在事件中,this 指的是接收事件的元素。
像 call() 和 apply() 這樣的方法可以將 this 引用到任何對象。
2. 方法中的 this
在對象方法中,this 指的是此方法的“擁有者”。
在本頁最上面的例子中,this 指的是 person 對象。
person 對象是 fullname 方法的擁有者。
fullname : function() { return this.firstname + " " + this.lastname; }
3. 單獨(dú)的 this
在單獨(dú)使用時(shí),擁有者是全局對象,因此 this 指的是全局對象。
在瀏覽器窗口中,全局對象是 [object window]:
范例
var x = this;
在嚴(yán)格模式中,如果單獨(dú)使用,那么 this 指的是全局對象 [object window]:
范例
"use strict"; var x = this;
4. 函數(shù)中的 this(默認(rèn))
在 javascript 函數(shù)中,函數(shù)的擁有者默認(rèn)綁定 this。
因此,在函數(shù)中,this 指的是全局對象 [object window]。
范例
function myfunction() { return this; }
5. 函數(shù)中的 this(嚴(yán)格模式)
javascript 嚴(yán)格模式不允許默認(rèn)綁定。
因此,在函數(shù)中使用時(shí),在嚴(yán)格模式下,this 是未定義的(undefined)。
范例
"use strict"; function myfunction() { return this; }
6. 事件處理程序中的 this
在 html 事件處理程序中,this 指的是接收此事件的 html 元素:
范例
點(diǎn)擊來刪除我!
7. 對象方法綁定
在此例中,this 是 person 對象(person 對象是該函數(shù)的“擁有者”):
范例
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. 顯式函數(shù)綁定
call() 和 apply() 方法是預(yù)定義的 javascript 方法。
它們都可以用于將另一個(gè)對象作為參數(shù)調(diào)用對象方法。
在下面的例子中,當(dāng)使用 person2 作為參數(shù)調(diào)用 person1.fullname 時(shí),this 將引用 person2,即使它是 person1 的方法:
范例
var person1 = {
fullname: function() {
return this.firstname + " " + this.lastname;
}
}
var person2 = {
firstname:"bill",
lastname: "gates",
}
person1.fullname.call(person2); // 會返回 "bill gates"