将时间从 UTC 转换为 CST

converting time from UTC to CST

我正在尝试将 UTC 时间转换为 CST。但是我没有得到预期的输出。

下面是我的代码:

import datetime
import pytz
fmt = '%Y-%m-%d %H:%M:%S %Z%z'
e = pytz.timezone('US/Central')

time_from_utc = datetime.datetime.utcfromtimestamp(int(1607020200))
time_from = time_from_utc.astimezone(e)
time_from.strftime(fmt)
time_to_utc = datetime.datetime.utcfromtimestamp(int(1609785000))
time_to = time_to_utc.astimezone(tz=pytz.timezone('US/Central'))
print(time_from_utc)
print(time_from)
print(time_to_utc)
print(time_to)

这是输出:

(base) ranjeet@casper:~/Desktop$ python3 ext.py 
2020-12-03 18:30:00
2020-12-03 07:00:00-06:00
2021-01-04 18:30:00
2021-01-04 07:00:00-06:00

我期待转换后,我应该得到与 UTC 时间相对应的时间,即

2020-12-03 18:30:00
2020-12-03 12:30:00-06:00

因为 CST 与 UTC 相差 -6 小时。 感谢任何帮助。

问题

time_from_utc = datetime.datetime.utcfromtimestamp(int(1607020200))

为您提供了一个天真的日期时间对象 - Python 默认情况下将其视为当地时间。然后,在

time_from = time_from_utc.astimezone(e)

出现问题,因为 time_from_utc 被视为 local 时间。 相反,在调用 [=15] 时显式设置 UTC =]:

from datetime import datetime, timezone
import pytz

fmt = '%Y-%m-%d %H:%M:%S %Z%z'
e = pytz.timezone('US/Central')

time_from_utc = datetime.fromtimestamp(1607020200, tz=timezone.utc)
time_from = time_from_utc.astimezone(e)
time_from.strftime(fmt)
time_to_utc = datetime.fromtimestamp(1609785000, tz=timezone.utc)
time_to = time_to_utc.astimezone(tz=pytz.timezone('US/Central'))
  • 这会给你
2020-12-03 18:30:00+00:00
2020-12-03 12:30:00-06:00
2021-01-04 18:30:00+00:00
2021-01-04 12:30:00-06:00

最后备注: 与 Python 3.9,你有 zoneinfo, so you don't need a third party library for handling of time zones. Example usage.