<script src='https://cdnjs.cloudflare.com/ajax/libs/lodash.js/4.17.5/lodash.min.js'></script>
var data = [1,3,2,1,4,5,6,7,8,9,0]
_.chunk(data,2);
const chunk = (array, size) => {
if (size <= 0) {
return [];
}
const result = [];
const arrayLength = array.length;
for (let i = 0; i < arrayLength; i += size) {
result.push(array.slice(i, i + size));
}
return result;
}
chunk(data,2);
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Lodash | |
Native |
Test name | Executions per second |
---|---|
Lodash | 18468316.0 Ops/sec |
Native | 12216286.0 Ops/sec |
In this benchmark test, we are comparing two different approaches to chunking an array of numbers into smaller arrays of a specified size: one using the Lodash library and the other using a native JavaScript function.
Lodash:
_.chunk(data,2);
_.chunk
method creates an array of elements split into groups the length of size
. In this case, it takes the data
array and divides it into subarrays, each containing 2 elements.Native:
const chunk = (array, size) => {
if (size <= 0) {
return [];
}
const result = [];
const arrayLength = array.length;
for (let i = 0; i < arrayLength; i += size) {
result.push(array.slice(i, i + size));
}
return result;
};
chunk(data, 2);
_.chunk
without relying on any external library.Based on the benchmark results:
This indicates that the Lodash implementation executed faster than the native implementation under these test conditions.
Lodash:
Native:
Other alternatives to consider for chunking arrays in JavaScript could include:
Array.prototype.reduce
or Array.prototype.map
, which can achieve similar results with potentially varying performance characteristics.Both approaches serve the purpose of chunking an array effectively. Lodash offers efficiency and reliability, while the native approach offers simplicity and independence. The decision should be aligned with project requirements, team familiarity, and long-term maintenance considerations.