import datetime
import re
givenURL = 'http://site.com/?year=2011&month=10&day=5&hour=11'
givenTime = '08:53PM'
print ' givenURL == ' + givenURL
print 'givenTime == ' + givenTime
regx = re.compile('year=(\d\d\d\d)&month=(\d\d?)&day=(\d\d?)&hour=\d\d?')
print '\nmap(int,regx.search(givenURL).groups()) ==',map(int,regx.search(givenURL).groups())
theDate = datetime.date(*map(int,regx.search(givenURL).groups()))
theTime = datetime.datetime.strptime(givenTime, "%I:%M%p")
print '\ntheDate ==',theDate,type(theDate)
print '\ntheTime ==',theTime,type(theTime)
theDateTime = theTime.replace(theDate.year,theDate.month,theDate.day)
print '\ntheDateTime ==',theDateTime,type(theDateTime)
结果
givenURL == http://site.com/?year=2011&month=10&day=5&hour=11
givenTime == 08:53PM
map(int,regx.search(givenURL).groups()) == [2011, 10, 5]
theDate == 2011-10-05 <type 'datetime.date'>
theTime == 1900-01-01 20:53:00 <type 'datetime.datetime'>
theDateTime == 2011-10-05 20:53:00 <type 'datetime.datetime'>
编辑 1
由于strptime()很慢,我改进了代码以消除它
from datetime import datetime
import re
from time import clock
n = 10000
givenURL = 'http://site.com/?year=2011&month=10&day=5&hour=11'
givenTime = '08:53AM'
# eyquem
regx = re.compile('year=(\d\d\d\d)&month=(\d\d?)&day=(\d\d?)&hour=\d\d? (\d\d?):(\d\d?)(PM|pm)?')
t0 = clock()
for i in xrange(n):
given = givenURL + ' ' + givenTime
mat = regx.search(given)
grps = map(int,mat.group(1,2,3,4,5))
if mat.group(6):
grps[3] += 12 # when it is PM/pm, the hour must be augmented with 12
theDateTime1 = datetime(*grps)
print clock()-t0,"seconds eyquem's code"
print theDateTime1
print
# Artsiom Rudzenka
dateandtimePattern = "http://site.com/?year=%Y&month=%m&day=%d&time=%I:%M%p"
t0 = clock()
for i in xrange(n):
theDateTime2 = datetime.strptime(givenURL.split('&hour=')[0] + '&time=' + givenTime, dateandtimePattern)
print clock()-t0,"seconds Artsiom's code"
print theDateTime2
print
print theDateTime1 == theDateTime2
结果
0.460598763251 seconds eyquem's code
2011-10-05 08:53:00
2.10386180366 seconds Artsiom's code
2011-10-05 08:53:00
True
我的代码快了 4.5 倍。如果有很多这样的转换要执行,那可能会很有趣