我想编写一个函数来更改时间格式,并使用偏移来移动日期
例如,我有一个字符串
"this is a string 2012-04-12 23:55 with a 2013-09-12 timezone"
我想将其更改为
"**this is a string 20-Apr-2012 13:40 with a 19-Sep-2013 timezone**"
也就是说,数据的格式从yyyy-mm-dd
更改为dd-bbb-yyyy
,日期会偏移。
我写了以下功能,但它只给出了“这是一个字符串20-Jun-2012 13:40 with 2013-11-12 timezone”
import re
import time
import datetime
def _deIDReportDate(report, offset=654321):
redate = re.compile(r"""([0-9]+-[0-9]+-[0-9]+\s+[0-9]+:[0-9]+)|([0-9]+-[0-9]+-[0-9]+)""")
match = redate.search(report)
for match in redate.finditer(report):
dt = match.group()
if len(dt) > 10:
dt = datetime.datetime.strptime(dt, '%Y-%m-%d %H:%M')
dt += datetime.timedelta(seconds=offset)
new_time = dt.strftime('%d-%b-%Y %H:%M')
newReport = report[:match.start()] + new_time + report[match.end():]
return newReport
else:
dt = datetime.datetime.strptime(dt, '%Y-%m-%d')
dt += datetime.timedelta(seconds=offset)
new_time = dt.strftime('%d-%b-%Y')
newReport = report[:match.start()] + new_time + report[match.end():]
return newReport
任何人都可以帮忙修改/改进我的代码吗?
答案 0 :(得分:3)
您的错误是由您尝试拨打report.groups()
引起的;你从未在report
参数上应用正则表达式。
您的代码可以大大简化:
_dt = re.compile(r"""
[12]\d{3}- # Year (1xxx or 2xxx),
[0-1]\d- # month (0x, 1x or 2x)
[0-3]\d # day (0x, 1x, 2x or 3x)
(?:\s # optional: time after a space
[0-2]\d: # Hour (0x, 1x or 2x)
[0-5]\d # Minute (0x though to 5x)
)?
""", flags=re.VERBOSE)
def _deIDReportDate(report, offset=654321):
def replace(match):
dt = match.group()
if len(dt) > 10:
# with time
dt = datetime.datetime.strptime(dt, '%Y-%m-%d %H:%M')
dt += datetime.timedelta(seconds=offset)
return dt.strftime('%d-%b-%Y %H:%M')
dt = datetime.datetime.strptime(dt, '%Y-%m-%d')
dt += datetime.timedelta(seconds=offset)
return dt.strftime('%d-%b-%Y')
return _dt.sub(replace, report)
为输入字符串中的每个非重叠匹配调用replace
嵌套函数。