DEV Community

Cover image for JavaScript sort array based on subarray value
Chris Bongers
Chris Bongers

Posted on • Originally published at daily-dev-tips.com

JavaScript sort array based on subarray value

Now that we had a look at finding the min/max from an array of arrays, let's see how we can go a step further and sort all the items based on a sub-array value.

To sketch the problem, let's say we have the following array of users.

const users = [
  ['Nicole', 31],
  ['Chris', 33],
  ['Sanne', 1],
  ['Yaatree', 2],
];
Enter fullscreen mode Exit fullscreen mode

The users' array contains sub-arrays representing a user's first name and age.
How can we now sort this array based on the user's age?

Sorting an array by sub-array value

We can actually use the native sort method to achieve our goal of sorting this array.

In its most basic form, you can call if on an array, and it will try to sort them based on the contents.
Meaning when the array contains strings, it will sort alphabetically.

It would look like this:

console.log(['b', 'c', 'a'].sort());

// [ 'a', 'b', 'c' ]
Enter fullscreen mode Exit fullscreen mode

However, it's a bit more complicated in our case as we have an array of arrays.
Calling sort would take the first array element as its sorting method, so we would end up sorting based on the name.

console.log(users.sort());

// Returns:
// [
//  [ 'Chris', 33 ],
//  [ 'Nicole', 31 ],
//  [ 'Sanne', 1 ],
//  [ 'Yaatree', 2 ]
// ]
Enter fullscreen mode Exit fullscreen mode

This is great if we want to sort on the first name, but we want to sort on the age value.

This is where the extra powers of the sort method come in.
It can take arguments we can use to enhance our sorting.

users.sort((a, b) => {
  // Do something with a and b
});
Enter fullscreen mode Exit fullscreen mode

The above example code is the syntax we can use.
It takes a first and second element for comparison.

Since we are sorting on numbers, they even give us a quick option to sort them.

users.sort((a, b) => {
  return a[1] - b[1];
});

// Returns:
// [
//  [ 'Sanne', 1 ],
//  [ 'Yaatree', 2 ],
//  [ 'Nicole', 31 ],
//  [ 'Chris', 33 ]
// ]
Enter fullscreen mode Exit fullscreen mode

We can also change the order by switching the a and b comparison around.

users.sort((a, b) => {
  return b[1] - a[1];
});

// Returns:
// [
//  [ 'Chris', 33 ],
//  [ 'Nicole', 31 ],
//  [ 'Yaatree', 2 ],
//  [ 'Sanne', 1 ]
// ]
Enter fullscreen mode Exit fullscreen mode

And to top it off, we can write this as sort hand functions to make it super clean.

users.sort((a, b) => a[1] - b[1]));
Enter fullscreen mode Exit fullscreen mode

And that's it. We learned how to sort an array based on a sub-array value.

Thank you for reading, and let's connect!

Thank you for reading my blog. Feel free to subscribe to my email newsletter and connect on Facebook or Twitter

Top comments (0)