How Can Custom Middleware Make Your FastAPI Unbreakable?

Crafting a Fortified Gateway for Your FastAPI Application

How Can Custom Middleware Make Your FastAPI Unbreakable?

Securing your FastAPI application is a critical step to prevent security breaches and ensure a safe interaction between the client and the server. While FastAPI doesn’t provide a built-in middleware like Helmet for Node.js, you can still enhance your API’s security with custom middleware. Let’s break this down.


Let’s start with understanding what middleware is. In FastAPI, middleware is essentially a bridge that sits between the server and the endpoints you create. It intercepts requests and responses, giving you a chance to modify them and add security measures.

Now, let’s move onto creating a custom middleware to secure your application with necessary security headers. Here’s an easy guide to get this done.


First, you’ll want to define your security headers. These headers will help in various security aspects such as preventing XSS attacks, ensuring HTTPS communication, and more. Here’s a quick look at what these headers do:

  • Content-Security-Policy (CSP): This helps prevent XSS attacks by specifying which sources of content are allowed. For example, it restricts scripts to only those hosted on your domain.
  • Cross-Origin-Opener-Policy: Ensures the document can only be shared with the same origin.
  • Referrer-Policy: Controls how much referrer information is sent with each request.
  • Strict-Transport-Security (HSTS): Forces browsers to use HTTPS making communications secure.
  • X-Content-Type-Options: Prevents MIME-sniffing which can lead to XSS attacks.
  • X-Frame-Options: Prevents your pages from being framed, which helps avoid clickjacking attacks.
  • X-XSS-Protection: Enables the browser’s XSS protection mechanism.

Okay, so how do you get these headers into your FastAPI app? You need to create a custom middleware. Here’s a simple example:

from fastapi import FastAPI, Request, Response
from starlette.middleware.base import BaseHTTPMiddleware

# Define security headers
security_headers = {
    "Content-Security-Policy": "default-src 'self'; ...",
    "Cross-Origin-Opener-Policy": "same-origin",
    "Referrer-Policy": "strict-origin-when-cross-origin",
    "Strict-Transport-Security": "max-age=31556926; includeSubDomains",
    "X-Content-Type-Options": "nosniff",
    "X-Frame-Options": "DENY",
    "X-XSS-Protection": "1; mode=block",
}

class SecurityHeadersMiddleware(BaseHTTPMiddleware):
    def __init__(self, app: FastAPI, csp: bool = True) -> None:
        super().__init__(app)
        self.csp = csp

    async def dispatch(self, request: Request, call_next) -> Response:
        response = await call_next(request)
        response.headers.update(security_headers)
        return response

# Add the middleware to your FastAPI app
app = FastAPI()
app.add_middleware(SecurityHeadersMiddleware, csp=True)

This middleware will add the security headers to every response, making your API more secure against common threats.


Beyond headers, authentication and authorization are equally important.

Implementing authentication in FastAPI can also be done using custom middleware or dependencies. Custom middleware can check for an Authorization header and authenticate the user:

from fastapi import FastAPI, Request, Response
from fastapi.security import HTTPBearer, HTTPException

class AuthMiddleware:
    def __init__(self, app: FastAPI) -> None:
        self.app = app

    async def __call__(self, scope, receive, send) -> None:
        if scope["type"] != "http" or scope.get("path") in ["/docs"]:
            return await self.app(scope, receive, send)

        headers = dict(scope.get("headers", []))
        authorization_header = headers.get("Authorization")

        if authorization_header:
            # Fetch the user based on the authorization header
            user = await fetch_user(authorization_header)
            if user:
                scope["state"]["user"] = user
                return await self.app(scope, receive, send)

        response = Response("Unauthorized", status_code=401)
        await response(scope, receive, send)

app = FastAPI()
app.add_middleware(AuthMiddleware)

In this code, fetch_user is a function you’d define that checks the authorization header and fetches the appropriate user. If the user is authenticated, the request proceeds; otherwise, it returns a 401 Unauthorized response.


Alternatively, you can use FastAPI’s built-in dependency injection system for authentication. This method is very flexible and can be applied to specific routes or the entire application.

from fastapi import APIRouter, FastAPI, Security, Depends
from fastapi.security import HTTPBearer

CONST_AUTH_KEY = 'temp-key'

def auth_header(Authentication: str = Security(HTTPBearer())):
    if Authentication != CONST_AUTH_KEY:
        raise HTTPException(status_code=401, detail="Invalid authentication credentials")

router = APIRouter(prefix="/v1", tags=["API v1"], dependencies=[Depends(auth_header)])

app = FastAPI()
app.include_router(router)

This approach leverages FastAPI’s Depends to enforce authentication on routes under the /v1 prefix. If the authentication token doesn’t match CONST_AUTH_KEY, it throws a 401 error.


Securing your API with proper security headers and authentication mechanisms is crucial but shouldn’t be overly complex. By using custom middleware and dependencies, you can ensure that your FastAPI application is protected against web vulnerabilities while maintaining simplicity and efficiency. Keep your security strategies straightforward and regularly updated to handle new threats.

Building secure APIs may seem daunting, but taking it step by step, as shown above, helps keep it manageable. Always stay updated with best practices and keep refining your security measures. Your future self (and your users) will thank you for the extra effort!