用Python代码实现下列功能:用户输入月份,输出该月有多少天(考虑闰年)。
时间: 2024-04-22 21:05:19 浏览: 74
```
year = int(input("请输入年份:"))
month = int(input("请输入月份:"))
if month == 2:
if (year % 4 == 0 and year % 100 != 0) or year % 400 == 0:
print("该月有29天")
else:
print("该月有28天")
elif month in [1, 3, 5, 7, 8, 10, 12]:
print("该月有31天")
else:
print("该月有30天")
```
其中,判断闰年的条件为:能被4整除但不能被100整除,或者能被400整除。
相关问题
用python写一个程序:输入月份,输出该月有多少天(不考虑闰年)
在Python中,你可以创建一个字典来存储每个月的天数,然后通过用户输入的月份来查找并输出对应的天数。这里有一个简单的程序:
```python
def days_in_month(month):
month_days = {
"January": 31,
"February": 28, # 不是闰年
"March": 31,
"April": 30,
"May": 31,
"June": 30,
"July": 31,
"August": 31,
"September": 30,
"October": 31,
"November": 30,
"December": 31,
}
if month in month_days:
return month_days[month]
else:
return "无效的月份"
# 用户输入
month_input = input("请输入月份(如 'January'): ")
days = days_in_month(month_input.title())
print(f"{month_input}有 {days} 天")
获取用户输入月份,输出该月有多少天(考虑闰年)的python代码
以下是Python代码,可以获取用户输入的月份并输出该月有多少天,考虑了闰年的情况。
```python
year = input("请输入年份:\n")
month = input("请输入月份:\n")
year = int(year)
month = int(month)
# 判断该月份的天数
if month in [1, 3, 5, 7, 8, 10, 12]:
print("{}年{}月有31天。".format(year, month))
elif month in [4, 6, 9, 11]:
print("{}年{}月有30天。".format(year, month))
elif month == 2:
if (year % 4 == 0 and year % 100 != 0) or year % 400 == 0:
print("{}年2月有29天。".format(year))
else:
print("{}年2月有28天。".format(year))
else:
print("输入错误,请重新输入。")
```
这段代码首先要求用户输入年份和月份,然后根据月份的不同,判断该月份有多少天。当月份为1、3、5、7、8、10、12时,有31天;当月份为4、6、9、11时,有30天;当月份为2时,需要判断年份是否为闰年。若为闰年,则有29天;否则为28天。
阅读全文