const array1 = Array.from({length: 100}, () => Math.floor(Math.random() * 140));
const array2 = Array.from({length: 100}, () => Math.floor(Math.random() * 140));
const set1 = new Set(array1);
const set2 = new Set(array2);
set1.difference(set2);
array1.filter((id) => !array2.includes(id));
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Sets | |
Arrays |
Test name | Executions per second |
---|---|
Sets | 344491.9 Ops/sec |
Arrays | 697001.1 Ops/sec |
The benchmark in question compares two different approaches for calculating the difference between two collections of numbers: one using JavaScript's Set
data structure and the other using an array method called filter
combined with includes
.
Set.difference
const set1 = new Set(array1);
const set2 = new Set(array2);
set1.difference(set2);
Array.filter + includes
array1.filter((id) => !array2.includes(id));
Set.difference (Using Set)
Array.filter + includes (Using Arrays)
Array.includes
runs a linear search through array2
for every element in array1
, leading to a potentially quadratic time complexity (O(n*m)), making this approach significantly slower as the sizes of the arrays increase.array1
and array2
. Larger datasets would likely favor the Set method due to its more efficient handling of membership checks.Other alternatives for calculating the difference include:
difference
Method: If using a utility library like Lodash, the _.difference
function can provide a convenient way to compute differences without manually implementing the logic.Overall, the choice between these two approaches should be guided by the specific use case, performance requirements, and the size of the input data. Both methods have their merits, and understanding their trade-offs is crucial for making informed decisions in software development.