var len = 100000;
var arr = Array(len).fill(42);
var deleteIndexes = Array.from(Array(1000), () => (Math.random() * len)|0);
console.log("deleteIndexes", deleteIndexes);
for (const i of deleteIndexes) {
arr.splice(i, 1);
}
for (const i of deleteIndexes) {
delete arr[i];
}
let res = Object.values(arr);
arr.filter((val, idx) => deleteIndexes.includes(idx))
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
splice | |
delete + Object.values | |
filter |
Test name | Executions per second |
---|---|
splice | 1187.0 Ops/sec |
delete + Object.values | 2529.7 Ops/sec |
filter | 41532.3 Ops/sec |
I'll break down the provided benchmark and explain what's being tested, compared options, pros and cons of each approach, library usage, special JS features or syntax, and alternative approaches.
Benchmark Overview
The benchmark tests three different approaches to deleting multiple values from an array in JavaScript:
splice()
delete
operator followed by Object.values()
to create a new arrayArray.prototype.filter()
with the includes()
methodEach test case has a unique name, and their respective benchmark definition scripts are provided.
Options Compared
The three options being compared are:
delete
operator to remove individual elements from the array, and then using Object.values()
to create a new array with the remaining elements.includes()
method to check if an index exists in the deleteIndexes
array before including it in the filtered array.Pros and Cons of Each Approach
Object.values()
and potentially slower delete operations.delete + Object.values()
, but with a simpler syntax.splice()
due to the overhead of calling includes()
for each index.Library Usage
None of the benchmarked scripts use any external libraries.
Special JS Features or Syntax
The benchmark uses two special features:
Script Preparation Code
and Individual test cases
sections.Note that these are not critical features, as they are part of the JavaScript language.
Alternative Approaches
Some alternative approaches to deleting multiple values from an array include:
map()
and slicing: Create a new array with only the desired elements using map()
, and then slice it to remove unnecessary elements.reduce()
and filtering: Use reduce()
to iterate over the original array, applying a filter function to each element.forEach()
and splicing: Use forEach()
to iterate over the original array, modifying it in place using splice()
.set
: If you're using modern JavaScript (ES6+), you can use Set
data structure to remove duplicates from an array.Each of these approaches has its own trade-offs and may be more or less suitable depending on your specific use case.