I need to sort an array in javascript..
anyone how to do that??
by default the sort method doesn't work with numbers...
I mean:
a = [1, 23, 100, 3]
a.sort()
a values are:
[1, 100, 23, 3]
thanks :)
Usually works for me:
a.sort((a, b) => a - b);
>1 = 1 && <-1 = -1 : )So if you write the sorting function, it will work.
[1, 23, 100, 3].sort(function(a, b){
if (a > b)
return 1;
if (a < b)
return -1;
return 0
});
return a - b;.Here is a solution to sort a Javascript array in ascending order
code
function bubblesort(array){
var done = false;
while(!done){
done = true;
for(var i = 1; i< array.length; i++){
if(array[i -1] > array[i]){
done = false;
var tmp = array[i-1];
array[i-1] = array[i];
array[i] = tmp;
}
}
}
return array;
}
var numbers = [2, 11, 1, 20, 5, 35];
bubblesort(numbers);
a.sort(function(a,b){return a-b;})Here's a link to some docs. You should become accustomed to doing research on your own. It will only help you.