Output Formatting
We have seen the basic ability to convert values to strings and output them to the console ([[stdout]]). Sometimes, however, we would like more control on the formatting used to output values. Fortunately we have formatted output functions that help us with that goal.
C-Style printf()
In the olden days when the C language was developed in the 1970's it contained a novel new way of formatting output called the printf()
function. This function allows one to specify a format string followed by values that will be substituted into the format string based on the type specifiers found in the format string. This approach has proven very popular and has been copied in many languages since.
With formatted output we must provide a format string that can contain literal text interspersed with type specifiers. The type specifiers are placeholders that identify where and how a value is to be formatted and inserted into the string on output. Type specifiers start with a percent sign (%
), followed by an optional flag, followed by field width and/or precision, followed by one or two characters identifying the type of the value (called the type specifier). Only the percent sign and the type specifier is required, the other components are optional.
%[flag][width][.precision][type specifier]
In addition to the format string, we also provide the values to be formatted to the function. We can have multiple type specifiers in the format string as long as we provide the matching number of additional arguments. The first argument is formatted by the first type specifier, the second argument by the second type specifier, and so on.
Python implments a form of printf()
using the %
operator, but this is a now deprecated form. The "[[Pure Programmer Python Utils Module]]" library from this site provides a wrapper so that we can write printf()
in our programs.

Any other characters in the format string that are not part of a type specifier are printed verbatim. For example:
print "Page count is %d\n" % numPages print "PI: %.2f" % pi print "Title and Page Count: %s %d" % (title, numPages) print "%d of %d" % (currentPage, numPages)
or alternately using the [[Pure Programmer Python Utils Module]] in the same directory as your program.
from Utils import * printf("PI: %.2f\n", pi) printf("Title and Page Count: %s %d\n", title, numPages) printf("%d of %d\n", currentPage, numPages)
Some of the type specifiers available are listed in the table below.
Specifier | Value Type | Description |
---|---|---|
d | signed integer | Signed decimal |
x | unsigned integer | Hexadecimal (lowercase) |
X | unsigned integer | Hexadecimal (uppercase) |
f | floating point | Decimal floating point |
e | floating point | Scientific notation (lowercase) |
E | floating point | Scientific notation (uppercase) |
g | floating point | Shortest representation: %e or %f |
G | floating point | Shortest representation: %E or %F |
c | integer or single character string | Single character |
s | any | String of characters |
% | none | Outputs literal % |
Flag | Description |
---|---|
- | Left-justify within the given field width; Right justification is the default. |
+ | Result is preceeded with a plus or minus sign (+ or -) even for positive numbers. By default, only negative numbers are preceded with a - sign. |
# | Used with o, x or X specifiers the value is preceeded with 0, 0x or 0X respectively. Used with e, E, f, g or G it forces the written output to contain a decimal point even if no more digits follow. By default, if no digits follow, no decimal point is written. |
0 | Left-pads the number with zeroes (0) instead of spaces |
The field width and precision are simply integer values separated by a period (.
). One may use either in the type specifier, both or none. Field width sets the number of characters that will be used to output the value padded with spaces if necessary to achieve the field width. The precision specifier is only useful for formatting floating point and string values. For floating point values it limits the number of decimal places after the decimal point. For strings it truncates the string to the specified number of characters.
#!/usr/bin/env python3; import Utils # Begin Main a = 326 b = -1 c = 2015 i1 = 65000 i2 = -2 i3 = 3261963 f1 = 3.1415926 f2 = 2.99792458e9 f3 = 1.234e-4 c1 = ord("A"[0]) c2 = ord("B"[0]) c3 = ord("C"[0]) s1 = "Apples" s2 = "and" s3 = "Bananas" b1 = True b2 = False Utils.printf("Decimals: %d %d %d\n", a, b, c) Utils.printf("Hexadecimals: %#x %#x %#x\n", a, b, c) Utils.printf("Long Decimals: %d %d %d\n", i1, i2, i3) Utils.printf("Long Hexadecimals: %016x %016x %016x\n", i1, i2, i3) Utils.printf("Fixed FP: %f %f %f\n", f1, f2, f3) Utils.printf("Exponential FP: %e %e %e\n", f1, f2, f3) Utils.printf("General FP: %g %g %g\n", f1, f2, f3) Utils.printf("General FP with precision: %.2g %.2g %.2g\n", f1, f2, f3) Utils.printf("Boolean: %s %s\n", b1, b2) Utils.printf("Character: %c %c %c\n", c1, c2, c3) Utils.printf("String: %s %s %s\n", s1, s2, s3)
Output
C-Style sprintf()
Along with the printf()
function, the C language introduced a similar function called sprintf()
. Instead of printing a formatted string to the console ([[stdout]]), it formats and then returns a string. This more general form has many uses not only for console output but for [[GUI]] output and file output.
#!/usr/bin/env python3; import Utils # Begin Main a = 326 b = -1 c = 2015 i1 = 65000 i2 = -2 i3 = 3261963 f1 = 3.1415926 f2 = 2.99792458e9 f3 = 1.234e-4 c1 = ord("A"[0]) c2 = ord("B"[0]) c3 = ord("C"[0]) s1 = "Apples" s2 = "and" s3 = "Bananas" b1 = True b2 = False s = Utils.sprintf("Decimals: %d %d %d", a, b, c) print(s) s = Utils.sprintf("Hexadecimals: %#x %#x %#x", a, b, c) print(s) s = Utils.sprintf("Long Decimals: %d %d %d", i1, i2, i3) print(s) s = Utils.sprintf("Long Hexadecimals: %016x %016x %016x", i1, i2, i3) print(s) s = Utils.sprintf("Fixed FP: %f %f %f", f1, f2, f3) print(s) s = Utils.sprintf("Exponential FP: %e %e %e", f1, f2, f3) print(s) s = Utils.sprintf("General FP: %g %g %g", f1, f2, f3) print(s) s = Utils.sprintf("General FP with precision: %.2g %.2g %.2g", f1, f2, f3) print(s) s = Utils.sprintf("Boolean: %s %s", b1, b2) print(s) s = Utils.sprintf("Character: %c %c %c", c1, c2, c3) print(s) s = Utils.sprintf("String: %s %s %s", s1, s2, s3) print(s)
Output
String Interpolation
Many languages have the ability to replace variables written directly into strings. This variable substitution in strings is know as variable interpolation.
In Python we can substitute varibles inside strings that have the prefix f
. One simply wraps the varible name in curly brackets and places it in the string such as {variable_name}
. This interpolation mechanism also supports simple expressions in addition to a single variable name.
#!/usr/bin/env python3; # Begin Main FICA_RATE = 0.0765 PAY_RATE = 20. annual_salary = PAY_RATE * 2080.0 print(f"FICA Tax Rate: {FICA_RATE}") print(f"Annual Salary: {annual_salary}") print(f"FICA Tax: {FICA_RATE * annual_salary}")
Output
Modern Message Formatting
The methods for formatting strings and output discuss so far have some limitations when it comes to localizing software. The positional approaches taken by the printf()
style functions poses difficulties to localization because often during translation the order of words and thus the substition specifiers must change but the hard-code argument list in our code can not change to match. Variable interpolation has its drawbacks because you are actually putting code into the strings. When externalizing the strings (removing them from the code and putting them in a separate file) necessary for localization, it is not desirable to export variables and expressions from our code to the localization file where they can be changed.
This is why message formatting approaches have been developed that use substitution specifiers that specify which argument to the message format function is to be used. This allows the substitution specifiers to be in a different order (and perhaps re-ordered during localization) than the formal arguments to the message format function. These substitution specifiers are also not executable code as is the case with variable interpolation so it is much safer to externalize from our program code as we will see in the section on Internationalization.
Python has format()
method on strings that is the model for use in other languages. The example below shows how you can access the format()
method with any string.
#!/usr/bin/env python first = "First" middle = "Middle" last = "Last" s = "{2}, {0} {1}".format(first, middle, last); print(s);
The format()
method uses a pair of curly brackets to identify substition placeholders in the format string. Each pair of curly brackets contains a number from 0 to the number of addtional arguments - 1. This number refers to the position in the argument list of the value that will be used in the substitution. This allows values in the argument list to be used in any order needed in the format string or even used more than once.

Following the position number in the substitution placeholder is an optional type specifier. The type specifier is separated from the position number by a colon. If you don't wish to use a type specifier then the type is assumed to be string. Some of the type specifiers available are listed in the table below.
Specifier | Value Type | Description |
---|---|---|
b | integer | binary |
d | integer | decimal |
o | integer | octal |
x | integer | hexadecimal (lowercase) |
X | integer | hexadecimal (uppercase) |
f | double | fixed notation |
e | double | scientific notation (lowercase) |
E | double | scientific notation (uppercase) |
g | double | shortest representation: e or f |
G | double | shortest representation: E or f |
c | integer | single character |
s | string | string of characters |
Like we have seen in printf()
, the format()
specifiers can take optional modifiers that change how the value is to be formatted. The full definition of the specifiers, including optional components is as follows:
{[arg-pos]:[fill-and-align][sign][#][0][width][.precision][type specifier]}
The fill-and-align option is an optional fill character (which can be any character other than {
or }
), followed by one of the align options <
, >
, ^
. If no fill character is specified, then the space character is used.
Option | Description |
---|---|
< | Left-justify within the given field width. This is the default for non-numeric types. |
> | Right-justify within the given field width. This is the default for numeric types. |
^ | Aligns the value in the center of the field. |
The sign option is one of +
, -
or the space character.
Option | Description |
---|---|
+ | Signifies that a sign character should be output for all values (+ for positive and - for negative). |
- | Signifies that a sign character should be output for negative values only. This is the default for numeric types. |
<space> | Signifies that a leading space should be used for positive values and a - should be output for negative values.
|
The #
option causes alternate formatting to be used.
- For integral types, when binary, octal, or hexadecimal presentation type is used, the alternate form inserts the prefix (0b, 0, or 0x) into the output value after the sign character.
- For floating-point types, the alternate form causes the result of the format to always contain a decimal-point character, even if no digits follow it.
The 0
option pads the field with leading zeros (following any indication of sign or base) to the field width. If the 0
option and an align option both are used, the 0 option is ignored.
The width option is a positive decimal number. If present, it specifies the minimum field width. If the formatted value can not fit within the field width the entire value will be inserted causing the field to be larger than width.
The precision option is a .
followed by a non-negative decimal number. This option indicates the precision to use when formatting a value. For floating-point types, precision specifies the formatting precision, i.e. the number of places after the decimal point to display. For string types, it specifies how many characters from the string will be used.
#!/usr/bin/env python3; import Utils # Begin Main first = "First" middle = "Middle" lastname = "Last" left = "Left" center = "Center" right = "Right" favorite = "kerfuffle" i1 = 3261963 i2 = -42 fp1 = 3.1415926 fp2 = 2.99792458e9 fp3 = -1.234e-4 s = "{2}, {0} {1}".format(first, middle, lastname) print(s) s = "{0} {1} {2}".format(left, center, right) print(s) s = "Favorite number is {0}".format(i1) print(s) s = "Favorite FP is {0}".format(fp1) print(s) c = ord(favorite[0]) print("Favorite c is {0:c}".format(c)) print("Favorite 11c is |{0:11c}|".format(c)) print("Favorite <11c is |{0:<11c}|".format(c)) print("Favorite ^11c is |{0:^11c}|".format(c)) print("Favorite >11c is |{0:>11c}|".format(c)) print("Favorite .<11c is |{0:.<11c}|".format(c)) print("Favorite _^11c is |{0:_^11c}|".format(c)) print("Favorite >11c is |{0: >11c}|".format(c)) c = 0x1F92F print("Favorite emoji c is {0:c}".format(c)) print("Favorite s is {0:s}".format(favorite)) print("Favorite .2s is {0:.2s}".format(favorite)) print("Favorite 11s is |{0:11s}|".format(favorite)) print("Favorite 11.2s is |{0:11.2s}|".format(favorite)) print("Favorite <11.2s is |{0:<11.2s}|".format(favorite)) print("Favorite ^11.2s is |{0:^11.2s}|".format(favorite)) print("Favorite >11.2s is |{0:>11.2s}|".format(favorite)) print("Favorite .<11.2s is |{0:.<11.2s}|".format(favorite)) print("Favorite *^11.2s is |{0:*^11.2s}|".format(favorite)) print("Favorite ->11.2s is |{0:->11.2s}|".format(favorite)) print("Favorite d is {0:d}".format(i1)) print("Another d is {0:d}".format(i2)) print("Favorite b is {0:b}".format(i1)) print("Another B is {0:b}".format(i2)) print("Favorite o is {0:o}".format(i1)) print("Another o is {0:o}".format(i2)) print("Favorite x is {0:x}".format(i1)) print("Another X is {0:X}".format(i2)) print("Favorite #b is {0:#b}".format(i1)) print("Another #B is {0:#b}".format(i2)) print("Favorite #o is {0:#o}".format(i1)) print("Another #o is {0:#o}".format(i2)) print("Favorite #x is {0:#x}".format(i1)) print("Another #X is {0:#X}".format(i2)) print("Favorite 11d is |{0:11d}|".format(i1)) print("Favorite +11d is |{0:+11d}|".format(i1)) print("Favorite 011d is |{0:011d}|".format(i1)) print("Favorite 011x is |{0:011x}|".format(i1)) print("Favorite #011x is |{0:#011x}|".format(i1)) print("Favorite f is {0:f}".format(fp1)) print("Another f is {0:f}".format(fp2)) print("One more f is {0:f}".format(fp3)) print("Favorite e is {0:e}".format(fp1)) print("Another e is {0:e}".format(fp2)) print("One more e is {0:e}".format(fp3)) print("Favorite g is {0:g}".format(fp1)) print("Another g is {0:g}".format(fp2)) print("One more g is {0:g}".format(fp3)) print("Favorite .2f is {0:.2f}".format(fp1)) print("Another .2f is {0:.2f}".format(fp2)) print("One more .2f is {0:.2f}".format(fp3)) print("Favorite .2e is {0:.2e}".format(fp1)) print("Another .2e is {0:.2e}".format(fp2)) print("One more .2e is {0:.2e}".format(fp3)) print("Favorite .2g is {0:.2g}".format(fp1)) print("Another .2g is {0:.2g}".format(fp2)) print("One more .2g is {0:.2g}".format(fp3)) print("Favorite 15.2f is |{0:15.2f}|".format(fp1)) print("Another 15.2e is |{0:15.2e}|".format(fp2)) print("One more 15.2g is |{0:15.2g}|".format(fp3))
Output
Questions
- What is the difference in output between the printf() specifier "%8d" and "%8x"?
- What is the difference in output between the printf() specifier "%8d" and "%-8d"?
- What is the difference in output between the printf() specifier "%8d" and "%+8d"?
- What is the difference in output between the printf() specifier "%f" and "%e"?
- What is the difference in output between the printf() specifier "%f" and "%g"?
- How many characters from the string are printed when using "%10.8s"?
- How many characters characters in total are printed when using "%10.8s"?
- When using "%5.3f" how is 34.5678 formatted?
- When using "%.1f%%" how is 12.345 formatted?
- What is the difference in output between the format() specifier {0:010x} and {0:+10x}?
- What is the difference in output between the format() specifier {0:+5.2f} and {0:-5.2f}?
- What is the difference in output between the format() specifier {0:^20s} and {0:<20s}
Projects
More ★'s indicate higher difficulty level.
- Aligning Characters and Strings with format()
- Aligning Characters and Strings with printf()
- Aligning Floating Point with format()
- Aligning Floating Point with printf()
- Aligning Integers with format()
- Aligning Integers with printf()
- Combined FICA Tax (Formatted)
References
- [[Python Docs Custom String Formatting]]