Python Enhancement Proposal 8, or PEP 8, is a style guide for Python code. In 2001, Guido van Rossum, Barry Warsaw, and Nick Coghlan created PEP 8 to help Python programmers write consistent and readable code. The style guide may not always apply to your work, but it’s an important and useful tool that will elevate your code-writing process. Today, we’ll provide a brief overview of some of the fundamental pieces of the PEP 8 Python style guide, including naming conventions, code layout, comments, and more.
Let’s get started!
Learn the fundamentals of Python with Educative’s 1-week free trial
As Guido van Rossum said, “code is read much more often than it is written.” Coding involves a lot of teamwork and collaboration, which means that many different people might end up reading our code. With that idea in mind, it makes sense to spend some extra time writing our code to make sure it’s readable and consistent. We can use programming style guides to ensure that we’re creating the best code possible. When working with a new or unfamiliar programming language, there are so many rules and practices to learn. It can be hard to remember all of the conventions of the language.
Python PEP 8 helps solve that problem. The style guide was designed to help us improve the readability of Python code. It outlines rules for things like variable names, whitespace, inline comments, indentation, and much more. It’s a solid and comprehensive resource that we can use to write great code. Writing clear, consistent, and readable code is important for dev jobs. It shows potential employers that know how to structure code well.
Naming conventions in programming are very important. They improve readability and speed up development time. Remember that code is read a lot more than it’s written, so using naming conventions will help ourselves and others understand our code better. When following naming conventions, we don’t have to spend time debating what to name variables, methods, classes, or functions. We can following the naming conventions to speed up that process and code more efficiently.
Choosing appropriate names when we’re writing code will save us time and effort in the long run. Let’s take a look at some of the PEP 8 guidelines for naming.
In the table below, we outline some of the naming conventions in Python:
Type | Convention | Examples |
Class names | Use camelcase. Begin each word with a capital letter. Don’t use underscores to separate words. | OurClass Class |
Constant names | Use an uppercase single letter, word, or words. Use underscores to separate words. | OUR_CONSTANT CONSTANT |
Function names | Use a lowercase word or words. Use underscores to separate words. | our_function function |
Method names | Use a lowercase word or words. Use underscores to separate words. | our_method method |
Module names | Use a short, lowercase word or words. Use underscores to separate words. | our_module.py module.py |
Package names | Use a short, lowercase word or words. Don’t use underscores to separate words. | ourpackage package |
Variable names | Use a lowercase single letter, word, or words. Use underscores to separate words. | our_variable x |
It’s not always easy to choose names for your variables, functions, methods, etc. It’s important to be mindful of the names you’re choosing to make sure they’re clear, appropriate, and effective. We suggest using descriptive names to make it very clear what the object stands for. Choosing descriptive names will help you in the short term and the long term. If you use a vague name for one of your functions, you may come back to your code in a few days or weeks and forget what it means. This is where PEP 8 comes in handy!
PEP 8 prescribes a clean import structure because it directly affects readability:
Order imports in three groups, each separated by a blank line:
Prefer absolute imports over implicit relatives. Use explicit relative imports only when they truly improve clarity inside a package.
One import per line is easier to scan than comma-chaining.
Avoid wildcard imports (from x import *
) in production code—they obscure the namespace and confuse static analysis.
Keep module-level dunders (like __all__
, __version__
) near the top, below the module docstring and above imports when appropriate.
"""Short summary of this module."""
from __future__ import annotations # if needed, right below docstring
import json
from pathlib import Path
import requests
from myapp.core.repo import Repository
This structure makes it immediately obvious what’s built-in, what’s coming from third parties, and what’s local.
Vertical whitespace improves the readability of our code. Let’s look at some of the main PEP 8 guidelines on how to use vertical whitespace or blank lines:
We should avoid using whitespace in the following situations:
# Do this:fruit(banana[1], {strawberry: 2})# Not this:fruit( banana[ 1 ], { strawberry: 2 })
# Do this:foo = (1,)# Not this:foo = (1, )
# Do this:if x == 5: print x, y; x, y = y, x# Not this:if x == 5: print x , y ; x , y = y , x
# Do this:dog(1)# Not this:dog (1)
# Do this:dct["key"] = lst[index]# Not this:dct ["key"] = lst [index]
# Do this:x = 5y = 10our_variable = 20# Not this:x = 5y = 10our_variable = 20
PEP 8 suggests that all lines should be limited to 79 characters. For longer blocks of text like docstrings or comments, the length should be limited to 72 characters. Limiting the line length helps make our code more readable. We’re able to have different files open side by side, and we avoid line wrapping.
There are some situations where teams may want to have a longer line length. The suggested way to wrap long lines is to use Python’s implied line continuation inside parentheses, brackets, or braces instead of using a backslash.
If we need to use a line break around binary operators like +
and *
, we should place it before the operator like this:
# Do this:total = (first_variable+ second_variable- third_variable)# Not this:total = (first_variable +second_variable -third_variable)
A few whitespace and wrapping details frequently missed in a Python PEP 8 tutorial:
Default args: no spaces around =
in keyword arguments or default values:
def connect(retry=3, timeout=5):
Keyword calls: same rule when calling—open(path, encoding="utf-8")
not encoding = "utf-8"
.
Slicing: space-free around colons that act as slice operators:
items[a:b]
, items[a:b:c]
; add a single space around a colon only when it’s a statement delimiter, e.g.,
for k, v in d.items():
.
Binary operators: if you break a long expression, place the operator at the beginning of the new line to aid visual scanning:
total = (
price
+ tax
- discount
)
Trailing commas: in multi-line lists/tuples/dicts, end each line with a comma. This yields cleaner diffs:
fields = [
"id",
"name",
"email",
]
Hanging indents: wrap long argument lists inside parentheses and align the continued lines beneath the opening delimiter or use a 4-space hanging indent:
result = function_name(
first_arg,
second_arg,
third_arg,
)
Indentation is very important when writing Python code. Indentation levels determine how statements are grouped together. The main PEP 8 indentation guidelines include:
Let’s look at an example:
x = 20if x > 50:print("x is greater than 50")
In the above example, our indented print
statement tells Python that it should only execute the statement if the if
statement returns True
.
Tabs and spaces
Spaces are the preferred way to indent code. We should only use tabs if we’re working with a piece or section of code that’s already indented using tabs. Python 3 doesn’t allow us to use both tabs and spaces to indent, which means our code won’t run if we use a mix of tabs and spaces. PEP 8 recommends that we use four spaces to indicate an indent.
Python 2 doesn’t have the same rule, which means we won’t notice errors if we use a mix of tabs and spaces. To make sure we’re using a consistent indentation method in Python 2, we can add a -t
flag when running our code from the command line. The interpreter will give us a warning if it finds any inconsistencies. If we use the -tt
flag, the interpreter will give us errors, which means our code won’t run.
PEP 8 suggests a few important rules for clear, bug-resistant conditionals:
Compare singletons with is
/ is not
:
Use if x is None:
not if x == None:
Don’t compare booleans to True/False:
Write if is_ready:
not if is_ready == True:
Prefer in
/ not in
to multiple or comparisons:
if role in {"admin", "owner"}:
Keep negatives simple:
Prefer if not found:
over if found is False:
Use chained comparisons:
if 0 < value < 1:
is idiomatic and readable.
These conventions make conditions shorter and less error-prone without sacrificing clarity.
Get started with Python programming for free with our 1-week Educative Unlimited Trial. Educative’s text-based learning paths are easy to skim and feature live coding environments, making learning quick and efficient.
Comments are a big part of the coding process. It’s important to make sure they are clear, up-to-date, and helpful. Not only do comments help us, but they help anyone else that comes into contact with our code. When someone reads our code, our comments should clearly align with a portion of the code. They should also help the reader understand what’s going on in the code.
It’s a good practice to write comments as complete sentences, with the first letter of the first word capitalized. This is called a sentence-style case. If our code begins with an identifier, it’s okay to use a lowercase letter here. We should never change the name of an identifier in any way.
Another good commenting practice includes limiting the line length of our comments and docstrings to 72 characters. If our comments exceed 72 characters, we should start a new line. We should also make sure to update our comments if our code changes for any reason. Let’s take a look at some of the different types of comments and how they fit into PEP 8:
We can use block comments to document a smaller section of code. We typically see them within functions or chunks of code or data. PEP 8 outlines the following rules for block comments:
#
followed by a single space#
Let’s look at an example:
for i in range(0,10):# Loop over i ten times and print the value of i# followed by a string of your nameprint(i, "Erin")
We can use inline comments to document a single statement in a piece of code. We typically use them to remind us why certain lines of code are relevant or important. PEP 8 outlines the following rules for inline comments:
#
followed by a single spacex = 1 # This is an example of an inline comment!
Docstrings are string literals that occur as the first line of a class, function, method, or module. We can use them to document specific blocks of code and describe what the class, function, method, or module does. The main rules that apply to docstrings include:
"""
on either side, like this: """Hi, I’m a docstring!"""
Docstrings improve APIs when they’re consistent:
def fetch_user(user_id: int) -> dict:
"""Return user data for a given user_id.
Raises:
LookupError: If the user cannot be found.
"""
...
Where to add: After “Docstrings,” before “Linters and autoformatters.”
Type hints amplify readability and tooling:
typing
/ collections.abc
thoughtfully (Iterable
, Mapping
, Callable
, TypedDict
, Literal
).list[str]
, dict[str, int]
(Python 3.9+) over List[str]
/ Dict[str, int]
in new code.|
for unions in 3.10+ (str | None
) instead of Optional[str]
.typing.Protocol
to express behavior.Clean signatures make intent obvious without drowning the code in types.
A few PEP-ish naming practices help keep code predictable:
Error
(e.g., ConfigError
).UPPER_SNAKE_CASE
._helper
).None
and create defaults inside the function:def add_item(item, into=None):
if into is None:
into = []
into.append(item)
return into
print
in libraries and apps; pick meaningful logger names (logger = logging.getLogger(__name__)
).We can use linters and autoformatters to help us make sure our code is PEP 8 compliant. Let’s talk about them!
Linters analyze our programs and flag any errors that we have. They give us suggestions on how to fix our errors. We can install linters as extensions to our text editors, which means that they’ll flag errors as we write code. There are many different Python linters available. Let’s take a look at two of the most popular linters:
Flake8
Flake8 is a tool that combines pyflakes
, pycodestyle
, and a debugger. We can invoke Flake8 on the command line or via Python. We can use Flake8 to check our entire source code, or we can narrow what it checks by indicating specific paths and directories we want it to look over.
pycodestyle
pycodestyle is a tool that checks our Python code against some of the styling conventions outlined in the PEP 8 style guide. The pycodestyle
library doesn’t check everything. For example, it currently doesn’t support checks for naming conventions, docstring conventions, or automatic fixing. There are different extensions and tools that are available that can check some of the things that pycodestyle can’t check.
Where to add: Extend “Linters and autoformatters” with a practical workflow.
Strengthen your everyday workflow:
repos:
- repo: https://github.com/psf/black
rev: 24.3.0
hooks: [{id: black}]
- repo: https://github.com/charliermarsh/ruff-pre-commit
rev: v0.5.0
hooks: [{id: ruff}]
- repo: https://github.com/pycqa/isort
rev: 5.13.2
hooks: [{id: isort}]
Install once with pre-commit install
, and your codebase will keep itself in line.
Autoformatters refactor our Python code to comply with the PEP 8 style guide. Autoformatters aren’t usually as strict as linters. For example, a solid linter will let us know when our code is too complex, but an autoformatter won’t. If we have an inappropriate variable name, an autoformatter won’t flag that for us. An autoformatter will make our code a bit prettier, but it won’t necessarily ensure we write readable and correct code. Let’s take a look at two popular autoformatters:
autopep8
autopep8 is a tool that formats Python code based on the PEP 8 style guide. A tool like autopep8 will help you write consistent and readable code without putting too much extra time and effort into it yourself! Here are a couple of ways we can install autopep8:
pip install:
pip install --upgrade autopep8
easy_install:
Let’s take a look at an example implementation of autopep8 on some simple Python code:
Before autopep8:
import sys, os;print( "hello" );
After autopep8:
import sysimport osprint("hello")
Black
Black helps take care of minor stylistic and structural issues so we can focus on bigger coding problems. We can install it by running pip install black
. If you want to use it, make sure you have Python 3.60+ otherwise it won’t run. Once Black installs, we can use it as a command-line tool right away.
The PEP 8 style guide makes reading and writing code a lot more effective and efficient. While the guide may not always apply to our work, it’s a useful tool that we can use to elevate our code reading and writing processes. We only covered a small portion of PEP 8 in this article, and there’s still so much to learn. Some recommended topics to cover next include:
To get started with Python programming, check out Educative’s path Python for Programmers. This curated learning path will help you use your programming experience to get comfortable with Python. By the end, you’ll have the advanced knowledge you need to confidently use Python in your next project.
Happy learning!