一年中的第几天
给你一个按 YYYY-MM-DD 格式表示日期的字符串 date,请你计算并返回该日期是当年的第几天。
通常情况下,我们认为 1 月 1 日是每年的第 1 天,1 月 2 日是每年的第 2 天,依此类推。每个月的天数与现行公元纪年法(格里高利历)一致。
示例 1:
输入:date = "2019-01-09"
输出:9
示例 2:
输入:date = "2019-02-10"
输出:41
示例 3:
输入:date = "2003-03-01"
输出:60
示例 4:
输入:date = "2004-03-01"
输出:61
参考代码:
class Solution:
def dayOfYear(self, date):
list1 = date.split("-")
a = int(list1[0])
sumday = 0
clander = {
"1" : 31,
"2" : 28,
"3" : 31,
"4" : 30,
"5" : 31,
"6" : 30,
"7" : 31,
"8" : 31,
"9" : 30,
"10" : 31,
"11" : 30,
"12" : 31
}
# if a % 4 == 0 and a % 100 == 0 and a % 400 == 0:
if int(list1[1]) < 2:
return int(list1[2])
for i in range(1,int(list1[1])):
sumday += clander[str(i)]
sumday += int(list1[2])
if (a % 4 == 0 and a % 100 != 0 or a % 400 == 0) and int(list1[1]) > 2:
sumday += 1
return sumday