蟒蛇时区格林尼治标准时间转换



我有这个日期格式:

Sat Apr 14 21:05:23 GMT-00:00 2018

我想使用datetime来存储此数据。

datetime.datetime.strptime(dateString, '%a %b %d %H:%M:%S %Z %Y').timetuple()

格林威治标准时间的日期/时间格式是什么? 该文档没有格林威治标准时间。

处理时区总是有点混乱。 在您的示例中,您没有具体说明与时区相关的需求。

固定时区偏移量:

读取所写内容的一种方法是字符串中的时区信息始终GMT-00:00。如果时区始终相同,则构建strptime字符串很简单:

dt.datetime.strptime(date, '%a %b %d %H:%M:%S GMT-00:00 %Y')

这不会努力解释时区,因为它是固定的。这将为您提供时区幼稚datetime。 而且由于您的示例立即将datetime转换为timetuple,因此我认为这就是您想要的结果。

要测试:

>>> date = "Sat Apr 14 21:05:23 GMT-00:00 2018"
>>> print(dt.datetime.strptime(date, '%a %b %d %H:%M:%S GMT-00:00 %Y'))
2018-04-14 21:05:23

解释时区偏移量:

如果您的时间戳中有非 GMT 时区,并且想要保留信息,您可以执行以下操作:

def convert_to_datetime(datetime_string):
# split on spaces
ts = datetime_string.split()
# remove the timezone
tz = ts.pop(4)
# parse the timezone to minutes and seconds
tz_offset = int(tz[-6] + str(int(tz[-5:-3]) * 60 + int(tz[-2:])))
# return a datetime that is offset
return dt.datetime.strptime(' '.join(ts), '%a %b %d %H:%M:%S %Y') - 
dt.timedelta(minutes=tz_offset)

此函数将获取您的时间字符串并利用UTC偏移量。(例如。-00:00)。 它将解析字符串中的时区信息,然后将生成的分钟和秒添加回datetime,使其UTC相对的。

要测试:

>>> print(convert_to_datetime("Sat Apr 14 21:05:23 GMT-00:00 2018"))
2018-04-14 21:05:23
>>> print(convert_to_datetime("Sat Apr 14 21:05:23 PST-08:00 2018"))
2018-04-15 05:05:23

时区感知:

上面的代码返回一个UTC相对时区朴素datetime。 如果您需要时区感知datetime,那么您可以使用:

datetime.replace(tzinfo=pytz.UTC))

要测试:

>>> import pytz
>>> print(convert_to_datetime("Sat Apr 14 21:05:23 GMT-00:00 2018").replace(tzinfo=pytz.UTC))
2018-04-14 21:05:23+00:00

相关内容

  • 没有找到相关文章

最新更新