1.this的指向有这四种情况
- 在普通函数中,this指向全局window
- 在构造函数中,this指向创造出来的实例
- 在对象方法里调用,this指向调用者
- 在函数中,严格模式下,this是undefined
普通函数中
function con() {
console.log(this)
}
con()
构造函数中
function Fantsy() {
this.name = '范特西',
this.fanName = function() {
console.log(this)
}
}
var a = new Fantsy()
a.fanName()
对象方法
var obj = {
name: '范特西',
fullName: function () {
console.log(this.name)
}
}
obj.fullName()
函数严格模式下
<script type="text/javascript">
'use strict'
function fan() {
console.log(this)
}
fan()
</script>
2.改变this的指向
- apply() apply(thisScope, [arg1, arg2, arg3…]) 只接收两个参数。
- call() call(thisScope, arg1, arg2, arg3…) 接收多个参数。
- bind() bind(thisScope, arg1, arg2, arg3…) 接收多个参数,返回一个函数。在这个新函数中,this将永久地被绑定到了bind的第一个参数,无论这个函数是如何被调用的。
第一个参数‘this’使用对象,后续参数作为参数传递给函数使用。
function add (b, c) {
return this.a + b + c
}
var o = {a: 1};
console.log(add.apply(o, [4, 5]))
console.log(add.call(o, 4, 7))
function add (b, c) {
return this.a + b + c
}
var g = add.bind({a: 1}, 1, 2)
console.log(g())
var c = g.bind({a: 10}, 1, 11)
console.log(c())