python 添加缺失日期并更新相应列表
python add missing dates and update corresponding list
我有 dates
缺少日期的列表,例如
['2018-06-01', '2018-06-02', '2018-06-03', '2018-06-06']
和对应的values
列表如
[3,5,3,7]
如何在排序列表中添加缺失的日期并为 values
中的相应索引添加 0
上面的值是我从下面的数据中解析出来的
data = defaultdict(Counter)
defaultdict(<class 'collections.Counter'>, {'2018-06-01': Counter({u'Values': 1}), '2018-06-03': Counter({u'Values': 2})}
如果我可以在 defaultdict 中添加缺失的日期,那也可以。
它不是重复的我不只是想创建日期我必须更新相应的值列表。
您根据数据、开始日期和结束日期创建真实的日期时间。然后创建所有可能的日期,并分配 0 值,然后更新现有日期。
import datetime
dates = ['2018-06-01', '2018-06-02', '2018-06-03', '2018-06-06']
occ = [3,5,3,7]
startDate = datetime.datetime.strptime( dates[0], "%Y-%m-%d") # parse first date
endDate = datetime.datetime.strptime( dates[-1],"%Y-%m-%d") # parse last date
days = (endDate - startDate).days # how many days between?
# create a dictionary of all dates with 0 occurences
allDates = {datetime.datetime.strftime(startDate+datetime.timedelta(days=k),
"%Y-%m-%d"):0 for k in range(days+1)}
# update dictionary with existing occurences (zip creates (date,number) tuples)
allDates.update( zip(dates,occ) )
# sort the unsorted dict, decompose its items & zip then, wich generates your lists again
datesAfter,occAfter = map(list,zip(*sorted(allDates.items())))
print(datesAfter)
print(occAfter)
print(allDates)
输出:
['2018-06-01', '2018-06-02', '2018-06-03', '2018-06-04', '2018-06-05', '2018-06-06']
[3, 5, 3, 0, 0, 7]
{'2018-06-06': 7,
'2018-06-05': 0,
'2018-06-04': 0,
'2018-06-03': 3,
'2018-06-02': 5,
'2018-06-01': 3}
Link: zip()
我有 dates
缺少日期的列表,例如
['2018-06-01', '2018-06-02', '2018-06-03', '2018-06-06']
和对应的values
列表如
[3,5,3,7]
如何在排序列表中添加缺失的日期并为 values
0
上面的值是我从下面的数据中解析出来的
data = defaultdict(Counter)
defaultdict(<class 'collections.Counter'>, {'2018-06-01': Counter({u'Values': 1}), '2018-06-03': Counter({u'Values': 2})}
如果我可以在 defaultdict 中添加缺失的日期,那也可以。
它不是重复的我不只是想创建日期我必须更新相应的值列表。
您根据数据、开始日期和结束日期创建真实的日期时间。然后创建所有可能的日期,并分配 0 值,然后更新现有日期。
import datetime
dates = ['2018-06-01', '2018-06-02', '2018-06-03', '2018-06-06']
occ = [3,5,3,7]
startDate = datetime.datetime.strptime( dates[0], "%Y-%m-%d") # parse first date
endDate = datetime.datetime.strptime( dates[-1],"%Y-%m-%d") # parse last date
days = (endDate - startDate).days # how many days between?
# create a dictionary of all dates with 0 occurences
allDates = {datetime.datetime.strftime(startDate+datetime.timedelta(days=k),
"%Y-%m-%d"):0 for k in range(days+1)}
# update dictionary with existing occurences (zip creates (date,number) tuples)
allDates.update( zip(dates,occ) )
# sort the unsorted dict, decompose its items & zip then, wich generates your lists again
datesAfter,occAfter = map(list,zip(*sorted(allDates.items())))
print(datesAfter)
print(occAfter)
print(allDates)
输出:
['2018-06-01', '2018-06-02', '2018-06-03', '2018-06-04', '2018-06-05', '2018-06-06']
[3, 5, 3, 0, 0, 7]
{'2018-06-06': 7,
'2018-06-05': 0,
'2018-06-04': 0,
'2018-06-03': 3,
'2018-06-02': 5,
'2018-06-01': 3}
Link: zip()