为日期范围内的每个月生成(StartDateOfMonth,EndDateofMonth)

2024-09-27 21:28:43 发布

您现在位置:Python中文网/ 问答频道 /正文

我想为指定的日期范围生成(StartDateOfMonth,EndDateOfMonth)值的列表。e、 十、时间范围:2011-09-11,2013-04-24,清单应为:

[('2011-9-11', '2011-9-30'), ('2011-10-01', '2011-10-31'), ('2011-11-01', '2011-11-30'), ('2011-12-01', '2011-12-31'), ('2012-1-01', '2012-1-31'), ('2012-2-01', '2012-2-29'), ('2012-3-01', '2012-3-31'), ('2012-4-01', '2012-4-30'), ('2012-5-01', '2012-5-31'), ('2012-6-01', '2012-6-30'), ('2012-7-01', '2012-7-31'), ('2012-8-01', '2012-8-31'), ('2012-9-01', '2012-9-30'), ('2012-10-01', '2012-10-31'), ('2012-11-01', '2012-11-30'), ('2012-12-01', '2012-12-31'), ('2013-1-01', '2013-1-31'), ('2013-2-01', '2013-2-28'), ('2013-3-01', '2013-3-31'), ('2013-4-01', '2013-4-24')]

我想出了一个有点难看的代码。这在一定程度上是因为我缺乏列表兼容性和Python的其他功能。代码是:

^{pr2}$

如果这段代码可以被压缩/改进,是否需要其他开发人员的反馈?在


Tags: 代码功能列表开发人员时间程度pr2enddateofmonth
2条回答
import datetime as DT
import calendar
def getMonthRanges(startDate, endDate):
    while startDate <= endDate:
        year, month = startDate.year, startDate.month
        weekday, day = calendar.monthrange(year, month)
        end = min(DT.date(year, month, day), endDate)
        yield (startDate, end)
        startDate = end+DT.timedelta(days=1)

ranges = [map(str, interval) 
          for interval in getMonthRanges(DT.date(2011,9,11), DT.date(2013,4,24))]
print(ranges)

收益率

^{pr2}$

下面是一种只使用datetime module的方法:

>>> from datetime import date, timedelta
>>> from pprint import pprint

>>> def next_month(x):
        'Advance the first of the month, wrapping the year if necessary'
        if x.month < 12:
            return x.replace(month=x.month+1, day=1)
        return x.replace(year=x.year+1, month=1)

>>> def getMonthRanges(startDate, endDate):
        result = []
        first = startDate
        while first < endDate:
            nm = next_month(first)
            last = min(endDate, nm - timedelta(days=1))
            result.append([str(first), str(last)])
            first = nm
        return result

>>> pprint(getMonthRanges(date(2011, 9, 11), date(2013, 4, 24)))
[['2011-09-11', '2011-09-30'],
 ['2011-10-01', '2011-10-31'],
 ['2011-11-01', '2011-11-30'],
 ['2011-12-01', '2011-12-31'],
 ['2012-01-01', '2012-01-31'],
 ['2012-02-01', '2012-02-29'],
 ['2012-03-01', '2012-03-31'],
 ['2012-04-01', '2012-04-30'],
 ['2012-05-01', '2012-05-31'],
 ['2012-06-01', '2012-06-30'],
 ['2012-07-01', '2012-07-31'],
 ['2012-08-01', '2012-08-31'],
 ['2012-09-01', '2012-09-30'],
 ['2012-10-01', '2012-10-31'],
 ['2012-11-01', '2012-11-30'],
 ['2012-12-01', '2012-12-31'],
 ['2013-01-01', '2013-01-31'],
 ['2013-02-01', '2013-02-28'],
 ['2013-03-01', '2013-03-31'],
 ['2013-04-01', '2013-04-24']]

相关问题 更多 >

    热门问题