Your first question might be: why? Well, consider this: Faster than FastAPI, but with Django ORM, Django Admin, and Django packages. Thatβs exactly what this project achieves. Django-Bolt is a high-performance API framework for Django, providing Rust-powered API endpoints capable of 60k+ RPS. Similar to Django REST Framework or Django Ninja, it integrates seamlessly with existing Django projects while leveraging Actix Web for HTTP handling, PyO3 to bridge Python async handlers with Rust's async runtime, and msgspec for fast serialization. You can deploy it directlyβno gunicorn or uvicorn needed.
pip install django-boltπ Full Documentation: (Coming Soon).
# myproject/api.py
from django_bolt import BoltAPI
from django.contrib.auth import get_user_model
import msgspec
User = get_user_model()
api = BoltAPI()
class UserSchema(msgspec.Struct):
id: int
username: str
@api.get("/users/{user_id}")
async def get_user(user_id: int) -> UserSchema: # π Reponse is type validated
user = await User.objects.aget(id=user_id) # π€― Yes and Django orm works without any setup
return {"id": user.id, "username": user.username} # or you could just return the queryset# myproject/settings.py
INSTALLED_APPS = [
...
"django_bolt"
...
]# Start the server
python manage.py runbolt --dev # for development with reload enabled
[django-bolt] OpenAPI docs enabled at /docs
[django-bolt] Django admin enabled at http://0.0.0.0:8000/admin/ #django admin
[django-bolt] Static files serving enabled
[django-bolt] Found 94 routes
[django-bolt] Registered middleware for 83 handlers
[django-bolt] Starting server on http://0.0.0.0:8000
[django-bolt] Workers: 1, Processes: 1
[django-bolt] OpenAPI docs enabled at http://0.0.0.0:8000/docs/ #swagger docs builtin
python manage.py runbolt --processes 8 #for deployment (depends on your cpu cores)
# processes are separate processes that handle request 1 actix worker and 1 python eventloop.Key Features:
- π High Performance - Rust-powered HTTP server (Actix Web + Tokio + PyO3)
- π Authentication in Rust - JWT/API Key/Session validation without Python GIL
- π¦ msgspec Serialization - 5-10x faster than standard JSON
- π― Django Integration - Use your existing Django models and other django features you love (django admin, django packages)
- π Async/Await - Full async support with Python coroutines
- ποΈ Middleware System - CORS, rate limiting, compression (gzip/brotli/zstd)
- π Guards & Permissions - DRF and Litestar inspired route protection
- π OpenAPI Support - 7 render plugins (Swagger, ReDoc, Scalar, RapidDoc, Stoplight, JSON, YAML)
- π‘ Streaming Responses - SSE, long-polling, async generators
- π¨ Class-Based Views - ViewSet and ModelViewSet with DRF-style conventions
β οΈ Disclaimer: Django-Bolt is a feature-incomplete framework currently in development. Benchmarks were run on a Ryzen 5600G with 16GB RAM (8 processes Γ 1 worker, C=100 N=10,000) on localhost. Performance will vary significantly based on hardware, OS, configuration, and workload.π Resources: Example project available at python/example/. Run benchmarks with
make save-benchor see scripts/benchmark.sh.
| Endpoint Type | Requests/sec |
|---|---|
| Root endpoint | ~100,000 RPS |
| JSON parsing/validation (10kb) | ~83,700 RPS |
| Path + Query parameters | ~85,300 RPS |
| HTML response | ~100,600 RPS |
| Redirect response | ~96,300 RPS |
| Form data handling | ~76,800 RPS |
| ORM reads (SQLite, 10 records) | ~13,000 RPS |
Server-Sent Events (SSE) with 10,000 concurrent clients (60 Second load time):
- Total Throughput: 9,489 messages/sec
- Successful Connections: 10,000 (100%)
- Avg Messages per Client: 57.3 messages
- Data Transfer: 14.06 MB across test
- CPU Usage: 11.9% average during test (peak: 101.9%)
- Memory Usage: 236.1 MB
Note: Async streaming is recommended for high-concurrency scenarios (10k+ concurrent connections). It has no thread limits and can handle sustained load efficiently. For sync streaming details and thread limit configuration, see docs/RESPONSES.md.
Why so fast?
- HTTP Parsing and Response is handled by Actix-rs framework (one of the fastest in the world)
- Request routing uses matchit (zero-copy path matching)
- JSON serialization with msgspec (5-10x faster than stdlib)
- Getting Started Guide - Complete tutorial from installation to first API
- Security Guide - Authentication, authorization, CORS, rate limiting
- Serializers Guide - Type-safe validation, nested serializers, Django model integration
- Middleware Guide - CORS, rate limiting, custom middleware
- Responses Guide - All response types and streaming
- Class-Based Views - ViewSet and ModelViewSet patterns
- OpenAPI Guide - Auto-generated API documentation
- Pagination Guide - PageNumber, LimitOffset, Cursor pagination
- Logging Guide - Request/response logging and metrics
- Full Documentation Index - Complete list of all documentation
from django_bolt import BoltAPI
import msgspec
from typing import Optional
api = BoltAPI()
# Simple GET
@api.get("/hello")
async def hello():
return {"message": "Hello, World!"}
# Path parameters
@api.get("/users/{user_id}")
async def get_user(user_id: int):
return {"user_id": user_id}
# Query parameters
@api.get("/search")
async def search(q: str, limit: int = 10):
return {"query": q, "limit": limit}
# Request body with validation
class CreateUserRequest(msgspec.Struct):
username: str
email: str
age: int
@api.post("/users", response_model=CreateUserRequest)
async def create_user(user: CreateUserRequest):
# Validated automatically
return userfrom django_bolt import BoltAPI
from django_bolt.auth import (
JWTAuthentication,
APIKeyAuthentication,
IsAuthenticated,
IsAdminUser,
HasPermission,
)
api = BoltAPI()
# JWT Authentication
@api.get(
"/protected",
auth=[JWTAuthentication()],
guards=[IsAuthenticated()]
)
async def protected_route(request):
auth = request.get("auth", {})
user_id = auth.get("user_id")
return {"message": f"Hello, user {user_id}"}
# API Key Authentication
@api.get(
"/api-data",
auth=[APIKeyAuthentication(api_keys={"key1", "key2"})],
guards=[IsAuthenticated()]
)
async def api_data(request):
return {"message": "API key authenticated"}
# Permission-based access
@api.post(
"/articles",
auth=[JWTAuthentication()],
guards=[HasPermission("articles.create")]
)
async def create_article(request):
return {"message": "Article created"}
# Create JWT token for Django user
from django_bolt.auth import create_jwt_for_user
from django.contrib.auth.models import User
@api.post("/login")
async def login(username: str, password: str):
user = await User.objects.aget(username=username)
# Verify password...
token = create_jwt_for_user(user, exp_hours=24)
return {"access_token": token, "token_type": "bearer"}π See docs/SECURITY.md for complete authentication documentation.
from django_bolt import BoltAPI
from django_bolt.middleware import cors, rate_limit, skip_middleware
# Option 1: Use Django settings (recommended for production)
# In settings.py:
# CORS_ALLOWED_ORIGINS = ["https://example.com", "https://app.example.com"]
# CORS_ALLOW_CREDENTIALS = True
# CORS_MAX_AGE = 3600
api = BoltAPI() # Automatically reads Django CORS settings
# Option 2: Global middleware config
api = BoltAPI(
middleware_config={
"cors": {
"origins": ["http://localhost:3000"],
"methods": ["GET", "POST", "PUT", "DELETE"],
"credentials": True,
"max_age": 3600,
}
}
)
# Option 3: Per-route CORS override (overrides global/Django settings)
@api.get("/public-api")
@cors(origins=["*"], credentials=False) # Allow all origins
async def public_endpoint():
return {"message": "Public endpoint with custom CORS"}
# CORS with credentials and specific origins
@api.post("/auth-endpoint")
@cors(origins=["https://app.example.com"], credentials=True, max_age=3600)
async def auth_endpoint():
return {"message": "Authenticated endpoint with CORS"}
# Rate limiting (runs in Rust, no GIL)
@api.get("/limited")
@rate_limit(rps=100, burst=200, key="ip") # 100 req/s with burst of 200
async def limited_endpoint():
return {"message": "Rate limited"}
# Rate limiting by user ID
@api.get("/user-limited", auth=[JWTAuthentication()], guards=[IsAuthenticated()])
@rate_limit(rps=50, burst=100, key="user")
async def user_limited():
return {"message": "Per-user rate limiting"}
# Skip global middleware
@api.get("/no-cors")
@skip_middleware("cors", "rate_limit")
async def no_cors():
return {"message": "Middleware skipped"}π See docs/MIDDLEWARE.md for complete middleware documentation.
from django_bolt import BoltAPI
from django.contrib.auth.models import User
from myapp.models import Article
api = BoltAPI()
@api.get("/users/{user_id}")
async def get_user(user_id: int):
# Use Django's async ORM methods
user = await User.objects.aget(id=user_id)
return {
"id": user.id,
"username": user.username,
"email": user.email,
}
@api.get("/articles")
async def list_articles(limit: int = 10):
# Async query with select_related
articles = await Article.objects.select_related("author").all()[:limit]
return [
{
"id": a.id,
"title": a.title,
"author": a.author.username,
}
async for a in articles
]from django_bolt import BoltAPI
from django_bolt.responses import (
PlainText, HTML, Redirect, File, FileResponse, StreamingResponse
)
import asyncio
api = BoltAPI()
@api.get("/text")
async def text_response():
return PlainText("Hello, World!")
@api.get("/html")
async def html_response():
return HTML("<h1>Hello</h1>")
@api.get("/redirect")
async def redirect_response():
return Redirect("/new-location", status_code=302)
@api.get("/download-memory")
async def download_memory():
# In-memory file download
content = b"File contents here"
return File(content, filename="document.txt", media_type="text/plain")
@api.get("/download-disk")
async def download_disk():
# Streams file from disk (zero-copy in Rust)
return FileResponse("/path/to/file.pdf", filename="document.pdf")
@api.get("/stream-sse")
async def stream_sse():
# Server-Sent Events
async def generate():
for i in range(100):
yield f"data: {i}\n\n"
await asyncio.sleep(0.1)
return StreamingResponse(
generate(),
media_type="text/event-stream"
)
@api.get("/stream-json")
async def stream_json():
# Streaming JSON (sync generator)
def generate():
yield '{"items": ['
for i in range(1000):
yield f'{{"id": {i}}}'
if i < 999:
yield ','
yield ']}'
return StreamingResponse(generate(), media_type="application/json")π See docs/RESPONSES.md for complete response documentation.
Django-Bolt includes an enhanced serialization system built on msgspec.Struct that provides Pydantic-like functionality with 5-10x better performance:
from django_bolt.serializers import Serializer, field_validator, model_validator, Nested
from typing import Annotated
from msgspec import Meta
# Simple serializer with validation
class UserCreate(Serializer):
username: Annotated[str, Meta(min_length=3, max_length=150)]
email: str
password: Annotated[str, Meta(min_length=8)]
@field_validator('email')
def validate_email(cls, value):
if '@' not in value:
raise ValueError('Invalid email address')
return value.lower()
# Using in API routes
@api.post("/users", response_model=UserPublic)
async def create_user(data: UserCreate):
# Validation happens automatically
user = await User.objects.acreate(**data.to_dict())
return UserPublic.from_model(user)
# Nested serializers for relationships
class AuthorSerializer(Serializer):
id: int
name: str
email: str
class BlogPostSerializer(Serializer):
id: int
title: str
content: str
# Nested author - single object
author: Annotated[AuthorSerializer, Nested(AuthorSerializer)]
# Nested tags - list of objects
tags: Annotated[list[TagSerializer], Nested(TagSerializer, many=True)]
@api.get("/posts/{post_id}")
async def get_post(post_id: int):
# Efficient query with relationships loaded
post = await (
BlogPost.objects
.select_related("author")
.prefetch_related("tags")
.aget(id=post_id)
)
return BlogPostSerializer.from_model(post)
# Model validators for cross-field validation
class PasswordChangeSerializer(Serializer):
old_password: str
new_password: str
new_password_confirm: str
@model_validator
def validate_passwords(self):
if self.new_password != self.new_password_confirm:
raise ValueError("New passwords don't match")
if self.old_password == self.new_password:
raise ValueError("New password must be different")
# Auto-generate serializers from Django models
from django_bolt.serializers import create_serializer_set
UserCreate, UserUpdate, UserPublic = create_serializer_set(
User,
create_fields=['username', 'email', 'password'],
update_fields=['username', 'email'],
public_fields=['id', 'username', 'email', 'date_joined'],
)Key Features:
- β
Field-level validation with
@field_validatordecorator - β
Model-level validation with
@model_validatordecorator - β Nested serializers for relationships (ForeignKey, ManyToMany)
- β
Django model integration -
.from_model(),.to_dict(),.to_model() - β
Auto-generation - Create serializers from models with
create_serializer() - β
Type constraints -
Meta(min_length=3, max_length=150, pattern=r"...") - β 100% type safety - Full IDE autocomplete and type checking
- β High-performance - Thanks to msgspec
π See docs/SERIALIZERS.md for complete serializer documentation.
# Clone repository
git clone https://github.com/FarhanAliRaza/django-bolt.git
cd django-bolt
# Install dependencies
uv sync
# Build Rust extension
make build # or: maturin develop --release
# Run tests
make test-py# Build
make build # Build Rust extension
make rebuild # Clean and rebuild
# Testing
make test-py # Run Python tests
# Benchmarking
make save-bench # Run and save results
# ServerContributions welcome! Here's how:
- Fork the repository
- Create a feature branch (
git checkout -b feature/amazing-feature) - Make your changes
- Run tests (
make test-py) - Commit (
git commit -m 'Add amazing feature') - Push (
git push origin feature/amazing-feature) - Open a Pull Request
- Testing and fixing bugs
- Serlialization layer
- Add extension support (adding lifecycle events, making di comprehensive)
- WebSocket support
- Cleaning up code.
- Adding django compatibility layer for views and middlewares
- More examples, tutorials, and docs.
Django-Bolt stands on the shoulders of giants. We're grateful to the following projects and communities that inspired our design and implementation:
-
Django REST Framework - Our syntax, ViewSet patterns, and permission system are heavily inspired by DRF's elegant API design. The class-based views and guard system follow DRF's philosophy of making common patterns simple.
-
FastAPI - We drew extensive inspiration from FastAPI's dependency injection system, parameter extraction patterns, and modern Python type hints usage. The codebase structure and async patterns heavily influenced our implementation.
-
Litestar - Our OpenAPI plugin system is adapted from Litestar's excellent architecture. Many architectural decisions around middleware, guards, and route handling were inspired by Litestar's design philosophy.
-
Robyn - Robyn's Rust-Python integration patterns and performance-first approach influenced our decision to use PyO3 and showed us the potential of Rust-powered Python web frameworks.
- Actix Web - The Rust HTTP framework that powers our performance
- PyO3 - For making Rust-Python interop seamless
- msgspec - For blazing-fast serialization
- matchit - For zero-copy routing
Thank you to all the maintainers, contributors, and communities behind these projects. Django-Bolt wouldn't exist without your incredible work.
Django-Bolt is open source and available under the MIT License.
For questions, issues, or feature requests, please visit our GitHub repository.
