Need a multi-line string but don't want to include a big block of manually dedented text in your Python code? Use textwrap.dedent!
data:image/s3,"s3://crabby-images/35b13/35b13afd1bc398ef0a61f9ff97577c6dec46ebf4" alt=""
Table of contents
Manually dedenting multi-line strings
Here we have a function that prints out a copyright statement:
defcopyright():print("""\ Copyright (c) 1991-2000 ACME Corp All Rights Reserved. Copyright (c) 2000-2030 Cyberdyne All Rights Reserved.""")
defcopyright():print("""\ Copyright (c) 1991-2000 ACME Corp All Rights Reserved. Copyright (c) 2000-2030 Cyberdyne All Rights Reserved.""")
This function works, but the copyright statement that it prints out is indented:
>>> copyright() Copyright (c) 1991-2000 ACME Corp All Rights Reserved. Copyright (c) 2000-2030 Cyberdyne All Rights Reserved.
>>> copyright() Copyright (c) 1991-2000 ACME Corp All Rights Reserved. Copyright (c) 2000-2030 Cyberdyne All Rights Reserved.
Each line in this copyright statement begins with eight spaces. This happens because in our code, the text within our string begins with eight spaces before each line.
We can fix this problem by manually dedenting the text within this string:
defcopyright():print("""\Copyright (c) 1991-2000 ACME CorpAll Rights Reserved.Copyright (c) 2000-2030 CyberdyneAll Rights Reserved.""")
defcopyright():print("""\Copyright (c) 1991-2000 ACME CorpAll Rights Reserved.Copyright (c) 2000-2030 CyberdyneAll Rights Reserved.""")
While this does work:
>>> copyright()Copyright (c) 1991-2000 ACME CorpAll Rights Reserved.Copyright (c) 2000-2030 CyberdyneAll Rights Reserved.
>>> copyright()Copyright (c) 1991-2000 ACME CorpAll Rights Reserved.Copyright (c) 2000-2030 CyberdyneAll Rights Reserved.
This also makes our code a bit tricky to read.
Our code is less readable than before because up here, we our code suddenly dedents in the middle of our string.
We could fix this problem in by using the dedent
function in Python's textwrap
module.
Using textwrap.dedent
to unindent strings
The dedent
function allows us …