如何将本地时间的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时间的唯一转换。


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())

首先,将字符串解析为简单的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")

谢谢@rofly,从字符串到字符串的完整转换如下:

import time
time.strftime("%Y-%m-%d %H:%M:%S", 
              time.gmtime(time.mktime(time.strptime("2008-09-17 14:04:00", 
                                                    "%Y-%m-%d %H:%M:%S"))))

我对时间/日历功能的总结:

time.strptime 字符串——>元组(没有应用时区,所以匹配字符串)

time.mktime 本地时间元组——自epoch以来>秒(始终是本地时间)

time.gmtime seconds since epoch——UTC中的>元组

and

calendar.timegm tuple in UTC——> seconds since epoch

time.localtime 自epoch ->元组在本地时区的秒数


怎么样——

time.strftime("%Y-%m-%dT%H:%M:%SZ", time.gmtime(seconds))

如果seconds为None,则将本地时间转换为UTC时间,否则将传入的时间转换为UTC时间。


注意:从2020年开始,你不应该使用.utcnow()或.utcfromtimestamp(xxx)。当您已经迁移到python3时,您应该使用时区感知的datetime对象。

>>> from datetime import timezone
>>> 
>>> # alternative to '.utcnow()'
>>> dt_now = datetime.datetime.now(datetime.timezone.utc)
>>>
>>> # alternative to '.utcfromtimestamp()'
>>> dt_ts = datetime.fromtimestamp(1571595618.0, tz=timezone.utc)

详情见:https://blog.ganssle.io/articles/2019/11/utcnow.html

最初的答案(2010年):

datetime模块的utcnow()函数可用于获取当前UTC时间。

>>> import datetime
>>> utc_datetime = datetime.datetime.utcnow()
>>> utc_datetime.strftime("%Y-%m-%d %H:%M:%S")
'2010-02-01 06:59:19'

正如Tom上面提到的链接:http://lucumr.pocoo.org/2011/7/15/eppur-si-muove/所说:

UTC是一个没有夏令时的时区,但仍然是一个时区 过去没有配置更改。 始终以UTC度量和存储时间。 如果你需要记录时间是在哪里花费的,分开存储。 不要保存本地时间+时区信息!

注意—如果您的任何数据位于使用夏令时的地区,请使用pytz并查看John Millikin的答案。

如果你想从一个给定的字符串中获得UTC时间,并且你足够幸运地处于世界上一个不使用夏令时的地区,或者你的数据只与UTC时间有偏移,而没有应用夏令时:

——>使用当地时间作为偏移值的基础:

>>> # Obtain the UTC Offset for the current system:
>>> UTC_OFFSET_TIMEDELTA = datetime.datetime.utcnow() - datetime.datetime.now()
>>> local_datetime = datetime.datetime.strptime("2008-09-17 14:04:00", "%Y-%m-%d %H:%M:%S")
>>> result_utc_datetime = local_datetime + UTC_OFFSET_TIMEDELTA
>>> result_utc_datetime.strftime("%Y-%m-%d %H:%M:%S")
'2008-09-17 04:04:00'

或者,从已知偏移量开始,使用datetime.timedelta():

>>> UTC_OFFSET = 10
>>> result_utc_datetime = local_datetime - datetime.timedelta(hours=UTC_OFFSET)
>>> result_utc_datetime.strftime("%Y-%m-%d %H:%M:%S")
'2008-09-17 04:04:00'

更新:

从python 3.2开始datetime。时区可用。你可以用下面的命令生成一个时区感知的datetime对象:

import datetime

timezone_aware_dt = datetime.datetime.now(datetime.timezone.utc)

如果你已经准备好进行时区转换,请阅读这篇文章:

https://medium.com/@eleroy/10-things-you-need-to-know-about-date-and-time-in-python-with-datetime-pytz-dateutil-timedelta-309bfbafb3f7


如果你喜欢datetime.datetime:

dt = datetime.strptime("2008-09-17 14:04:00","%Y-%m-%d %H:%M:%S")
utc_struct_time = time.gmtime(time.mktime(dt.timetuple()))
utc_dt = datetime.fromtimestamp(time.mktime(utc_struct_time))
print dt.strftime("%Y-%m-%d %H:%M:%S")

怎么样——

time.strftime("%Y-%m-%dT%H:%M:%SZ", time.gmtime(seconds))

如果seconds为None,则将本地时间转换为UTC时间,否则将传入的时间转换为UTC时间。


import time

import datetime

def Local2UTC(LocalTime):

    EpochSecond = time.mktime(LocalTime.timetuple())
    utcTime = datetime.datetime.utcfromtimestamp(EpochSecond)

    return utcTime

>>> LocalTime = datetime.datetime.now()

>>> UTCTime = Local2UTC(LocalTime)

>>> LocalTime.ctime()

'Thu Feb  3 22:33:46 2011'

>>> UTCTime.ctime()

'Fri Feb  4 05:33:46 2011'

用来避开节衣缩食等。

上面的答案对我没有特别的帮助。下面的代码适用于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>)

我在dateutil(在SO网站上被广泛推荐用于其他相关问题)方面运气不错:

from datetime import *
from dateutil import *
from dateutil.tz import *

# METHOD 1: Hardcode zones:
utc_zone = tz.gettz('UTC')
local_zone = tz.gettz('America/Chicago')
# METHOD 2: Auto-detect zones:
utc_zone = tz.tzutc()
local_zone = tz.tzlocal()

# Convert time string to datetime
local_time = datetime.strptime("2008-09-17 14:02:00", '%Y-%m-%d %H:%M:%S')

# Tell the datetime object that it's in local time zone since 
# datetime objects are 'naive' by default
local_time = local_time.replace(tzinfo=local_zone)
# Convert time to UTC
utc_time = local_time.astimezone(utc_zone)
# Generate UTC time string
utc_string = utc_time.strftime('%Y-%m-%d %H:%M:%S')

(代码是从这个答案派生的,将UTC日期时间字符串转换为本地日期时间)


还有一个使用pytz的例子,但是包含了localalize(),这帮了我大忙。

import pytz, datetime
utc = pytz.utc
fmt = '%Y-%m-%d %H:%M:%S'
amsterdam = pytz.timezone('Europe/Amsterdam')

dt = datetime.datetime.strptime("2012-04-06 10:00:00", fmt)
am_dt = amsterdam.localize(dt)
print am_dt.astimezone(utc).strftime(fmt)
'2012-04-06 08:00:00'

你可以用:

>>> from time import strftime, gmtime, localtime
>>> strftime('%H:%M:%S', gmtime()) #UTC time
>>> strftime('%H:%M:%S', localtime()) # localtime

我用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

下面是一些常见的Python时间转换的总结。

有些方法以秒为单位,用(s)标记。可以使用显式公式,如ts = (d - epoch) / unit代替(感谢jfs)。

struct_time (UTC) → POSIX (s):calendar.timegm(struct_time) Naïve datetime (local) → POSIX (s):calendar.timegm(stz.localize(dt, is_dst=None).utctimetuple())(exception during DST transitions, see comment from jfs) Naïve datetime (UTC) → POSIX (s):calendar.timegm(dt.utctimetuple()) Aware datetime → POSIX (s):calendar.timegm(dt.utctimetuple()) POSIX → struct_time (UTC, s):time.gmtime(t)(see comment from jfs) Naïve datetime (local) → struct_time (UTC, s):stz.localize(dt, is_dst=None).utctimetuple()(exception during DST transitions, see comment from jfs) Naïve datetime (UTC) → struct_time (UTC, s):dt.utctimetuple() Aware datetime → struct_time (UTC, s):dt.utctimetuple() POSIX → Naïve datetime (local):datetime.fromtimestamp(t, None)(may fail in certain conditions, see comment from jfs below) struct_time (UTC) → Naïve datetime (local, s):datetime.datetime(struct_time[:6], tzinfo=UTC).astimezone(tz).replace(tzinfo=None)(can't represent leap seconds, see comment from jfs) Naïve datetime (UTC) → Naïve datetime (local):dt.replace(tzinfo=UTC).astimezone(tz).replace(tzinfo=None) Aware datetime → Naïve datetime (local):dt.astimezone(tz).replace(tzinfo=None) POSIX → Naïve datetime (UTC):datetime.utcfromtimestamp(t) struct_time (UTC) → Naïve datetime (UTC, s):datetime.datetime(*struct_time[:6])(can't represent leap seconds, see comment from jfs) Naïve datetime (local) → Naïve datetime (UTC):stz.localize(dt, is_dst=None).astimezone(UTC).replace(tzinfo=None)(exception during DST transitions, see comment from jfs) Aware datetime → Naïve datetime (UTC):dt.astimezone(UTC).replace(tzinfo=None) POSIX → Aware datetime:datetime.fromtimestamp(t, tz)(may fail for non-pytz timezones) struct_time (UTC) → Aware datetime (s):datetime.datetime(struct_time[:6], tzinfo=UTC).astimezone(tz)(can't represent leap seconds, see comment from jfs) Naïve datetime (local) → Aware datetime:stz.localize(dt, is_dst=None)(exception during DST transitions, see comment from jfs) Naïve datetime (UTC) → Aware datetime:dt.replace(tzinfo=UTC)

来源:taaviburns.ca


使用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') 

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


在python3:

PIP安装python-dateutil

from dateutil.parser import tz

mydt.astimezone(tz.gettz('UTC')).replace(tzinfo=None) 

简单的

我是这样做的:

>>> utc_delta = datetime.utcnow()-datetime.now()
>>> utc_time = datetime(2008, 9, 17, 14, 2, 0) + utc_delta
>>> print(utc_time)
2008-09-17 19:01:59.999996

的实现

如果你想更花哨一点,你可以把它变成一个函子:

class to_utc():
    utc_delta = datetime.utcnow() - datetime.now()

    def __call__(cls, t):
        return t + cls.utc_delta

结果:

>>> utc_converter = to_utc()
>>> print(utc_converter(datetime(2008, 9, 17, 14, 2, 0)))
2008-09-17 19:01:59.999996

我在这里找到了另一个问题的最佳答案。它只使用python内置库,不需要您输入本地时区(在我的情况下是一个要求)

import time
import calendar

local_time = time.strptime("2018-12-13T09:32:00.000", "%Y-%m-%dT%H:%M:%S.%f")
local_seconds = time.mktime(local_time)
utc_time = time.gmtime(local_seconds)

我在这里重新发布答案,因为这个问题在谷歌中弹出,而不是根据搜索关键字链接的问题。


我在我的一个项目中有这样的代码:

from datetime import datetime
## datetime.timezone works in newer versions of python
try:
    from datetime import timezone
    utc_tz = timezone.utc
except:
    import pytz
    utc_tz = pytz.utc

def _to_utc_date_string(ts):
    # type (Union[date,datetime]]) -> str
    """coerce datetimes to UTC (assume localtime if nothing is given)"""
    if (isinstance(ts, datetime)):
        try:
            ## in python 3.6 and higher, ts.astimezone() will assume a
            ## naive timestamp is localtime (and so do we)
            ts = ts.astimezone(utc_tz)
        except:
            ## in python 2.7 and 3.5, ts.astimezone() will fail on
            ## naive timestamps, but we'd like to assume they are
            ## localtime
            import tzlocal
            ts = tzlocal.get_localzone().localize(ts).astimezone(utc_tz)
    return ts.strftime("%Y%m%dT%H%M%SZ")

如果你已经有了一个datetime对象my_dt,你可以用以下方法将其更改为UTC:

datetime.datetime.utcfromtimestamp(my_dt.timestamp())

简单地说,要将任何datetime日期转换为UTC时间:

from datetime import datetime

def to_utc(date):
    return datetime(*date.utctimetuple()[:6])

让我们用一个例子来解释。首先,我们需要从字符串中创建一个datetime:

>>> date = datetime.strptime("11 Feb 2011 17:33:54 -0800", "%d %b %Y %H:%M:%S %z")

然后,我们可以调用函数:

>>> to_utc(date)
datetime.datetime(2011, 2, 12, 1, 33, 54)

函数如何一步步工作:

>>> date.utctimetuple()
time.struct_time(tm_year=2011, tm_mon=2, tm_mday=12, tm_hour=1, tm_min=33, tm_sec=54, tm_wday=5, tm_yday=43, tm_isdst=0)
>>> date.utctimetuple()[:6]
(2011, 2, 12, 1, 33, 54)
>>> datetime(*date.utctimetuple()[:6])
datetime.datetime(2011, 2, 12, 1, 33, 54)

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)


在python 3.9.0中,将本地时间local_time解析为datetime。Datetime对象,只需使用local_time.astimezone(Datetime .timezone.utc)。


给那些被点赞最多的答案搞糊涂的人。你可以在python中通过生成一个datetime对象将一个datetime字符串转换为utc时间,然后你可以使用astimezone(pytz.utc)来获得utc格式的datetime。

如。

假设我们有一个isoformat的本地日期时间字符串2021-09-02T19:02:00Z

现在将该字符串转换为utc datetime。首先需要使用字符串by生成datetime对象

dt = datetime.strptime(dt,'%Y-%m-%dT%H:%M:%SZ')

这将给你一个python datetime对象,然后你可以使用astimezone(pytz.utc)来获得utc datetime like

dt = datetime.strptime(dt,'%Y-%m-%dT%H:%M:%SZ') dt = dt.astimezone(pytz.utc)

这将为您提供utc格式的datetime对象,然后您可以使用dt将其转换为字符串。Y strftime(“% - % - % d % H: % m: % S”)

完整代码eg:

from datetime import datetime
import pytz

def converLocalToUTC(datetime, getString=True, format="%Y-%m-%d %H:%M:%S"):
    dt = datetime.strptime(dt,'%Y-%m-%dT%H:%M:%SZ')
    dt = dt.astimezone(pytz.utc)
    
    if getString:
        return dt.strftime(format)
    return dt

然后你可以称它为

converLocalToUTC(“2021 - 09 - 02 t19:02:00z”)

求助于 https://stackoverflow.com/a/79877/7756843


下面是Python3.9中本地zoneinfo模块的示例:

from datetime import datetime
from zoneinfo import ZoneInfo

# Get timezone we're trying to convert from
local_tz = ZoneInfo("America/New_York")
# UTC timezone
utc_tz = ZoneInfo("UTC")

dt = datetime.strptime("2021-09-20 17:20:00","%Y-%m-%d %H:%M:%S")
dt = dt.replace(tzinfo=local_tz)
dt_utc = dt.astimezone(utc_tz)

print(dt.strftime("%Y-%m-%d %H:%M:%S"))
print(dt_utc.strftime("%Y-%m-%d %H:%M:%S"))

在转换的时区不反映系统本地时区的情况下,这可能比仅使用dt.astimezone()更可取。不必依赖外部库也很好。

注意:这可能在Windows系统上不起作用,因为zoneinfo依赖于可能不存在的IANA数据库。tzdata包可以作为解决方案安装。它是第一方包,但不在标准库中。