PYTHON String Formatting

When storing and transforming data for humans to see, string formatting can become very important. Python offers a wide variety of python string formatting methods which are outlined in this topic

Basics of Python String Formatting

foo = 1
bar = 'bar'
baz = 3.14

You can use str.format to format output. Bracket pairs are replaced with arguments in the order in which the arguments are passed:

print('{}, {} and {}'.format(foo, bar, baz))

Out: “1, bar and 3.14”

Indexes can also be specified inside the brackets. The numbers correspond to indexes of the arguments passed to the str.format function (0-based).

print('{0}, {1}, {2}, and {1}'.format(foo, bar, baz))

Out: “1, bar, 3.14, and bar”

print('{0}, {1}, {2}, and {3}'.format(foo, bar, baz))

Out: index out of range error

Named arguments can be also used:

print("X value is: {x_val}. Y value is: {y_val}.".format(x_val=2, y_val=3))

Out: “X value is: 2. Y value is: 3.”

Object attributes can be referenced when passed into str.format:

class AssignValue(object):
def init(self, value):
self.value = value
my_value = AssignValue(6)
print('My value is: {0.value}'.format(my_value)) # "0" is optional

Out: “My value is: 6”

Dictionary keys can be used as well:

my_dict = {'key': 6, 'other_key': 7}
print("My other key is: {0[other_key]}".format(my_dict)) # "0" is optional

Out: “My other key is: 7”

Same applies to list and tuple indices:

my_list = ['zero', 'one', 'two']
print("2nd element is: {0[2]}".format(my_list)) # "0" is optional

Out: “2nd element is: two”

Note: In addition to str.format, Python also provides the modulo operator %–also known as the string formatting or interpolation operator (see PEP 3101)–for formatting strings. str.format is a successor of %

and it offers greater flexibility, for instance by making it easier to carry out multiple substitutions.

In addition to argument indexes, you can also include a format specification inside the curly brackets. This is an expression that follows special rules and must be preceded by a colon (:). See the docs for a full description of format specification. An example of format specification is the alignment directive :~^20 (^ stands for center alignment, total width 20, fill with ~ character):

'{:~^20}'.format('centered')

Out: ‘~~centered~~’

format allows behaviour not possible with %, for example repetition of arguments:

t = (12, 45, 22222, 103, 6)
print '{0} {2} {1} {2} {3} {2} {4} {2}'.format(*t)

Out: 12 22222 45 22222 103 22222 6 22222

As format is a function, it can be used as an argument in other functions:

number_list = [12,45,78]
print map('the number is {}'.format, number_list)

Out: [‘the number is 12’, ‘the number is 45’, ‘the number is 78’]

from datetime import datetime,timedelta
once_upon_a_time = datetime(2010, 7, 1, 12, 0, 0)
delta = timedelta(days=13, hours=8, minutes=20)
gen = (once_upon_a_time + x * delta for x in xrange(5))
print '\n'.join(map('{:%Y-%m-%d %H:%M:%S}'.format, gen))

Out: 2010-07-01 12:00:00

2010-07-14 20:20:00
2010-07-28 04:40:00
2010-08-10 13:00:00
2010-08-23 21:20:00

PYTHON String Formatting: Alignment and padding

Python 2.x Version ≥ 2.6

The format() method can be used to change the alignment of the string. You have to do it with a format expression of the form :[fill_char][align_operator][width] where align_operator is one of:

< forces the field to be left-aligned within width.

forces the field to be right-aligned within width.

^ forces the field to be centered within width.

= forces the padding to be placed after the sign (numeric types only).

fill_char (if omitted default is whitespace) is the character used for the padding.

'{:~<9s}, World'.format('Hello')

‘Hello~~~~, World’

‘{:~>9s}, World’.format(‘Hello’)

‘~~~~Hello, World’

'{:~^9s}'.format('Hello')

Hello

'{:0=6d}'.format(-123)

‘-00123’

Note: you could achieve the same results using the string functions ljust(), rjust(), center(), zfill(), however these functions are deprecated since version 2.5.

PYTHON String Formatting: Format literals (f-string)

Literal format strings were introduced in PEP 498 (Python3.6 and upwards), allowing you to prepend f to the beginning of a string literal to effectively apply .format to it with all variables in the current scope.

foo = 'bar'
f'Foo is {foo}' 'Foo is bar'
This works with more advanced format strings too, including alignment and dot notation.
f'{foo:^7s}' ' bar '

Note: The f” does not denote a particular type like b” for bytes or u” for unicode in python2. The formatting is immediately applied, resulting in a normal string.

The format strings can also be nested:

price = 478.23
f"{f'${price:0.2f}':>20s}" '$478.23'

The expressions in an f-string are evaluated in left-to-right order. This is detectable only if the expressions have side effects:

def fn(l, incr):
…result = l[0]
…l[0] += incr
…return result

lst = [0]
f'{fn(lst,2)} {fn(lst,3)}' '0 2'
f'{fn(lst,2)} {fn(lst,3)}' '5 7'
lst
[10]

Float formatting

'{0:.0f}'.format(42.12345)
'42'
'{0:.1f}'.format(42.12345) '42.1'
'{0:.3f}'.format(42.12345)
'42.123'
'{0:.5f}'.format(42.12345) '42.12345'
'{0:.7f}'.format(42.12345) '42.1234500'

Same hold for other way of referencing:

'{:.3f}'.format(42.12345) '42.123'
'{answer:.3f}'.format(answer=42.12345) '42.123'

Floating point numbers can also be formatted in scientific notation or as percentages:

'{0:.3e}'.format(42.12345) '4.212e+01'
'{0:.0%}'.format(42.12345) '4212%'

You can also combine the {0} and {name} notations. This is especially useful when you want to round all variables to a pre-specified number of decimals with 1 declaration:

s = 'Hello'
a, b, c = 1.12345, 2.34567, 34.5678
digits = 2
'{0}! {1:.{n}f}, {2:.{n}f}, {3:.{n}f}'.format(s, a, b, c, n=digits) 'Hello! 1.12, 2.35, 34.57'

PYTHON String Formatting: Named placeholders

Format strings may contain named placeholders that are interpolated using keyword arguments to format.

Using a dictionary (Python 2.x)

data = {'first': 'Hodor', 'last': 'Hodor!'}
'{first} {last}'.format(**data)
'Hodor Hodor!'

Using a dictionary (Python 3.2+)

'{first} {last}'.format_map(data) 'Hodor Hodor!'

str.format_map allows to use dictionaries without having to unpack them first. Also the class of data (which might be a custom type) is used instead of a newly filled dict.

Without a dictionary:

'{first} {last}'.format(first='Hodor', last='Hodor!') 'Hodor Hodor!'

PYTHON String Formatting: String formatting with datetime

Any class can configure its own string formatting syntax through the format method. A type in the standard Python library that makes handy use of this is the datetime type, where one can use strftime-like formatting codes directly within str.format:

from datetime import datetime
'North America: {dt:%m/%d/%Y}. ISO: {dt:%Y-%m-%d}.'.format(dt=datetime.now()) 'North America: 07/21/2016. ISO: 2016-07-21.'

A full list of list of datetime formatters can be found in the official documentation.

PYTHON String Formatting: Formatting Numerical Values

The .format() method can interpret a number in different formats, such as:

'{:c}'.format(65) # Unicode character
'A'
'{:d}'.format(0x0a) # base 10
'10'
'{:n}'.format(0x0a) # base 10 using current locale for separators
'10'

Format integers to different bases (hex, oct, binary)

'{0:x}'.format(10) # base 16, lowercase - Hexadecimal
'a'
'{0:X}'.format(10) # base 16, uppercase - Hexadecimal
'A'
'{:o}'.format(10) # base 8 - Octal
'12'
'{:b}'.format(10) # base 2 - Binary '1010'
'{0:#b}, {0:#o}, {0:#x}'.format(42) # With prefix '0b101010, 0o52, 0x2a'
'8 bit: {0:08b}; Three bytes: {0:06x}'.format(42) # Add zero padding '8 bit: 00101010; Three bytes: 00002a'

Use formatting to convert an RGB float tuple to a color hex string:

r, g, b = (1.0, 0.4, 0.0)
'#{:02X}{:02X}{:02X}'.format(int(255 * r), int(255 * g), int(255 * b)) '#FF6600'

Only integers can be converted:

'{:x}'.format(42.0)
Traceback (most recent call last):
File "", line 1, in
ValueError: Unknown format code 'x' for object of type 'float'

PYTHON String Formatting: Nested formatting

Some formats can take additional parameters, such as the width of the formatted string, or the alignment:

'{:.>10}'.format('foo') '…….foo'

Those can also be provided as parameters to format by nesting more {} inside the {}:

'{:.>{}}'.format('foo', 10) '…….foo' '{:{}{}{}}'.format('foo', '', '^', 15) 'foo*'

In the latter example, the format string ‘{:{}{}{}}’ is modified to ‘{:*^15}’ (i.e. “center and pad with * to total length of 15”) before applying it to the actual string ‘foo’ to be formatted that way.

This can be useful in cases when parameters are not known beforehand, for instances when aligning tabular data:

data = ["a", "bbbbbbb", "ccc"]
m = max(map(len, data))
for d in data:
… print('{:>{}}'.format(d, m))
a
bbbbbbb
ccc

PYTHON String Formatting: Format using Getitem and Getattr

Any data structure that supports getitem can have their nested structure formatted:

person = {'first': 'Arthur', 'last': 'Dent'}
'{p[first]} {p[last]}'.format(p=person)

‘Arthur Dent’

Object attributes can be accessed using getattr():

class Person(object):
first = 'Zaphod'
last = 'Beeblebrox'
'{p.first} {p.last}'.format(p=Person())

‘Zaphod Beeblebrox’

PYTHON String Formatting: Padding and truncating strings, combined

Say you want to print variables in a 3 character column.

Note: doubling { and } escapes them.

s = """
pad
{{:3}} :{a:3}:
truncate
{{:.3}} :{e:.3}:
combined
{{:>3.3}} :{a:>3.3}:
{{:3.3}} :{a:3.3}:
{{:3.3}} :{c:3.3}:
{{:3.3}} :{e:3.3}:
"""
print (s.format(a="1"1, c="3"3, e="5"*5))
Output:
pad
{:3} :1 :
truncate
{:.3} :555:
combined
{:>3.3} : 1:
{:3.3} :1 :
{:3.3} :333:
{:3.3} :555:

PYTHON String Formatting: Custom formatting for a class

Note:

Everything below applies to the str.format method, as well as the format function. In the text below, the two are interchangeable.

For every value which is passed to the format function, Python looks for a format method for that argument. Your own custom class can therefore have their own format method to determine how the format function will display and format your class and it’s attributes.

This is different than the str method, as in the format method you can take into account the formatting language, including alignment, field width etc, and even (if you wish) implement your own format specifiers, and your own formatting language extensions.1

object.format(self, format_spec)

For example:

Example in Python 2 – but can be easily applied to Python 3

class Example(object):
def init(self,a,b,c):
self.a, self.b, self.c = a,b,c
def format(self, format_spec):
""" Implement special semantics for the 's' format specifier """
Reject anything that isn't an s if format_spec[-1] != 's':
raise ValueError('{} format specifier not understood for this object',
format_spec[:-1])

Output in this example will be H(,,)

raw = "(" + ",".join([str(self.a), str(self.b), str(self.c)]) + ")"
Honor the format language by using the inbuilt string format
Since we know the original format_spec ends in an 's'
we can take advantage of the str.format method with a
string argument we constructed above
return "{r:{f}}".format( r=raw, f=format_spec )
inst = Example(1,2,3)
print "{0:>20s}".format( inst ) out : (1,2,3) Note how the right align and field width of 20 has been honored. Note: If your custom class does not have a custom format method and an instance of the class is passed to the format function, Python2 will always use the return value of the str method or repr method to determine what to print (and if neither exist then the default repr will be used), and you will need to use the s format specifier to format this. With Python3, to pass your custom class to the format function, you will need define format method on your custom class.

Must Read Python Interview Questions

200+ Python Tutorials With Coding Examples

Python Language Basics TutorialPython String Representations of Class Instances
Python For Beginners TutorialPython Debugging Tutorial
Python Data Types TutorialReading and Writing CSV File Using Python
Python Indentation TutorialWriting to CSV in Python from String/List
Python Comments and Documentation TutorialPython Dynamic Code Execution Tutorial
Python Date And Time TutorialPython Code Distributing using Pyinstaller
Python Date Formatting TutorialPython Data Visualization Tutorial
Python Enum TutorialPython Interpreter Tutorial
Python Set TutorialPython Args and Kwargs
Python Mathematical Operators TutorialPython Garbage Collection Tutorial
Python Bitwise Operators TutorialPython Pickle Data Serialisation
Python Bolean Operators TutorialPython Binary Data Tutorial
Python Operator Precedance TutorialPython Idioms Tutorial
Python Variable Scope And Binding TutorialPython Data Serialization Tutorial
Python Conditionals TutorialPython Multiprocessing Tutorial
Python Comparisons TutorialPython Multithreading Tutorial
Python Loops TutorialPython Processes and Threads
Python Arrays TutorialPython Concurrency Tutorial
Python Multidimensional Arrays TutorialPython Parallel Computation Tutorial
Python List TutorialPython Sockets Module Tutorial
Python List Comprehensions TutorialPython Websockets Tutorial
Python List Slicing TutorialSockets Encryption Decryption in Python
Python Grouby() TutorialPython Networking Tutorial
Python Linked Lists TutorialPython http Server Tutorial
Linked List Node TutorialPython Flask Tutorial
Python Filter TutorialIntroduction to Rabbitmq using Amqpstorm Python
Python Heapq TutorialPython Descriptor Tutorial
Python Tuple TutorialPython Tempflile Tutorial
Python Basic Input And Output TutorialInput Subset and Output External Data Files using Pandas in Python
Python Files And Folders I/O TutorialUnzipping Files in Python Tutorial
Python os.path TutorialWorking with Zip Archives in Python
Python Iterables And Iterators Tutorialgzip in Python Tutorial
Python Functions TutorialStack in Python Tutorial
Defining Functions With List Arguments In PythonWorking with Global Interpreter Lock (GIL)
Functional Programming In PythonPython Deployment Tutorial
Partial Functions In PythonPython Logging Tutorial
Decorators Function In PythonPython Server Sent Events Tutorial
Python Classes TutorialPython Web Server Gateway Interface (WSGI)
Python Metaclasses TutorialPython Alternatives to Switch Statement
Python String Formatting TutorialPython Packing and Unpacking Tutorial
Python String Methods TutorialAccessing Python Sourcecode and Bytecode
Using Loops Within Functions In PythonPython Mixins Tutorial
Python Importing Modules TutorialPython Attribute Access Tutorial
Difference Betweeb Module And Package In PythonPython Arcpy Tutorial
Python Math Module TutorialPython Abstract Base Class Tutorial
Python Complex Math TutorialPython Plugin and Extension Classes
Python Collections Module TutorialPython Immutable Datatypes Tutorial
Python Operator Module TutorialPython Incompatibilities Moving from Python 2 to Python 3
Python JSON Module TutorialPython 2to3 Tool Tutorial
Python Sqlite3 Module TutorialNon-Official Python implementations
Python os Module TutorialPython Abstract Syntax Tree
Python Locale Module TutorialPython Unicode and Bytes
Python Itertools Module TutorialPython Serial Communication (pyserial)
Python Asyncio Module TutorialNeo4j and Cypher using Py2Neo
Python Random Module TutorialBasic Curses with Python
Python Functools Module TutorialTemplates in Python
Python dis Module TutorialPython Pillow
Python Base64 Module TutorialPython CLI subcommands with precise help output
Python Queue Module TutorialPython Database Access
Python Deque Module TutorialConnecting Python to SQL Server
Python Webbrowser Module TutorialPython and Excel
Python tkinter TutorialPython Turtle Graphics
Python pyautogui Module TutorialPython Persistence
Python Indexing And Slicing TutorialPython Design Patterns
Python Plotting With Matplotlib TutorialPython hashlib
Python Graph Tool TutorialCreating a Windows Service Using Python
Python Generators TutorialMutable vs Immutable (and Hashable) in Python
Python Reduce TutorialPython configparser
Python Map Function TutorialPython Optical Character Recognition
Python Exponentiation TutorialPython Virtual Environments
Python Searching TutorialPython Virtual Environment – virtualenv
Sorting Minimum And Maximum In PythonPython Virtual environment with virtualenvwrapper
Python Print Function TutorialCreate virtual environment with virtualenvwrapper in windows
Python Regular Expressions Regex TutorialPython sys Tutorial
Copying Data In Python TutorialChemPy – Python package
Python Context Managers (“with” Statement) TutorialPython pygame
Python Name Special Variable TutorialPython pyglet
Checking Path Existence And Permissions In PythonWorking with Audio in Python
Creating Python Packages TutorialPython pyaudio
Usage of pip Module In Python TutorialPython shelve
Python PyPi Package Manager TutorialIoT Programming with Python and Raspberry PI
Parsing Command Line Arguments In Pythonkivy – Cross-platform Python Framework for NUI Development
Python Subprocess Library TutorialPandas Transform
Python setup.py TutorialPython vs. JavaScript
Python Recursion TutorialCall Python from C#
Python Type Hints TutorialPython Writing Extensions
Python Exceptions TutorialPython Lex-Yacc
Raise Custom Exceptions In PythonPython Unit Testing
Python Commonwealth Exceptions TutorialPython py.test
Python urllib TutorialPython Profiling
Web Scraping With Python TutorialPython Speed of Program
Python HTML Parsing TutorialPython Performance Optimization
Manipulating XML In PythonPython Security and Cryptography
Python Requests Post TutorialSecure Shell Connection in Python
Python Distribution TutorialPython Anti Patterns
Python Property Objects TutorialPython Common Pitfalls
Python Overloading TutorialPython Hidden Features
Python Polymorphism TutorialPython For Machine Learning
Python Method Overriding TutorialPython Interview Questions And Answers For Experienced
Python User Defined Methods TutorialPython Coding Interview Questions And Answers
Python Programming Tutorials With Examples

Other Python Tutorials

Leave a Comment