在javascript中apply、call、bind都是为了改变某个函数运行时的上下文而存在的,简单的说,就是为了改变函数体内部this的指向。
一、apply()和call()
call()和apply()是Function对象的方法,每个函数都能调用。
语法:
//apply
fun.apply(context, [arg1, arg2, ...])
//call
fun.call(context, arg1, arg2, ...)
第一个参数就是指定的执行上下文,后面部分用来传递参数,也就是传给调用call和apply方法的函数的参数。
注:apply()方法接收的是包含所有参数的数组,而call()方法接收的是参数列表。
说白了,就是调用函数,但是让它在你指定的上下文下执行,这样,函数可以访问的作用域就会改变。
二、bind()
bind()是es5中的方法,用来实现上下文绑定。bind()和call()与apply()传参类似,不同的是,bind是新创建一个函数,然后把它的上下文绑定到bind()括号中的参数上,然后将它返回。
bind()不会执行对应的函数,而是返回新创建的函数,便于稍后调用;call()和apply()会自动执行对应的函数。
语法:
fun.bind(context, arg1, arg2, ...)
栗子:
var person = {
name:'tom',
age:18,
say:function(sex){
console.log('My name is ' + this.name + ' age is ' + this.age + ' and sex is ' + sex)
}
}
var person1 = {
name:'Nicholas',
age:20
}
person.say('女');
person.say.call(person1, '女');
person.say.apply(person1, ['女']);
person.say.bind(person1, '女');
结果:
上面代码用三种方法改变了person.say()的this指向,使其指向了person1。
可以看到使用bind()方法不会执行对应的函数,而是返回一个新创建的函数,让该函数的this指向括号内的第一个参数。
为了看到效果,我们可以使用
person.say.bind(person, '女')(); //执行返回的函数
//输出My name is Nicholas age is 20 and sex is 女
三、js实现bind()方法
在不支持bind()方法的浏览器中,我们要使用这个方法,就只能自定义一个bind()方法,实现一样的功能。
if (!Function.prototype.bind) {
Function.prototype.bind = function(context) {
var self = this; //设置变量接收当前this
var args = Array.from(arguments); //将伪数组转换成数组
return function() {
return self.apply(context, args.slice(1));
}
};
}
如果不存在bind()方法,就在函数对象的原型上自定义函数bind()。这样每个函数就可以使用这个bind()方法了。
此处的bind返回一个函数,该函数把传给bind的第一个参数context当做执行上下文。排除第一项,将之后的部分作为第二部分参数传给apply。即实现了bind()方法。
arguments是一个伪数组,里面存储传给bind的参数,通过将伪数组转换成数组,既可以使用数组的方法。
四、js实现apply()方法
Function.prototype.myApply =function(context,arr){
context = Object(context) || window;
context.fn = this;
var result;
if(!arr){
result= context.fn();
}else{
var args = [];
for(var i=0;i<arr.length;i++){
args.push('arr['+i+']');
}
result = eval('context.fn('+args.toString()+')')
}
delete context.fn;
return result;
};
var q = {name:'chuchu'};
var arg1 = 1;
var arg2= [123];
function eat(n,m){
console.log(this,n,m);
}
eat.myApply(q,[arg1,arg2])
四、js实现call()方法
Function.prototype.myCall = function(){
var arr = Array.from(arguments);
var context = arr[0];
var args = arr.slice(1);
return this.apply(context, args);
};
var q = {name:'chuchu'};
var arg1 = 1;
var arg2= [123];
function eat(n,m){
console.log(this,n,m);
}
eat.myApply(q,arg1,arg2);