I got sick of writing the same Serializer & ModelViewSet classes over and over so I found and wrote some code to do it for me, and somehow it works! Please note that there are a lot of caveats to running an API like this and while this may work, I know there's A LOT of room for improvement, feel free to fork and help!
Import the router
module to your main sites urls.py file as the injection point like so...
Make sure to remove any other imports from other viewsets that you don't need that may conflict!
from .app_api_generator import router
urlpatterns = [
path('admin/', admin.site.urls),
path('your-api-url/v1/', include(router.urls)), # <-- HERE
...
] + static(settings.STATIC_URL, document_root=settings.STATIC_ROOT)
This will then generate a nice base API directory that looks something like this... Using the base class viewsets.ModelViewSet within the app_api_generator.py gives you access to GET, PUT, PATCH, DELETE, OPTIONS, etc.
{
"menu/bookmark": "http://localhost:8888/pdi-api/v1/menu/bookmark/",
"dashboard/dashboardpreferences": "http://localhost:8888/pdi-api/v1/dashboard/dashboardpreferences/",
"admin/logentry": "http://localhost:8888/pdi-api/v1/admin/logentry/",
"auth/permission": "http://localhost:8888/pdi-api/v1/auth/permission/",
"auth/group": "http://localhost:8888/pdi-api/v1/auth/group/",
"auth/user": "http://localhost:8888/pdi-api/v1/auth/user/",
"contenttypes/contenttype": "http://localhost:8888/pdi-api/v1/contenttypes/contenttype/",
"sessions/session": "http://localhost:8888/pdi-api/v1/sessions/session/",
"contacts/companyprofile": "http://localhost:8888/pdi-api/v1/contacts/companyprofile/",
"contacts/location": "http://localhost:8888/pdi-api/v1/contacts/location/",
"contacts/contacts": "http://localhost:8888/pdi-api/v1/contacts/contacts/",
"your_app/model_name": ""http://localhost:8888/pdi-api/v1/your_app/model_name/",
}
I ran into an issue when using the depth
attribute on the ModelSerializers Meta class.
It makes the database un-godly slow when you have lots of relationships becuase it doesn't properly
preform the joins it needs using select_related
and prefetch_related
on the querysets and it
didn't seem fair leave coders in the dark when it came to solving this problem.
This is where model Managers come into play... This forces joins of the defined columns in the database and keeps to the mantra of thick models, thin views that so many Django users sometimes miss. Using the above manager class, import it and use it like below.
from mysite.global_model_manager import DefaultSelectOrPrefetchManager
class Child(models.Model):
objects = DefaultSelectOrPrefetchManager(select_related=('parents',),prefetch_related=('family_members'))
other fields, functions etc...
This would NOT have been possible without:
Interesting work!