我在处理日期时发现了非常有用的datetime.datetime对象,但是现在我的情况是datime.datetime对我不起作用。在程序执行期间,日期字段是动态计算的,这就是问题:< / p>
>>> datetime.datetime(2013, 2, 29, 10, 15)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ValueError: day is out of range for month
好的,二月没有29天,但是如果日期时间可以解决并返回此对象会很棒
datetime.datetime(2013, 3, 1, 10, 15)
解决这种情况的最佳方法是什么?所以,我正在寻找一个通用的解决方案,当天参数大于月份的天数时。
答案 0 :(得分:6)
来自Python的禅宗:明确比隐含更好。当您尝试创建无效日期等错误时,您需要明确处理这种情况。
如何处理该异常完全到您的应用程序。您可以通知最终用户该错误,或者您可以尝试将日期转移到下个月,或将当天限制为当月的最后一个法定日期。所有这些都是有效的选项,取决于您的用例。
以下代码会将“剩余”天数转移到下个月。所以2013-02-30将成为2013-03-02。
import calendar
import datetime
try:
dt = datetime.datetime(year, month, day, hour, minute)
except ValueError:
# Oops, invalid date. Assume we can fix this by shifting this to the next month instead
_, monthdays = calendar.monthrange(year, month)
if monthdays < day:
surplus = day - monthdays
dt = datetime.datetime(year, month, monthdays, hour, minute) + datetime.timedelta(days=surplus)
答案 1 :(得分:3)
虽然在这种情况下使用try...except
还有很多话要说,如果你真的只需要月份+ daysOffset,你可以这样做:
d = datetime.datetime(targetYear,targetMonth,1,hour,min,sec)
d = d + datetime.timedelta(days=targetDayOfMonth-1)
基本上,将月中的日期设置为1(始终在月中),然后添加timedelta以返回当前或未来月份中的相应日期。
d = datetime.datetime(2013, 2, 1, 10, 15) # day of the month is 1
# since the target day is the 29th and that is 28 days after the first
# subtract 1 before creating the timedelta.
d = d + datetime.timedelta(days=28)
print d
# datetime.datetime(2013, 3, 1, 10, 15)
答案 2 :(得分:1)
使用下个月的第一天,然后减去一天以避免使用日历
datetime.datetime(targetYear, targetMonth+1, 1) + dt.timedelta(days = -1)