判断某日是当年的第几天。已知,每个月的天数放在列表中,且列表为day=[31,28,31,30,31,30,31,31,30,31,30,31]。 (提醒:考虑平年、闰年)
时间: 2023-10-02 18:03:42 浏览: 71
C++自定义函数判断某年某月某日是这一年中第几天
5星 · 资源好评率100%
可以直接回答。以下是代码实现:
```python
def is_leap_year(year):
"""
判断是否为闰年
"""
return year % 4 == 0 and year % 100 != 0 or year % 400 == 0
def day_of_year(year, month, day):
"""
计算某日是当年的第几天
"""
days = sum(day[:month-1]) + day
if is_leap_year(year) and month > 2:
days += 1
return days
# 测试
print(day_of_year(2020, 3, 1)) # 61
print(day_of_year(2021, 3, 1)) # 60
```
在函数`is_leap_year`中,根据闰年的定义,判断是否为闰年。在函数`day_of_year`中,首先累加出前`month-1`个月的天数,再加上`day`的值,就是当年的第几天。如果是闰年且月份大于2,需要再加上1天。
阅读全文