I'm trying to sort an array of values that can be a mixture of numeric or string values (e.g. [10,"20",null,"1","bar","-2",-3,null,5,"foo"]
). How can I sort this array such that
null
values are always placed last (regardless of sorting order, see jsFiddle)- negative numbers are sorted correctly (i.e. they are less than positive numbers and sort correctly amongst themselves)
? I made a jsFiddle with detailed numeric and string examples (using localeCompare
and the numeric
option), but will paste the numeric version of my sorting algorithm below as a starting point.
// Sorting order
var order = "asc"; // Try switching between "asc" and "dsc"
// Dummy arrays
var numericArr = [10,20,null,1,-2,-3,null,5];
// Sort arrays
$(".output1").append(numericArr.toString());
numericArr.sort(sortByDataNumeric);
$(".output2").append(numericArr.toString());
// Numeric sorting function
function sortByDataNumeric(a, b, _order) {
// Replace internal parameters if not used
if (_order == null) _order = order;
// If values are null, place them at the end
var dflt = (_order == "asc" ? Number.MAX_VALUE : -Number.MAX_VALUE);
// Numeric values
var aVal = (a == null ? dflt : a);
var bVal = (b == null ? dflt : b);
return _order == "asc" ? (aVal - bVal) : (bVal - aVal);
}
The problem with my string sorting algorithm (see jsFiddle) is that I can't find a way to always place null
values last and negative values aren't correctly sorted within themselves (e.g. -3 should be less than -2)
Edit
To answer the comments, I expect [10,"20",null,"1","bar","-2",-3,null,5,"foo"]
to sort to [-3,"-2","1",5,10,"20","bar","foo",null,null]
You should first check to see if either value is
null
and return the opposite value.On a side note:
For your default
_order
value, you should check if the parameter isundefined
instead of comparing its value tonull
. If you try to compare something that is undefined directly you will get a reference error:Instead, you should check if the variable is undefined:
Also, it's probably a better idea to wrap your compare function in a closure instead of relying on a global order variable.
Sometime like:
This way you can sort at a per-instance level.
http://jsfiddle.net/gxFGN/10/
JavaScript
Use this:
(updated fiddle)
fiddle here: http://jsfiddle.net/gxFGN/6/
I left out the order parameter, but you could always reverse the array at the end if needed.
I'm pretty sure that your problem is a red herring... the abstract function that you past into
sort
doesn't get a third parameter (in your case_order
). So in your situation that's always going to beundefined
.Please reconsider your code with that in mind and see what you get.
The array you specify is entirely Numeric so your sort should work correctly, though as other commenters have suggested, if your array ever winds up with string values (i.e. "10", "-7" etc) you'll want to parseInt and test for isNaN before doing your comparison.