1. 设置认证方案
设置认证方案有三种:
- 设置全局认证方案;
- 在每个类视图或者视图集类的基础上设置身份认证方案;
- 在视图函数的基础上设置认证方案。
1.1 全局认证
在配置文件**setting.py**中配置默认的全局认证方案:REST_FRAMEWORK = {'DEFAULT_AUTHENTICATION_CLASSES': ('rest_framework.authentication.BasicAuthentication', # 基本认证'rest_framework.authentication.SessionAuthentication', # session认证)}
1.2 基于视图函数认证
@api_view(['GET'])@authentication_classes([SessionAuthentication, BasicAuthentication])@permission_classes([IsAuthenticated])def example_view(request, format=None):content = {'user': str(request.user), # `django.contrib.auth.User` instance.'auth': str(request.auth), # None}return Response(content)
1.3 基于类视图、视图集的身份认证
```python from rest_framework.authentication import SessionAuthentication, BasicAuthentication from rest_framework.permissions import IsAuthenticated from rest_framework.response import Response from rest_framework.views import APIView
class ExampleView(APIView): authentication_classes = [SessionAuthentication, BasicAuthentication] permission_classes = [IsAuthenticated]
def get(self, request, format=None):content = {'user': str(request.user), # `django.contrib.auth.User` instance.'auth': str(request.auth), # None}return Response(content)
```
