I am getting date values like that: "/Date(1560458281000)/"
from an array of objects. I just want to order these dates by descending and ascending. I am open to any examples with pure JavaScript and/or moment.js By the way, hours and minutes are important. I will show it like 2014/10/29 4:50
JavaScript
x
6
1
let dateSorted = this.props.myObj.sort(function(a,b) {
2
sorted= new Date(Number(a.Date.replace(/D/g, ''))) - new
3
Date(Number(b.Date.replace(/D/g, '')))
4
return sorted;
5
})
6
This code doesn’t work.
Advertisement
Answer
You should be carefull with your sorted
variable, it’s missing the const / let
initializer, I would have written:
JavaScript
1
7
1
let dateSorted = this.props.differences.sort(function(a,b) {
2
const timeA = Number(a.Date.replace(/D/g, ''))
3
const timeB = Number(b.Date.replace(/D/g, ''))
4
5
return timeA - timeB;
6
})
7
And since your dates are in timestamp format you don’t even need to convert them to date to compare them, you can substract the numbers dicrectly.
A simpler way would be to use localeCompare
:
JavaScript
1
4
1
let dateSorted = this.props.differences.sort(function (a, b) {
2
return a.Date.localeCompare(b.Date)
3
})
4
Since your date would be properly ordered by using the alphabetical order.