call()、apply()、bing()详解

  • Post author:
  • Post category:其他


call() apply() bind()都有着改变this指向的功能,先看定义


apply()方法:

Function.apply(obj,args)

obj:这个对象将代替Function类里this对象

args:这个是数组,它将作为参数传给Function(args–>arguments)


call()方法:

Function.call(obj,[param1[,param2[,…[,paramN]]]])

obj:这个对象将代替Function类里this对象

params:这个是一个参数列表

我们有时会遇到以下问题:

let a = {
    user:"追梦子",
    fn:function(){
        console.log(this.user);
    }
}
let b = a.fn;
b(); //undefined

如果我们直接执行a.fn()是可以的。

let a = {
    user:"追梦子",
    fn:function(){
        console.log(this.user);
    }
}
a.fn(); //追梦子

虽然这种方法可以达到我们的目的,但是有时候我们不得不将这个对象保存到另外的一个变量中,那么就可以通过以下方法。


1.call()

let a = {
    user:"追梦子",
    fn:function(){
        console.log(this.user); //追梦子
    }
}
let b = a.fn;
b.call(a);

通过在call方法,给第一个参数添加要把b添加到哪个环境中,简单来说,this就会指向那个对象。

call方法除了第一个参数以外还可以添加多个参数,如下:

let a = {
    user:"追梦子",
    fn:function(numOne,numTwo){
        console.log(this.user); //追梦子
        console.log(numOne+numTwo); //3
    }
}
let b = a.fn;
b.call(a,1,2);


2.apply()


apply方法和call方法有些相似,它也可以改变this的指向:

let a = {
    user:"追梦子",
    fn:function(){
        console.log(this.user); //追梦子
    }
}
let b = a.fn;
b.apply(a);

同样apply也可以有多个参数,但是不同的是,第二个参数必须是一个数组,如下:

let a = {
    user:"追梦子",
    fn:function(numOne,numTwo){
        console.log(this.user); //追梦子
        console.log(numOne+numTwo); //3
    }
}
let b = a.fn;
b.apply(a,[1,2]);


如果call和apply的第一个参数写的是null,那么this指向的是window对象


3.bind()

let a = {
    user:"追梦子",
    fn:function(){
        console.log(this.user);
    }
}
let b = a.fn;
b.bind(a);
b();

不同于apply与call,bind在绑定后不会立即执行,需要再次调用一下。同样bind也可以有多个参数,并且参数可以执行的时候再次添加,但是要注意的是,参数是按照形参的顺序进行的。

let a = {
    user:"追梦子",
    fn:function(e,d,f){
        console.log(this.user); //追梦子
        console.log(e,d,f); //10 1 2
    }
}
let b = a.fn;
let c = b.bind(a,10);
c(1,2);



版权声明:本文为weixin_43074337原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。