Pandas date_range从结束日期开始到开始日期

时间:2016-02-16 16:22:58

标签: python datetime pandas

我正在尝试使用Python生成一系列半年度日期。 Pandas提供了一个函数pd.date_range来帮助解决这个问题,但我希望我的日期范围从结束日期开始并向后迭代。

例如,根据输入:

start = datetime.datetime(2016 ,2, 8)
end = datetime.datetime(2018 , 6, 1)
pd.date_range(start, end, freq='6m')

结果是:

DatetimeIndex(['2016-02-29', '2016-08-31', '2017-02-28', '2017-08-31',
               '2018-02-28'])

如何生成以下内容:

DatetimeIndex(['2016-02-08', '2016-06-01', '2016-12-01', '2017-06-01',
               '2017-12-01', '2018-06-01'])

2 个答案:

答案 0 :(得分:4)

使用更新的输出(来自您所做的编辑),您可以执行以下操作:

from pandas.tseries.offsets import DateOffset

end = datetime.datetime(2018 , 6, 1)
start = datetime.datetime(2016 ,2, 8)
#Get the range of months to cover
months = (end.year - start.year)*12 + end.month - start.month
#The frequency of periods
period = 6 # in months

pd.DatetimeIndex([end - DateOffset(months=e) for e in range(0, months, period)][::-1]).insert(0, start)

这是一个相当简洁的解决方案,虽然我没有比较运行时间,所以我不确定它有多快。

基本上这只是创建列表所需的日期,然后将其转换为日期时间索引。

答案 1 :(得分:2)

这可以在没有 pandas 和使用 datutil 的情况下完成。然而,它比它应该更多地涉及:

from datetime import date
import math
from dateutil.relativedelta import relativedelta

#set up key dates
start = date(2016 ,2, 8)
end = date(2018 , 6, 1)

#calculate date range and number of 6 month periods
daterange = end-start
periods = daterange.days *2//365

#calculate next date in sequence and check for year roll-over
next_date = date(start.year,math.ceil(start.month/6)*6,1)
if next_date < start: next_date = date(next_date.year+1,next_date.month,1)

#add the first two values to a list
arr = [start.isoformat(),next_date.isoformat()]

#calculate all subsequent dates using 'relativedelta'
for i in range(periods):
    next_date = next_date+ relativedelta(months=+6)
    arr.append(next_date.isoformat())


#display results
print(arr)