编程实现:输入某个年份和月份,输出这个月有多少天
时间: 2024-10-22 17:07:52 浏览: 30
输入年月日输出该年是这一年的第几天
为了确定给定年份和月份的天数,你可以编写一个程序,通常会使用条件判断来考虑闰年和平年的规则。这里是一个简单的Python示例:
```python
def days_in_month(year, month):
# 判断闰年
if month == 2:
if (year % 4 == 0 and year % 100 != 0) or (year % 400 == 0):
return 29
else:
return 28
elif month in [4, 6, 9, 11]: # 除2月外,4, 6, 9, 11月有30天
return 30
else: # 1, 3, 5, 7, 8, 10, 12月有31天
return 31
# 用户输入
year = int(input("请输入年份: "))
month = int(input("请输入月份(1-12): "))
# 调用函数并打印结果
days = days_in_month(year, month)
print(f"{year}年{month}月有 {days} 天")
#
阅读全文