Home > Software engineering >  Js take the days of the last n months
Js take the days of the last n months

Time:03-25

This code gives me the days of the last 3 months, but I would like to try to optimize it, make it faster if possible.

Can you give me some advice?

<script type="module">
import {DateTime} from 'https://unpkg.com/[email protected]/src/luxon.js';
console.time('Time')

const lNow = DateTime.now()
const lThreeMonthsAgo = lNow.minus({ month: 3 }).startOf('week')
let lastDays = []
let ii = 0
while (
  Math.floor(lNow.diff(lThreeMonthsAgo.plus({ days: ii }), 'days').days) >= 0
) {
  lastDays.push(lThreeMonthsAgo.plus({ day: ii }))
  ii = ii   1
}

console.timeEnd('Time')
console.log(lastDays)
</script>

After a few tries I got this, what do you think?

<script type="module">
import {DateTime} from 'https://unpkg.com/[email protected]/src/luxon.js';
console.time('Time')

const lNow = DateTime.now();
const lThreeMonthsAgo = lNow.minus({ month: 3 }).startOf("week");
let num = Math.ceil(lNow.diff(lThreeMonthsAgo, "days").days);
let lastDays = [...Array(num).keys()].reduce(
  (acc, val) => [...acc, lThreeMonthsAgo.plus({ day: val })],
  []
);

console.timeEnd('Time')
console.log(lastDays)
</script>

CodePudding user response:

You can possibly gain some speed by not using the luxon library, but just native Date objects:

let now = new Date();
let start = new Date(now.getFullYear(), now.getMonth() - 3, now.getDate());
// If date "overflowed" into next month, then bring it back:
if ((start.getMonth()   3) % 12 != now.getMonth()) {
     start.setDate(0); // Go to last day of previous month
}
// Go to previous Monday if not yet a Monday
start.setDate(start.getDate() - (start.getDay()   6) % 7); 
let lastDays = [];
while (start < now) {
    lastDays.push(start.toLocaleDateString("en-SE")); // Format YYYY-MM-DD
    start.setDate(start.getDate()   1); // Next day
}
console.log(lastDays);

  • Related