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


当前回答

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

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

其他回答

怎么样——

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

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

怎么样——

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

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

谢谢@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 ->元组在本地时区的秒数

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

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

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

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