Converting string to datetime object

后端 未结 1 734
刺人心
刺人心 2020-11-28 15:15

I was trying to convert a string to a datetime object. The string I got from a news feed is in the following format: \"Thu, 16 Oct 2014 01:16:17 EDT\"

I tried using

相关标签:
1条回答
  • 2020-11-28 16:03

    To parse the date in RFC 2822 format, you could use email package:

    from datetime import datetime, timedelta
    from email.utils import parsedate_tz, mktime_tz
    
    timestamp = mktime_tz(parsedate_tz("Thu, 16 Oct 2014 01:16:17 EDT"))
    # -> 1413436577
    utc_dt = datetime(1970, 1, 1) + timedelta(seconds=timestamp)
    # -> datetime.datetime(2014, 10, 16, 5, 16, 17)
    

    Note: parsedate_tz() assumes that EDT corresponds to -0400 UTC offset but it might be incorrect in Australia where EDT is +1100 (AEDT is used by pytz in this case) i.e., a timezone abbreviation may be ambiguous. See Parsing date/time string with timezone abbreviated name in Python?

    Related Python bug: %Z in strptime doesn't match EST and others.

    If your computer uses POSIX timestamps (likely), and you are sure the input date is within an acceptable range for your system (not too far into the future/past), and you don't need to preserve the microsecond precision then you could use datetime.utcfromtimestamp:

    from datetime import datetime
    from email.utils import parsedate_tz, mktime_tz
    
    timestamp = mktime_tz(parsedate_tz("Thu, 16 Oct 2014 01:16:17 EDT"))
    # -> 1413436577
    utc_dt = datetime.utcfromtimestamp(timestamp)
    # -> datetime.datetime(2014, 10, 16, 5, 16, 17)
    
    0 讨论(0)
提交回复
热议问题