<script src='https://cdnjs.cloudflare.com/ajax/libs/lodash.js/4.17.21/lodash.min.js'></script>
var arr = [];
for (i = 0; i < 1000; i++) {
arr[i] = i;
}
var [met, rest] = _.partition(arr, function(i) { return i % 2 === 0 });
var [met, rest] = arr.reduce(function([p1, p2], i) { return i % 2 === 0 ? [[p1, i], p2] : [p1, [p2, i]] }, [[], []])
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Lodash | |
Native reduce |
Test name | Executions per second |
---|---|
Lodash | 418258.8 Ops/sec |
Native reduce | 7542.4 Ops/sec |
The provided benchmark tests the performance of two different approaches to partitioning an array of integers: using the Lodash library's partition
method and using the native JavaScript reduce
method. The array being tested consists of 1000 integers from 0 to 999.
Lodash Partition
var [met, rest] = _.partition(arr, function(i) { return i % 2 === 0 });
Native Reduce
var [met, rest] = arr.reduce(function([p1, p2], i) { return i % 2 === 0 ? [[...p1, i], p2] : [p1, [...p2, i]] }, [[], []]);
Pros:
Cons:
Pros:
Cons:
[p1, p2]
) and the ternary operator may lead to decreased clarity.[...p1, i]
and [...p2, i]
), which is less efficient than modifying existing arrays directly.partition
method is used to split an array into two groups based on a predicate function.When choosing between these approaches, developers should consider:
Other alternatives for partitioning an array in JavaScript could include:
filter
in conjunction with map
could achieve similar results, although they would require additional operations.Overall, the choice of approach can depend significantly on the specific use case, performance requirements, and preferences for code maintainability.