How to convert a Date string to a DateTime object?

Since the string is in ISO format, it can be meaningfully compared directly with the ISO format version of the datetime you mention:

>>> s="2005-08-11T16:34:33Z"
>>> t=datetime.datetime(2009,04,01)
>>> t.isoformat()
'2009-04-01T00:00:00'
>>> s < t
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: can't compare datetime.datetime to str
>>> s < t.isoformat()
True
>>> z='2009-10-01T18:20:12'
>>> z < t.isoformat()
False

as you see, while you can’t compare string with datetime objects, as long as the strings are in ISO format it’s fine to compare them with the .isoformat() of the datetime objects. That’s the beauty of the ISO format string representation of dates and times: it’s correctly comparable and sorts correctly as strings, without necessarily requiring conversion into other types.

If you’re keen to convert, of course, you can:

>>> datetime.datetime.strptime(s, '%Y-%m-%dT%H:%M:%SZ')
datetime.datetime(2005, 8, 11, 16, 34, 33)

Leave a Comment