如何将本地时间的datetime字符串转换为UTC时间的字符串?

我确信我以前做过这个,但找不到它,所以希望将来能帮助我(和其他人)做到这一点。

澄清:例如,如果我的本地时区(+10)是2008-09-17 14:02:00,我希望生成一个具有等效UTC时间的字符串:2008-09-17 04:02:00。

此外,从http://lucumr.pocoo.org/2011/7/15/eppur-si-muove/请注意,一般来说,这是不可能的,因为DST和其他问题没有从本地时间到UTC时间的唯一转换。


当前回答

使用http://crsmithdev.com/arrow/

arrowObj = arrow.Arrow.strptime('2017-02-20 10:00:00', '%Y-%m-%d %H:%M:%S' , 'US/Eastern')

arrowObj.to('UTC') or arrowObj.to('local') 

这个库让生活变得简单:)

其他回答

用来避开节衣缩食等。

上面的答案对我没有特别的帮助。下面的代码适用于GMT。

def get_utc_from_local(date_time, local_tz=None):
    assert date_time.__class__.__name__ == 'datetime'
    if local_tz is None:
        local_tz = pytz.timezone(settings.TIME_ZONE) # Django eg, "Europe/London"
    local_time = local_tz.normalize(local_tz.localize(date_time))
    return local_time.astimezone(pytz.utc)

import pytz
from datetime import datetime

summer_11_am = datetime(2011, 7, 1, 11)
get_utc_from_local(summer_11_am)
>>>datetime.datetime(2011, 7, 1, 10, 0, tzinfo=<UTC>)

winter_11_am = datetime(2011, 11, 11, 11)
get_utc_from_local(winter_11_am)
>>>datetime.datetime(2011, 11, 11, 11, 0, tzinfo=<UTC>)
def local_to_utc(t):
    secs = time.mktime(t)
    return time.gmtime(secs)

def utc_to_local(t):
    secs = calendar.timegm(t)
    return time.localtime(secs)

来源:http://feihonghsu.blogspot.com/2008/02/converting-from-local-time-to-utc.html

来自bd808的示例用法:如果您的源是一个datetime。Datetime对象t,调用as:

local_to_utc(t.timetuple())

Python 3.6以来可用的选项:datetime.astimezone(tz=None)可用于获取表示本地时间的可感知datetime对象(docs)。然后可以很容易地将其转换为UTC。

from datetime import datetime, timezone
s = "2008-09-17 14:02:00"

# to datetime object:
dt = datetime.fromisoformat(s) # Python 3.7

# I'm on time zone Europe/Berlin; CEST/UTC+2 during summer 2008
dt = dt.astimezone()
print(dt)
# 2008-09-17 14:02:00+02:00

# ...and to UTC:
dtutc = dt.astimezone(timezone.utc)
print(dtutc)
# 2008-09-17 12:02:00+00:00

注意:虽然描述的到UTC的转换工作得非常好,但.astimezone()将datetime对象的tzinfo设置为timedelta派生的时区-所以不要期望从它得到任何“dst感知”。注意这里的时间增量运算。当然,除非您先转换为UTC。 相关:获取Windows上的本地时区名称(Python 3.9 zoneinfo)

首先,将字符串解析为简单的datetime对象。这是datetime的一个实例。没有附加时区信息的日期时间。请参阅其文档。

使用pytz模块,该模块提供了时区+ UTC的完整列表。找出本地时区是什么,从它构造一个timezone对象,并操作它并将其附加到naive datetime。

最后,使用datetime.astimezone()方法将datetime转换为UTC。

源代码,使用本地时区“America/Los_Angeles”,用于字符串“2001-2-3 10:11:12”:

from datetime import datetime   
import pytz

local = pytz.timezone("America/Los_Angeles")
naive = datetime.strptime("2001-2-3 10:11:12", "%Y-%m-%d %H:%M:%S")
local_dt = local.localize(naive, is_dst=None)
utc_dt = local_dt.astimezone(pytz.utc)

从那里,你可以使用strftime()方法来格式化UTC日期时间:

utc_dt.strftime("%Y-%m-%d %H:%M:%S")

我用python-dateutil最成功:

from dateutil import tz

def datetime_to_utc(date):
    """Returns date in UTC w/o tzinfo"""
    return date.astimezone(tz.gettz('UTC')).replace(tzinfo=None) if date.tzinfo else date