How can I find out the min and the max date from an object? Currently, I am getting an array like this: min date should be ‘2010-02-24’ and max date should be ‘2022-10-04’.
Is there any built-in function to do this? Thanks in advance.
JavaScript
x
56
56
1
{
2
"2010":[
3
{
4
"id":1243,
5
"eventName":"sample_01",
6
"categoryType":"CUSTOM_NOTES",
7
"tags":"tag19",
8
"startDate":"2010-02-24",
9
"endDate":"2010-02-26",
10
"attachments":[
11
12
]
13
}
14
],
15
"2022":[
16
{
17
"id":1244,
18
"eventName":"sample_02",
19
"categoryType":"CUSTOM_NOTES",
20
"tags":"tag1, tag12, tag3, tag52, tag19",
21
"startDate":"2022-10-04",
22
"endDate":"2022-12-12",
23
"attachments":[
24
25
]
26
},
27
{
28
"id":1245,
29
"eventName":"hello_03",
30
"categoryType":"CUSTOM_NOTES",
31
"tags":"tag1, tag12",
32
"startDate":"2022-06-01",
33
"endDate":"2010-06-26",
34
"attachments":[
35
36
]
37
}
38
]
39
}
40
41
42
filterEventsByDates = () => {
43
const filterDateFn = (a, b) => a.startDate.localeCompare(b.startDate);
44
setDateFiltersToState(filterDateFn);
45
}
46
47
setDateFiltersToState = (filterDateFn) => {
48
this.setState(state => {
49
const events = {};
50
for (const [year, items] of Object.entries(state.events)) {
51
events[year] = items.slice().filter(filterDateFn);
52
}
53
return { events };
54
});
55
}
56
Advertisement
Answer
A sort will do the job here, by packing all dates into an array first:
JavaScript
1
51
51
1
const values = {
2
"2010":[
3
{
4
"id":1243,
5
"eventName":"sample_01",
6
"categoryType":"CUSTOM_NOTES",
7
"tags":"tag19",
8
"startDate":"2010-02-24",
9
"endDate":"2010-02-26",
10
"attachments":[
11
12
]
13
}
14
],
15
"2022":[
16
{
17
"id":1244,
18
"eventName":"sample_02",
19
"categoryType":"CUSTOM_NOTES",
20
"tags":"tag1, tag12, tag3, tag52, tag19",
21
"startDate":"2022-10-04",
22
"endDate":"2022-12-12",
23
"attachments":[
24
25
]
26
},
27
{
28
"id":1245,
29
"eventName":"hello_03",
30
"categoryType":"CUSTOM_NOTES",
31
"tags":"tag1, tag12",
32
"startDate":"2022-06-01",
33
"endDate":"2010-06-26",
34
"attachments":[
35
36
]
37
}
38
]
39
};
40
41
// include startDate only
42
const dates = Object.values(values).flatMap(v =>
43
v.map(({startDate}) => startDate)).sort();
44
45
console.log(dates[0], dates.pop());
46
47
// include startDate and endDate
48
const datesAny = Object.values(values).flatMap(v =>
49
v.flatMap(({startDate, endDate}) => [startDate, endDate])).sort();
50
51
console.log(datesAny[0], datesAny.pop());