Unlock the Secrets of Leap Years in C Programming
The Rules of Leap Years
A leap year is precisely divisible by 4, except for century years (those ending with 00). However, there’s a catch – a century year is only considered a leap year if it’s perfectly divisible by 400. This means that 1999 is not a leap year, while 2000 and 2004 are.
Crafting the Perfect Program
Now that we’ve grasped the rules, let’s create a C program that can check whether a given year is a leap year or not. Our program will utilize the if…else statement, a crucial element in C programming, to evaluate the input year.
#include <stdio.h>
int main() {
int year;
printf("Enter a year: ");
scanf("%d", &year);
if (year % 4 == 0) {
if (year % 100 == 0) {
if (year % 400 == 0)
printf("%d is a leap year\n", year);
else
printf("%d is not a leap year\n", year);
} else
printf("%d is a leap year\n", year);
} else
printf("%d is not a leap year\n", year);
return 0;
}
Testing Our Program
Let’s put our program to the test! We’ll run it with two different inputs to see how it performs.
- Output 1:
Enter a year: 1999 1999 is not a leap year
- Output 2:
Enter a year: 2000 2000 is a leap year
With our program, we can confidently determine whether a given year is a leap year or not. By mastering this concept, you’ll be well on your way to becoming a proficient C programmer.