在JavaScript中,我想创建一个对象实例(通过new
操作符),但将任意数量的参数传递给构造函数。这可能吗?
我想做的是这样的(但下面的代码不起作用):
function Something(){
// init stuff
}
function createSomething(){
return new Something.apply(null, arguments);
}
var s = createSomething(a,b,c); // 's' is an instance of Something
这个问题的答案
从这里的回答来看,显然没有内置的方法可以用new
操作符调用.apply()
。然而,人们对这个问题提出了许多非常有趣的解决方案。
我的首选解决方案是这个来自马修·克拉姆利(我已经修改了它,以传递arguments
属性):
var createSomething = (function() {
function F(args) {
return Something.apply(this, args);
}
F.prototype = Something.prototype;
return function() {
return new F(arguments);
}
})();