JavaScript this 關鍵字

JavaScript this 關鍵字

面嚮物件語言中 this 表示當前物件的一個引用。

但在 JavaScript 中 this 不是固定不變的,它會隨著執行環境的改變而改變。

  • 在方法中,this 表示該方法所屬的物件。
  • 如果單獨使用,this 表示全域性物件。
  • 在函式中,this 表示全域性物件。
  • 在函式中,在嚴格模式下,this 是未定義的(undefined)。
  • 在事件中,this 表示接收事件的元素。
  • 類似 call() 和 apply() 方法可以將 this 引用到任何物件。

例項

var person = { firstName: "John", lastName : "Doe", id : 5566, fullName : function() { return this.firstName + " " + this.lastName; } };


方法中的 this

在物件方法中, this 指向呼叫它所在方法的物件。

在上面一個例項中,this 表示 person 物件。

fullName 方法所屬的物件就是 person。

例項

fullName : function() { return this.firstName + " " + this.lastName; }


單獨使用 this

單獨使用 this,則它指向全域性(Global)物件。

在瀏覽器中,window 就是該全域性物件為 [object Window]:

例項

var x = this;

嚴格模式下,如果單獨使用,this 也是指向全域性(Global)物件。

例項

"use strict"; var x = this;


函式中使用 this(預設)

在函式中,函式的所屬者預設繫結到 this 上。

在瀏覽器中,window 就是該全域性物件為 [object Window]:

例項

function myFunction() { return this; }


函式中使用 this(嚴格模式)

嚴格模式下函式是沒有繫結到 this 上,這時候 this 是 undefined

例項

"use strict"; function myFunction() { return this; }


事件中的 this

在 HTML 事件控制代碼中,this 指向了接收事件的 HTML 元素:

例項

<button onclick="this.style.display='none'"> 點我後我就消失了 </button>


物件方法中繫結

下面例項中,this 是 person 物件,person 物件是函式的所有者:

例項

var person = { firstName : "John", lastName : "Doe", id : 5566, myFunction : function() { return this; } };

例項

var person = { firstName: "John", lastName : "Doe", id : 5566, fullName : function() { return this.firstName + " " + this.lastName; } };

說明: this.firstName 表示 this (person) 物件的 firstName 屬性。


顯式函式繫結

在 JavaScript 中函式也是物件,物件則有方法,apply 和 call 就是函式物件的方法。這兩個方法異常強大,他們允許切換函式執行的上下文環境(context),即 this 繫結的物件。

在下面例項中,當我們使用 person2 作為引數來呼叫 person1.fullName 方法時, this 將指向 person2, 即便它是 person1 的方法:

例項

var person1 = { fullName: function() { return this.firstName + " " + this.lastName; } } var person2 = { firstName:"John", lastName: "Doe", } person1.fullName.call(person2); // 返回 "John Doe"