相信很多人在撸代码的时候,涉及到this总会出现一些问题,无法得到我们想要的值。大多数时候是我们没有弄清楚this的指向到底是什么,所以在某些情况下,this得到的不是我们想要的值。最近学习了一下函数中this指向的问题,在此分享出来也方便自己日后巩固学习。
谁调用就指向谁
一般情况下,谁调用,就指向谁,没有任何对象调用时,默认指向window对象
举个栗子
function fn(){
console.log('hello world');
console.log(this);
}
fn()
输出
data:image/s3,"s3://crabby-images/c186d/c186d091d6d9d2f6e200c3d48b029abf34a6c5e7" alt=""
函数fn相当于挂在window上,调用fn()等同于调用window.fn(),可以看作fn()是被window调用,因此this指向window
扩展:self在函数中同样返回window,self是window的另一种写法
举个栗子
function fn(){
console.log(this);
}
fn()
console.log(self);
输出
data:image/s3,"s3://crabby-images/46c20/46c206614cbd6b10e017691ca599de1a31a24b76" alt=""
在这4种情况下
1. 全局作用域或者普通函数中this指向全局对象window(注意:定时器里面的this指向window)
举个栗子
console.log(this);
function fn(){
console.log(this);
}
fn();
setTimeout(function(){
console.log(this);
},1000)
输出
data:image/s3,"s3://crabby-images/a0292/a0292c663388b242d995a25ec800a6c854f51bd6" alt=""
2. 对象的方法调用中,谁调用,this指向谁
举个栗子
var obj = {
say:function(){
console.log(this);
}
}
obj.say()
输出
data:image/s3,"s3://crabby-images/24249/24249b40c487febffec0e00f822416f16974f538" alt=""
3. 事件处理程序中this:指向被操作的元素对象,也有可能指向window
举个栗子
<button>按钮</button>
<script>
var btn = document.querySelector('button')
btn.onclick = function(){
console.log(this);
fn()
}
function fn(){
console.log(this);
}
</script>
输出
data:image/s3,"s3://crabby-images/5ce54/5ce54ac6b7d3acd2d87ecd8322046c7a4fc77fb6" alt=""
4.构造函数中this指向构造函数的实例
举个栗子
function Person(name, age) {
this.name = name;
this.age = age;
this.show = function () {
console.log(this);
}
}
// 利用构造函数Person创建了两个实例化对象
var p1 = new Person('cc', 12)
var p2 = new Person('ddd', 14)
p1.show()
p2.show()
输出
data:image/s3,"s3://crabby-images/acf14/acf1455e7771484381be316f918eba48ed083a14" alt=""
小结
- 全局作用域下指向window,定时器指向window
- 对象中,谁调用就指向谁
- 事件处理程序中,指向事件处理程序绑定的元素
改变this指向方法(函数的标准调用)
call()
- 语法:fn.call(this指向,函数参数)
- 第一个参数是this指向,第二个参数是传参
- 立即执行
javascript
function fn(obj){
console.log(this);
console.log(obj);
}
fn.call(this,'aaa')
data:image/s3,"s3://crabby-images/96800/96800beafb320feb0bcc6f298b674619262d18ac" alt=""
apply()
- 语法:fn.apply(this指向,[函数参数])
- 第一个参数是this指向,第二个参数必须 是数组
- 立即执行
arduino
function fn(obj){
console.log(this);
console.log(obj);
}
fn.apply(this,['aaa'])
data:image/s3,"s3://crabby-images/7f831/7f8318a189e277225923d8e0d6928458f1433411" alt=""
bind()
- 语法:fn.bind(this指向,函数参数)(函数参数)
- 第一个参数是this指向,第二个参数开始都是函数的参数
- 不是立即调用,需要再加()调用
- bind()可以在方法后面直接调用
javascript
function fn(obj){
console.log(this);
console.log(obj);
}
fn.bind(this,'aaa')()
扩展:
- 接收多个实参可以用伪数组arguments
- 在es6语法中,接收实参可以用...FnName,同时...可以将数组里的值分隔开来
好啦,今天的知识就分享到这里啦。欢迎大家在评论里指点讨论
学到知识了就点个赞叭
data:image/s3,"s3://crabby-images/dcc4c/dcc4cd33bea4e8c1d917e0ecb71adbe3f35e705a" alt=""