this到底指向谁
# this到底指向谁
- 在函数体中,非显式或隐式的简单调用函数时,在严格模式下(
'use strict'
),函数的 this会被绑定到undefined
上,在非严格模式下会被绑定到全局对象window
/global
上 - 一般使用
new
方法调用构造函数时,构造函数内的this
会被绑定到新创建的对象上 - 一般通过
call
/apply
/bind
方法显式调用函数时,函数体内的this
会被绑定到指定参数的对象上 - 一般通过上下文对象调用函数时,函数体内的
this
会被绑定到改对象上 - 在箭头函数中,
this
的指向是由外层(函数或全局)作用域来决定的,箭头函数的绑定无法被修改
# 全局环境中的this
function f1 () {
console.log(this)
}
function f2 () {
'use strict'
console.log(this)
}
f1() // window
f2() // undefined
1
2
3
4
5
6
7
8
9
10
2
3
4
5
6
7
8
9
10
在严格模式下指向undefined
,在非严格模式指向window
var foo = {
bar: 10,
fn: function() {
console.log(this)
console.log(this.bar)
}
}
var fn1 = foo.fn
fn1()
1
2
3
4
5
6
7
8
9
2
3
4
5
6
7
8
9
此时fn
函数仍在window
的全局环境中执行,因此,会输出 window
和 undefined
var foo = {
bar: 10,
fn: function() {
console.log(this)
console.log(this.bar)
}
}
foo.fn()
1
2
3
4
5
6
7
8
2
3
4
5
6
7
8
这里this指向最后调用它的对象,也就是 foo
# 上下文对象调用中的this
简单来说就是 this会指向最后调用它的对象
var o1 = {
text: 'o1',
fn: function() {
return this.text
}
}
var o2 = {
text: 'o2',
fn: function() {
return o1.fn()
}
}
var o3 = {
text: 'o3',
fn: function() {
var fn = o1.fn
return fn()
}
}
console.log(o1.fn()) // o1
console.log(o2.fn()) // o1
console.log(o3.fn()) // undefined
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
第一次调用时,o1.fn()
, this指向 o1, o2.fn()
this指向还是 o1, o3.fn()
,this指向window
# 通过bind、call、apply改变 this 指向
call、apply、bind 的区别,用一句话总结就是,它们都是用来改变相关函数 this 的指向,但是 call 和 apply 是直接进行相关函数调用的;bind 不会执行相关函数,而是返回一个新的函数,这个新的函数已经自动绑定了新的 this 指向,开发者可以手动调用它。
const foo = {
name: 'lucas',
logName: function() {
console.log(this.name)
}
}
const bar = {
name: 'mike'
}
console.log(foo.logName.call(bar)) // mike
1
2
3
4
5
6
7
8
9
10
2
3
4
5
6
7
8
9
10
# 构造函数和 this
function Foo() {
this.bar = "mike"
}
const instance = new Foo()
console.log(instance.bar) // mike
1
2
3
4
5
2
3
4
5
# new 操作符到底做了什么:
- 创建一个新的对象
- 将构造函数的this指向这个新的对象
- 为这个对象添加属性、方法等
- 最终返回新的对象
# 如果在构造函数中出现了 return
function Foo() {
this.name = "mike"
const a = {}
return a
}
const instance = new Foo()
console.log(instance.name) // undefined
1
2
3
4
5
6
7
2
3
4
5
6
7
此时 instance 返回的是空对象 a
function Foo() {
this.name = "mike"
return 1
}
const instance = new Foo()
console.log(instance.name) // mike
1
2
3
4
5
6
2
3
4
5
6
如果构造函数中显式的返回了一个值,且返回的是一个对象(返回复杂类型),那么 this 就会指向其返回的对象;如果返回的不是一个对象(返回基本类型),那么 this 仍然指向实例
# 箭头函数中的this
箭头函数中 this 的指向是由起所属函数或全局作用域决定的
const foo = {
fn: function(){
setTimeout(function() {
console.log(this)
})
}
}
console.log(foo.fn()) // window
1
2
3
4
5
6
7
8
2
3
4
5
6
7
8
上面代码中,this出现在 setTimeout 的匿名函数中,因此 this 指向 window 对象
var foo = {
fn: function(){
setTimeout(() => {
console.log(this)
})
}
}
console.log(foo.fn())
1
2
3
4
5
6
7
8
2
3
4
5
6
7
8
通过箭头函数可以将 this 指向到 fn
编辑 (opens new window)
上次更新: 2021/03/23 14:59:38