Reputation: 6861
Say I wanted to display the number 123 with a variable number of padded zeroes on the front.
For example, if I wanted to display it in 5 digits I would have digits = 5
giving me:
00123
If I wanted to display it in 6 digits I would have digits = 6
giving:
000123
How would I do this in Python?
Upvotes: 96
Views: 103746
Reputation: 3221
For those who want to do the same thing with python 3.6+ and f-Strings this is the solution.
width = 20
py, vg = "Python", "Very Good"
print(f"{py:>{width}s} : {vg:>{width}s}")
Upvotes: 18
Reputation: 48879
With the introduction of formatted string literals ("f-strings" for short) in Python 3.6, it is now possible to access previously defined variables with a briefer syntax:
>>> name = "Fred"
>>> f"He said his name is {name}."
'He said his name is Fred.'
The examples given by John La Rooy can be written as
In [1]: num=123
...: fill='0'
...: width=6
...: f'{num:{fill}{width}}'
Out[1]: '000123'
Upvotes: 37
Reputation: 304137
If you are using it in a formatted string with the format()
method which is preferred over the older style ''%
formatting
>>> 'One hundred and twenty three with three leading zeros {0:06}.'.format(123)
'One hundred and twenty three with three leading zeros 000123.'
See
http://docs.python.org/library/stdtypes.html#str.format
http://docs.python.org/library/string.html#formatstrings
Here is an example with variable width
>>> '{num:0{width}}'.format(num=123, width=6)
'000123'
You can even specify the fill char as a variable
>>> '{num:{fill}{width}}'.format(num=123, fill='0', width=6)
'000123'
Upvotes: 219
Reputation: 3808
Use string formatting
print '%(#)03d' % {'#': 2}
002
print '%(#)06d' % {'#': 123}
000123
More info here: link text
Upvotes: 1
Reputation: 39893
There is a string method called zfill:
>>> '12344'.zfill(10)
0000012344
It will pad the left side of the string with zeros to make the string length N (10 in this case).
Upvotes: 45