A leap year occurs every four years to keep our calendar in sync with Earth’s revolutions around the Sun. In this tutorial, we will write a simple Python program to check whether a given year is a leap year or not.
Leap Year Rules
A year is a leap year if:
- It is divisible by 4, but not by 100 (e.g., 2024, 2028).
- If a year is divisible by 100, it must also be divisible by 400 (e.g., 2000, 2400).
Years like 1900, 2100, and 2200 are not leap years because they are divisible by 100 but not by 400.
Python Program to Check Leap Year
# Taking user input year = int(input("Enter a year: ")) # Checking leap year conditions if (year % 4 == 0 and year % 100 != 0) or (year % 400 == 0): print(f"{year} is a leap year.") else: print(f"{year} is not a leap year.")
Output 1
Enter a year: 2024 2024 is a leap year.
Output 2
Enter a year: 2025 2025 is not a leap year.