写一个判断平年还是闰年,获得2月份的天数
时间: 2024-09-28 16:08:47 浏览: 61
C++根据输入年份计算每月的天数
判断一个年份是否为闰年的标准通常有两种:
1. **普通闰年**:能被4整除的年份通常都是闰年,但是能被100整除的年份不是闰年。除非这个年份同时也能被400整除,这时它仍然是闰年。
2. **世纪闰年**:例如1900年就不是闰年,因为虽然能被4整除,但同时也被100整除而没有被400整除。而2000年就是闰年,因为它既能被400整除。
要获取2月的天数,对于非闰年,2月份有28天;而对于闰年,2月份有29天。
下面是一个简单的Python函数示例,用于判断年份是否为闰年以及计算2月份的天数:
```python
def is_leap_year(year):
if year % 4 != 0:
return False
elif year % 100 != 0:
return True
elif year % 400 == 0:
return True
else:
return False
def get_february_days(year):
if is_leap_year(year):
return 29
else:
return 28
year_to_check = int(input("请输入一个年份:"))
if is_leap_year(year_to_check):
print(f"{year_to_check}年是闰年,2月份有{get_february_days(year_to_check)}天")
else:
print(f"{year_to_check}年不是闰年,2月份有{get_february_days(year_to_check)}天")
阅读全文