1

如何在 Route 中添加 django rest 框架身份验证?

我正在使用 JWT 对我的应用程序进行身份验证。一切都很完美。

我需要知道的是如何基于 REST Framework 和 JWT 对特定路由进行身份验证

例子

from rest_framework.permissions import IsAuthenticated

path(r'modulo/app/aula/<modalidade>', IsAuthenticated  AppAulaAdd.as_view(),     name='app_aula')

或者

from rest_framework.decorators import authentication_classes

path(r'modulo/app/aula/<modalidade>',  authentication_classes(AppAulaAdd.as_view()),     name='app_aula')

两者都不起作用。

4

1 回答 1

2

您在问题中混合了概念。权限类根据用户在系统或会话中的状态(即 IsAuthenticated、IsStaff 等)控制对资源的访问,而身份验证类控制对用户进行身份验证的方法,例如 BasicAuthentication 或在您的情况下为 JSONWebTokenAuthentication。此外,您应该直接在视图中添加这两种类型的类,这是更好的做法(来自https://www.django-rest-framework.org/api-guide/authentication/)

class ExampleView(APIView):
    authentication_classes = (SessionAuthentication, BasicAuthentication)
    permission_classes = (IsAuthenticated,)

但是,如果由于某种原因,100% 需要在您的 urls 文件(路由)中添加权限,您可以执行以下操作:

from rest_framework.decorators import permission_classes
from rest_framework.permissions import IsAuthenticated

path(r'modulo/app/aula/<modalidade>', (permission_classes([IsAuthenticated])(AppAulaAdd)).as_view(), name='app_aula')

希望能帮助到你。

于 2019-05-24T08:02:47.973 回答