how do I sort an array
var arr = new Array("word_12", "word_59", "word_17");
so that I get
["word_12", "word_17", "word_59"]
Thanks!
how do I sort an array
var arr = new Array("word_12", "word_59", "word_17");
so that I get
["word_12", "word_17", "word_59"]
Thanks!
you need to write a sort method (you can write any that you like) which splits the string on the _ and uses the second part as a numeric sort value.
function sortOnNum(a,b){
//you'll probably want to add a test to make sure the values have a "_" in them and that the second part IS a number, and strip leading zeros, if these are possible
return (a.split("_")[1] * 1 > b.split("_")[1] * 1)? 1:-1;// I assume the == case is irrelevant, if not, modify the method to return 0 for ==
}
var ar = new Array ("foo_1", "foo_19", "foo_3", "foo_1002");
ar.sort(sortOnNum); //here you pass in your sorting function and it will use the values in the array against the arguments a and b in the function above
alert(ar); // this alerts "foo_1,foo_3,foo_19,foo_1002"
Here's a fiddle: http://jsfiddle.net/eUvbx/1/
The following assumes your number will always be at the very end of the string. Note, I've added a few additional examples into the array to demonstrate the differing formats this can work with:
var numbers = ["word_12", "word_59", "word_17", "word23", "28", "I am 29"];
numbers.sort(function(a,b){
return a.match(/\d+$/) - b.match(/\d+$/);
});
Which results in:
["word_12", "word_17", "word23", "28", "I am 29", "word_59"]
just in case there are numbers and underscores in the word (which are quite legal word characters by javascript word definition:
arr.sort(function(_1, _2)
{
return +_1.substr(_1.lastIndexOf("_")+1)-_2.substr(_2.lastIndexOf("_")+1);
});
Here's code for the general case:
natcmp = function(a, b) {
var aa = [], bb = [];
(a + "").replace(/(\d+)|(\D+)/g, function($0, $1, $2) { aa.push($2 || Number($1)) });
(b + "").replace(/(\d+)|(\D+)/g, function($0, $1, $2) { bb.push($2 || Number($1)) })
var la = aa.length, lb = bb.length;
for (var i = 0; i < Math.max(la, lb); i++) {
if (i >= lb) return 1;
if (i >= la) return -1;
if (aa[i] > bb[i]) return 1;
if (aa[i] < bb[i]) return -1;
}
return 0;
}
Example:
var x = ["word_12", "word_59", "ford_1a", "ford_12a", "ford_2a", "word_0", "word_"];
x.sort(natcmp)
# ["ford_1a", "ford_2a", "ford_12a", "word_", "word_0", "word_12", "word_59"]
This is called "natural sorting".