[python] Extracting double-digit months and days from a Python date

Is there a way to extract month and day using isoformats? Lets assume today's date is March 8, 2013.

>>> d = datetime.date.today()
>>> d.month
3
>>> d.day
8

I want:

>>> d = datetime.date.today()
>>> d.month
03
>>> d.day
08

I can do this by writing if statements and concatenating a leading 0 in case the day or month is a single digit but was wondering whether there was an automatic way of generating what I want.

This question is related to python datetime iso

The answer is


you can use a string formatter to pad any integer with zeros. It acts just like C's printf.

>>> d = datetime.date.today()
>>> '%02d' % d.month
'03'

Updated for py36: Use f-strings! For general ints you can use the d formatter and explicitly tell it to pad with zeros:

 >>> d = datetime.date.today()
 >>> f"{d.month:02d}"
 '07'

But datetimes are special and come with special formatters that are already zero padded:

 >>> f"{d:%d}"  # the day
 '01'
 >>> f"{d:%m}"  # the month
 '07'