1const books = [
2 {id: 1, name: 'The Lord of the Rings'},
3 {id: 2, name: 'A Tale of Two Cities'},
4 {id: 3, name: 'Don Quixote'},
5 {id: 4, name: 'The Hobbit'}
6]
7
8books.sort((a,b) => (a.name > b.name) ? 1 : ((b.name > a.name) ? -1 : 0));
1var array = [
2 {name: "John", age: 34},
3 {name: "Peter", age: 54},
4 {name: "Jake", age: 25}
5];
6
7array.sort(function(a, b) {
8 return a.age - b.age;
9}); // Sort youngest first
1const list = [
2 { color: 'white', size: 'XXL' },
3 { color: 'red', size: 'XL' },
4 { color: 'black', size: 'M' }
5]
6
7var sortedArray = list.sort((a, b) => (a.color > b.color) ? 1 : -1)
8
9// Result:
10//sortedArray:
11//{ color: 'black', size: 'M' }
12//{ color: 'red', size: 'XL' }
13//{ color: 'white', size: 'XXL' }
1// Price Low To High
2array?.sort((a, b) => (a.price > b.price ? 1 : -1))
3// Price High To Low
4array?.sort((a, b) => (a.price > b.price ? -1 : 1))
5// Name A to Z
6array?.sort((a, b) => (a.name > b.name ? 1 : 1))
7// Name Z to A
8array?.sort((a, b) => (a.name > b.name ? -1 : 1))
9// Sort by date
10array.sort((a,b) => new Date(b.date) - new Date(a.date));
1const drinks1 = [
2 {name: 'lemonade', price: 90},
3 {name: 'lime', price: 432},
4 {name: 'peach', price: 23}
5];
6
7function sortDrinkByPrice(drinks) {
8 return drinks.sort((a, b) => a.price - b.price);
9}