How to sort an array of numbers in JavaScript
In this tutorial, we are going to learn about how to sort an array of numbers in JavaScript with the help of examples.
JavaScript has built-in sort()
method by default it can only sort elements in ascending & alphabetical order, where it is converting elements into strings.
For sorting numbers, we need to pass the compare function
as an argument to the sort()
method.
Sorting array of numbers in Ascending order
If our compare function
return value is a-b
then it sorts the array of numbers in ascending order.
Example:
const numbers = [1,4,67,789,9,2];
const sortAsc = numbers.sort((a,b)=>a-b);
console.log(sortAsc); // [1, 2, 4, 9, 67, 789]
Sorting array of numbers in Descending order
If our compare function
return value is b-a
then it sorts the array of numbers in descending order.
Example:
const numbers = [1,4,67,789,9,2];
const sortDesc = numbers.sort((a,b)=>b-a);
console.log(sortDesc); // [789, 67, 9, 4, 2, 1]