在 JavaScript 中 this 不是固定不变的,它会随着执行环境的改变而改变
- 在方法中,this 表示该方法所属的对象。
- 如果单独使用,this 表示全局对象。
- 在函数中,this 表示全局对象。
- 在函数中,在严格模式下,this 是未定义的(undefined).
- 在事件中,this 表示接收事件的元素.
- 类似 call() 和apply() 方法可以将 this 引用到任何对象。
1、对象调用
在对象方法中, this 指向调用它所在方法的对象。
前边谁调用,this就指向谁
// 创建一个对象
var person = {
firstName: "John",
lastName : "Doe",
id : 5566,
fullName : function() {
console.log( this.firstName + " " + this.lastName);
}
};
person.fullName();
this 表示 person 对象。
fullName 方法所属的对象就是 person。
2、单独使用 this
单独使用 this,则它指向全局(Global)对象。在浏览器中,window 就是该全局对象为 [object Window]:
var x = this;
console.log(x);
严格模式下,如果单独使用,this 也是指向全局(Global)对象。
3、直接调用的函数中
this 表示全局对象。
function myFunction() {
console.log(this);
}
myFunction();
严格模式下函数是没有绑定到 this 上,这时候 this 是 undefined。
"use strict";
function myFunction() {
console.log(this);
}
myFunction();
4、事件中的 this
在 HTML 事件句柄中,this 指向了接收事件的 HTML 元素:
<button onclick="this.style.display='none'">
点我后我就消失了
</button>
5、对象方法中绑定
var person = {
firstName : "John",
lastName : "Doe",
id : 5566,
myFunction : function() {
console.log(this);
}
};
// 创建一个对象
var person = {
firstName: "John",
lastName : "Doe",
id : 5566,
fullName : function() {
console.log( this.firstName + " " + this.lastName);
}
};
person.fullName();
6、显式函数绑定
在 JavaScript 中函数也是对象,对象则有方法,apply
和 call
就是函数对象的方法。这两个方法异常强大,他们允许切换函数执行的上下文环境(context),即 this 绑定的对象。
var person1 = {
fullName: function() {
return this.firstName + " " + this.lastName;
}
}
var person2 = {
firstName:"John",
lastName: "Doe",
}
person1.fullName.call(person2); // 返回 "John Doe"
使用 person2 作为参数来调用 person1.fullName 方法时, this 将指向 person2, 即便它是 person1 的方法
7、通过new的方式
通过new的方式,this永远指向新创建的对象
function Person(name,age)
{
this.name=name;
this.age=age;
cosnole.log(this);
}
var jack=new Person("jack",22)//this=>jack
8、箭头函数
箭头函数没有单独的this值,箭头函数的this与声明所在的上下文相同,继承上下文
const obj = {
a:()=>{
console.log(this);
}
}
// 对象调用箭头函数
obj.a(); // window
9、如何改变 this?
我们可以通过调用函数的 call、apply、bind 来改变 this 的指向。
var obj = {
name:'Jack',
age:'22'
}
function print(){
console.log(this); // 打印 this 的指向
console.log(arguments); // 打印传递的参数
}
// 通过 call 改变 this 指向
print.call(obj,1,2,3);
// 通过 apply 改变 this 指向
print.apply(obj,[1,2,3]);
// 通过 bind 改变 this 的指向
let fn = print.bind(obj,1,2,3);
fn();
这三者的共同点和不同点。
共同点:
- 功能角度:三者都能改变 this 指向,且第一个传递的参数都是 this 指向的对象。
- 传参角度:三者都采用的后续传参的形式。
不同点:
- 传参方面: call 的传参是单个传递的(试了下数组,也是可以的),而 apply 后续传递的参 数是数组形式(传单个值会报错),而bind 没有规定,传递值和数组都可以。
- 执行方面: call 和 apply 函数的执行是直接执行的,而 bind 函数会返回一个函数,然后我们想要调用的时候才会执行。
如果我们使用上边的方法改变箭头函数的 this 指针,会发生什么情况呢?能否进行
改变呢?
由于箭头函数没有自己的 this 指针,通过 call() 或 apply() 方法调用一个函数时,只能传递参数(不能绑定 this ),他们的第一个参数会被忽略。