function getArray(length) {
const result = [];
for (let i = 0; i < length; i++) {
result.push(i + 'abc'); // In case the browser does some sort of optimization for arrays with only integers ¯\_(ツ)_/¯
}
return result;
}
function getRandomTargetElement(arrayLength) {
const index = Math.floor(Math.random() * arrayLength);
return index + 'abc';
}
array_small = getArray(20);
set_small = new Set(array_small);
array_small.includes(getRandomTargetElement(20));
set_small.has(getRandomTargetElement(20))
const set = new Set(array_small);
for (let i = 0; i < 1000; i++) {
const target = getRandomTargetElement(20);
set.has(target)
}
for (let i = 0; i < 1000; i++) {
const target = getRandomTargetElement(20);
array_small.includes(target)
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Array.includes, 20 elements | |
Set.has, 20 elements | |
Array to Set + Set.has x 1000, 20 elements | |
Array.includes x 1000, 20 elements |
Test name | Executions per second |
---|---|
Array.includes, 20 elements | 18464856.0 Ops/sec |
Set.has, 20 elements | 35651828.0 Ops/sec |
Array to Set + Set.has x 1000, 20 elements | 41121.6 Ops/sec |
Array.includes x 1000, 20 elements | 20633.7 Ops/sec |
The benchmark described in the provided JSON is focused on comparing the performance of the JavaScript methods Array.includes()
and Set.has()
when used with small arrays containing 20 elements.
Array.includes()
array_small.includes(getRandomTargetElement(20));
Set.has()
set_small.has(getRandomTargetElement(20));
Array.includes()
, but here the check is on a Set, which is a collection of unique values.Array to Set Conversion with Set.has()
const set = new Set(array_small);
for (let i = 0; i < 1000; i++) {
const target = getRandomTargetElement(20);
set.has(target)
}
Array.includes() in a Loop
for (let i = 0; i < 1000; i++) {
const target = getRandomTargetElement(20);
array_small.includes(target);
}
Array.includes()
method when used repetitively to check 1000 random elements.Array.includes()
Set.has()
Array to Set + Set.has()
Array.includes x 1000
Array.includes()
and Set.has()
depends on the use case—if you anticipate frequent membership checks, converting to a Set can provide significant performance benefits despite the initial overhead.let obj = {};
array_small.forEach(item => obj[item] = true);
obj[target]; // returns true or false based on membership.
Array.filter()
or Array.find()
can be alternatives, though these methods also have linear time complexity.In conclusion, the benchmark evaluates the trade-offs between using Array.includes
and Set.has
, emphasizing the importance of selecting the right data structure based on the performance requirements and expected usage patterns.