如何将本地时间的日期时间字符串转换为UTC时间的字符串?
我确信我之前已经这样做了,但找不到它,所以希望将来帮助我(以及其他人)做到这一点。
澄清:例如,如果我的本地时区(2008-09-17 14:02:00
)中有+10
,我想生成一个等效{{1}的字符串时间:UTC
。
此外,从http://lucumr.pocoo.org/2011/7/15/eppur-si-muove/开始,请注意,一般情况下这不可能与DST和其他问题一样,因此没有从本地时间到UTC时间的唯一转换。
答案 0 :(得分:236)
首先,将字符串解析为一个天真的日期时间对象。这是datetime.datetime
的实例,没有附加时区信息。有关解析日期字符串的信息,请参阅datetime.strptime
的文档。
使用pytz
模块,该模块附带完整的时区列表+ UTC。弄清楚当地时区是什么,从中构建一个时区对象,并操纵它并将其附加到天真的日期时间。
最后,使用datetime.astimezone()
方法将日期时间转换为UTC。
源代码,使用当地时区“America / Los_Angeles”,字符串“2001-2-3 10:11:12”:
import pytz, datetime
local = pytz.timezone ("America/Los_Angeles")
naive = datetime.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")
答案 1 :(得分:116)
日期时间模块的utcnow()功能可用于获取当前的UTC时间。
>>> import datetime
>>> utc_datetime = datetime.datetime.utcnow()
>>> utc_datetime.strftime("%Y-%m-%d %H:%M:%S")
'2010-02-01 06:59:19'
正如汤姆上面提到的链接:http://lucumr.pocoo.org/2011/7/15/eppur-si-muove/说:
UTC是一个没有夏令时但仍然是时区的时区 过去没有配置更改。
始终以UTC 衡量和存储时间。
如果您需要记录拍摄时间,请单独存储。 不要 存储本地时间+时区信息!
注意 - 如果您的任何数据位于使用DST的区域,请使用pytz
并查看John Millikin的答案。
如果您想从给定字符串中获取UTC时间,并且您有幸在世界上不使用DST的区域中,或者您的数据仅在未应用DST的情况下偏离UTC:< / p>
- &GT;使用当地时间作为抵消价值的基础:
>>> # 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'
- &GT;或者,从已知的偏移量,使用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.timezone
可用。您可以使用以下命令生成时区感知日期时间对象:
import datetime
timezone_aware_dt = datetime.datetime.now(datetime.timezone.utc)
如果您已准备好接受时区转换,请阅读以下内容:
答案 2 :(得分:60)
谢谢@rofly,从字符串到字符串的完整转换如下:
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
/ calendar
函数的摘要:
time.strptime
string - &gt;元组(未应用时区,因此匹配字符串)
time.mktime
当地时间元组 - &gt;纪元以来的秒数(总是当地时间)
time.gmtime
从纪元开始的秒数 - &gt; UTC中的元组
和
calendar.timegm
UTC中的元组 - &gt;从纪元开始的秒数
time.localtime
从纪元开始的秒数 - &gt;当地时区的元组
答案 3 :(得分:32)
以下是常见Python时间转换的摘要。
某些方法会丢弃几秒钟,并标有(s)。可以使用诸如ts = (d - epoch) / unit
之类的显式公式(感谢jfs)。
calendar.timegm(struct_time)
calendar.timegm(stz.localize(dt, is_dst=None).utctimetuple())
calendar.timegm(dt.utctimetuple())
calendar.timegm(dt.utctimetuple())
time.gmtime(t)
stz.localize(dt, is_dst=None).utctimetuple()
dt.utctimetuple()
dt.utctimetuple()
datetime.fromtimestamp(t, None)
datetime.datetime(struct_time[:6], tzinfo=UTC).astimezone(tz).replace(tzinfo=None)
dt.replace(tzinfo=UTC).astimezone(tz).replace(tzinfo=None)
dt.astimezone(tz).replace(tzinfo=None)
datetime.utcfromtimestamp(t)
datetime.datetime(*struct_time[:6])
stz.localize(dt, is_dst=None).astimezone(UTC).replace(tzinfo=None)
dt.astimezone(UTC).replace(tzinfo=None)
datetime.fromtimestamp(t, tz)
datetime.datetime(struct_time[:6], tzinfo=UTC).astimezone(tz)
stz.localize(dt, is_dst=None)
dt.replace(tzinfo=UTC)
答案 4 :(得分:23)
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
,请致电:
local_to_utc(t.timetuple())
答案 5 :(得分:19)
我祝你好运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')
答案 6 :(得分:17)
使用pytz的另一个例子,但包括localize(),这节省了我的一天。
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'
答案 7 :(得分:12)
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
答案 8 :(得分:7)
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'
答案 9 :(得分:5)
如果您更喜欢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")
答案 10 :(得分:4)
你可以用:
>>> from time import strftime, gmtime, localtime
>>> strftime('%H:%M:%S', gmtime()) #UTC time
>>> strftime('%H:%M:%S', localtime()) # localtime
答案 11 :(得分:3)
怎么样 -
time.strftime("%Y-%m-%dT%H:%M:%SZ", time.gmtime(seconds))
如果秒为None
,则它将本地时间转换为UTC时间,否则将传入的时间转换为UTC。
答案 12 :(得分:3)
我是这样做的:
>>> 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
答案 13 :(得分:2)
为了避免白天节约等等。
上述答案都没有对我有所帮助。以下代码适用于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>)
答案 14 :(得分:2)
使用http://crsmithdev.com/arrow/
let rec loop slot = if slot <= endSlot && process () then loop (slot + 1)
loop startSlot
这个图书馆让生活更轻松:)
答案 15 :(得分:2)
我的一个项目中有以下代码:
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")
答案 16 :(得分:1)
此线程似乎缺少自Python 3.6以来可用的选项:datetime.astimezone(tz=None)
可用于获取表示本地时间(docs)的已知datetime对象。然后可以轻松将其转换为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
尽管有一个警告,请参阅astimezone(None) gives aware datetime, unaware of DST。
答案 17 :(得分:0)
在python3中:
pip install python-dateutil
from dateutil.parser import tz
mydt.astimezone(tz.gettz('UTC')).replace(tzinfo=None)
答案 18 :(得分:0)
我在另一个问题here上找到了最佳答案。它仅使用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)
我在这里重新发布答案,因为这个问题会在Google中弹出,而不是取决于搜索关键字的链接问题。
答案 19 :(得分:0)
如果您已经有一个日期时间对象my_dt
,可以使用以下方法将其更改为UTC:
datetime.datetime.utcfromtimestamp(my_dt.timestamp())
答案 20 :(得分:0)
简短,将任何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)
答案 21 :(得分:-1)
在这种情况下...... pytz是最好的lib
import pytz
utc = pytz.utc
yourdate = datetime.datetime.now()
yourdateutc = yourdate.astimezone(utc).replace(tzinfo=None)
答案 22 :(得分:-1)
在python 3.9.0中,将本地时间local_time
解析为datetime.datetime
对象后,只需使用local_time.astimezone(datetime.timezone.utc)
。