drf 四

目录

1.drf 响应格式和请求格式配置(了解)
2.封装自己的Response对象
3.drf自动生成路由
4.action装饰器
5 认证介绍和源码分析

1.drf 响应格式和请求格式配置(了解)

1.1 配置响应格式

1 在配置文件中配置
REST_FRAMEWORK = {
    'DEFAULT_RENDERER_CLASSES': (  # 默认响应渲染类
        'rest_framework.renderers.JSONRenderer',  # json渲染器
        'rest_framework.renderers.BrowsableAPIRenderer',  # 浏览API渲染器
    )
}

2 在浏览器访问就是浏览器方式,用postman访问就是json格式,ajax请求就是json格式


3 原来没有配置,为什么显示浏览器方式和json的样子
4 drf也有一套默认配置文件,默认就配了两个响应类

5 局部配置某个视图类的响应格式,在视图类中配置
from rest_framework.renderers import renderer
      renderer_classes = [JSONRenderer]

1.2 配置能够解析的格式(urlencoded,formdata,json)

1 在setting中配置
REST_FRAMEWORK = {
    'DEFAULT_PARSER_CLASSES': [
        'rest_framework.parsers.JSONParser',
        'rest_framework.parsers.FormParser',
        'rest_framework.parsers.MultiPartParser'
    ]
}
2 它就只能解析三种请求编码格式(urlencoded,formdata,json)

3 局部使用,在视图类中配置
from rest_framework.parsers import FormParser
    parser_classes = [FormParser,JSONParser]

2.封装自己的Response对象

class APIResponse(Response):
    def __init__(self, code=200, msg=None, data=None, status=None,
                 template_name=None, headers=None,
                 exception=False, content_type=None, **kwargs):
        dic = {'status': code, 'msg': msg}
        if data:
            dic['data'] = data
        if kwargs:
            dic.update(kwargs)

        super().__init__(data=dic, status=status,
                         template_name=template_name, headers=headers,
                         exception=exception, content_type=content_type)

        
### 使用,在视图类中
return APIResponse(msg='成功了',data=ser.data)

3.drf自动生成路由

1 三种路由写法
- path('test/', views.Test.as_view()),
- path('test/', views.Test.as_view({'get':'send_email'})),
- 自动生成路由

# 1 导入路由类
from rest_framework.routers import SimpleRouter, DefaultRouter
# DefaultRouter生成的路由更多一点,多了一个根的路由(没有用)
# 2 实例化得到对象
router = SimpleRouter()
# 3 注册路由

router.register('books', views.BookView)
router.register('publish', views.PublishView)

# print(router.urls) # 自动生成的路由
urlpatterns = [
    # 把自动生成的路径加入到urlpatterns
    path('api/v1/', include(router.urls)),
]
# 4 把自动生成的路径加入到urlpatterns
urlpatterns+=router.urls

总结:ViewSetMixin+9个视图子类才能用自动生成路由

4.action装饰器

1 作用:给自动生成路由的视图类再定制一些路由
2 用法一:
    # api/v1/publish/sen_email/
    @action(methods=['GET'], detail=False)
    def sen_email(self, request, *args, **kwargs):
        print(args)
        print(kwargs)
        return APIResponse(msg='发送成功')
    
3 方法二:
    # api/v1/publish/10/sen_email/
    @action(methods=['GET'], detail=True)
    def sen_email(self, request, *args, **kwargs):
        # pk=10
        print(args)
        print(kwargs)
        return APIResponse(msg='发送成功')

5 认证介绍和源码分析

1 只有认证通过的用户才能访问指定的url地址,比如:查询课程信息,需要登录之后才能查看,没有登录,就不能查看,这时候需要用到认证组件


2 APIVIew--->dispatche--->self.initial--->写的
    self.perform_authentication(request)# 认证
    self.check_permissions(request) # 权限
    self.check_throttles(request) # 频率
    
3 APIView的perform_authentication
    -request.user # 新的request对象,drf的Request类
    
4 Request类的user
    -被包装成了数据属性,内部有 self._authenticate()
    -Request类的_authenticate()方法
    
    
5 Request类的_authenticate()方法
    def _authenticate(self):
        for authenticator in self.authenticators:
            try:
                user_auth_tuple = authenticator.authenticate(self)
            except exceptions.APIException:
                self._not_authenticated()
                raise

            if user_auth_tuple is not None:
                self._authenticator = authenticator
                self.user, self.auth = user_auth_tuple
                return

        self._not_authenticated()
        
6 drf的Request对象实例化是再什么时候?
    -再APIVIew的dispatch最上面完成的
    -  return Request(
            request,
            parsers=self.get_parsers(),
            authenticators=self.get_authenticators(), # 看它
            negotiator=self.get_content_negotiator(),
            parser_context=parser_context
        )
7 APIView的get_authenticators
    def get_authenticators(self):
        return [auth() for auth in self.authentication_classes]
    -如果我再视图类中写:authentication_classes=[类名,类名1]
    -返回[对象,对象1]

你可能感兴趣的:(drf 四)