<!--your preparation HTML code goes here-->
/*your preparation JavaScript code goes here
To execute async code during the script preparation, wrap it as function globalMeasureThatScriptPrepareFunction, example:*/
async function globalMeasureThatScriptPrepareFunction() {
// This function is optional, feel free to remove it.
// await someThing();
}
/*
findOutlier([1,3,5,7,9,11,13,15,2]);
findOutlier2([1,3,5,7,9,11,13,15,2]);
*/
function findOutlier(integers){
odd = [];
even = [];
outlier = -1;
for (let x = 0; x < integers.length; x++) {
let num = integers[x];
if(num % 2 === 0 || num === 0) {
odd.push(num);
} else {
even.push(num);
}
if(integers.length - 1 === x) {
outlier = Number((odd.length === 1) ? odd : even);
}
}
return outlier;
}
function findOutlier2(int){
var even = int.filter(a=>a%2==0);
var odd = int.filter(a=>a%2!==0);
return even.length==1? even[0] : odd[0];
}
findOutlier2([2, 4, 0, 100, 4, 11, 2602, 36])
findOutlier([2, 4, 0, 100, 4, 11, 2602, 36])
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Test1 | |
Test2 |
Test name | Executions per second |
---|---|
Test1 | 20590990.0 Ops/sec |
Test2 | 5608173.0 Ops/sec |
The benchmark titled "Find the Outlier Number" performs performance comparisons between two different implementations of a function designed to identify an outlier in a collection of numbers - specifically, the number that differs from the majority of others in terms of being odd or even.
findOutlier(integers) Function
for
loop. It keeps track of both categories and determines the outlier by checking which category contains a single element at the end of the iteration. findOutlier2(int) Function
filter
method to create two filtered arrays (one for even numbers and one for odd) and then immediately returns the single element from the category that contains only one number.findOutlier2
: 5,608,173 calls per second.findOutlier
: 20,590,990 calls per second.findOutlier
outperforms findOutlier2
in this specific case by a large margin, indicating a far better performance in handling the same input size when measured.In conclusion, the benchmark showcases a basic exercise that not only tests the efficiency of two different approaches to solving the same problem but also illustrates the trade-offs between readability, maintainability, and performance within JavaScript programming. Both implementations have their place, contingent upon context and specific use cases, but the results provide a strong argument for the performance advantages of the first method in this instance.