Decorating Hex function to pad zeros
Solution 1:
Use the new .format()
string method:
>>> "{0:#0{1}x}".format(42,6)
'0x002a'
Explanation:
{ # Format identifier
0: # first parameter
# # use "0x" prefix
0 # fill with zeroes
{1} # to a length of n characters (including 0x), defined by the second parameter
x # hexadecimal number, using lowercase letters for a-f
} # End of format identifier
If you want the letter hex digits uppercase but the prefix with a lowercase 'x', you'll need a slight workaround:
>>> '0x{0:0{1}X}'.format(42,4)
'0x002A'
Starting with Python 3.6, you can also do this:
>>> value = 42
>>> padding = 6
>>> f"{value:#0{padding}x}"
'0x002a'
Solution 2:
How about this:
print '0x%04x' % 42
Solution 3:
"{:02x}".format(7) # '07'
"{:02x}".format(27) # '1b'
Where
-
:
is the start of the formatting specification for the first argument{}
to.format()
-
02
means "pad the input from the left with0
s to length2
" -
x
means "format as hex with lowercase letters"
You can also do this with f-strings:
f"{7:02x}" # '07'
f"{27:02x}" # '1b'