一直以来对和this有关的东西模糊不清,譬如call、apply等等。此次看到一个和bind有关的笔试题,故记此文以备忘。javascript
bind和call以及apply同样,都是能够改变上下文的this指向的。不一样的是,call和apply同样,直接引用在方法上,而bind绑定this后返回一个方法,但内部核心仍是apply。java
直接看例子:app
1
2
3
4
5
6
7
8
9
10
11
12
|
var
obj = {
a: 1,
b: 2,
getCount:
function
(c, d) {
return
this
.a +
this
.b + c + d;
}
};
window.a = window.b = 0;
console.log(obj.getCount(3, 4));
// 10
var
func = obj.getCount;
console.log(func(3, 4));
// 7
|
为什么会这样?由于func在上下文中的this是window!bind的存在正是为了改变this指向获取想要的值:函数
1
2
3
4
5
6
7
8
9
10
11
|
var
obj = {
a: 1,
b: 2,
getCount:
function
(c, d) {
return
this
.a +
this
.b + c + d;
}
};
window.a = window.b = 0;
var
func = obj.getCount.bind(obj);
console.log(func(3, 4));
// 10
|
bind是function的一个函数扩展方法,bind之后代码从新绑定了func内部的this指向(obj),可是不兼容ie6~8,兼容代码以下:this
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
|
var
obj = {
a: 1,
b: 2,
getCount:
function
(c, d) {
return
this
.a +
this
.b + c + d;
}
};
Function.prototype.bind = Function.prototype.bind ||
function
(context) {
var
that =
this
;
return
function
() {
// console.log(arguments); // console [3,4] if ie<6-8>
return
that.apply(context, arguments);
}
}
window.a = window.b = 0;
var
func = obj.getCount.bind(obj);
console.log(func(3, 4));
// 10
|
其实在我看来bind的核心是返回一个未执行的方法,若是直接使用apply或者call:spa
1
2
|
var
ans = obj.getCount.apply(obj, [3, 4]);
console.log(ans);
// 10
|
没法使用简写的func函数构造,因此用bind传递this指向,再返回一个未执行的方法,实现方式至关巧妙。prototype