Created
May 30, 2019 00:28
-
-
Save jnothman/e6779f5df0278f2a34e87e6d8084e2c3 to your computer and use it in GitHub Desktop.
datetime.fromisoformat backported from Python 3.7
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
"""datetime.fromisoformat backported from Python 3.7 | |
PYTHON SOFTWARE FOUNDATION LICENSE VERSION 2 | |
-------------------------------------------- | |
1. This LICENSE AGREEMENT is between the Python Software Foundation | |
("PSF"), and the Individual or Organization ("Licensee") accessing and | |
otherwise using this software ("Python") in source or binary form and | |
its associated documentation. | |
2. Subject to the terms and conditions of this License Agreement, PSF hereby | |
grants Licensee a nonexclusive, royalty-free, world-wide license to reproduce, | |
analyze, test, perform and/or display publicly, prepare derivative works, | |
distribute, and otherwise use Python alone or in any derivative version, | |
provided, however, that PSF's License Agreement and PSF's notice of copyright, | |
i.e., "Copyright (c) 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008, 2009, 2010, | |
2011, 2012, 2013, 2014, 2015, 2016, 2017, 2018, 2019 Python Software Foundation; | |
All Rights Reserved" are retained in Python alone or in any derivative version | |
prepared by Licensee. | |
3. In the event Licensee prepares a derivative work that is based on | |
or incorporates Python or any part thereof, and wants to make | |
the derivative work available to others as provided herein, then | |
Licensee hereby agrees to include in any such work a brief summary of | |
the changes made to Python. | |
4. PSF is making Python available to Licensee on an "AS IS" | |
basis. PSF MAKES NO REPRESENTATIONS OR WARRANTIES, EXPRESS OR | |
IMPLIED. BY WAY OF EXAMPLE, BUT NOT LIMITATION, PSF MAKES NO AND | |
DISCLAIMS ANY REPRESENTATION OR WARRANTY OF MERCHANTABILITY OR FITNESS | |
FOR ANY PARTICULAR PURPOSE OR THAT THE USE OF PYTHON WILL NOT | |
INFRINGE ANY THIRD PARTY RIGHTS. | |
5. PSF SHALL NOT BE LIABLE TO LICENSEE OR ANY OTHER USERS OF PYTHON | |
FOR ANY INCIDENTAL, SPECIAL, OR CONSEQUENTIAL DAMAGES OR LOSS AS | |
A RESULT OF MODIFYING, DISTRIBUTING, OR OTHERWISE USING PYTHON, | |
OR ANY DERIVATIVE THEREOF, EVEN IF ADVISED OF THE POSSIBILITY THEREOF. | |
6. This License Agreement will automatically terminate upon a material | |
breach of its terms and conditions. | |
7. Nothing in this License Agreement shall be deemed to create any | |
relationship of agency, partnership, or joint venture between PSF and | |
Licensee. This License Agreement does not grant permission to use PSF | |
trademarks or trade name in a trademark sense to endorse or promote | |
products or services of Licensee, or any third party. | |
8. By copying, installing or otherwise using Python, Licensee | |
agrees to be bound by the terms and conditions of this License | |
Agreement. | |
""" | |
from datetime import timedelta, timezone, datetime | |
def _parse_isoformat_date(dtstr): | |
# It is assumed that this function will only be called with a | |
# string of length exactly 10, and (though this is not used) ASCII-only | |
year = int(dtstr[0:4]) | |
if dtstr[4] != '-': | |
raise ValueError('Invalid date separator: %s' % dtstr[4]) | |
month = int(dtstr[5:7]) | |
if dtstr[7] != '-': | |
raise ValueError('Invalid date separator') | |
day = int(dtstr[8:10]) | |
return [year, month, day] | |
def _parse_hh_mm_ss_ff(tstr): | |
# Parses things of the form HH[:MM[:SS[.fff[fff]]]] | |
len_str = len(tstr) | |
time_comps = [0, 0, 0, 0] | |
pos = 0 | |
for comp in range(0, 3): | |
if (len_str - pos) < 2: | |
raise ValueError('Incomplete time component') | |
time_comps[comp] = int(tstr[pos:pos+2]) | |
pos += 2 | |
next_char = tstr[pos:pos+1] | |
if not next_char or comp >= 2: | |
break | |
if next_char != ':': | |
raise ValueError('Invalid time separator: %c' % next_char) | |
pos += 1 | |
if pos < len_str: | |
if tstr[pos] != '.': | |
raise ValueError('Invalid microsecond component') | |
else: | |
pos += 1 | |
len_remainder = len_str - pos | |
if len_remainder not in (3, 6): | |
raise ValueError('Invalid microsecond component') | |
time_comps[3] = int(tstr[pos:]) | |
if len_remainder == 3: | |
time_comps[3] *= 1000 | |
return time_comps | |
def _parse_isoformat_time(tstr): | |
# Format supported is HH[:MM[:SS[.fff[fff]]]][+HH:MM[:SS[.ffffff]]] | |
len_str = len(tstr) | |
if len_str < 2: | |
raise ValueError('Isoformat time too short') | |
# This is equivalent to re.search('[+-]', tstr), but faster | |
tz_pos = (tstr.find('-') + 1 or tstr.find('+') + 1) | |
timestr = tstr[:tz_pos-1] if tz_pos > 0 else tstr | |
time_comps = _parse_hh_mm_ss_ff(timestr) | |
tzi = None | |
if tz_pos > 0: | |
tzstr = tstr[tz_pos:] | |
# Valid time zone strings are: | |
# HH:MM len: 5 | |
# HH:MM:SS len: 8 | |
# HH:MM:SS.ffffff len: 15 | |
if len(tzstr) not in (5, 8, 15): | |
raise ValueError('Malformed time zone string') | |
tz_comps = _parse_hh_mm_ss_ff(tzstr) | |
if all(x == 0 for x in tz_comps): | |
tzi = timezone.utc | |
else: | |
tzsign = -1 if tstr[tz_pos - 1] == '-' else 1 | |
td = timedelta(hours=tz_comps[0], minutes=tz_comps[1], | |
seconds=tz_comps[2], microseconds=tz_comps[3]) | |
tzi = timezone(tzsign * td) | |
time_comps.append(tzi) | |
return time_comps | |
def datetime_from_isformat(date_string): | |
"""Construct a datetime from the output of datetime.isoformat().""" | |
if not isinstance(date_string, str): | |
raise TypeError('fromisoformat: argument must be str') | |
# Split this at the separator | |
dstr = date_string[0:10] | |
tstr = date_string[11:] | |
try: | |
date_components = _parse_isoformat_date(dstr) | |
except ValueError: | |
raise ValueError(f'Invalid isoformat string: {date_string!r}') | |
if tstr: | |
try: | |
time_components = _parse_isoformat_time(tstr) | |
except ValueError: | |
raise ValueError(f'Invalid isoformat string: {date_string!r}') | |
else: | |
time_components = [0, 0, 0, 0, None] | |
return datetime(*(date_components + time_components)) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
the function could be added into the "datetime" class like this: