REST框架提供了一个APIView类,它是Django View类的子类。
APIView类View通过以下方式与常规类不同:
传递给处理程序方法的请求将是REST框架的Request实例,而不是Django的HttpRequest实例。
处理程序方法可能会返回REST框架Response,而不是Django HttpResponse。该视图将管理内容协商并在响应上设置正确的渲染器。
任何APIException例外都将被捕获并调解为适当的响应。
将传入的请求进行身份验证,并在将请求分派给处理程序方法之前运行适当的权限和/或限制检查。
使用APIView该类与使用常规View类几乎相同,像往常一样,传入的请求被分派到适当的处理程序方法,如.get()或.post()。另外,可以在控制API策略的各个方面的类上设置许多属性。
例如:
from rest_framework.views import APIView
from rest_framework.response import Response
from rest_framework import authentication, permissions
from django.contrib.auth.models import User
class ListUsers(APIView):
"""
View to list all users in the system.
* Requires token authentication.
* Only admin users are able to access this view.
"""
authentication_classes = (authentication.TokenAuthentication,)
permission_classes = (permissions.IsAdminUser,)
def get(self, request, format=None):
"""
Return a list of all users.
"""
usernames = [user.username for user in User.objects.all()]
return Response(usernames)
更多django rest framework的知识请参考下面一篇文档,写的比较详细
https://www.cnblogs.com/derek1184405959/p/8733194.html(转)