Answers for "sort method in js"

14

sorting array from highest to lowest javascript

// Sort an array of numbers 
let numbers = [5, 13, 1, 44, 32, 15, 500]

// Lowest to highest
let lowestToHighest = numbers.sort((a, b) => a - b);
//Output: [1,5,13,15,32,44,500]

//Highest to lowest
let highestToLowest = numbers.sort((a, b) => b-a);
//Output: [500,44,32,15,13,5,1]
Posted by: Guest on March-25-2020
13

javascript orderby

var items = [
  { name: 'Edward', value: 21 },
  { name: 'Sharpe', value: 37 },
  { name: 'And', value: 45 },
  { name: 'The', value: -12 },
  { name: 'Magnetic', value: 13 },
  { name: 'Zeros', value: 37 }
];

// sort by value
items.sort(function (a, b) {
  return a.value - b.value;
});

// sort by name
items.sort(function(a, b) {
  var nameA = a.name.toUpperCase(); // ignore upper and lowercase
  var nameB = b.name.toUpperCase(); // ignore upper and lowercase
  if (nameA < nameB) {
    return -1;
  }
  if (nameA > nameB) {
    return 1;
  }

  // names must be equal
  return 0;
});
Posted by: Guest on May-30-2020
4

how the sort function works javascript

const unsorted = ['d', 'd', 'h', 'r', 'v', 'z', 'f', 'c', 'g'];
const sorted = unsorted.sort();

console.log(sorted);
//["c", "d", "d", "f", "g", "h", "r", "v", "z"]


const unsortedNums = [45, 56, 3, 3, 4, 6, 7, 45, 1];
const sortedNums = unsortedNums.sort((a, b) => {
	return a - b;
});

console.log(sortedNums);
//[1, 3, 3, 4, 6, 7, 45, 45, 56]
Posted by: Guest on April-07-2020
1

sort by ascending javascript

const months = ['March', 'Jan', 'Feb', 'Dec'];
months.sort();
console.log(months);
// expected output: Array ["Dec", "Feb", "Jan", "March"]
Posted by: Guest on October-28-2020
1

string sort javascript

var names = ["Peter", "Emma", "Jack", "Mia"];
var sorted = names.sort(); // ["Emma", "Jack", "Mia", "Peter"]
Posted by: Guest on May-21-2020
-1

how to sort an array in javascript

you can sort array in different ways:

first....by using the sort method
ex: let arr = ["a", "d", "b", "c", "f"]
let res = arr.sort()
NOTE: this method is not ideal


second...... by using the sort function
ex: let arr = [1, 10, 11, 30, 100, 50, 45]

let res = arr.sort((a, b)=> a - b ).....this sorts in ascending order
let res = arr.sort((a, b)=> b - a ) ...this sorts in descending order

NOTE: we can also user different algorithms to sort an array. example: bubble sort,
  quick sort, merge sort etc.
  
 answer by EZIOGOR CLEVER
Posted by: Guest on August-07-2021

Browse Popular Code Answers by Language