Manage OpenApi documentation with DRF
Project description
DRF OpenApi 3
OpenApi 3 utility for Django REST Framework
Enhances DRF AutoSchema and SchemaGenerator to help generating a better OpenApi 3 documentation.
Supports servers, deprecated, tags and summary in schema generation, now you can tag ApiViews, mark them as deprecated and display the summary besides the description. If you want your ApiView to display custom content in the documentation, you can add it by writing comments to the view/view method in YAML format. Fixed request body and responses for views that handle multiple objects, such as bulk insert, bulk update and bulk delete. Now they are displayed as array.
Installation
- Install the package using
pip install drf_openapi3
- Add
drf_openapi3.apps.OpenApi3Config
to DjangoINSTALLED_APPS
Configuration
- OpenApi documentation View
Extend drf_openapi3.views.OpenApiTemplateView
. You can define a title and template name, otherwise default values will be used.
from django.contrib.auth.mixins import LoginRequiredMixin
from drf_openapi3.views import OpenApiTemplateView
class MyOpenApiTemplateView(LoginRequiredMixin, OpenApiTemplateView):
title = 'My OpenAPI'
template_name = 'path/to/mytemplate.html'
- Add schema to urlpatterns using
drf_openapi3.SortedPathSchemaGenerator
as generator class
from django.contrib.auth.decorators import login_required
from django.urls import path
from drf_openapi3.schema_generator import SortedPathSchemaGenerator
from rest_framework.schemas import get_schema_view
urlpatterns = [
# Use the `get_schema_view()` helper to add a `SchemaView` to project URLs.
# * `title` and `description` parameters are passed to `SchemaGenerator`.
# * Provide view name for use with `reverse()`.
path('my-schema/', login_required(
get_schema_view(
title='My API',
description='My API description',
version='1.0.0',
generator_class=SortedPathSchemaGenerator,
public=True,
),
login_url='/accounts/login/',
), name='my_schema_name'),
# ...
# ...
]
- Start documenting your ApiViews.
Your views must extend drf_openapi3.views.AdvanceApiView
.
from drf_openapi3.views import AdvanceApiView
from rest_framework.generics import ListAPIView
class MyAPIListView(ListAPIView, AdvanceApiView):
allowed_methods = ['get']
def get(self, request, *args, **kwargs):
return super(MyAPIListView, self).list(request, *args, **kwargs)
How to use
Let's see step by step what you can do.
Define multiple servers
Useful for instance if you provide a test sandbox together with a production server.
In Django settings you can define url and description in API_SERVERS
:
API_SERVERS = [
{
"url": "https://test.example.com/",
"description": "Sandbox server (uses test data)",
},
{
"url": "https://example.com/",
"description": "Production server (uses live data)",
},
]
If you don't define anything, Django BASE_URL
will be used to build your server block.
So if you are developing in local environment, the server url
will be http://localhost:8000
.
If it's production environment, the server url
will be https://example.com
.
Keep in mind that defining multiple servers in API_SERVERS
will allow users to switch server urls in the dropdown on the documentation before testing your endpoints.
Apply tags to your ApiView
If you want to tag your view, just add the attribute tags
to it.
You can decide your own, it can come in handy to add the endpoint version:
from drf_openapi3.views import AdvanceApiView
from rest_framework.generics import ListAPIView
class MyAPIListView(ListAPIView, AdvanceApiView):
# ...
# ...
allowed_methods = ['get']
tags = ["v2"]
def get(self, request, *args, **kwargs):
return super(MyAPIListView, self).list(request, *args, **kwargs)
Apply deprecated to your old ApiView
If you want to mark your view as deprecated, just add the attribute deprecated = True
to it:
from drf_openapi3.views import AdvanceApiView
from rest_framework.generics import ListAPIView
class MyAPIListView(ListAPIView, AdvanceApiView):
# ...
# ...
allowed_methods = ['get']
tags = ["v0"]
deprecated = True
def get(self, request, *args, **kwargs):
return super(MyAPIListView, self).list(request, *args, **kwargs)
Views that handle multiple objects with methods besides GET
When you write a view that performs bulk create, update or delete operations you face some issues on the documentation:
both the requestBody
and the responses
field schema types are object
, but they should be array
.
By adding many = True
attribute to your view, you tell the schema that requestBody
and responses
must be arrays.
from rest_framework.generics import ListCreateAPIView
from rest_framework.status import HTTP_400_BAD_REQUEST, HTTP_200_OK
from drf_openapi3 import AdvanceApiView
class MyListPostView(ListCreateAPIView, AdvanceApiView):
# ...
# ...
allowed_methods = ['get', 'post']
many = True
def post(self, request, *args, **kwargs) -> Response:
serialized = self.get_serializer(data=request.data, many=True)
if serialized.is_valid():
serialized.save()
return Response(serialized.data, status=HTTP_200_OK)
return Response(serialized.errors, status=HTTP_400_BAD_REQUEST)
Display custom content in the documentation
DRF AutoSchema already reads your view/view method Docstring:
if you want to display the endpoint description
in your documentation,
you can write some text in the view/view method Docstring.
That wasn't enough for me though.
Let's start with the simplest one, the same one that's already implemented from DRF AutoSchema that it has been kept to have backwards compatibility:
we add a plain description in the view Docstring. If we do it on both view and method view, only method view Docstring will be taken into account:
from rest_framework.generics import ListCreateAPIView
from rest_framework.status import HTTP_400_BAD_REQUEST, HTTP_200_OK
from drf_openapi3 import AdvanceApiView
class MyListPostView(ListCreateAPIView, AdvanceApiView):
"""
This is my endpoint description and it will be reported
for each allowed method.
"""
# ...
# ...
allowed_methods = ['get', 'post']
many = True
def post(self, request, *args, **kwargs) -> Response:
"""
... and that's my method description
Since both the descriptions are defined you'll see only this one.
You won't see "This is my endpoint description",
unless you delete the text here above.
"""
serialized = self.get_serializer(data=request.data, many=True)
if serialized.is_valid():
serialized.save()
return Response(serialized.data, status=HTTP_200_OK)
return Response(serialized.errors, status=HTTP_400_BAD_REQUEST)
If you want to manage custom changes to your schema, just add them to the Docstring in YAML format. You'll notice that it'll be easier for you to read your code too.
By default DRF AutoSchema displays only status code 200 as example response.
Since 400, 401, 403, 404 status codes return a JSON {"detail": <error detail>}
,
in Django settings you can define STATIC_ERROR_CODES = True
to display more responses in your documentation.
If you have to perform further changes on responses in your view, you can put them in YAML view/view method Docstring.
If you want to limit the allowed response codes that you're going to see on the documentation,
just list the allowed status codes in your view (allowed_status_codes
); this is useful when you had enabled
STATIC_ERROR_CODES
and you want to prevent some responses to be displayed.
We're getting creative here, let's add a complete example:
class MyCommentedView(ListAPIView, CreateAPIView, UpdateAPIView, DestroyAPIView, AdvanceApiView):
"""
get:
summary: Summary for get method
description: Description for get method
post:
summary: Summary for post method
description: Description for post method
400:
description: Invalid object, that's a custom description of 400 response code for post method
put:
summary: Summary for put method
description: Description for put method
delete:
summary: Summary for delete method
description: Description for delete method
200:
description: Corsa objects deleted, that's a custom description of 200 response code for delete method
schema:
type: array
items:
properties:
field:
type: boolean
description: Deleted flag, here we define a different schema for bulk delete
"""
allowed_methods = ("GET", "POST", "PUT", "DELETE")
allowed_status_codes = (200, 400, 401, 403)
tags = ["v0"]
many = True
# ...
# ...
If you've overridden the view methods already (.get()
, .post()
, .put()
, .delete()
) you can write there your comments.
Please be advised that if you do so you must not use the notation method: properties
:
# ...
# ...
def delete(self, request, *args, **kwargs) -> Response:
"""
summary: Summary for delete method
description: Description for delete method
200:
description: Corsa objects deleted, that's a custom description of 200 response code for delete method
schema:
type: array
items:
properties:
field:
type: boolean
description: Deleted flag, here we define a different schema for bulk delete
"""
output = []
for data in request.data:
# ...
# ...
return Response(output, status=HTTP_200_OK)
Minor notes
The package fixes type mapping on some serializer fields that are not render correctly:
- ChoiceField, now the correct type is inspected and the first choice is displayed in request body / response
- SerializerMethodField, the type is guessed on the return type of the function assigned to the parameter
method_name
. Please refer to (typing)[https://docs.python.org/3/library/typing.html] to get a better grasp of type hints.
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
File details
Details for the file drf_openapi3-0.1.16.tar.gz
.
File metadata
- Download URL: drf_openapi3-0.1.16.tar.gz
- Upload date:
- Size: 27.3 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/3.2.0 pkginfo/1.5.0.1 requests/2.24.0 setuptools/49.6.0 requests-toolbelt/0.9.1 tqdm/4.48.2 CPython/3.8.5
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 3be54d2dfb6d9f0572ad6d84d6a994651eb3ab571372ca5263fd25a1b9d92f43 |
|
MD5 | e9a0532dbef88843d87714a64a4b6e9b |
|
BLAKE2b-256 | 2723a726538dc5d823a5412ab4655dce30acf9b710f225402a9c82a0ab637a46 |
File details
Details for the file drf_openapi3-0.1.16-py2.py3-none-any.whl
.
File metadata
- Download URL: drf_openapi3-0.1.16-py2.py3-none-any.whl
- Upload date:
- Size: 25.8 kB
- Tags: Python 2, Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/3.2.0 pkginfo/1.5.0.1 requests/2.24.0 setuptools/49.6.0 requests-toolbelt/0.9.1 tqdm/4.48.2 CPython/3.8.5
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | c3ffa8412eb9fdd7b4aafb34961b66b7e926a99a41bc4eedff4ad96b40b96b76 |
|
MD5 | 4714a0dad55df95dd5d428fd42d9341b |
|
BLAKE2b-256 | a06db2df6884f33bee2c22ac484161d420cd208c30d95e82b017e1f116977fc7 |