用if函数:输入年份月份输出天数带报错
时间: 2023-05-25 20:05:58 浏览: 131
year = int(input("请输入年份:"))
month = int(input("请输入月份:"))
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("{}年{}月共有29天。".format(year, month))
else:
print("{}年{}月共有28天。".format(year, month))
else:
print("输入的月份有误,请输入1-12之间的整数。")
相关问题
用if函数:输入年份月份输出天数
以下是 Python 代码:
```python
year = int(input("请输入年份:"))
month = int(input("请输入月份:"))
if month == 2:
if year % 4 == 0 and year % 100 != 0 or year % 400 == 0:
days = 29
else:
days = 28
elif month == 4 or month == 6 or month == 9 or month == 11:
days = 30
else:
days = 31
print("{}年{}月有{}天".format(year,month,days))
```
示例输出:
输入:
```
请输入年份:2022
请输入月份:2
```
输出:
```
2022年2月有28天
```
用if语句输入月份,输出月份的天数
如果你想要使用if语句根据输入的月份来判断并输出该月的天数,可以按照标准的日历结构编写一个简单的程序。这里是一个基本的示例,以Python为例:
```python
def get_days_in_month():
month = int(input("请输入月份(1-12):"))
# 判断输入的月份是否合法
if month < 1 or month > 12:
print("输入的月份有误,请选择1到12之间的整数。")
return
days_in_month = {
1: 31, # 一月
2: 28, # 二月(闰年29)
3: 31,
4: 30,
5: 31,
6: 30,
7: 31,
8: 31,
9: 30,
10: 31,
11: 30,
12: 31, # 十二月
}
if month == 2 and is_leap_year(): # 检查是否为闰年
print(f"二月有 {days_in_month[month]} 天")
else:
print(f"{month}月有 {days_in_month[month]} 天")
# 判断是否为闰年的辅助函数(这里假设简单的四年一次规则)
def is_leap_year():
year = input("请输入年份(如2000):")
try:
year = int(year)
return (year % 4 == 0 and year % 100 != 0) or (year % 400 == 0)
except ValueError:
print("请输入有效的整数年份。")
return False
get_days_in_month()
```
在这个例子中,用户首先输入月份,然后程序会检查是普通年还是闰年,并相应地打印出该月的天数。
阅读全文