EN
JavaScript - sort array of objects by date property value
0 points
In this article, we would like to show you how to sort array of objects by date property value using JavaScript.
Quick solution:
xxxxxxxxxx
1
array.sort(function(a, b) {
2
return a.date - b.date;
3
});
In this example, we sort an array of objects by date
property value using the custom compare function as an argument of the sort()
method.
xxxxxxxxxx
1
var array = [
2
{ name: 'Ann', birthday: new Date('2000-01-02') },
3
{ name: 'Tom', birthday: new Date('2000-01-01') },
4
{ name: 'Mark', birthday: new Date('2000-01-03') }
5
];
6
7
array.sort(function(a, b) {
8
return a.birthday - b.birthday;
9
});
10
11
console.log(JSON.stringify(array, null, 4));
xxxxxxxxxx
1
var array = [
2
{ name: 'Ann', birthday: new Date('2000-01-02') },
3
{ name: 'Tom', birthday: new Date('2000-01-01') },
4
{ name: 'Mark', birthday: new Date('2000-01-03') }
5
];
6
7
array.sort(function(a, b) {
8
return b.birthday - a.birthday;
9
});
10
11
console.log(JSON.stringify(array, null, 4));