JavaScript Sorting Arrays

antelove19

Falah Al Fitri

Posted on December 23, 2021

JavaScript Sorting Arrays

Array

The sort() method sorts an array alphabetically:

Example

const fruits = ["Banana", "Orange", "Apple", "Mango"];
fruits.sort(); // Apple,Banana,Mango,Orange
Enter fullscreen mode Exit fullscreen mode

The reverse() method reverses the elements in an array.
You can use it to sort an array in descending order:

Example

const fruits = ["Banana", "Orange", "Apple", "Mango"];
fruits.reverse(); // Orange,Mango,Banana,Apple
Enter fullscreen mode Exit fullscreen mode

Numeric Sort

By default, the sort() function sorts values as strings.

This works well for strings ("Apple" comes before "Banana").

However, if numbers are sorted as strings, "25" is bigger than "100", because "2" is bigger than "1".

Because of this, the sort() method will produce incorrect result when sorting numbers.

You can fix this by providing a compare function:

Example

const points = [40, 100, 1, 5, 25, 10];
points.sort( (a, b) => (a - b) ); // 1,5,10,25,40,100
Enter fullscreen mode Exit fullscreen mode

Use the same trick to sort an array descending:

Example

const points = [40, 100, 1, 5, 25, 10];
points.sort( (a, b) => (b - a) ); // 100,40,25,10,5,1
Enter fullscreen mode Exit fullscreen mode

Ref

💖 💪 🙅 🚩
antelove19
Falah Al Fitri

Posted on December 23, 2021

Join Our Newsletter. No Spam, Only the good stuff.

Sign up to receive the latest update from our blog.

Related