如何按日期对javascript对象数组进行排序

时间:2013-10-17 15:12:38

标签: javascript arrays sorting date object

我正在尝试使用包含

的每个对象对对象数组进行排序
var recent = [{id: "123",age :12,start: "10/17/13 13:07"} , {id: "13",age :62,start: "07/30/13 16:30"}];

日期格式为:mm/dd/yy hh:mm

我想按照最新的第一个日期顺序排序。如果日期相同,则应按时排序。

我尝试了以下排序功能。但它没有用。

recent.sort(function(a,b))
{
    a = new Date(a.start);
    b = new Date(b.start);
    return a-b;
});

另外,我应该如何遍历对象进行排序?类似的东西:

for (var i = 0; i < recent.length; i++)
    {
        recent[i].start.sort(function (a, b)
        {
            a = new Date(a.start);
            b = new Date(b.start);
            return a-b; 
        } );
    }

数组中可以有任意数量的对象。

4 个答案:

答案 0 :(得分:56)

正如评论中指出的那样,最近的定义是不正确的javascript。

但假设日期是字符串:

var recent = [
    {id: 123,age :12,start: "10/17/13 13:07"}, 
    {id: 13,age :62,start: "07/30/13 16:30"}
];

然后这样排序:

recent.sort(function(a,b) { 
    return new Date(a.start).getTime() - new Date(b.start).getTime() 
});

More details on sort function from W3Schools

答案 1 :(得分:5)

recent.sort(function(a,b) { return new Date(a.start).getTime() - new Date(b.start).getTime() } );

答案 2 :(得分:0)

此功能允许您创建一个比较器,该比较器将路径指向您想要比较的键:

&#13;
&#13;
function createDateComparator ( path = [] , comparator = (a, b) => a.getTime() - b.getTime()) {
  return (a, b) => {
    let _a = a
    let _b = b
    for(let key of path) {
      _a = _a[key]
      _b = _b[key]
    }
    return comparator(_a, _b)
  }
}


const input = (
  [ { foo: new Date(2017, 0, 1) }
  , { foo: new Date(2018, 0, 1) }
  , { foo: new Date(2016, 0, 1) }
  ]
)

const result = input.sort(createDateComparator([ 'foo' ]))

console.info(result)
&#13;
&#13;
&#13;

答案 3 :(得分:0)

ES6:

recent.sort((a,b)=> new Date(b.start).getTime()-new Date(a.start).getTime());