Python判断是否为闰年
时间: 2024-06-24 08:00:53 浏览: 156
判断是否是闰年
在 Python 中,判断一个年份是否为闰年的标准通常遵循以下规则:
1. 如果年份能被4整除但不能被100整除,那么它是闰年。
2. 但是如果年份能被400整除,那么它也是闰年。
这是 Python 中的常见实现:
```python
def is_leap(year):
if year % 4 == 0:
if year % 100 == 0:
if year % 400 == 0:
return True
else:
return False
else:
return True
else:
return False
# 测试例子
year = 2000
print(f"{year} 是闰年: {is_leap(year)}") # 输出: True
year = 1900
print(f"{year} 是闰年: {is_leap(year)}") # 输出: False
```
阅读全文