一、this指向 點擊打開視頻講解更加詳細 this隨處可見,一般誰調用,this就指向誰。this在不同環境下,不同作用下,表現的也不同。 以下幾種情況,this都是指向window 1、全局作用下,this指向的是window console.log(window); console.log(t ...
一、this指向
this隨處可見,一般誰調用,this就指向誰。this在不同環境下,不同作用下,表現的也不同。
以下幾種情況,this都是指向window
1、全局作用下,this指向的是window
console.log(window);
console.log(this);
console.log(window == this); // true
2、函數獨立調用時,函數內部的this也指向window
function fun() {
console.log('我是函數體');
console.log(this); // Window
}
fun();
3、被嵌套的函數獨立調用時,this預設指向了window
function fun1() {
function fun2() {
console.log('我是嵌套函數');
console.log(this); // Window
}
fun2();
}
fun1();
4、自調執行函數(立即執行)中內部的this也是指向window
(function() {
console.log('立即執行');
console.log(this); // Window
})()
需要額外註意的是:
- 構造函數中的this,用於給類定義成員(屬性和方法)
- 箭頭函數中沒有this指向,如果在箭頭函數中有,則會向上一層函數中查找this,直到window
二、改變this指向
1、call() 方法
call() 方法的第一個參數必須是指定的對象,然後方法的原參數,挨個放在後面。
(1)第一個參數:傳入該函數this執行的對象,傳入什麼強制指向什麼;
(2)第二個參數開始:將原函數的參數往後順延一位
用法: 函數名.call()
function fun() {
console.log(this); // 原來的函數this指向的是 Window
}
fun();
function fun(a, b) {
console.log(this); // this指向了輸入的 字元串call
console.log(a + b);
}
//使用call() 方法改變this指向,此時第一個參數是 字元串call,那麼就會指向字元串call
fun.call('call', 2, 3) // 後面的參數就是原來函數自帶的實參
2、apply() 方法
apply() 方法的第一個參數是指定的對象,方法的原參數,統一放在第二個數組參數中。
(1)第一個參數:傳入該函數this執行的對象,傳入什麼強制指向什麼;
(2)第二個參數開始:將原函數的參數放在一個數組中
用法: 函數名.apply()
function fun() {
console.log(this); // 原來的函數this指向的是 Window
}
fun();
function fun(a, b) {
console.log(this); // this指向了輸入的 字元串apply
console.log(a + b);
}
//使用apply() 方法改變this指向,此時第一個參數是 字元串apply,那麼就會指向字元串apply
fun.apply('apply', [2, 3]) // 原函數的參數要以數組的形式呈現
3、bind() 方法
bind() 方法的用法和call()一樣,直接運行方法,需要註意的是:bind返回新的方法,需要重新
調用
是需要自己手動調用的
用法: 函數名.bind()
function fun() {
console.log(this); // 原來的函數this指向的是 Window
}
fun();
function fun(a, b) {
console.log(this); // this指向了輸入的 字元串bind
console.log(a + b);
}
//使用bind() 方法改變this指向,此時第一個參數是 字元串bind,那麼就會指向字元串bind
let c = fun.bind('bind', 2, 3);
c(); // 返回新的方法,需要重新調用
// 也可以使用下麵兩種方法進行調用
// fun.bind('bind', 2, 3)();
// fun.bind('bind')(2, 3);