写下这篇文章,为了让自己好好记住 箭头函数的this指向,也和大家分享下我对箭头函数的理解。如果有不对的地方,还望大家指出,谢谢大家了。
箭头函数this:
1. 在定义的时候就确定了。
2. 一旦确定了,就无法更改了
两个例子:
{
let obj = {
count: 1
};
function test() {
// a 是定义在 test 里面的, a 里面的this 就是 test 里面的this , test是普通函数,test的this 是在执行的时候确定的,可能会被绑定, 所以,a 箭头函数的this 要在 test被执行的时候才能去确定。
let a = () => {
console.log(this); // obj a 的this 就是test 里面的this
};
let b = function () {
// 它里面的this 永远都是window, 因为它的 this 就用的它自己的this,要看 b被怎么调用,函数里面 b 是单独被调用的
console.log(this);
};
a();
b();
};
test.call(obj); // test 执行,test 里面的this显示的绑定到了 obj上面,所以a箭头函数的this 指向 obj
}
{
let a = () => {
console.log(this); // window call() 也改变不了,非严格模式下,严格模式下,this为 undefined
let b = () => {
console.log(this); // window b 定义在a里面, a在定义的时候就确定了 this
};
b();
};
a.call({}); // call 也改不了, 定义的时候就确定好了,a定义在全局
}