Dead simple Django REST API generator with role-based permissions
Project description
๐ TurboDRF
The dead simple Django REST Framework API generator with role-based permissions
๐ค This project was predominantly generated by Claude, Anthropic's AI assistant. Huge shoutout to Claude for its incredible work in designing, implementing, and documenting this entire framework! From the initial architecture to the comprehensive test suite, Claude handled it all with remarkable attention to detail and best practices.
Transform your Django models into fully-featured REST APIs with just a mixin and a method. Zero boilerplate, maximum power.
Features โข Quick Start โข Documentation โข Examples โข Contributing
๐ฏ Why TurboDRF?
Building REST APIs in Django shouldn't require writing hundreds of lines of boilerplate code. TurboDRF revolutionizes Django API development by automatically generating production-ready REST APIs from your models with minimal configuration.
๐ซ The Problem
Traditional Django REST Framework development requires:
- Writing serializers for every model
- Creating ViewSets with repetitive CRUD logic
- Configuring routers and URL patterns
- Implementing permission classes
- Setting up filters, search, and pagination
- Managing field-level permissions manually
โจ The TurboDRF Solution
# This is all you need ๐
class Book(models.Model, TurboDRFMixin):
title = models.CharField(max_length=200)
author = models.ForeignKey(Author, on_delete=models.CASCADE)
price = models.DecimalField(max_digits=10, decimal_places=2)
@classmethod
def turbodrf(cls):
return {
'fields': ['title', 'author__name', 'price']
}
# ๐ฅ Boom! You now have a complete REST API with:
# โ
All CRUD endpoints โ
Smart pagination โ
Advanced filtering
# โ
Full-text search โ
Multi-field ordering โ
Role-based permissions
# โ
Nested relationships โ
API documentation โ
Field-level security
๐ What You Get
With just 4 lines of configuration, TurboDRF automatically provides:
- Complete CRUD API - List, Create, Retrieve, Update, Delete operations
- Smart Serialization - Automatic handling of nested relationships
- Advanced Querying - Search, filter, and order by any field
- Role-Based Access Control - Fine-grained permissions at model and field level
- API Documentation - Auto-generated, interactive Swagger/ReDoc docs
- Performance Optimized - Automatic select_related and prefetch_related
- Zero Boilerplate - No serializers, viewsets, or routers to write
โจ Features
๐ฏ Zero Configuration Magic
๐ Enterprise-Grade Security
๐ Interactive API Documentation
|
โก Performance First
๐ Powerful Query Capabilities
๐จ Developer Experience
|
๐ Quick Start
1. Install TurboDRF
pip install turbodrf
Or with poetry:
poetry add turbodrf
2. Add to INSTALLED_APPS
INSTALLED_APPS = [
# ... your apps
'rest_framework',
'drf_yasg', # for swagger docs
'turbodrf',
]
3. Add TurboDRF to Your Model
from django.db import models
from turbodrf.mixins import TurboDRFMixin
class Author(models.Model, TurboDRFMixin):
name = models.CharField(max_length=100)
email = models.EmailField()
@classmethod
def turbodrf(cls):
return {
'fields': ['name', 'email']
}
class Book(models.Model, TurboDRFMixin):
title = models.CharField(max_length=200)
author = models.ForeignKey(Author, on_delete=models.CASCADE)
isbn = models.CharField(max_length=13)
price = models.DecimalField(max_digits=10, decimal_places=2)
# Optional: specify searchable fields
searchable_fields = ['title', 'isbn']
@classmethod
def turbodrf(cls):
return {
'fields': {
'list': ['title', 'author__name', 'price'],
'detail': ['title', 'author__name', 'author__email', 'isbn', 'price']
}
}
4. Configure URLs
from django.urls import path, include
from turbodrf.router import TurboDRFRouter
router = TurboDRFRouter()
urlpatterns = [
path('api/', include(router.urls)),
]
5. ๐ That's It! Your API is Ready!
# List all books
GET /api/books/
# Get specific book
GET /api/books/1/
# Create a book
POST /api/books/
# Update a book
PUT /api/books/1/
# Search books
GET /api/books/?search=django
# Filter books
GET /api/books/?author__name=Rowling&price__lt=20
# Order books
GET /api/books/?ordering=-price,title
# Paginate results
GET /api/books/?page=2&page_size=10
๐ Documentation
๐ง Model Configuration
The turbodrf() classmethod is where the magic happens:
@classmethod
def turbodrf(cls):
return {
# Enable/disable API for this model
'enabled': True,
# Custom endpoint name (default: pluralized model name)
'endpoint': 'books',
# Simple field list (same for list and detail)
'fields': ['title', 'author', 'isbn'],
# OR different fields for list vs detail views
'fields': {
'list': ['title', 'author__name'],
'detail': ['title', 'author__name', 'author__email', 'isbn', 'price']
},
# OR use all fields
'fields': '__all__'
}
๐ Permissions System
TurboDRF offers two permission modes: Django's default permissions or TurboDRF's advanced role-based permissions.
Default Django Permissions (Simple Mode)
Use Django's built-in permission system - perfect for simple use cases:
# settings.py
TURBODRF_USE_DEFAULT_PERMISSIONS = True # Enable Django's default permissions
With default permissions:
- Uses Django's standard
add,change,delete,viewpermissions - Works with Django Admin permissions out of the box
- When a user has write permission for a model, they can write ALL fields
- No field-level permissions (simpler but less granular)
# Grant permissions via Django Admin or programmatically:
from django.contrib.auth.models import User, Permission
user = User.objects.get(username='editor')
permission = Permission.objects.get(codename='change_book')
user.user_permissions.add(permission)
# Or use groups
from django.contrib.auth.models import Group
editors = Group.objects.create(name='Editors')
editors.permissions.add(
Permission.objects.get(codename='view_book'),
Permission.objects.get(codename='change_book')
)
user.groups.add(editors)
TurboDRF Role-Based Permissions (Advanced Mode)
For fine-grained control with field-level permissions:
# settings.py
TURBODRF_USE_DEFAULT_PERMISSIONS = False # Default - uses TurboDRF permissions
Define permissions in your settings:
# settings.py
TURBODRF_ROLES = {
'admin': [
# Model-level permissions
'books.book.read', # Can view books
'books.book.create', # Can create books
'books.book.update', # Can update books
'books.book.delete', # Can delete books
# Field-level permissions
'books.book.title.read', # Can see title field
'books.book.title.write', # Can edit title field
'books.book.price.read', # Can see price
'books.book.price.write', # Can edit price
],
'editor': [
'books.book.read',
'books.book.update',
'books.book.title.read',
'books.book.title.write',
# Note: no price.write - editors can see but not change prices
'books.book.price.read',
],
'viewer': [
'books.book.read',
'books.book.title.read',
# Note: no price permissions - viewers can't see prices at all
]
}
Future: Dynamic Database Permissions
While currently out of scope, TurboDRF's permission system is designed to support dynamic permissions stored in the database. This would enable:
- Runtime permission changes without code deployment
- User-specific permission overrides
- Permission templates and inheritance
- API-driven permission management
The current static configuration provides excellent performance and simplicity while laying the groundwork for future dynamic permissions.
๐ค User Roles Setup (for TurboDRF permissions)
Add roles to your User model:
# Option 1: Extend existing User model
from django.contrib.auth import get_user_model
User = get_user_model()
def get_user_roles(self):
# Example: use Django groups as roles
return [group.name for group in self.groups.all()]
User.add_to_class('roles', property(get_user_roles))
# Option 2: Custom User model
class User(AbstractUser):
user_roles = models.JSONField(default=list)
@property
def roles(self):
return self.user_roles
๐ Searching and Filtering
# Define searchable fields in your model
class Book(models.Model, TurboDRFMixin):
title = models.CharField(max_length=200)
description = models.TextField()
searchable_fields = ['title', 'description']
Now you can search:
# Simple search across all searchable fields
GET /api/books/?search=python
# Response
{
"pagination": {
"next": null,
"previous": null,
"current_page": 1,
"total_pages": 1,
"total_items": 3
},
"data": [
{
"id": 1,
"title": "Python Crash Course",
"author": 2,
"author_name": "Eric Matthes",
"price": "39.99",
"published_date": "2023-05-01"
},
{
"id": 3,
"title": "Fluent Python",
"author": 5,
"author_name": "Luciano Ramalho",
"price": "59.99",
"published_date": "2022-03-15"
}
]
}
# Complex filtering
GET /api/books/?price__gte=10&price__lte=50
GET /api/books/?author__name__icontains=smith
GET /api/books/?published_date__year=2023
๐ Pagination
Built-in pagination with customizable page size:
# Default pagination
GET /api/books/?page=2
# Custom page size
GET /api/books/?page=1&page_size=50
# Response format
{
"pagination": {
"next": "http://api.example.com/api/books/?page=3",
"previous": "http://api.example.com/api/books/?page=1",
"current_page": 2,
"total_pages": 10,
"total_items": 193
},
"data": [...]
}
๐ฏ Field Metadata
Use OPTIONS requests to discover available fields:
OPTIONS /api/books/
# Response
{
"name": "Book",
"model": {
"name": "Book",
"app_label": "books",
"fields": {
"title": {
"type": "CharField",
"required": true,
"read_only": false,
"max_length": 200
},
"author": {
"type": "ForeignKey",
"required": true,
"read_only": false
},
"price": {
"type": "DecimalField",
"required": true,
"read_only": true # Based on user permissions
}
}
},
"actions": {
"list": true,
"retrieve": true,
"create": true,
"update": true,
"partial_update": true,
"destroy": false # Based on user permissions
}
}
๐จ Advanced Usage
๐ Nested Relationships
Access related fields using double underscore notation:
@classmethod
def turbodrf(cls):
return {
'fields': [
'title',
'author__name', # ForeignKey relation
'author__email', # Going deeper
'category__parent__name', # Multiple levels
'tags__name', # Many-to-many
]
}
๐ญ Custom ViewSet Behavior
Extend the auto-generated ViewSet:
from turbodrf.views import TurboDRFViewSet
from rest_framework.decorators import action
from rest_framework.response import Response
class CustomBookViewSet(TurboDRFViewSet):
model = Book
@action(detail=True, methods=['post'])
def set_featured(self, request, pk=None):
book = self.get_object()
book.is_featured = True
book.save()
return Response({'status': 'featured'})
@action(detail=False)
def trending(self, request):
queryset = self.get_queryset().filter(
views__gte=1000
).order_by('-views')
page = self.paginate_queryset(queryset)
if page is not None:
serializer = self.get_serializer(page, many=True)
return self.get_paginated_response(serializer.data)
serializer = self.get_serializer(queryset, many=True)
return Response(serializer.data)
# Register custom viewset
router = TurboDRFRouter()
router.register('books', CustomBookViewSet, basename='book')
๐ Custom Querysets (User-based Filtering)
Filter data based on the current user or other request context:
Method 1: Override get_queryset in ViewSet
class UserFilteredBookViewSet(TurboDRFViewSet):
model = Book
def get_queryset(self):
queryset = super().get_queryset()
user = self.request.user
if user.is_authenticated:
# Users only see their own books
return queryset.filter(owner=user)
else:
# Anonymous users only see public books
return queryset.filter(is_public=True)
Method 2: Custom Manager with Request Context
class BookManager(models.Manager):
def for_user(self, user):
"""Filter books based on user permissions."""
if user.is_superuser:
return self.all()
elif user.is_authenticated:
# Users see their books + public books
return self.filter(
models.Q(owner=user) | models.Q(is_public=True)
)
else:
return self.filter(is_public=True)
class Book(models.Model, TurboDRFMixin):
title = models.CharField(max_length=200)
owner = models.ForeignKey(User, on_delete=models.CASCADE)
is_public = models.BooleanField(default=False)
objects = BookManager()
@classmethod
def turbodrf(cls):
return {
'fields': ['title', 'owner__username', 'is_public'],
# Custom queryset method (optional)
'get_queryset': lambda viewset: cls.objects.for_user(viewset.request.user)
}
Method 3: Dynamic Queryset in turbodrf() Configuration
class Organization(models.Model, TurboDRFMixin):
name = models.CharField(max_length=100)
members = models.ManyToManyField(User, through='Membership')
@classmethod
def turbodrf(cls):
def get_user_orgs(viewset):
"""Users only see organizations they belong to."""
user = viewset.request.user
if user.is_authenticated:
return cls.objects.filter(members=user)
return cls.objects.none()
return {
'fields': ['name', 'created_at'],
'get_queryset': get_user_orgs
}
Method 4: Row-Level Permissions
Combine with Django Guardian or similar for object-level permissions:
from guardian.shortcuts import get_objects_for_user
class DocumentViewSet(TurboDRFViewSet):
model = Document
def get_queryset(self):
queryset = super().get_queryset()
# Only return documents the user has 'view' permission for
return get_objects_for_user(
self.request.user,
'view_document',
queryset
)
Advanced: Multi-tenant Filtering
class TenantFilteredMixin:
"""Mixin for multi-tenant applications."""
def get_queryset(self):
queryset = super().get_queryset()
# Get tenant from user profile or request
tenant = getattr(self.request.user, 'tenant', None)
if tenant:
return queryset.filter(tenant=tenant)
return queryset.none()
class ProjectViewSet(TenantFilteredMixin, TurboDRFViewSet):
model = Project
class Project(models.Model, TurboDRFMixin):
name = models.CharField(max_length=200)
tenant = models.ForeignKey('Tenant', on_delete=models.CASCADE)
@classmethod
def turbodrf(cls):
return {
'fields': ['name', 'created_at', 'status']
}
Note: When overriding
get_queryset, ensure you maintain any optimizations (likeselect_related) that TurboDRF applies automatically.
๐จ Custom Pagination
Create your own pagination class:
from turbodrf.views import TurboDRFPagination
class CustomPagination(TurboDRFPagination):
page_size = 50
page_size_query_param = 'per_page'
max_page_size = 200
def get_paginated_response(self, data):
return Response({
'links': {
'next': self.get_next_link(),
'previous': self.get_previous_link()
},
'meta': {
'total': self.page.paginator.count,
'pages': self.page.paginator.num_pages,
'page': self.page.number,
'per_page': self.page_size
},
'results': data
})
# Use in your viewset
class BookViewSet(TurboDRFViewSet):
model = Book
pagination_class = CustomPagination
๐ Custom Metadata
Customize OPTIONS responses:
from rest_framework.metadata import SimpleMetadata
class CustomMetadata(SimpleMetadata):
def determine_metadata(self, request, view):
metadata = super().determine_metadata(request, view)
# Add custom metadata
metadata['api_version'] = 'v1'
metadata['documentation'] = 'https://docs.example.com'
# Add role-specific information
if request.user.is_authenticated:
metadata['user_permissions'] = {
'can_create': view.model._meta.app_label + '.add_' + view.model._meta.model_name in request.user.get_all_permissions(),
'can_delete': view.model._meta.app_label + '.delete_' + view.model._meta.model_name in request.user.get_all_permissions(),
}
return metadata
# Apply globally
REST_FRAMEWORK = {
'DEFAULT_METADATA_CLASS': 'myapp.metadata.CustomMetadata',
}
๐ API Documentation
TurboDRF automatically generates interactive API documentation using Swagger UI and ReDoc. The documentation shows all available endpoints and fields based on the current user's permissions.
Enabling Documentation
Documentation is enabled by default. The URLs are automatically configured when you include TurboDRF URLs:
# urls.py
from django.urls import path, include
from turbodrf import urls as turbodrf_urls
urlpatterns = [
path('api/', include(turbodrf_urls)),
]
This automatically provides:
- Swagger UI at
/api/swagger/ - ReDoc at
/api/redoc/
Disabling Documentation in Production
Important: API documentation should typically be disabled in production environments for security reasons. To disable documentation:
# settings.py
TURBODRF_ENABLE_DOCS = False # Default: True
When disabled:
- Documentation endpoints return 404
- No schema is generated
- API endpoints continue to work normally
How Documentation Works
- Automatic Generation: Documentation is automatically generated from your models and their
turbodrf()configuration - Permission-Based Filtering: Users only see endpoints and fields they have permission to access
- Real-Time Updates: Documentation updates automatically as you modify your models
- Interactive Testing: Both Swagger UI and ReDoc allow testing API endpoints directly from the browser
Custom Documentation Configuration
You can customize the documentation by creating your own schema view:
# urls.py
from turbodrf.documentation import get_turbodrf_schema_view
# Custom schema configuration
schema_view = get_turbodrf_schema_view(
title="My API",
version="v1",
description="My awesome API powered by TurboDRF",
)
urlpatterns = [
path('api/', include('turbodrf.urls')),
# Override default documentation URLs
path('docs/swagger/', schema_view.with_ui('swagger', cache_timeout=0)),
path('docs/redoc/', schema_view.with_ui('redoc', cache_timeout=0)),
]
๐ Working with Relations
TurboDRF provides powerful support for handling related models with automatic query optimization.
Nested Field Retrieval
Access related model fields using double underscore notation:
class Book(TurboDRFMixin, models.Model):
author = models.ForeignKey(Author, on_delete=models.CASCADE)
@classmethod
def turbodrf(cls):
return {
'fields': {
'list': ['id', 'title', 'author__name'], # Shows author's name
'detail': ['id', 'title', 'author__name', 'author__email', 'author__bio']
}
}
Response includes flattened fields:
{
"id": 1,
"title": "Django for APIs",
"author": 2,
"author_name": "William S. Vincent",
"author_email": "william@example.com",
"author_bio": "Django expert and author..."
}
Foreign Key Updates
Update relations by sending the ID:
# Change a book's author
PATCH /api/books/1/
Content-Type: application/json
{"author": 3}
Filtering on Related Fields
Use Django's lookup syntax for filtering:
# Books by specific author
GET /api/books/?author=1
# Books with price between 20 and 50
GET /api/books/?price__gte=20&price__lte=50
# Books published in 2023
GET /api/books/?published_date__year=2023
# Books with "Python" in title (case-insensitive)
GET /api/books/?title__icontains=python
Current Limitations
-
Reverse Relations: One-to-many fields (like
author.books) are not automatically included in responses. Use filtering instead:# Get all books by author 1 GET /api/books/?author=1
-
Search on Related Fields: The
searchparameter only searches fields defined insearchable_fields. To search related fields, use specific filters:# Instead of: ?search=author_name # Use: ?author__name__icontains=smith
โก Performance
TurboDRF is optimized for speed and efficiency with automatic query optimization.
Automatic Query Optimization
- select_related() automatically applied for foreign keys to prevent N+1 queries
- Efficient pagination to limit result sets
- Database-level filtering for optimal performance
Real-World Performance Metrics
Based on testing with a typical Django application:
| Operation | Response Time | Notes |
|---|---|---|
| List 100 items | ~25-30ms | With nested fields |
| Single item detail | ~15-20ms | With all relations |
| Filtered list | ~20-25ms | Multiple filters |
| Search | ~25-35ms | Full-text search |
| Create | ~30-40ms | With validation |
| Update | ~25-35ms | Partial update |
Throughput: ~40-50 requests/second on modest hardware
Performance Tips
-
Use Pagination: Always paginate large datasets
GET /api/books/?page_size=50
-
Indexed Fields: Add database indexes to frequently filtered fields
class Book(models.Model): isbn = models.CharField(max_length=13, db_index=True) published_date = models.DateField(db_index=True)
-
Select Only Needed Fields: Configure different field sets for list/detail views
'fields': { 'list': ['id', 'title', 'author__name'], # Minimal fields 'detail': ['id', 'title', 'description', 'author__name', ...] # All fields }
๐งช Testing
# tests.py
from django.test import TestCase
from django.contrib.auth import get_user_model
from rest_framework.test import APIClient
from myapp.models import Book, Author
User = get_user_model()
class BookAPITestCase(TestCase):
def setUp(self):
self.client = APIClient()
# Create users with different roles
self.admin = User.objects.create_user('admin', roles=['admin'])
self.viewer = User.objects.create_user('viewer', roles=['viewer'])
# Create test data
self.author = Author.objects.create(name='Test Author')
self.book = Book.objects.create(
title='Test Book',
author=self.author,
price=19.99
)
def test_admin_can_see_all_fields(self):
self.client.force_authenticate(user=self.admin)
response = self.client.get('/api/books/1/')
self.assertEqual(response.status_code, 200)
self.assertIn('price', response.data)
def test_viewer_cannot_see_price(self):
self.client.force_authenticate(user=self.viewer)
response = self.client.get('/api/books/1/')
self.assertEqual(response.status_code, 200)
self.assertNotIn('price', response.data)
def test_search_functionality(self):
self.client.force_authenticate(user=self.admin)
response = self.client.get('/api/books/?search=Test')
self.assertEqual(response.status_code, 200)
self.assertEqual(len(response.data['data']), 1)
๐ Performance Tips
-
Use select_related and prefetch_related: TurboDRF automatically optimizes queries for nested fields
-
Limit fields in list views: Return only essential fields in list endpoints
'fields': { 'list': ['id', 'title'], # Minimal fields 'detail': '__all__' # All fields in detail }
-
Add database indexes: Index your searchable and frequently filtered fields
class Meta: indexes = [ models.Index(fields=['title']), models.Index(fields=['author', 'published_date']), ]
๐ค Contributing
We love contributions! Please see our Contributing Guide for details.
# Clone the repo
git clone https://github.com/alexandercollins/turbodrf.git
# Install dependencies
pip install -e ".[dev]"
# Run tests
pytest
## ๐งช Testing
TurboDRF comes with a comprehensive test suite covering all features.
### Running Tests
```bash
# Run all tests
pytest
# Run with coverage report
pytest --cov=turbodrf --cov-report=html
# Or use the Makefile
make test-cov
# Run specific test file
pytest tests/test_permissions.py
# Run specific test
pytest tests/test_permissions.py::TestTurboDRFPermission::test_admin_has_read_permission
# Run tests in parallel
pytest -n auto
# Run only unit tests
pytest tests/unit/
# Run only integration tests
pytest tests/integration/
Code Quality
# Format code
black turbodrf/
# Check code style
flake8 turbodrf/
# Sort imports
isort turbodrf/
# Run all checks
make lint
Test Coverage
Current test coverage: 100% โ
View detailed coverage report:
pytest --cov=turbodrf --cov-report=html
open htmlcov/index.html
๐ Comparison with Traditional DRF
| Feature | Traditional DRF | TurboDRF ๐ |
|---|---|---|
| Lines of code per model | ~100-200 lines | ~5-10 lines |
| Setup time | 30-60 minutes | < 1 minute |
| Serializer needed | โ Yes, always | โ Never |
| ViewSet needed | โ Yes, always | โ Auto-generated |
| Router registration | โ Manual | โ Automatic |
| Permissions | ๐ง Manual setup | โก Role-based, built-in |
| Field permissions | ๐ง Complex custom code | โก Simple configuration |
| API Documentation | ๐ง Additional setup | โก Automatic |
| Nested fields | ๐ง Custom serializers | โก Built-in support |
๐ Frontend Integration Examples
โ๏ธ React Hook Example
Create a custom hook for TurboDRF APIs:
// hooks/useTurboDRF.js
import { useState, useEffect } from 'react';
import axios from 'axios';
export const useTurboDRF = (endpoint, options = {}) => {
const [data, setData] = useState([]);
const [loading, setLoading] = useState(true);
const [error, setError] = useState(null);
const [pagination, setPagination] = useState(null);
const baseURL = process.env.REACT_APP_API_URL || 'http://localhost:8000/api';
const fetchData = async (params = {}) => {
try {
setLoading(true);
const response = await axios.get(`${baseURL}/${endpoint}/`, {
params,
headers: {
'Authorization': `Bearer ${localStorage.getItem('token')}`,
},
});
setData(response.data.data);
setPagination(response.data.pagination);
setError(null);
} catch (err) {
setError(err.response?.data || err.message);
} finally {
setLoading(false);
}
};
const create = async (payload) => {
const response = await axios.post(`${baseURL}/${endpoint}/`, payload, {
headers: {
'Authorization': `Bearer ${localStorage.getItem('token')}`,
},
});
await fetchData(); // Refresh list
return response.data;
};
const update = async (id, payload) => {
const response = await axios.patch(`${baseURL}/${endpoint}/${id}/`, payload, {
headers: {
'Authorization': `Bearer ${localStorage.getItem('token')}`,
},
});
await fetchData(); // Refresh list
return response.data;
};
const remove = async (id) => {
await axios.delete(`${baseURL}/${endpoint}/${id}/`, {
headers: {
'Authorization': `Bearer ${localStorage.getItem('token')}`,
},
});
await fetchData(); // Refresh list
};
useEffect(() => {
fetchData(options.params);
}, [endpoint]);
return {
data,
loading,
error,
pagination,
refetch: fetchData,
create,
update,
remove,
};
};
// Usage in component
function BookList() {
const { data: books, loading, error, create, update, remove } = useTurboDRF('books');
if (loading) return <div>Loading...</div>;
if (error) return <div>Error: {error}</div>;
return (
<div>
{books.map(book => (
<div key={book.id}>
<h3>{book.title}</h3>
<p>Author: {book.author_name}</p>
<p>Price: ${book.price}</p>
<button onClick={() => update(book.id, { price: book.price * 0.9 })}>
Apply 10% Discount
</button>
<button onClick={() => remove(book.id)}>Delete</button>
</div>
))}
</div>
);
}
๐ข Vue 3 Composable Example
Create a composable for TurboDRF APIs:
// composables/useTurboDRF.js
import { ref, computed, watch } from 'vue';
import axios from 'axios';
export function useTurboDRF(endpoint, options = {}) {
const data = ref([]);
const loading = ref(false);
const error = ref(null);
const pagination = ref(null);
const baseURL = import.meta.env.VITE_API_URL || 'http://localhost:8000/api';
const api = axios.create({
baseURL,
headers: {
'Authorization': `Bearer ${localStorage.getItem('token')}`,
},
});
const fetchData = async (params = {}) => {
loading.value = true;
error.value = null;
try {
const response = await api.get(`/${endpoint}/`, { params });
data.value = response.data.data;
pagination.value = response.data.pagination;
} catch (err) {
error.value = err.response?.data || err.message;
} finally {
loading.value = false;
}
};
const create = async (payload) => {
const response = await api.post(`/${endpoint}/`, payload);
await fetchData(); // Refresh list
return response.data;
};
const update = async (id, payload) => {
const response = await api.patch(`/${endpoint}/${id}/`, payload);
await fetchData(); // Refresh list
return response.data;
};
const remove = async (id) => {
await api.delete(`/${endpoint}/${id}/`);
await fetchData(); // Refresh list
};
// Auto-fetch on mount
fetchData(options.params);
// Computed properties for convenience
const hasNextPage = computed(() => pagination.value?.next !== null);
const hasPrevPage = computed(() => pagination.value?.previous !== null);
const totalItems = computed(() => pagination.value?.total_items || 0);
return {
data,
loading,
error,
pagination,
hasNextPage,
hasPrevPage,
totalItems,
fetchData,
create,
update,
remove,
};
}
// Usage in component
<template>
<div>
<div v-if="loading">Loading...</div>
<div v-else-if="error">Error: {{ error }}</div>
<div v-else>
<div v-for="book in data" :key="book.id" class="book-card">
<h3>{{ book.title }}</h3>
<p>Author: {{ book.author_name }}</p>
<p>Price: ${{ book.price }}</p>
<button @click="applyDiscount(book)">Apply 10% Discount</button>
<button @click="remove(book.id)">Delete</button>
</div>
<div class="pagination">
<button :disabled="!hasPrevPage" @click="fetchData({ page: pagination.current_page - 1 })">
Previous
</button>
<span>Page {{ pagination?.current_page }} of {{ pagination?.total_pages }}</span>
<button :disabled="!hasNextPage" @click="fetchData({ page: pagination.current_page + 1 })">
Next
</button>
</div>
</div>
</div>
</template>
<script setup>
import { useTurboDRF } from '@/composables/useTurboDRF';
const { data, loading, error, pagination, hasNextPage, hasPrevPage, fetchData, update, remove } = useTurboDRF('books');
const applyDiscount = async (book) => {
await update(book.id, { price: (book.price * 0.9).toFixed(2) });
};
</script>
๐ Used By
TurboDRF is trusted by developers and companies building production APIs:
- ๐ข Startups - Ship MVPs faster with less code
- ๐ Educational Platforms - Teach API development without the boilerplate
- ๐ Agencies - Deliver client projects in record time
- ๐จโ๐ป Solo Developers - Build full-stack apps without a team
๐ License
TurboDRF is MIT licensed. See LICENSE for details.
๐ Acknowledgments
Built with โค๏ธ using:
- Django - The web framework for perfectionists with deadlines
- Django REST Framework - Powerful and flexible toolkit for building Web APIs
- drf-yasg - Yet another Swagger generator
Special thanks to all contributors and the amazing Django community!
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file turbodrf-0.1.7.tar.gz.
File metadata
- Download URL: turbodrf-0.1.7.tar.gz
- Upload date:
- Size: 86.0 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.12.9
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
3251ce67448ab76672ac84b7d4b7c2ba304c4e027661a9208974f3c06bfc1210
|
|
| MD5 |
ba229ebdc082f86e5a00ff75faef0451
|
|
| BLAKE2b-256 |
b642433bcae2b6ed752a463db0a4f8c3921158f74c3ef077af3a59780f140e3b
|
Provenance
The following attestation bundles were made for turbodrf-0.1.7.tar.gz:
Publisher:
publish.yml on AlexanderCollins/turbodrf
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
turbodrf-0.1.7.tar.gz -
Subject digest:
3251ce67448ab76672ac84b7d4b7c2ba304c4e027661a9208974f3c06bfc1210 - Sigstore transparency entry: 223737822
- Sigstore integration time:
-
Permalink:
AlexanderCollins/turbodrf@0608d2208068b5b0e690fccd9e6a8852cfcc141e -
Branch / Tag:
refs/tags/v0.1.7 - Owner: https://github.com/AlexanderCollins
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yml@0608d2208068b5b0e690fccd9e6a8852cfcc141e -
Trigger Event:
release
-
Statement type:
File details
Details for the file turbodrf-0.1.7-py3-none-any.whl.
File metadata
- Download URL: turbodrf-0.1.7-py3-none-any.whl
- Upload date:
- Size: 39.8 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.12.9
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
33f81d2cf045cde9f0bb28493ded5c03b745b2c39c0cf31aa47e6674b642b90b
|
|
| MD5 |
b6b24b5f05b825d26216da56bc706bac
|
|
| BLAKE2b-256 |
7dc776781ace18d86ee85b1745c4746ef80af698f004c8bd1b4a2ee1ebf91fd5
|
Provenance
The following attestation bundles were made for turbodrf-0.1.7-py3-none-any.whl:
Publisher:
publish.yml on AlexanderCollins/turbodrf
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
turbodrf-0.1.7-py3-none-any.whl -
Subject digest:
33f81d2cf045cde9f0bb28493ded5c03b745b2c39c0cf31aa47e6674b642b90b - Sigstore transparency entry: 223737827
- Sigstore integration time:
-
Permalink:
AlexanderCollins/turbodrf@0608d2208068b5b0e690fccd9e6a8852cfcc141e -
Branch / Tag:
refs/tags/v0.1.7 - Owner: https://github.com/AlexanderCollins
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yml@0608d2208068b5b0e690fccd9e6a8852cfcc141e -
Trigger Event:
release
-
Statement type: