我正在尝试使用DRF创建register
和sign in
API(TokenAuthentication)。
这是我的views.py
from rest_framework import status
from rest_framework.views import APIView
from rest_framework.response import Response
from rest_framework.permissions import AllowAny
from .serializers import AccountSerializer
from .models import Account
class AuthRegister(APIView):
"""
Register a new user.
"""
serializer_class = AccountSerializer
permission_classes = (AllowAny,)
def get(self, request, format=None):
allquery = Account.objects.all()
serializer = AccountSerializer(allquery, many=True)
return Response(serializer.data)
def post(self, request, format=None):
serializer = self.serializer_class(data=request.data)
if serializer.is_valid():
serializer.save()
return Response(serializer.data,
status=status.HTTP_201_CREATED)
return Response(serializer.errors,
status=status.HTTP_400_BAD_REQUEST)
class AuthLogin(APIView):
''' Manual implementation of login method '''
def get(self, request, format=None):
allquery = Account.objects.all()
serializer = AccountSerializer(allquery, many=True)
return Response(serializer.data)
def post(self, request, format=None):
data = request.data
email = data.get('email', None)
password = data.get('password', None)
account = authenticate(email=email, password=password)
# Generate token and add it to the response object
if account is not None:
login(request, account)
return Response({
'status': 'Successful',
'message': 'You have successfully been logged into your account.'
}, status=status.HTTP_200_OK)
return Response({
'status': 'Unauthorized',
'message': 'Username/password combination invalid.'
}, status=status.HTTP_401_UNAUTHORIZED)
这是urls.py
from django.conf.urls import url
from .views import AuthRegister
from rest_framework_jwt.views import obtain_jwt_token, refresh_jwt_token, verify_jwt_token
urlpatterns = [
url(r'^login/', obtain_jwt_token),
url(r'^token-refresh/', refresh_jwt_token),
url(r'^token-verify/', verify_jwt_token),
url(r'^register/$', AuthRegister.as_view()),
]
当我运行服务器时,我收到以下错误。
在提交详细信息后,用户会被添加到数据库中,但是当我登录时发生错误。
"Unable to log in with provided credentials."
无法找出错误。请任何人帮忙!
答案 0 :(得分:1)
您尚未在get
视图中实施AuthRegister
方法。 DRF不知道如何响应对该视图的GET请求,因此它假定您不希望允许此类请求。
您应该实现一个get
方法,该方法实现对GET请求采取的操作(您的服务器响应)。