JavaScript 工作日列表获取

JavaScript weekday list get

我需要为以下要求创建一个 JavaScript 函数。我需要获取每个工作日的日期列表。如果你知道 nodeJs 包,请告诉我。感谢您的关注。

Example - 
 2022-01-03
 2022-01-04
 2022-01-05
 2022-01-06
 2022-01-07

 2022-01-10
 2022-01-11
 2022-01-12
 2022-01-13
 2022-01-14 
 ..........
 ..........
 until year-end

喜欢这个模式(仅限周一至周五)

JavaScript的Date对象溢出,所以可以使用:

for (i=1;i<366;i++) {
if (i%7==1 || i%7==2) continue;
const d = new Date(2022, 0, i);
document.write(d.toDateString(),'<br>');
}

你需要观察闰年,重新计算每年哪几天是周末。

function getWeekDaysForYear(year) {
  const isLeap = year % 4 === 0;
  const numberOfDays = isLeap ? 366 : 365;
  let currentDate = new Date(Date.UTC(year, 0, 0, 0, 0, 0, 0));

  const weekDays = [];

  for(let i = 1; i <= numberOfDays; i++) {
    currentDate = new Date(currentDate.getTime() + 24 * 3600 * 1000);
    if (currentDate.getDay() === 0 || currentDate.getDay() === 6) {
      continue;
    }
    weekDays.push(currentDate.toISOString().split('T')[0]);
  }

  return weekDays;
}
console.log(getWeekDaysForYear(2022));

这是一个简单的函数,它 returns 数组中指定年份的所有工作日。

像这样

const endDate = new Date(2022,1,2);
const date = new Date(); //today

while (endDate > date) {
  const weekDay = date.getDay();
  if (weekDay != 6 && weekDay != 0) {
    let year = new Intl.DateTimeFormat('en', { year: 'numeric' }).format(date);
    let month = new Intl.DateTimeFormat('en', { month: '2-digit' }).format(date);
    let day = new Intl.DateTimeFormat('en', { day: '2-digit' }).format(date);
    console.log(`${year}-${month}-${day}`);
  }
  date.setDate(date.getDate() + 1);
}

既然我们在玩代码高尔夫……

function getWeekDays(year) {
  // Start on 1 Jan of given year
  let d = new Date(Date.UTC(year, 0));
  let result = [];
  do {
    // Only push dates that aren't Sat (6) or Sun (0)
    d.getDay() % 6 ? result.push(d.toLocaleDateString('en-CA')) : null;
    // Increment date
    d.setDate(d.getDate() + 1);
  // Until get to 1 Jan again
  } while (d.getMonth() + d.getDate() > 1)
  return result;
}

console.log(getWeekDays(new Date().getFullYear()))

function getWeekDaysForDateRange(start, end) {
  const [startYear, startMonth, startDate] = start.split("-");
  const [endYear, endMonth, endDate] = end.split("-");
  let beginDate = new Date(Date.UTC(startYear, startMonth - 1, startDate - 1, 0, 0, 0, 0));
  let closeDate = new Date(Date.UTC(endYear, endMonth - 1, endDate, 0, 0, 0, 0));

  const weekDays = [];

  while(beginDate.getTime() !== closeDate.getTime()) {
    beginDate = new Date(beginDate.getTime() + 24 * 3600 * 1000);
    if (beginDate.getDay() === 0 || beginDate.getDay() === 6) {
      continue;
    }
    weekDays.push(beginDate.toISOString().split('T')[0]);
  }
  return weekDays;
}

console.log(getWeekDaysForDateRange('2022-01-01', '2022-01-10'));

像这样的东西适用于您想要的日期范围!