根据输入的年份和月份判断该月的天数
时间: 2023-12-19 13:06:42 浏览: 150
以下是Python的代码实现:
```
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 (4, 6, 9, 11):
print("该月有30天")
else:
print("该月有31天")
```
首先通过`input`函数获取用户输入的年份和月份,然后根据月份的不同进行判断。如果是2月,需要进一步判断该年份是否为闰年,如果是,则该月有29天,否则有28天。对于4、6、9、11月,都是30天,其他月份都是31天。
相关问题
python根据输入的年份和月份判断该月的天数
可以使用calendar模块来判断一个月的天数。下面是一个示例代码:
```python
import calendar
def get_days_in_month(year, month):
# 判断该月的天数
days = calendar.monthrange(year, month)[1]
return days
year = int(input("请输入年份: "))
month = int(input("请输入月份: "))
days_in_month = get_days_in_month(year, month)
print(f"{year}年{month}月有{days_in_month}天。")
```
根据输入的年份和月份判断该月的天数 python
在Python中,你可以使用内置的`calendar`模块来判断给定年份和月份的天数。这个模块提供了一个名为`monthrange()`的函数,可以返回指定年份和月份的日历信息,包括该月的第一天是星期几以及总共有多少天。
下面是一个简单的示例代码:
```python
import calendar
def get_days_in_month(year, month):
# 参数验证(01-12 for months,0-9999 for years)
if month < 1 or month > 12:
return "Invalid month"
if year < 1:
return "Invalid year"
# 获取指定年月的天数
days_in_month = calendar.monthrange(year, month)[1]
return days_in_month
# 示例
year = int(input("请输入年份: "))
month = int(input("请输入月份: "))
days = get_days_in_month(year, month)
print(f"{year}年的{month}月有{days}天.")
阅读全文