I need to call an api, passing start and end date, but given that the interval is too wide I am thinking that I need to do several calls using smaller date intervals. This is how I am trying to set start and stop dates:
JavaScript
x
13
13
1
const daysBracket = 15;
2
let fromDate = new Date('2020-04-01');
3
let toDate = new Date('2020-06-01');
4
let stopDate = new Date('2020-04-01');
5
6
while(fromDate <= toDate) {
7
stopDate.setDate(fromDate.getDate() + (daysBracket - 1));
8
console.log('Start: ' + fromDate.toDateString());
9
console.log('Stop: ' + stopDate.toDateString());
10
console.log('- - - - - - - - - - - - -');
11
12
fromDate.setDate(fromDate.getDate() + daysBracket);
13
}
but I am getting this result (start date is updated correctly but stop date doesn’t change accordingly):
JavaScript
1
22
22
1
Start: Wed Apr 01 2020
2
Stop: Wed Apr 15 2020
3
- - - - - - - - - - - - -
4
Start: Thu Apr 16 2020
5
Stop: Thu Apr 30 2020
6
- - - - - - - - - - - - -
7
Start: Fri May 01 2020
8
Stop: Wed Apr 15 2020
9
- - - - - - - - - - - - -
10
Start: Sat May 16 2020
11
Stop: Thu Apr 30 2020
12
- - - - - - - - - - - - -
13
Start: Sun May 31 2020
14
Stop: Fri May 15 2020
15
- - - - - - - - - - - - -
16
Start: Mon Jun 15 2020
17
Stop: Fri May 29 2020
18
- - - - - - - - - - - - -
19
Start: Tue Jun 30 2020
20
Stop: Sat Jun 13 2020
21
- - - - - - - - - - - - -
22
Can you please tell me what I am doing wrong?
Advertisement
Answer
I geuss this answer provides some clarity. The following works:
JavaScript
1
20
20
1
const daysBracket = 15;
2
3
4
let fromDate = new Date('2020-04-01');
5
let toDate = new Date('2020-06-01');
6
let stopDate = new Date('2020-04-01');
7
8
function addDays(date, days) {
9
var result = new Date(date);
10
result.setDate(result.getDate() + days);
11
return result;
12
}
13
14
while(fromDate <= toDate) {
15
stopDate = addDays(fromDate, daysBracket -1)
16
console.log('Start: ' + fromDate.toDateString());
17
console.log('Stop: ' + stopDate.toDateString());
18
console.log('- - - - - - - - - - - - -');
19
fromDate = addDays(fromDate, daysBracket);
20
}