官方原文链接

内容协商

内容协商是基于客户端或服务器偏好选择多种可能的表示之一以返回客户端的过程。

确定接受的渲染器

REST framework 根据可用的渲染器,每个渲染器的优先级以及客户端的 Accept: header,使用简单的内容协商风格来确定应将哪些媒体类型返回给客户端。所使用的风格部分由客户端驱动,部分由服务器驱动。

  1. 更具体的媒体类型优先于较不特定的媒体类型。
  2. 如果多种媒体类型具有相同的特性,则优先根据为给定视图配置的渲染器排序。

例如,给出以下 Accept header:

  1. application/json; indent=4, application/json, application/yaml, text/html, */*

每种给定媒体类型的优先级为:

  • application/json; indent=4
  • application/json, application/yamltext/html
  • */*

如果所请求的视图仅用 YAMLHTML 的渲染器配置,则 REST framework 将选择 renderer_classes 列表或 DEFAULT_RENDERER_CLASSES 设置中首先列出的渲染器。


注意: 确定偏好时,REST framework 不会考虑 “q” 值。使用 “q” 值会对缓存产生负面影响,作者认为这是对内容协商的一种不必要和过于复杂的方法。


自定义内容协商

你不太可能希望为 REST framework 提供自定义内容协商方案,但如果需要,你可以这样做。要实现自定义内容协商方案,请覆盖 BaseContentNegotiation

REST framework 的内容协商类处理选择适当的请求解析器和适当的响应渲染器,因此你应该实现 .select_parser(request, parsers).select_renderer(request, renderers, format_suffix) 方法。

select_parser() 方法应从可用解析器列表中返回一个解析器实例,如果没有任何解析器可以处理传入请求,则返回 None

select_renderer() 方法应该返回(渲染器实例,媒体类型)的二元组,或引发 NotAcceptable 异常。

举个栗子

以下是自定义内容协商类,它在选择适当的解析器或渲染器时会忽略客户端请求。

  1. from rest_framework.negotiation import BaseContentNegotiation
  2. class IgnoreClientContentNegotiation(BaseContentNegotiation):
  3. def select_parser(self, request, parsers):
  4. """
  5. Select the first parser in the `.parser_classes` list.
  6. """
  7. return parsers[0]
  8. def select_renderer(self, request, renderers, format_suffix):
  9. """
  10. Select the first renderer in the `.renderer_classes` list.
  11. """
  12. return (renderers[0], renderers[0].media_type)

设置内容协商

默认内容协商类可以使用 DEFAULT_CONTENT_NEGOTIATION_CLASS setting 全局设置。例如,以下设置将使用我们的示例 IgnoreClientContentNegotiation 类。

  1. REST_FRAMEWORK = {
  2. 'DEFAULT_CONTENT_NEGOTIATION_CLASS': 'myapp.negotiation.IgnoreClientContentNegotiation',
  3. }

你还可以使用 API​​View 基于类的视图设置用于单个视图或视图集的内容协商。

  1. from myapp.negotiation import IgnoreClientContentNegotiation
  2. from rest_framework.response import Response
  3. from rest_framework.views import APIView
  4. class NoNegotiationView(APIView):
  5. """
  6. An example view that does not perform content negotiation.
  7. """
  8. content_negotiation_class = IgnoreClientContentNegotiation
  9. def get(self, request, format=None):
  10. return Response({
  11. 'accepted media type': request.accepted_renderer.media_type
  12. })