python--判断闰年
时间: 2024-06-24 12:00:28 浏览: 182
python 判断闰年,简洁函数
在 Python 中,判断一个年份是否为闰年的标准是根据格里高利历(公历)的规定。闰年满足以下条件之一:
1. 年份能够被4整除,但不能被100整除(除非同时能被400整除)。
例如:
- 2000年是闰年,因为它能被400整除。
- 1900年不是闰年,虽然能被4整除,但它同时被100整除而没有被400整除。
- 2004年是闰年,因为2004能被4整除且不被100整除。
以下是简单的 Python 代码来判断一个年份是否为闰年:
```python
def is_leap_year(year):
if year % 4 == 0:
if year % 100 == 0:
if year % 400 == 0:
return True
else:
return False
else:
return True
else:
return False
# 测试几个例子
print(is_leap_year(2000)) # 输出: True
print(is_leap_year(1900)) # 输出: False
print(is_leap_year(2004)) # 输出: True
```
阅读全文