如何在python中将带后缀的日期转换为另一种格式

时间:2014-09-02 04:27:11

标签: python date converter

我需要转换类似的内容:

Mar 31st, 2014
Aug 13th, 2014
Sep 2nd, 2014

分为:

31/03/2014
13/08/2014
2/09/2014

我一直在关注strptime,但后缀正在阻碍。 谢谢。

4 个答案:

答案 0 :(得分:4)

您可以使用dateutil模块:

>>> from dateutil.parser import parse
>>> s = 'Mar 31st, 2014'
>>> parse(s)
datetime.datetime(2014, 3, 31, 0, 0)

答案 1 :(得分:1)

您可以定义自己的功能来执行此操作:

d = {'Jan': '01', 'Feb': '02', 'Mar': '03', 'Apr': '04', 'May': '05', 'Jun': '06', 'Jul': '07', 'Aug': '08', 'Sep': '09', 'Oct': '10', 'Nov': '11', 'Dec': '12'}


def parser(date):
    date = date.split()    # date = ['Mar', '31st,', '2014']
    for i, elem in enumerate(date):
        if i == 0:
            month = d[elem]    # month = '03'
        elif i == 1:
            date = elem[:len(elem) - 3]    # date = '31'
        else:
            year = elem    # year = '2014'
    return date + "/" + month + "/" + year    # '31/03/2014'

print parser('Mar 31st, 2014')

这将返回31/03/2014

答案 2 :(得分:1)

使用标准python模块的主要问题是没有格式选项的天数有后缀(我的意思是'st','nd','th'..),没有前导零的日期没有选项。 对于后缀,您可以安全地删除它们,因为它们不会出现在月份名称中。至于没有前导零的日子,我们可以通过明确选择日期部分来构造字符串。

from datetime import datetime 

def convert(dt_string, in_format='%b %d, %Y', out_format='{0.day}{0:/%m/%Y}'):
    for suffix in ('st', 'nd', 'rd', 'th'):
        dt_string = dt_string.replace(suffix, '')
    return out_format.format(datetime.strptime(dt_string, in_format))


dates = ['Mar 31st, 2014', 'Aug 13th, 2014', 'Sep 2nd, 2014']
print map(convert, dates)

答案 3 :(得分:0)

我会使用以下方法。

import datetime
import re

# Collect all dates into a list.
dates = [ 'Mar 31st, 2014', 'Aug 13th, 2014', 'Sep 2nd, 2014' ]

# Compile a pattern to replace alpha digits in date to empty string.
pattern = re.compile('(st|nd|rd|th|,)')

# Itegrate through the list and replace the old format to the new one.
for offset, date in enumerate(dates):
    date = pattern.sub('', date)
    date = datetime.datetime.strptime(date, '%b %d %Y')
    dates[offset] = str(date.day) + '/' + str(date.month) + '/' + str(date.year)
    print(dates[offset]);