const array1 = [1, 2, 3, 4, 5];
const array2 = [3, 4, 5, 6, 7];
const difference =
array1.filter((element) => !array2.includes(element));
const array1 = [1, 2, 3, 4, 5];
const array2 = [3, 4, 5, 6, 7];
const difference = [];
for (let i = 0; i < array1.length; i++) {
if (array2.indexOf(array1[i]) === -1) {
difference.push(array1[i]);
}
}
const array1 = [1, 2, 3, 4, 5];
const array2 = [3, 4, 5, 6, 7];
const set1 = new Set(array1);
const set2 = new Set(array2);
const difference = [set1].filter(
(element) => !set2.has(element));
const array1 = [1, 2, 3, 4, 5];
const array2 = [3, 4, 5, 6, 7];
const difference = array1.reduce((result, element) => {
if (array2.indexOf(element) === -1) {
result.push(element);
}
return result;
}, []);
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Filter | |
For loop | |
Set | |
Reduce |
Test name | Executions per second |
---|---|
Filter | 5361588.5 Ops/sec |
For loop | 35094612.0 Ops/sec |
Set | 2284013.8 Ops/sec |
Reduce | 14183769.0 Ops/sec |
Let's break down what's being tested in the provided JSON benchmark.
Benchmark Overview
The benchmark measures the performance of different approaches to find the differences between two arrays: filter
, for loop
, set
, and reduce
.
Options Compared
Here are the options being compared, along with their pros and cons:
const difference = array1.filter((element) => !array2.includes(element));
for (let i = 0; i < array1.length; i++) { if (array2.indexOf(array1[i]) === -1) { difference.push(array1[i]); } }
const set1 = new Set(array1); const set2 = new Set(array2); const difference = [...set1].filter((element) => !set2.has(element));
const difference = array1.reduce((result, element) => { if (array2.indexOf(element) === -1) { result.push(element); } return result; }, []);
Library: Set
The Set
library is used in the "Set" option. A set in JavaScript is an unordered collection of unique values. It provides O(1) lookup times for members, making it efficient for large arrays.
Special JS Feature/Syntax: None
There are no special JavaScript features or syntaxes being tested in this benchmark.
Other Considerations
Alternatives
If you're looking for alternatives to this benchmark, you could consider:
Keep in mind that these alternatives would require significant changes to the benchmark and may not provide comparable results.