Computer >> 컴퓨터 >  >> 프로그램 작성 >> C 프로그래밍

C 날짜가 유효한지 확인하는 프로그램

<시간/>

날짜 형식으로 주어진 날짜, 정수로 월, 연도. 작업은 날짜가 불가능한지 여부를 찾는 것입니다.

유효한 날짜는 1800년 1월 1일 – 9999년 12월 31일 사이여야 합니다. 이 이후의 날짜는 유효하지 않습니다.

이 날짜에는 연도 범위뿐만 아니라 달력 날짜와 관련된 모든 제약 조건도 포함됩니다.

제약 조건은 -

  • 날짜는 1보다 작거나 31보다 클 수 없습니다.
  • 월은 1보다 작고 12보다 클 수 없습니다.
  • 연도는 1800보다 작거나 9999보다 클 수 없습니다.
  • 달이 4월, 6월, 9월, 11월인 경우 날짜는 30일을 초과할 수 없습니다.
  • 월이 2월이면 다음 여부를 확인해야 합니다.
    • 연도가 윤년이면 일수는 29일을 초과할 수 없습니다.
    • 기타 일수는 28일을 초과할 수 없습니다.

모든 제약 조건이 true이면 유효한 날짜이고 그렇지 않으면 유효하지 않습니다.

예시

Input: y = 2002
   d = 29
   m = 11
Output: Date is valid
Input: y = 2001
   d = 29
   m = 2
Output: Date is not valid

알고리즘

START
In function int isleap(int y)
   Step 1-> If (y % 4 == 0) && (y % 100 != 0) && (y % 400 == 0) then,
      Return 1
   Step 2-> Else
      Return 0
In function int datevalid(int d, int m, int y)
   Step 1-> If y < min_yr || y > max_yr then,
      Return 0
   Step 2-> If m < 1 || m > 12 then,
      Return 0
   Step 3-> If d < 1 || d > 31 then,
      Return 0
   Step 4-> If m == 2 then,
      If isleap(y) then,
         If d <= 29 then,
            Return 1
         Else
            Return 0
         End if
      End if
   Step 5-> If m == 4 || m == 6 || m == 9 || m == 11 then,
      If(d <= 30)
         Return 1
      Else
         Return 0
         Return 1
      End Function
In main(int argc, char const *argv[])
   Step 1->Assign and initialize values as y = 2002, d = 29, m = 11
   Step 2-> If datevalid(d, m, y) then,
      Print "Date is valid"
   Step 3-> Else
      Print "date is not valid”
   End main
STOP

예시

#include <stdio.h>
#define max_yr 9999
#define min_yr 1800
//to check the year is leap or not
//if the year is a leap year return 1
int isleap(int y) {
   if((y % 4 == 0) && (y % 100 != 0) && (y % 400 == 0))
      return 1;
   else
      return 0;
}
//Function to check the date is valid or not
int datevalid(int d, int m, int y) {
   if(y < min_yr || y > max_yr)
      return 0;
   if(m < 1 || m > 12)
      return 0;
   if(d < 1 || d > 31)
      return 0;
      //Now we will check date according to month
   if( m == 2 ) {
      if(isleap(y)) {
         if(d <= 29)
            return 1;
         else
            return 0;
         }
      }
      //April, June, September and November are with 30 days
      if ( m == 4 || m == 6 || m == 9 || m == 11 )
         if(d <= 30)
            return 1;
         else
            return 0;
            return 1;
   }
int main(int argc, char const *argv[]) {
   int y = 2002;
   int d = 29;
   int m = 11;
      if(datevalid(d, m, y))
         printf("Date is valid\n");
      else
         printf("date is not valid\n");
      return 0;
}

출력

위의 코드를 실행하면 다음 출력이 생성됩니다 -

Date is valid