在 JavaScript 中根据日期(日、月、年)查找星期几

javascriptweb developmentfront end technologyobject oriented programming

我们需要编写一个 JavaScript 函数,该函数接受三个参数,即:日、月和年。根据这三个输入,我们的函数应该找到该日期的星期几。

例如:如果输入是 −

day = 15,
month = 8,
year = 1993

输出

那么输出应该是 −

const output = 'Sunday'

示例

其代码为 −

const dayOfTheWeek = (day, month, year) => {
   // JS months start at 0
   return dayOfTheWeekJS(day, month - 1, year);
}
function dayOfTheWeekJS(day, month, year) {
   const DAYS = [
      'Sunday',
      'Monday',
      'Tuesday',
      'Wednesday',
      'Thursday',
      'Friday',
      'Saturday',
   ];
   const DAY_1970_01_01 = 4;
   let days = day − 1;
   while (month − 1 >= 0) {
      days += daysInMonthJS(month − 1, year);
      month −= 1;
   }
   while (year − 1 >= 1970) {
      days += daysInYear(year − 1);
      year −= 1;
   }
   return DAYS[(days + DAY_1970_01_01) % DAYS.length];
};
function daysInMonthJS(month, year) {
   const days = [
      31, // January
      28 + (isLeapYear(year) ? 1 : 0), // Feb,
      31, // March
      30, // April
      31, // May
      30, // June
      31, // July
      31, // August
      30, // September
      31, // October
      30, // November
      31, // December
   ];
   return days[month];
}
function daysInYear(year) {
   return 365 + (isLeapYear(year) ? 1 : 0);
}
function isLeapYear(year) {
   return year % 4 === 0 && year % 100 !== 0 || year % 400 === 0;
}
console.log(dayOfTheWeek(15, 8, 1993));

解释

我们想要计算距离给定日期还有多少天。为此,我们可以从臭名昭著的 Unix 时间 0(星期四 1970−01−01)开始,然后从那里开始 −

  • 计算完整年份中的天数

  • 计算不完整年份中的月份天数

  • 不完整月份的剩余天数

输出

控制台中的输出将是 −

Sunday

相关文章