let array = [1,2,3,4,5,6,7,8]
const toFilter = [2,4,7]
array = array.filter(item => !toFilter.includes(item));
let array = [1,2,3,4,5,6,7,8]
const toRemove = [2,4,7]
for (const removeable of toRemove) {
const index = array.indexOf(removeable);
if (index > 0) array.splice(index,1);
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Filter | |
Splice |
Test name | Executions per second |
---|---|
Filter | 24557768.0 Ops/sec |
Splice | 13945260.0 Ops/sec |
Let's break down the benchmark and explain what's being tested.
Benchmark Overview
The benchmark compares two approaches to delete elements from an array: using filter()
method and using splice()
method with indexOf()
. The goal is to determine which approach is faster.
Options Being Compared
There are two options being compared:
indexOf()
to find the index of each element to be deleted, then using splice()
to remove the element at that index.Pros and Cons
Here are some pros and cons of each approach:
Library and Special JS Features
In this benchmark, the filter()
method is used as a built-in JavaScript function. There are no external libraries or special JS features being tested.
Other Considerations
Another approach that could be considered for deleting elements from an array is using map()
followed by splice()
, like this:
array = array.map(item => item === toFilter[0] ? undefined : item);
array.splice(0, array.length - (array.filter(x => x !== undefined).length));
However, this approach has the same issue as the filter method: it creates a new array.
Alternatives
Some other approaches that could be considered for deleting elements from an array include:
forEach()
: Similar to the splice method, but with forEach()
, you would need to call thisArg
and keep track of indices separately.reduce()
: Another way to remove elements from an array is by using reduce()
with a callback function that removes elements based on a condition.Array.prototype.forEach()
and indexOf()
in combination: Instead of using splice()
, you could use forEach()
and indexOf()
together to achieve similar results.Keep in mind that these alternatives may have varying performance characteristics, and the benchmark would need to be adjusted accordingly to test them effectively.