Js中this關鍵字的指向

1.前言

在主流的面向對象的語言中(例如Java,C#等),this 含義是明確且具體的,即指向當前對象,通常在編譯期綁定。而 JavaScript 中this 在運行期進行綁定的,這是JavaScript 中this 關鍵字具有多重含義的本質緣由。
JavaScript 中的 this 能夠是全局對象、當前對象或者任意對象,這徹底取決於函數的調用方式。app

2.JavaScript this決策樹

JavaScript this決策樹

3.實例說明

  • 例1.函數

var point = { 
    x : 0, 
    y : 0, 
    moveTo : function(x, y) { 
        this.x = this.x + x; 
        this.y = this.y + y; 
    } 
};
point.moveTo(1,1); //this 綁定到當前對象,即point對象

圖解point.moveTo函數的this指向什麼的解析圖以下圖所示:
圖片描述this

  • 例2:spa

function func(x) { 
    this.x = x; 
} 
func(5); //this是全局對象window,x爲全局變量
x;//x => 5

圖解func函數的this指向什麼的解析圖以下圖所示:
圖片描述code

  • 例3:對象

var point = { 
    x : 0, 
    y : 0, 
    moveTo : function(x, y) { 
    // 內部函數
        var moveX = function(x) { 
            this.x = x;//this 指向什麼?window
        }; 
    // 內部函數
        var moveY = function(y) { 
            this.y = y;//this 指向什麼?window
        }; 
    moveX(x); 
    moveY(y); 
    } 
}; 
point.moveTo(1,1); 
point.x; //=>0 
point.y; //=>0 
x; //=>1 
y; //=>1

說明:
point.moveTo(1,1)函數實際內部調用的是moveX()和moveY()函數, moveX()函數內部的this在 「JavaScript this決策樹「中進行斷定的過程是這樣的:
1)moveX(1)函數調用是用new進行調用的麼?這個明顯不是,進入「否」分支,即函數是否用dot(.)進行調用?;
2)moveX(1)函數不是用dot(.)進行調用的,即進入「否」分支,即這裏的this指向全局變量window,那麼this.x實際上就是window.x;圖片

  • 例4.做爲構造函數調用的例子:ip

function Point(x,y){ 
    this.x = x; // this ?
    this.y = y; // this ?
}
var np=new Point(1,1);
np.x;//1
var p=Point(2,2);
p.x;//error, p是一個空對象undefined
window.x;//2

說明:
Point(1,1)函數在var np=new Point(1,1)中的this在 「JavaScript this決策樹「中進行斷定的過程是這樣的:
1)var np=new Point(1,1)調用是用new進行調用的麼?這個明顯是,進入「是」分支,即this指向np;
2)那麼this.x=1,即np.x=1;
Point(2,2)函數在var p= Point(2,2)中的this在 「JavaScript this決策樹「中進行斷定的過程是這樣的:
1)var p= Point(2,2)調用是用new進行調用的麼?這個明顯不是,進入「否」分支,即函數是否用dot(.)進行調用?;
2)Point(2,2)函數不是用dot(.)進行調用的?斷定爲否,即進入「否」分支,即這裏的this指向全局變量window,那麼this.x實際上就是window.x;
3)this.x=2即window.x=2.it

  • 例5.用call 和apply進行調用的例子:io

function Point(x, y){ 
    this.x = x; 
    this.y = y; 
    this.moveTo = function(x, y){ 
        this.x = x; 
        this.y = y; 
    }; 
} 
var p1 = new Point(0, 0); 
var p2 = {x: 0, y: 0}; 
p1.moveTo.apply(p2, [10, 10]);//apply實際上爲p2.moveTo(10,10)
p2.x//10

說明:apply 和 call 這兩個方法容許切換函數執行的上下文環境(context),即 this 綁定的對象。p1.moveTo.apply(p2,[10,10])其實是p2.moveTo(10,10)。那麼p2.moveTo(10,10)可解釋爲:1)p2.moveTo(10,10)函數調用是用new進行調用的麼?這個明顯不是,進入「否」分支,即函數是否用dot(.)進行調用?;2)p2.moveTo(10,10)函數是用dot(.)進行調用的,即進入「是」分支,即這裏的this指向p2.moveTo(10,10)中.以前的對象p2,因此p2.x=10;

相關文章
相關標籤/搜索