日期时间解析错误,格式错误?

时间:2018-01-09 17:33:30

标签: python python-3.x datetime datetime-format

我在Python 3.6中解析日期时间字符串时遇到了一些麻烦。关键代码是:

datetime.datetime.strptime("Jan 08, 2018 07:04 PM UTC", '%b %d, %Y %I:%M %p %Z')

堆栈跟踪:

  File "marquito.py", line 180, in start
    test_date = "" if test_date == "" else datetime.datetime.strptime(test_date + " UTC", "%b %d, %Y %I:%M %p %Z")
  File "/usr/lib/python3.6/_strptime.py", line 565, in _strptime_datetime
    tt, fraction = _strptime(data_string, format)
  File "/usr/lib/python3.6/_strptime.py", line 362, in _strptime
    (data_string, format))
ValueError: time data 'Jan 08, 2018 07:04 PM UTC' does not match format '%b %d, %Y %I:%M %p %Z'

您认为代码有什么问题吗?

1 个答案:

答案 0 :(得分:6)

%b 依赖于语言环境。您的系统设置为英语或C以外的语言环境,因此月份名称不匹配。

要查看当前区域设置中支持的月份名称,请运行:

>>> import calendar
>>> print([calendar.month_abbr[i].lower() for i in range(13)])

在解析英文月份名称之前,将您的语言环境设置回C或英语。您只需要为LC_TIME类别执行此操作:

import locale
locale.setlocale(locale.LC_TIME, 'C')

例如,在西班牙语语言环境中,无法解析您的日期:

>>> import datetime
>>> import calendar
>>> with calendar.different_locale('es_ES'):
...     print([calendar.month_abbr[i].lower() for i in range(13)])
...     datetime.datetime.strptime("Jan 08, 2018 07:04 PM UTC", '%b %d, %Y %I:%M %p %Z')
...
['', 'ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic']
Traceback (most recent call last):
  File "<stdin>", line 3, in <module>
  File "/Users/mjpieters/Development/Library/buildout.python/parts/opt/lib/python3.6/_strptime.py", line 565, in _strptime_datetime
    tt, fraction = _strptime(data_string, format)
  File "/Users/mjpieters/Development/Library/buildout.python/parts/opt/lib/python3.6/_strptime.py", line 362, in _strptime
    (data_string, format))
ValueError: time data 'Jan 08, 2018 07:04 PM UTC' does not match format '%b %d, %Y %I:%M %p %Z'

但在默认的C语言环境中解析成功:

>>> with calendar.different_locale('C'):
...     print([calendar.month_abbr[i].lower() for i in range(13)])
...     datetime.datetime.strptime("Jan 08, 2018 07:04 PM UTC", '%b %d, %Y %I:%M %p %Z')
...
['', 'jan', 'feb', 'mar', 'apr', 'may', 'jun', 'jul', 'aug', 'sep', 'oct', 'nov', 'dec']
datetime.datetime(2018, 1, 8, 19, 4)

我使用未记录的内部 calendar.different_locale()上下文管理器来临时更改LC_TIME语言环境。它在输入上下文时设置所需的区域设置,并在退出时使用上述locale.setlocale(locale.LC_TIME, ...)调用再次恢复旧的区域设置。