<script src='https://cdnjs.cloudflare.com/ajax/libs/lodash.js/4.17.5/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(res, i) {
if (i % 2 === 0) { res[0].push(i) } else {res[1].push(i) }
return res
}, [[], []])
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Lodash | |
Native reduce |
Test name | Executions per second |
---|---|
Lodash | 400781.9 Ops/sec |
Native reduce | 488159.8 Ops/sec |
The benchmark described by the provided JSON evaluates two different approaches to partitioning an array of numbers into even and odd values: using the Lodash library versus the native JavaScript reduce
method.
Lodash Partition:
var [met, rest] = _.partition(arr, function(i) { return i % 2 === 0 });
_.partition
function, which divides the input array (arr
) into two groups based on the provided predicate (in this case, whether each number is even).Native Reduce:
var [met, rest] = arr.reduce(function(res, i) { if (i % 2 === 0) { res[0].push(i) } else { res[1].push(i) } return res }, [[], []]);
Array.prototype.reduce
method to manually separate the even and odd numbers from the array. It initializes the accumulator (res
) as an array with two empty subarrays and pushes each number into the respective subarray based on whether it is even or odd.Lodash Partition:
_.partition
makes the intent clear; it directly expresses the action of partitioning without the boilerplate of managing the state manually.Native Reduce:
reduce
method outperformed Lodash, suggesting that it can be more efficient in certain circumstances.filter
in combination with concat
, which can sometimes lead to clean solutions but may not be as performant as reduce
. The choice of method should consider readability, maintainability, and performance based on the context in which the code will be used.In conclusion, when deciding between using Lodash and native methods for array operations, it's essential to weigh the advantages of convenience and readability against the potential downsides of performance and dependencies. Testing in your specific use case is vital, as the ideal choice can vary depending on the specific requirements and constraints of the project.