Files
30-seconds-of-code/snippets/js/s/date-range-generator.md
2023-05-07 16:07:29 +03:00

887 B

title, type, language, tags, cover, dateModified
title type language tags cover dateModified
Date range generator snippet javascript
date
function
generator
portal-timelapse 2021-06-21T05:00:00-04:00

Creates a generator, that generates all dates in the given range using the given step.

  • Use a while loop to iterate from start to end, using yield to return each date in the range, using the Date constructor.
  • Use Date.prototype.getDate() and Date.prototype.setDate() to increment by step days after returning each subsequent value.
  • Omit the third argument, step, to use a default value of 1.
const dateRangeGenerator = function* (start, end, step = 1) {
  let d = start;
  while (d < end) {
    yield new Date(d);
    d.setDate(d.getDate() + step);
  }
};
[...dateRangeGenerator(new Date('2021-06-01'), new Date('2021-06-04'))];
// [ 2021-06-01, 2021-06-02, 2021-06-03 ]