42

将天真的时间和 atzinfo转换为 UTC 时间的正确方法是什么?说我有:

d = datetime(2009, 8, 31, 22, 30, 30)
tz = timezone('US/Pacific')

第一种方式,pytz 启发:

d_tz = tz.normalize(tz.localize(d))
utc = pytz.timezone('UTC')
d_utc = d_tz.astimezone(utc)

第二种方式,来自UTCDateTimeField

def utc_from_localtime(dt, tz):
    dt = dt.replace(tzinfo=tz)
    _dt = tz.normalize(dt)
    if dt.tzinfo != _dt.tzinfo:
        # Houston, we have a problem...
        # find out which one has a dst offset
        if _dt.tzinfo.dst(_dt):
            _dt -= _dt.tzinfo.dst(_dt)
        else:
            _dt += dt.tzinfo.dst(dt)
    return _dt.astimezone(pytz.utc)

不用说,这两种方法在相当多的时区产生不同的结果。

问题是——正确的方法是什么?

4

4 回答 4

34

您的第一种方法似乎是经过批准的方法,并且应该是 DST 感知的。

你可以把它缩短一点,因为pytz.utc = pytz.timezone('UTC'),但你已经知道了:)

tz = timezone('US/Pacific')
def toUTC(d):
    return tz.normalize(tz.localize(d)).astimezone(pytz.utc)

print "Test: ", datetime.datetime.utcnow(), " = ", toUTC(datetime.datetime.now())
于 2009-08-31T16:07:40.727 回答
7

将天真的时间和 tzinfo 转换为 utc 时间的正确方法是什么?

此答案列举了将本地时间转换为 UTC 的一些问题

from datetime import datetime
import pytz # $ pip install pytz

d = datetime(2009, 8, 31, 22, 30, 30)
tz = pytz.timezone('US/Pacific')

# a) raise exception for non-existent or ambiguous times
aware_d = tz.localize(d, is_dst=None)
## b) assume standard time, adjust non-existent times
#aware_d = tz.normalize(tz.localize(d, is_dst=False))
## c) assume DST is in effect, adjust non-existent times
#aware_d = tz.normalize(tz.localize(naive_d, is_dst=True))

# convert to UTC
utc_d = aware_d.astimezone(pytz.utc)
于 2014-10-04T07:25:02.360 回答
1

使用第一种方法。没有理由重新发明时区转换的轮子

于 2009-08-31T15:18:22.760 回答
-2
    import pytz
    from django.utils import timezone

    tz = pytz.timezone('America/Los_Angeles')
    time = tz.normalize(timezone.now())
于 2015-07-22T21:25:59.770 回答