参考答案:
call
、apply
、bind
作用是改变函数执行时的上下文,简而言之就是改变函数运行时的this
指向
那么什么情况下需要改变this
的指向呢?下面举个例子
1var name="lucy"; 2var obj={ 3 name:"martin", 4 say:function () { 5 console.log(this.name); 6 } 7}; 8obj.say(); //martin,this指向obj对象 9setTimeout(obj.say,0); //lucy,this指向window对象
从上面可以看到,正常情况say
方法输出martin
但是我们把say
放在setTimeout
方法中,在定时器中是作为回调函数来执行的,因此回到主栈执行时是在全局执行上下文的环境中执行的,这时候this
指向window
,所以输出luck
PS: 此处需要注意,如果外层改成
const name="lucy";
,那么setTimeout(obj.say,0);
的输出会是 undefined,因为 var 声明的变量会挂载在 window 上,而 let 和 const 声明的变量不会挂载到 window 上。
我们实际需要的是this
指向obj
对象,这时候就需要该改变this
指向了
1setTimeout(obj.say.bind(obj),0); //martin,this指向obj对象
下面再来看看apply
、call
、bind
的使用
apply
接受两个参数,第一个参数是this
的指向,第二个参数是函数接受的参数,以数组的形式传入
改变this
指向后原函数会立即执行,且此方法只是临时改变this
指向一次
1function fn(...args){ 2 console.log(this,args); 3} 4let obj = { 5 myname:"张三" 6} 7 8fn.apply(obj,[1,2]); // this会变成传入的obj,传入的参数必须是一个数组; 9fn(1,2) // this指向window
当第一个参数为null
、undefined
的时候,默认指向window
(在浏览器中)
1fn.apply(null,[1,2]); // this指向window 2fn.apply(undefined,[1,2]); // this指向window
call
方法的第一个参数也是this
的指向,后面传入的是一个参数列表
跟apply
一样,改变this
指向后原函数会立即执行,且此方法只是临时改变this
指向一次
1function fn(...args){ 2 console.log(this,args); 3} 4let obj = { 5 myname:"张三" 6} 7 8fn.call(obj,1,2); // this会变成传入的obj,传入的参数不是数组; 9fn(1,2) // this指向window
同样的,当第一个参数为null
、undefined
的时候,默认指向window
(在浏览器中)
1fn.call(null,1,2]); // this指向window 2fn.call(undefined,1,2); // this指向window
bind方法和call很相似,第一参数也是this
的指向,后面传入的也是一个参数列表(但是这个参数列表可以分多次传入)
改变this
指向后不会立即执行,而是返回一个永久改变this
指向的函数
1function fn(...args){ 2 console.log(this,args); 3} 4let obj = { 5 myname:"张三" 6} 7 8const bindFn = fn.bind(obj); // this 也会变成传入的obj ,bind不是立即执行需要执行一次 9bindFn(1,2) // this指向obj 10fn(1,2) // this指向window
从上面可以看到,apply
、call
、bind
三者的区别在于:
this
对象指向this
要指向的对象,如果如果没有这个参数或参数为undefined
或null
,则默认指向全局window
apply
是数组,而call
是参数列表,且apply
和call
是一次性传入参数,而bind
可以分为多次传入bind
是返回绑定this之后的函数,apply
、call
则是立即执行实现bind
的步骤,我们可以分解成为三部分:
this
指向1// 方式一:只在bind中传递函数参数 2fn.bind(obj,1,2)() 3 4// 方式二:在bind中传递函数参数,也在返回函数中传递参数 5fn.bind(obj,1)(2)
new
关键字整体实现代码如下:
1Function.prototype.myBind = function (context) { 2 // 判断调用对象是否为函数 3 if (typeof this !== "function") { 4 throw new TypeError("Error"); 5 } 6 7 // 获取参数 8 const args = [...arguments].slice(1), 9 fn = this; 10 11 return function Fn() { 12 13 // 根据调用方式,传入不同绑定值 14 return fn.apply(this instanceof Fn ? new fn(...arguments) : context, args.concat(...arguments)); 15 } 16}
最近更新时间:2024-08-10