this 是 JavaScript 中最容易讓人困惑的概念之一。它的指向取決于函數的調用方式而非定義位置,且在不同場景下表現不同。
?
一、this 的本質
this 是一個動態綁定的執行上下文對象,指向當前函數運行時的“所有者”。它的值在函數被調用時確定,而非定義時。理解 this 的關鍵在于分析函數是如何被調用的。
二、綁定規則
1. 默認綁定(獨立函數調用)
當函數作為獨立函數調用時(非方法、構造函數等),非嚴格模式下 this 指向全局對象(瀏覽器中為 window),嚴格模式下為 undefined。
function showThis() {
console.log(this);
}
showThis();
2. 隱式綁定(方法調用)
當函數作為對象方法調用時,this 指向調用該方法的對象。
const obj = {
name: 'Object',
logThis() {
console.log(this.name);
}
};
obj.logThis();
?? 隱式丟失陷阱:方法被賦值給變量后調用會導致 this 丟失。const temp = obj.logThis;
temp();
3. 顯式綁定(call/apply/bind)
通過 call()
, apply()
或 bind()
強制指定 this 值。
function greet() {
console.log(`Hello, ${this.name}`);
}
const user = { name: 'Alice' };
greet.call(user);
const boundGreet = greet.bind(user);
boundGreet();
4. new 綁定(構造函數)
使用 new 調用構造函數時,this 指向新創建的實例對象。
function Person(name) {
this.name = name;
}
const bob = new Person('Bob');
console.log(bob.name);
5. 箭頭函數
箭頭函數沒有自己的 this,繼承外層作用域的 this 值,且無法通過 call/apply 修改。
const obj = {
traditional: function() {
console.log(this);
},
arrow: () => {
console.log(this);
}
};
obj.traditional();
obj.arrow();
三、優先級規則
當多個規則同時適用時,按以下優先級決定 this 指向:
new 綁定 > 顯式綁定 > 隱式綁定 > 默認綁定
四、this的3個特殊使用場景
1. 回調函數中的 this
常見于定時器、事件監聽等場景,需要特別注意 this 指向:
const button = document.querySelector('button');
button.addEventListener('click', function() {
console.log(this);
});
button.addEventListener('click', () => {
console.log(this);
});
2. 嵌套函數中的 this
內部函數不會繼承外部函數的 this(除非使用箭頭函數)
const obj = {
name: 'Obj',
outer() {
function inner() {
console.log(this);
}
inner();
}
};
3. 類中的 this
類方法中的 this 指向實例對象,但需注意方法作為回調時的綁定問題:
class Counter {
constructor() {
this.count = 0;
this.increment = this.increment.bind(this);
}
increment() {
this.count++;
}
}
五.this的4個實用小技巧
1.明確綁定:在需要固定 this 指向時,優先使用箭頭函數或 bind
2.避免混用:同一函數中不要同時使用普通函數和箭頭函數定義方法
3.嚴格模式:使用 'use strict'
避免意外指向全局對象
4.調試技巧:在復雜場景中使用 console.log(this)
快速定位當前值
六、總結
| | |
---|
| | func() |
| | obj.method() |
| | new Constructor() |
| | func.call(ctx) |
| | () => {...} |
理解 this 的關鍵在于分析函數的調用位置和調用方式。通過掌握綁定規則和優先級,可以準確預測代碼行為,避免常見陷阱。
閱讀原文:原文鏈接
該文章在 2025/3/27 13:25:03 編輯過