Javascript:在function.prototype.bind()中解压缩参数?

时间:2016-02-06 02:32:38

标签: javascript parameter-passing argument-unpacking

The closest I've seen is this, but it doesn't really help me since I need to bind some parameters for later use with setInterval

更具体地说:

[in] var d = function(l, m) {
       console.log(l);
       console.log(m);
     }
[in] d.apply(window, [1,2])
[out] 1
[out] 2
[out-return-value] undefined
[in] d.bind(window, [1,2])()
[out] [1, 2]
[out] undefined
[out-return-value] undefined

可以看出,数组使用.apply()解压缩,但不使用.bind()解压缩。有没有办法用.bind()解压缩参数?

2 个答案:

答案 0 :(得分:2)

试试这个。

Function.prototype.bindArray(ctx, array) {
  if (array && array.length && array.pop && array.length > 0) {
    var v = array.pop();
    return this.bindArray(ctx, array).bind(ctx, v);
  }
  else return this;
};

它会迭代地绑定array中的每个值。

使用它像:

var d = function(l, m) {
  console.log(l);
  console.log(m);
};
var c = d.bindArray(null, [1,2]);
c(); // 1 2

另见@ felix的回答。那甚至很酷。

答案 1 :(得分:2)

.bind只是另一个功能。如果要使用参数数组调用它,请使用.apply调用它:

var bound = d.bind.apply(d, [window, 1, 2]);
// If the `this` value is known, but the arguments is an array, concat:
// var bound = d.bind.apply(d, [window].concat(args))
相关问题