<script src='https://cdnjs.cloudflare.com/ajax/libs/lodash.js/4.17.5/lodash.min.js'></script>
var users = [
{ user: 'fred', age: 48 },
{ user: 'barney', age: 36 },
{ user: 'fred', age: 40 },
{ user: 'barney', age: 34 },
{ user: 'frank', age: 12 },
{ user: 'barry', age: 38 },
{ user: 'ted', age: 19 },
{ user: 'marshall', age: 42 }
];
_.orderBy(users, 'age', 'asc');
_.sortBy(users, 'age');
[users].sort((a, b) => a.age - b.age);
_.orderBy(users, 'age', 'desc');
users.sort((a, b) => b.age - a.age);
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
sort object with orderBy, ascending | |
sort object with sortBy, ascending | |
sort object with native sort, ascending | |
sort object with orderBy, descending | |
sort object with native sort, descending |
Test name | Executions per second |
---|---|
sort object with orderBy, ascending | 1732440.1 Ops/sec |
sort object with sortBy, ascending | 1708427.0 Ops/sec |
sort object with native sort, ascending | 4753737.5 Ops/sec |
sort object with orderBy, descending | 1820521.0 Ops/sec |
sort object with native sort, descending | 8768320.0 Ops/sec |
Let's dive into the benchmark and explain what is being tested.
The provided JSON represents a JavaScript microbenchmark that compares the performance of three different approaches for sorting an array of objects: native sort, lodash.sortBy
, and lodash orderBy
.
Native Sort
The first approach uses the built-in sort()
method on the array, which sorts the elements in place. The sorting function takes two arguments, a
and b
, representing the two elements being compared.
In this specific test case, the sorting function compares the age
property of each object: (a, b) => a.age - b.age
. This is an ascending sort order.
Pros:
Cons:
Lodash sortBy
The second approach uses the sortBy()
function from the Lodash library. This function takes an array and a key function that returns a value to sort by.
In this test case, the sorting function is [...users].sort((a, b) => a.age - b.age)
. The Lodash sortBy()
function can be used in place of the native sort()
method, but it's not as efficient since it creates a new array with the sorted elements.
Pros:
Cons:
Lodash orderBy
The third approach uses the orderBy()
function from Lodash. This function takes an array and two arguments: the key to sort by, and the sorting order ('asc' or 'desc').
In this test case, the sorting functions are _ = _.orderBy(users, 'age', 'asc');
(ascending) and _ = _.orderBy(users, 'age', 'desc');
(descending). The Lodash orderBy()
function sorts the array in place, similar to the native sort()
method.
Pros:
Cons:
Other considerations:
Alternatives:
Array.prototype.sort()
method with a custom comparison function, without Lodash or any other library.sort()
method.