Python datetime - setting fixed hour and minute after using strptime to get day,month,year
I've successfully converted something of 26 Sep 2012
format to 26-09-2012
using:
datetime.strptime(request.POST['sample_date'],'%d %b %Y')
However, I don't know how to set the hour and minute of something like the above to 11:59. Does anyone know how to do this?
Note, this can be a future date or any random one, not just the current date.
Solution 1:
Use datetime.replace
:
from datetime import datetime
dt = datetime.strptime('26 Sep 2012', '%d %b %Y')
newdatetime = dt.replace(hour=11, minute=59)
Also worth noting: datetime.replace
returns a new copy of the datetime
(since datetime
is immutable): it is like str.replace
in that regard.
Solution 2:
datetime.replace() will provide the best options. Also, it provides facility for replacing day, year, and month.
Suppose we have a datetime
object and date is represented as:
"2017-05-04"
>>> from datetime import datetime
>>> date = datetime.strptime('2017-05-04',"%Y-%m-%d")
>>> print(date)
2017-05-04 00:00:00
>>> date = date.replace(minute=59, hour=23, second=59, year=2018, month=6, day=1)
>>> print(date)
2018-06-01 23:59:59
Solution 3:
If you have a date as a datetime.datetime
(or a datetime.date
) instance and want to combine it via a time from a datetime.time
instance, then you can use the classmethod datetime.datetime.combine
:
import datetime
dt = datetime.datetime(2020, 7, 1)
t = datetime.time(12, 34)
combined = datetime.datetime.combine(dt.date(), t)