在使用GenericAPIView和Mixins开发时,确实可以大大提高编码的速度以及减少代码量,但是在一个视图里并不能实现5个基础的请求方法,要用两个视图类来完成。所以我们可以使用viewset(视图集)来将两个视图类合并
如果要使用viewset的话,要配置urls以将HTTP请求映射到ViewSet
comment/views.py
from rest_framework import viewsets
from apps.comment.models import Comment
from apps.comment.serializers import CommentSerializer
class CommentViewSet(viewsets.ModelViewSet):
queryset = Comment.objects
serializer_class = CommentSerializer
def get_queryset(self):
# 确保返回标准的Django QuerySet
return Comment.objects.all()
comment/urls.py
from django.urls import path
from apps.comment.views import CommentViewSet
urlpatterns = [
path('', CommentViewSet.as_view({
'get': 'list',
'post': 'create'
})),
path('<int:pk>/', CommentViewSet.as_view({
'get': 'retrieve',
'post': 'update',
'delete': 'destroy'
}))
]
可以看到在基于ViewSet开发的CommentViewSet接口时不需要为每种HTTP请求方法编写对应的处理方法
ModelViewSet 同时包含了ListModelMixin
、CreateModelMixin
、RetrieveModelMixin
、UpdateModelMixin
和DestroyModelMixin
,包含了所有的CURD。
如果你只需要获取和创建操作,你可以使用ReadOnlyModelViewSet
,它只包含ListModelMixin
和RetrieveModelMixin
。
在viewset类中,ViewSetMixin是所有类的基类,正是因为在它之中重写了as_view方法,这是将ViewSet
转换为可调用视图的关键步骤。
并定义了action参数,通过actions
关键字参数,你可以指定哪些HTTP方法应该映射到ViewSet
中的哪些动作。
这是源码对ViewSetMixin这个类的解释:
"""
This is the magic.
Overrides `.as_view()` so that it takes an `actions` keyword that performs
the binding of HTTP methods to actions on the Resource.
For example, to create a concrete view binding the 'GET' and 'POST' methods
to the 'list' and 'create' actions...
view = MyViewSet.as_view({'get': 'list', 'post': 'create'})
"""
基于generics开发时不过也就是把GenericAPIView与ListModelMixin
、CreateModelMixin
、RetrieveModelMixin
、UpdateModelMixin
和DestroyModelMixin
相互组合,只不过在使用时就没有想viewset那样高抽象了,基于generics开发时就需要自己编写各个请求对应的方法了。
若有错误与不足请指出,关注DPT一起进步吧!!!