Javascript call() & apply() vs bind()?

2022-08-29 22:13:36

我已经知道了,并且是类似的函数,它设置了(函数的上下文)。applycallthis

区别在于我们发送参数的方式(手动与数组)

问题:

但是我什么时候应该使用这种方法?bind()

var obj = {
  x: 81,
  getX: function() {
    return this.x;
  }
};

alert(obj.getX.bind(obj)());
alert(obj.getX.call(obj));
alert(obj.getX.apply(obj));

吉斯宾


答案 1

当您希望稍后使用特定上下文调用该函数时,请使用,这在事件中很有用。当您想要立即调用函数并修改上下文时,请使用 或 。.bind().call().apply()

调用/apply 会立即调用该函数,而返回一个函数,该函数在以后执行时将设置用于调用原始函数的正确上下文。这样,您就可以在异步回调和事件中维护上下文。bind

我经常这样做:

function MyObject(element) {
    this.elm = element;

    element.addEventListener('click', this.onClick.bind(this), false);
};

MyObject.prototype.onClick = function(e) {
     var t=this;  //do something with [t]...
    //without bind the context of this function wouldn't be a MyObject
    //instance as you would normally expect.
};

我在 Node.js 中广泛使用它,用于要为其传递成员方法的异步回调,但仍希望上下文成为启动异步操作的实例。

一个简单、朴素的 bind 实现是这样的:

Function.prototype.bind = function(ctx) {
    var fn = this;
    return function() {
        fn.apply(ctx, arguments);
    };
};

还有更多内容(如传递其他参数),但您可以阅读更多有关它的信息,并查看MDN上的实际实现。


答案 2

它们都将其附加到函数(或对象)中,区别在于函数调用(见下文)。

call 将此附加到函数中并立即执行该函数:

var person = {  
  name: "James Smith",
  hello: function(thing) {
    console.log(this.name + " says hello " + thing);
  }
}

person.hello("world");  // output: "James Smith says hello world"
person.hello.call({ name: "Jim Smith" }, "world"); // output: "Jim Smith says hello world"

bind 将其附加到函数中,需要像这样单独调用它:

var person = {  
  name: "James Smith",
  hello: function(thing) {
    console.log(this.name + " says hello " + thing);
  }
}

person.hello("world");  // output: "James Smith says hello world"
var helloFunc = person.hello.bind({ name: "Jim Smith" });
helloFunc("world");  // output: Jim Smith says hello world"

或者像这样:

...    
var helloFunc = person.hello.bind({ name: "Jim Smith" }, "world");
helloFunc();  // output: Jim Smith says hello world"

applycall 类似,只是它采用类似数组的对象,而不是一次列出一个参数:

function personContainer() {
  var person = {  
     name: "James Smith",
     hello: function() {
       console.log(this.name + " says hello " + arguments[1]);
     }
  }
  person.hello.apply(person, arguments);
}
personContainer("world", "mars"); // output: "James Smith says hello mars", note: arguments[0] = "world" , arguments[1] = "mars"