var data = { Array.from(Array(10000).keys()) };
const filterWithObject = (val) => {
const result = {}
for (const key in val) {
if (Number(key) % 2 === 0) {
continue;
}
result[key] = val[key];
}
return result;
};
const filterWithMap = (val) => {
const result = new Map();
for (const key in val) {
if (Number(key) % 2 === 0) {
continue;
}
result.set(key, val[key]);
}
return Object.fromEntries(result.entries());
};
Object.keys(data)
.filter(key => Number(key) % 2 === 0)
.reduce((acc, key) => {
acc[key] = data[key];
return acc;
}, {});
Object.keys(data)
.filter(key => Number(key) % 2 === 0)
.reduce((acc, key) => {
acc.set(key, data[key]);
return acc;
}, new Map());
filterWithObject(data)
filterWithMap(data)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Reduce (object) | |
Reduce (Map) | |
for-of (object) | |
for-of (Map) |
Test name | Executions per second |
---|---|
Reduce (object) | 4154.3 Ops/sec |
Reduce (Map) | 2769.7 Ops/sec |
for-of (object) | 4238.5 Ops/sec |
for-of (Map) | 1310.7 Ops/sec |
The benchmark titled "Object filtering by key v2" compares different methods of filtering objects in JavaScript. Each test case evaluates a different approach to remove keys based on whether they are even or odd (with the goal of filtering out odd keys).
Reduce with Object
Object.keys(data)
.filter(key => Number(key) % 2 === 0)
.reduce((acc, key) => {
acc[key] = data[key];
return acc;
}, {});
Reduce with Map
Object.keys(data)
.filter(key => Number(key) % 2 === 0)
.reduce((acc, key) => {
acc.set(key, data[key]);
return acc;
}, new Map());
For-of Loop with Object
filterWithObject(data);
For-of Loop with Map
filterWithMap(data);
Pros:
Cons:
Pros:
Cons:
Object.fromEntries
).Pros:
Cons:
Pros:
Cons:
reduce
) are generally more readable to developers familiar with those patterns but may incur performance penalties with large datasets due to multiple iterations.for
loop for maximum control.In summary, this benchmark aims to illustrate various methods to filter objects in JavaScript, highlighting differences in syntax, performance characteristics, and use cases.