8

I have a string like this

"1st January 2014"

I want to parse it into a datetime.date. I can do this:

If the date is 1 January 2014 I make this: replace(' ','') then datetime.strptime(SecondDateString, "%d%B%Y").date()

But this doesn't work when the day has st, nd, rd, or th.

Edit: you may say that I myself remove the st, nd, rd, or th and then use my own way above, yes this is a solution but I am asking if python has already had something for me.

martineau
  • 112,593
  • 23
  • 157
  • 280
Marco Dinatsoli
  • 9,834
  • 34
  • 124
  • 238

2 Answers2

15

You can use regex to replace st, nd, rd, th with an empty string:

import re
def solve(s):                                             
    return re.sub(r'(\d)(st|nd|rd|th)', r'\1', s)

Demo:

>>> datetime.strptime(solve('1st January 2014'), "%d %B %Y")
datetime.datetime(2014, 1, 1, 0, 0)
>>> datetime.strptime(solve('3rd March 2014'), "%d %B %Y")
datetime.datetime(2014, 3, 3, 0, 0)
>>> datetime.strptime(solve('2nd June 2014'), "%d %B %Y")
datetime.datetime(2014, 6, 2, 0, 0)
>>> datetime.strptime(solve('1st August 2014'), "%d %B %Y")
datetime.datetime(2014, 8, 1, 0, 0)
Ashwini Chaudhary
  • 232,417
  • 55
  • 437
  • 487
6

You can use dateutil.parser module

date1 = "1st January 2014"
dateutil.parser.parse(date1)
>> datetime.datetime(2014, 1, 1, 0, 0)

You can check full documentation from here

FallenAngel
  • 17,186
  • 14
  • 82
  • 110