thanks to wonderful responses to this question I understand how to call javascript functions with varargs.
now I\'m looking to use apply with a constructor
A better solution is to create a temporary constructor function, apply the prototype of the class that you want (to ensure prototype chains are preserved) and then apply the constructor manually. This prevents calling the constructor twice unnecessarily...
applySecond = function(){
function tempCtor() {};
return function(ctor, args){
tempCtor.prototype = ctor.prototype;
var instance = new tempCtor();
ctor.apply(instance,args);
return instance;
}
}();
I tested the performance and found that this method is, in fact, a bit slower in the very simple case. However, it only takes the construction of a single Date() object in the constructor for this to be more efficient. Also, don't forget that some constructors may throw exceptions if there are no parameters passed, so this is also more correct.
My validation code:
var ExpensiveClass = function(arg0,arg1){
this.arg0 = arg0;
this.arg1 = arg1;
this.dat = new Date();
}
var CheapClass = function(arg0,arg1){
this.arg0 = arg0;
this.arg1 = arg1;
}
applyFirst = function(ctor, args){
var instance = new ctor();
ctor.apply(instance, args);
return instance;
}
applySecond = function(){
function tempCtor() {};
return function(ctor, args){
tempCtor.prototype = ctor.prototype;
var instance = new tempCtor();
ctor.apply(instance,args);
return instance;
}
}();
console.time('first Expensive');
for(var i = 0; i < 10000; i++){
test = applyFirst(ExpensiveClass ,['arg0','arg1']);
}
console.timeEnd('first Expensive');
console.time('second Expensive');
for(var i = 0; i < 10000; i++){
test = applySecond(ExpensiveClass ,['arg0','arg1']);
}
console.timeEnd('second Expensive');
console.time('first Cheap');
for(var i = 0; i < 10000; i++){
test = applyFirst(CheapClass,['arg0','arg1']);
}
console.timeEnd('first Cheap');
console.time('second Cheap');
for(var i = 0; i < 10000; i++){
test = applySecond(CheapClass,['arg0','arg1']);
}
console.timeEnd('second Cheap');
The results:
first Expensive: 76ms
second Expensive: 66ms
first Cheap: 52ms
second Cheap: 52ms