使用逗号分隔的价格字符串按数字顺序对对象数组进行排序

时间:2015-10-19 15:16:43

标签: javascript arrays sorting decimal

我正在使用this solution对一组对象进行排序。这是功能:

function sortJsonArrayByProperty(objArray, prop, direction){
    if (arguments.length<2) throw new Error("sortJsonArrayByProp requires 2 arguments");
    var direct = arguments.length>2 ? arguments[2] : 1; //Default to ascending
    if (objArray && objArray.constructor===Array){
        var propPath = (prop.constructor===Array) ? prop : prop.split(".");
        objArray.sort(function(a,b){
            for (var p in propPath){
                if (a[propPath[p]] && b[propPath[p]]){
                    a = a[propPath[p]];
                    b = b[propPath[p]];
                }
            }
            // convert numeric strings to integers
            a = a.match(/^\d+$/) ? +a : a;
            b = b.match(/^\d+$/) ? +b : b;
            return ( (a < b) ? -1*direct : ((a > b) ? 1*direct : 0) );
        });
    }
}

这是一个很好的解决方案。

但是我对以这种格式存储价格的列存在问题:

950,75
1234,99
500,00

所以,我的值有逗号分隔小数。 然后,而不是这个序列:

222,55
550,00
2000,99
3000,00

我得到了:

2000,99
222,55
3000,00
550,00

我正在尝试对此部分进行一些修改:

a = a.match(/^\d+$/) ? +a : a; 
b = b.match(/^\d+$/) ? +b : b;

但这不起作用。怎么了?

2 个答案:

答案 0 :(得分:0)

JavaScript无法将逗号识别为有效的文字编号的一部分,因此您无法使用一元+或任何其他内置方法转换为数字。您需要用句点替换逗号,然后强制转换为Number。

a = a.match(/^(\d+),(\d+)$/) ? +(a[1]+'.'+a[2]) : a; 

答案 1 :(得分:0)

在JavaScript中,小数点分隔符始终为.,而不是,,因为它在某些区域设置中。因此,要将使用,作为小数的数字字符串转换为JavaScript数字,请执行以下操作:

theNumber = +theString.replace(/\./g, '').replace(/,/g, '.');

theNumber = parseFloat(theString.replace(/\./g, '').replace(/,/g, '.'));

...取决于您是否要忽略尾随无效字符(+没有,parseFloat确实如此)。

所以这意味着:

aVal = +a.replace(/\./g, '').replace(/,/g, '.');
bVal = +b.replace(/\./g, '').replace(/,/g, '.');
if (!isNaN(aVal) && !isNaN(bVal)) {
    a = aVal;
    b = bVal;
}