116k views
5 votes
Write a program that reads in a date as three integer values representing day, month and year (4 digits eg 1999), and checks whether it is a valid date. Note: Jan, March, May, July, Aug, Oct, Dec have 31 days; April, June, Sept and Nov have 30 days; Feb has 28 days, except for a leap year (year is divisible by 4) which has 29 days.Using C programming.

1 Answer

4 votes

Final answer:

To check whether a given date is valid or not in C programming language, you can use conditional statements. This program reads in a date as three integer values representing the day, month, and year, and checks if it is a valid date based on the rules provided. It also takes into account leap years.

Step-by-step explanation:

To check whether a given date is valid or not, you can use conditional statements in your C program. Here's a sample program that reads in a date as three integer values representing the day, month, and year:



#include <stdio.h>

int main() {
int day, month, year;
printf("Enter day: ");
scanf("%d", &day);
printf("Enter month: ");
scanf("%d", &month);
printf("Enter year: ");
scanf("%d", &year);

// Check if the year is a leap year
int isLeapYear = (year % 4 == 0 && year % 100 != 0) || (year % 400 == 0);

// Check if the date is valid
int isValid = 1;
if (month < 1 || month > 12 || day < 1)
isValid = 0;
else if ((month == 4 || month == 6 || month == 9 || month == 11) && day > 30)
isValid = 0;
else if (month == 2) {
if (isLeapYear && day > 29)
isValid = 0;
else if (!isLeapYear && day > 28)
isValid = 0;
}

if (isValid)
printf("Valid date");
else
printf("Invalid date");

return 0;
}

User Tatiane
by
7.6k points