可能重复:
Sorting objects in an array by a field value in JavaScript
假设我有一系列记录:[{a:0,b:0},{a:2,b:1},{a:1,b:2}]
我希望按照每个记录中a
字段的降序排序,并将排序的记录作为新数组发出警告(即新数组将为[{a:2,b:1},{a:1,b:2},{a:0,b:0}]
) - 我将如何解决这个问题?我尝试了几种方法,但是我正撞在墙上。
由于
答案 0 :(得分:7)
直截了当的方法
var sorted = [{a:0,b:0},{a:2,b:1},{a:1,b:2}].sort( function( a, b )
{
if ( a.a == b.a ) return 0;
return ( a.a > b.a ) ? 1 : -1;
}).reverse();
更灵活的方法
// Note: console.log() require Firebug
var records = [{a:0,b:0},{a:2,b:1},{a:1,b:2}];
console.log( records );
// Sorty by 'a' ascending
sortByProperty( records, 'a' );
console.log( records );
// Sort by 'b' descending
sortByProperty( records, 'b', true );
console.log( records );
function sortByProperty( arr, property, descending )
{
arr.sort( function( a, b )
{
return Boolean( descending )
? b[property] - a[property]
: a[property] - b[property]
} );
}
适用于字符串的版本
// Note: console.log() require Firebug
var records = [
{a:0,b:0}
, {a:2,b:1}
, {a:'banana',b:'apple'}
, {a:1,b:2}
, {a:'apple',b:'banana'}
];
console.log( records );
// Sorty by 'a' ascending
sortByProperty( records, 'a' );
console.log( records );
// Sort by 'b' descending
sortByProperty( records, 'b', true );
console.log( records );
function sortByProperty( arr, property, descending )
{
arr.sort( function( a, b )
{
var c = a[property].toString()
, d = b[property].toString()
if ( c == d ) return 0;
return Boolean( descending )
? d > c ? 1 : -1
: d < c ? 1 : -1
} );
}
答案 1 :(得分:0)
使用闭包比直接引用函数要慢。
// assume var records = [{a:0,b:0},{a:2,b:1},{a:1,b:2}];
records.sort(myCustomSort);
function myCustomSort(a, b) {
return (b.a - a.a);
}
如果您真的需要新数组的第二个变量,只需在调用自定义排序方法之前复制初始数组。
答案 2 :(得分:0)
排序代表怎么样?
[{a:0,b:0},{a:2,b:1},{a:1,b:2}].sort(function(a,b){
// see http://www.javascriptkit.com/javatutors/arraysort.shtml
// for an explanation of this next line
return b.a-a.a;
});
(保存之后,我注意到另外两个几乎完全相同的答案,但我会留下我的小差异。)
答案 3 :(得分:0)
// your items array
var items = [{a:0,b:0},{a:2,b:1},{a:1,b:2}];
// function we can use as a sort callback
var compareItemsBy_a_Descending = function(x,y) {
return y.a - x.a;
};
// function to alert the items array
var displayItems = function(items) {
var out = [];
for (var i=0;i<items.length;i++) {
out.push('{a:' + items[i].a + ',b:' + items[i].b + '}');
}
alert('[' +out.join(',') + ']');
};
// run it
displayItems(items);
结果: [{a:0,b:0},{a:2,b:1},{a:1,b:2}]
// sort it
items.sort(compareItemsBy_a_Descending);
// run it again
displayItems(items);
结果: [{a:2,b:1},{a:1,b:2},{a:0,b:0}]
答案 4 :(得分:0)
我的同事休斯今天刚给我看了以下内容 注意使用-cmp()和cmp()进行降序和升序。
var cmp = function(x, y){ return x > y? 1 : x < y ? -1 : 0; },
arr = [{a:0,b:0},{a:2,b:1},{a:1,b:2},{a:2, b:2}];
// a ascending
arr.sort(function(x, y){
return cmp(x.a, y.a) < cmp(y.a, x.a) ? -1:1;
});
// a descending
arr.sort(function(x, y){
return -cmp(x.a, y.a) < -cmp(y.a, x.a) ? -1:1;
});
// a ascending, b descending
arr.sort(function(x, y){
return [cmp(x.a, y.a), -cmp(x.b, y.b)] < [cmp(y.a, x.a), -cmp(y.b,x.b)] ? -1:1;
});