使用ECMAscript5可以使
Function.prototype.bind事情变得非常干净:
function newCall(Cls) { return new (Function.prototype.bind.apply(Cls, arguments)); // or even // return new (Cls.bind.apply(Cls, arguments)); // if you know that Cls.bind has not been overwritten}可以如下使用:
var s = newCall(Something, a, b, c);
甚至直接:
var s = new (Function.prototype.bind.call(Something, null, a, b, c));var s = new (Function.prototype.bind.apply(Something, [null, a, b, c]));
即使基于特殊的构造函数,此方法和基于eval的解决方案仍然是唯一可以正常工作的解决方案
Date:
var date = newCall(Date, 2012, 1);console.log(date instanceof Date); // true
编辑
一点解释:我们需要
new在一个带有有限数量参数的函数上运行。该
bind方法允许我们这样做:
var f = Cls.bind(anything, arg1, arg2, ...);result = new f();
该
anything参数无关紧要,因为
new关键字reset
f的上下文。但是,出于语法原因,它是必需的。现在,进行
bind调用:我们需要传递可变数量的参数,所以就可以了:
var f = Cls.bind.apply(Cls, [anything, arg1, arg2, ...]);result = new f();
让我们将其包装在一个函数中。
Cls被作为arugment 0传递,它将成为我们的
anything。
function newCall(Cls ) { var f = Cls.bind.apply(Cls, arguments); return new f();}实际上,
f根本不需要临时变量:
function newCall(Cls ) { return new (Cls.bind.apply(Cls, arguments))();}最后,我们应该确保这
bind确实是我们所需要的。(
Cls.bind可能已被覆盖)。因此,将其替换为
Function.prototype.bind,我们得到的最终结果如上所述。



