python – 将时区缩写为UTC
作者:互联网
参见英文答案 > Parsing date/time string with timezone abbreviated name in Python? 5个
如何将2010年2月25日,欧洲中部时间16:19:20形式的日期时间字符串转换为unix时代?
目前我最好的方法是使用time.strptime()是这样的:
def to_unixepoch(s):
# ignore the time zone in strptime
a = s.split()
b = time.strptime(" ".join(a[:-1]) + " UTC", "%b %d %Y, %H:%M:%S %Z")
# this puts the time_tuple(UTC+TZ) to unixepoch(UTC+TZ+LOCALTIME)
c = int(time.mktime(b))
# UTC+TZ
c -= time.timezone
# UTC
c -= {"CET": 3600, "CEST": 2 * 3600}[a[-1]]
return c
我从其他问题中看到,可以使用calendar.timegm()和pytz等来简化这一过程,但这些不能处理缩写的时区.
我想要一个需要最少多余库的解决方案,我希望尽可能多地保留标准库.
解决方法:
Python标准库并没有真正实现时区.您应该使用python-dateutil
.它为标准日期时间模块提供了有用的扩展,包括时区实现和解析器.
您可以使用.astimezone(dateutil.tz.tzutc())将时区感知日期时间对象转换为UTC.对于当前时间作为时区感知日期时间对象,您可以使用datetime.datetime.utcnow().replace(tzinfo = dateutil.tz.tzutc()).
import dateutil.tz
cet = dateutil.tz.gettz('CET')
cesttime = datetime.datetime(2010, 4, 1, 12, 57, tzinfo=cet)
cesttime.isoformat()
'2010-04-01T12:57:00+02:00'
cettime = datetime.datetime(2010, 1, 1, 12, 57, tzinfo=cet)
cettime.isoformat()
'2010-01-01T12:57:00+01:00'
# does not automatically parse the time zone portion
dateutil.parser.parse('Feb 25 2010, 16:19:20 CET')\
.replace(tzinfo=dateutil.tz.gettz('CET'))
不幸的是,在重复的夏令时期间,这种技术将是错误的.
标签:python,timezone,datetime,time,pytz 来源: https://codeday.me/bug/20190526/1159431.html