When to use async/await in Python?

TL;DR

Traditionally, use async/await in Python when we are doing IO-bound operations (e.g. HTTP requests, database queries, file operations, etc.).

Do not use async/await when we are doing CPU-bound operations (e.g. data processing, calculations, etc.).

Conclusion

Use async for Non-Blocking IO:

1
2
3
4
5
6
7
# Asynchronous operations prevent blocking the CPU during IO tasks.
import httpx

async def fetch_data():
async with httpx.AsyncClient() as client:
response = await client.get("https://api.example.com/data")
return response.json()

Handle CPU-Bound Tasks with run_in_executor:

1
2
3
4
5
6
7
8
9
10
11
# Offload CPU-intensive tasks to a separate thread to avoid blocking the event loop.
import asyncio

def compute_heavy_task():
# CPU-intensive computation
...

async def handle_task():
loop = asyncio.get_running_loop()
result = await loop.run_in_executor(None, compute_heavy_task)
return result

Consistency with async:

1
2
3
4
5
6
7
8
# Define all endpoints as asynchronous for uniformity and future-proofing.
from fastapi import FastAPI

app = FastAPI()

@app.get("/health")
async def health_check():
return {"status": "healthy"}

Scalability and Maintenance:

1
2
3
4
# Asynchronous code enhances scalability and maintains consistency across the codebase.
async def scalable_function():
# Asynchronous logic for scalability
...

References

Dead Simple: When to Use Async in FastAPI