Computer >> 컴퓨터 >  >> 프로그램 작성 >> JavaScript

JavaScript에서 날짜(일, 월, 연도)에서 요일 찾기


일, 월, 연도의 세 가지 인수를 사용하는 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(Tursday 1970−01−01)에서 시작하여 거기에서 갈 수 있습니다 -

  • 완전한 연도의 일 수

  • 불완전한 연도의 일 수를 계산합니다.

  • 불완전한 달의 남은 일수

출력

콘솔의 출력은 -

Sunday