Name | drf-apischema JSON |
Version |
0.2.1
JSON |
| download |
home_page | None |
Summary | API schema generator and validator for Django REST framework |
upload_time | 2025-02-07 17:32:04 |
maintainer | None |
docs_url | None |
author | None |
requires_python | >=3.10 |
license | MIT License Copyright (c) 2024 Hmeqo Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. |
keywords |
django
django-rest-framework
documentation
drf
drf-apischema
drf-spectacular
openapi
schema
swagger
|
VCS |
data:image/s3,"s3://crabby-images/c29d3/c29d3b011f5f6236c399e5a53b3f9d303ea352c2" alt="" |
bugtrack_url |
|
requirements |
No requirements were recorded.
|
Travis-CI |
No Travis.
|
coveralls test coverage |
No coveralls.
|
# DRF APISchema
Based on `drf-spectacular`, automatically generate API documentation, validate queries, bodies, and permissions, handle transactions, and log SQL queries.
This can greatly speed up development and make the code more readable.
## Features
- Auto generate API documentation and routes
- Validate queries, bodies, and permissions
- Handle transactions
- Log SQL queries
- Simple to use
```python
@apischema(permissions=[IsAdminUser], body=UserIn, response=UserOut)
def create(self, request: ASRequest[UserIn]):
"""Description"""
print(request.serializer, request.validated_data)
return UserOut(request.serializer.save()).data
```
## Installation
Install `drf-apischema` from PyPI
```bash
pip install drf-apischema
```
Configure your project `settings.py` like this
```py
INSTALLED_APPS = [
# ...
"rest_framework",
"drf_spectacular",
# ...
]
SPECTACULAR_SETTINGS = {
"TITLE": "Your Project API",
"DESCRIPTION": "Your project description",
"VERSION": "1.0.0",
"SERVE_INCLUDE_SCHEMA": False,
'SCHEMA_PATH_PREFIX': '/api',
}
```
## Usage
serializers.py
```python
from django.contrib.auth.models import User
from rest_framework import serializers
class UserOut(serializers.ModelSerializer):
class Meta:
model = User
fields = ["id", "username"]
class SquareOut(serializers.Serializer):
result = serializers.IntegerField()
class SquareQuery(serializers.Serializer):
n = serializers.IntegerField(default=2)
```
views.py
```python
from typing import Any
from django.contrib.auth.models import User
from rest_framework.decorators import action
from rest_framework.mixins import ListModelMixin, RetrieveModelMixin
from rest_framework.permissions import IsAdminUser, IsAuthenticated
from rest_framework.viewsets import GenericViewSet
from drf_apischema import ASRequest, apischema, apischema_view
from .serializers import SquareOut, SquareQuery, UserOut
# Create your views here.
@apischema_view(
retrieve=apischema(summary="Retrieve a user"),
)
class UserViewSet(GenericViewSet, ListModelMixin, RetrieveModelMixin):
"""User management"""
queryset = User.objects.all()
serializer_class = UserOut
permission_classes = [IsAuthenticated]
# Define a view that requires permissions
@apischema(permissions=[IsAdminUser])
def list(self, request):
"""List all
Document here
xxx
"""
return super().list(request)
# will auto wrap it with `apischema` in `apischema_view`
@action(methods=["post"], detail=True)
def echo(self, request, pk):
"""Echo the request"""
return self.get_serializer(self.get_object()).data
@apischema(query=SquareQuery, response=SquareOut)
@action(methods=["get"], detail=False)
def square(self, request: ASRequest[SquareQuery]) -> Any:
"""The square of a number"""
# The request.serializer is an instance of SquareQuery that has been validated
# print(request.serializer)
# The request.validated_data is the validated data of the serializer
n: int = request.validated_data["n"]
# Note that apischema won't automatically process the response with the declared response serializer,
# but it will wrap it with rest_framework.response.Response
# So you don't need to manually wrap it with Response
return SquareOut({"result": n * n}).data
```
urls.py
```python
from django.urls import include, path
from rest_framework.routers import DefaultRouter
from drf_apischema.urls import api_path
from .views import *
router = DefaultRouter()
router.register("test", TestViewSet, basename="test")
urlpatterns = [
# Auto-generate /api/schema/, /api/schema/swagger/ and /api/schema/redoc/ for documentation
api_path("api/", [path("", include(router.urls))])
]
```
## settings
settings.py
```python
DRF_APISCHEMA_SETTINGS = {
# Enable transaction wrapping for APIs
"TRANSACTION": True,
# Enable SQL logging
"SQL_LOGGING": True,
# Indent SQL queries
"SQL_LOGGING_REINDENT": True,
# Use method docstring as summary and description
"SUMMARY_FROM_DOC": True,
# Show permissions in description
"SHOW_PERMISSIONS": True,
# If True, request_body and response will be empty by default if the view is action decorated
"ACTION_DEFAULTS_EMPTY": True,
}
```
## drf-yasg version
See branch drf-yasg, it is not longer supported
## Troubleshooting
### Doesn't showed permissions description of `permission_classes`
Wrap the view with `apischema_view`.
```python
@apischema_view()
class XxxViewSet(GenericViewSet):
permissions_classes = [IsAuthenticated]
```
### TypeError: cannot be assigned to parameter of type "_View@action"
Just annotate the return type to `Any`, as `apischema` will wrap it with `Response`.
```python
@apischema()
@action(methods=["get"], detail=False)
def xxx(self, request) -> Any:
...
```
Raw data
{
"_id": null,
"home_page": null,
"name": "drf-apischema",
"maintainer": null,
"docs_url": null,
"requires_python": ">=3.10",
"maintainer_email": null,
"keywords": "django, django-rest-framework, documentation, drf, drf-apischema, drf-spectacular, openapi, schema, swagger",
"author": null,
"author_email": "hmeqo <hmeqo@qq.com>",
"download_url": "https://files.pythonhosted.org/packages/4a/40/52b50dccb07e3d5e931269b5fa83a69c6f0f64f2d009d4a6ca0ba0be2b24/drf_apischema-0.2.1.tar.gz",
"platform": null,
"description": "# DRF APISchema\n\nBased on `drf-spectacular`, automatically generate API documentation, validate queries, bodies, and permissions, handle transactions, and log SQL queries. \nThis can greatly speed up development and make the code more readable.\n\n## Features\n\n- Auto generate API documentation and routes\n\n- Validate queries, bodies, and permissions\n\n- Handle transactions\n\n- Log SQL queries\n\n- Simple to use\n\n```python\n@apischema(permissions=[IsAdminUser], body=UserIn, response=UserOut)\ndef create(self, request: ASRequest[UserIn]):\n \"\"\"Description\"\"\"\n print(request.serializer, request.validated_data)\n return UserOut(request.serializer.save()).data\n```\n\n## Installation\n\nInstall `drf-apischema` from PyPI\n\n```bash\npip install drf-apischema\n```\n\nConfigure your project `settings.py` like this\n\n```py\nINSTALLED_APPS = [\n # ...\n \"rest_framework\",\n \"drf_spectacular\",\n # ...\n]\n\nSPECTACULAR_SETTINGS = {\n \"TITLE\": \"Your Project API\",\n \"DESCRIPTION\": \"Your project description\",\n \"VERSION\": \"1.0.0\",\n \"SERVE_INCLUDE_SCHEMA\": False,\n 'SCHEMA_PATH_PREFIX': '/api',\n}\n```\n\n## Usage\n\nserializers.py\n\n```python\nfrom django.contrib.auth.models import User\nfrom rest_framework import serializers\n\n\nclass UserOut(serializers.ModelSerializer):\n class Meta:\n model = User\n fields = [\"id\", \"username\"]\n\n\nclass SquareOut(serializers.Serializer):\n result = serializers.IntegerField()\n\n\nclass SquareQuery(serializers.Serializer):\n n = serializers.IntegerField(default=2)\n```\n\nviews.py\n\n```python\nfrom typing import Any\n\nfrom django.contrib.auth.models import User\nfrom rest_framework.decorators import action\nfrom rest_framework.mixins import ListModelMixin, RetrieveModelMixin\nfrom rest_framework.permissions import IsAdminUser, IsAuthenticated\nfrom rest_framework.viewsets import GenericViewSet\n\nfrom drf_apischema import ASRequest, apischema, apischema_view\n\nfrom .serializers import SquareOut, SquareQuery, UserOut\n\n# Create your views here.\n\n\n@apischema_view(\n retrieve=apischema(summary=\"Retrieve a user\"),\n)\nclass UserViewSet(GenericViewSet, ListModelMixin, RetrieveModelMixin):\n \"\"\"User management\"\"\"\n\n queryset = User.objects.all()\n serializer_class = UserOut\n permission_classes = [IsAuthenticated]\n\n # Define a view that requires permissions\n @apischema(permissions=[IsAdminUser])\n def list(self, request):\n \"\"\"List all\n\n Document here\n xxx\n \"\"\"\n return super().list(request)\n\n # will auto wrap it with `apischema` in `apischema_view`\n @action(methods=[\"post\"], detail=True)\n def echo(self, request, pk):\n \"\"\"Echo the request\"\"\"\n return self.get_serializer(self.get_object()).data\n\n @apischema(query=SquareQuery, response=SquareOut)\n @action(methods=[\"get\"], detail=False)\n def square(self, request: ASRequest[SquareQuery]) -> Any:\n \"\"\"The square of a number\"\"\"\n # The request.serializer is an instance of SquareQuery that has been validated\n # print(request.serializer)\n\n # The request.validated_data is the validated data of the serializer\n n: int = request.validated_data[\"n\"]\n\n # Note that apischema won't automatically process the response with the declared response serializer,\n # but it will wrap it with rest_framework.response.Response\n # So you don't need to manually wrap it with Response\n return SquareOut({\"result\": n * n}).data\n```\n\nurls.py\n\n```python\nfrom django.urls import include, path\nfrom rest_framework.routers import DefaultRouter\n\nfrom drf_apischema.urls import api_path\n\nfrom .views import *\n\nrouter = DefaultRouter()\nrouter.register(\"test\", TestViewSet, basename=\"test\")\n\n\nurlpatterns = [\n # Auto-generate /api/schema/, /api/schema/swagger/ and /api/schema/redoc/ for documentation\n api_path(\"api/\", [path(\"\", include(router.urls))])\n]\n```\n\n## settings\n\nsettings.py\n\n```python\nDRF_APISCHEMA_SETTINGS = {\n # Enable transaction wrapping for APIs\n \"TRANSACTION\": True,\n # Enable SQL logging\n \"SQL_LOGGING\": True,\n # Indent SQL queries\n \"SQL_LOGGING_REINDENT\": True,\n # Use method docstring as summary and description\n \"SUMMARY_FROM_DOC\": True,\n # Show permissions in description\n \"SHOW_PERMISSIONS\": True,\n # If True, request_body and response will be empty by default if the view is action decorated\n \"ACTION_DEFAULTS_EMPTY\": True,\n}\n```\n\n## drf-yasg version\n\nSee branch drf-yasg, it is not longer supported\n\n## Troubleshooting\n\n### Doesn't showed permissions description of `permission_classes`\n\nWrap the view with `apischema_view`.\n\n```python\n@apischema_view()\nclass XxxViewSet(GenericViewSet):\n permissions_classes = [IsAuthenticated]\n```\n\n### TypeError: cannot be assigned to parameter of type \"_View@action\"\n\nJust annotate the return type to `Any`, as `apischema` will wrap it with `Response`.\n\n```python\n@apischema()\n@action(methods=[\"get\"], detail=False)\ndef xxx(self, request) -> Any:\n ...\n```\n",
"bugtrack_url": null,
"license": "MIT License Copyright (c) 2024 Hmeqo Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the \"Software\"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.",
"summary": "API schema generator and validator for Django REST framework",
"version": "0.2.1",
"project_urls": {
"Issues": "https://github.com/hmeqo/drf-apischema/issues",
"Repository": "https://github.com/hmeqo/drf-apischema.git"
},
"split_keywords": [
"django",
" django-rest-framework",
" documentation",
" drf",
" drf-apischema",
" drf-spectacular",
" openapi",
" schema",
" swagger"
],
"urls": [
{
"comment_text": null,
"digests": {
"blake2b_256": "565c2602491f804fbe6e8f86d6370977d6cb19f0344fbb9b535fb8692c06f0ff",
"md5": "b24400f43095242abc4bf3eb7a3001b2",
"sha256": "fc8964fc184c4014fa275d7495f2d9a4af1bd0928253a458b082b44093dea8c8"
},
"downloads": -1,
"filename": "drf_apischema-0.2.1-py3-none-any.whl",
"has_sig": false,
"md5_digest": "b24400f43095242abc4bf3eb7a3001b2",
"packagetype": "bdist_wheel",
"python_version": "py3",
"requires_python": ">=3.10",
"size": 12614,
"upload_time": "2025-02-07T17:32:03",
"upload_time_iso_8601": "2025-02-07T17:32:03.101582Z",
"url": "https://files.pythonhosted.org/packages/56/5c/2602491f804fbe6e8f86d6370977d6cb19f0344fbb9b535fb8692c06f0ff/drf_apischema-0.2.1-py3-none-any.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": null,
"digests": {
"blake2b_256": "4a4052b50dccb07e3d5e931269b5fa83a69c6f0f64f2d009d4a6ca0ba0be2b24",
"md5": "9d37333411067f95ce78a2a0fb12975e",
"sha256": "a4f8de4cdf33f9407265188db61e0bfbb32f83dd66ef7cd83f14f982dc1282f4"
},
"downloads": -1,
"filename": "drf_apischema-0.2.1.tar.gz",
"has_sig": false,
"md5_digest": "9d37333411067f95ce78a2a0fb12975e",
"packagetype": "sdist",
"python_version": "source",
"requires_python": ">=3.10",
"size": 39861,
"upload_time": "2025-02-07T17:32:04",
"upload_time_iso_8601": "2025-02-07T17:32:04.742513Z",
"url": "https://files.pythonhosted.org/packages/4a/40/52b50dccb07e3d5e931269b5fa83a69c6f0f64f2d009d4a6ca0ba0be2b24/drf_apischema-0.2.1.tar.gz",
"yanked": false,
"yanked_reason": null
}
],
"upload_time": "2025-02-07 17:32:04",
"github": true,
"gitlab": false,
"bitbucket": false,
"codeberg": false,
"github_user": "hmeqo",
"github_project": "drf-apischema",
"travis_ci": false,
"coveralls": false,
"github_actions": false,
"lcname": "drf-apischema"
}