Cost Of Calling A Function Or Not In Javascript
Solution 1:
It Just Doesn't Matter (although the first method avoids some work so it should faster, but by an amount which is probably less than statistical noise).
What really matters is which method best represents the logic. Rule of thumb is that every statement in a function should be on about the same level of abstraction. Is the conditional expression more or less abstract than the function call?
Solution 2:
It would be faster to do it outside because making a function call every time will be slightly slower than checking first and then calling the function.
But why bother? No one is going to notice a function call vs what the function call is actually doing. Inefficient DOM selectors that make your code have to hunt and peck through a huge tree structure for a few needles in the haystack are a far greater threat to performance.
Solution 3:
It's negligible; the differences in performance are miniscule, and browsers seem to handle this differently:
Edit: There is indeed a difference in performance: most browsers execute Method 1 slightly quicker.
//Method 1:var t1 = Date.now();
myVariable = true;
for(var i = 0; i < 20000000; i++) {
functiondoSomething ()
{
Math.sin(Math.cos(0));
}
if (myVariable) {
doSomething()
}
myVariable = !myVariable;
}
console.log(Date.now() - t1);
//Method 2:var t1 = Date.now();
myVariable = true;
for(var i = 0; i < 20000000; i++) {
functiondoSomething()
{
if (myVariable) {
Math.sin(Math.cos(0));
}
}
doSomething();
myVariable = !myVariable;
}
console.log(Date.now() - t1);
//Results://Safari: About the same, former was slightly quicker//Firefox: Former was quicker//Chrome: About the same, latter was somewhat quicker//Opera: Executed the former quicker
Solution 4:
I find that the second method makes for more maintainable and readable code. This incurs very little overhead.
Post a Comment for "Cost Of Calling A Function Or Not In Javascript"