如果这很密集,请提前抱歉。我正在尝试查找自上次发布推文以来的日子。我遇到的问题是当日期不同时,例如今天和昨天,但没有足够的时间过去成为完整的"一天"。
# "created_at" is part of the Twitter API, returned as UTC time. The
# timedelta here is to account for the fact I am on the west coast, USA
lastTweetAt = result.created_at + timedelta(hours=-8)
# get local time
rightNow = datetime.now()
# subtract the two datetimes (which gives me a timedelta)
dt = rightNow - lastTweetAt
# print the number of days difference
print dt.days
问题是,如果我昨天下午 5 点发布一条推文,今天早上 8 点运行脚本,那么只过去了 15 个小时,也就是 0 天。但显然我想说,如果是昨天,距离我上一条推文已经过去了 1 天。添加"+1"的笨拙也无济于事,因为如果我今天发推文,我希望结果为 0。
有没有比使用时间增量更好的方法来获得差异?
溶液由马蒂·莱拉提供
答案是在日期时间上调用 .date(),以便将它们转换为更粗糙的日期对象(没有时间戳)。 正确的代码如下所示:
# "created_at" is part of the Twitter API, returned as UTC time.
# the -8 timedelta is to account for me being on the west coast, USA
lastTweetAt = result.created_at + timedelta(hours=-8)
# get UTC time for right now
rightNow = datetime.now()
# truncate the datetimes to date objects (which have dates, but no timestamp)
# and subtract them (which gives me a timedelta)
dt = rightNow.date() - lastTweetAt.date()
# print the number of days difference
print dt.days
datetime.date()
来比较两个日期(注意:不是日期与时间),这会截断datetime
,使其分辨率为天而不是小时。
...
# subtract the two datetimes (which gives me a timedelta)
dt = rightNow.date() - lastTweetAt.date()
...
文档永远是你的朋友
http://docs.python.org/2/library/datetime#datetime.datetime.date
只处理日期时间的"日期"部分怎么样?
在以下代码中输出"0"之后的部分:
>>> a = datetime.datetime.now()
>>> b = datetime.datetime.now() - datetime.timedelta(hours=20)
>>> (a-b).days
0
>>> b.date() - a.date()
datetime.timedelta(-1)
>>> (b.date() - a.date()).days
-1