request-response.txt 41 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040104110421043104410451046104710481049105010511052105310541055105610571058105910601061106210631064106510661067106810691070107110721073107410751076107710781079108010811082108310841085108610871088108910901091109210931094109510961097109810991100110111021103
  1. ============================
  2. Request and response objects
  3. ============================
  4. .. module:: django.http
  5. :synopsis: Classes dealing with HTTP requests and responses.
  6. Quick overview
  7. ==============
  8. Django uses request and response objects to pass state through the system.
  9. When a page is requested, Django creates an :class:`HttpRequest` object that
  10. contains metadata about the request. Then Django loads the appropriate view,
  11. passing the :class:`HttpRequest` as the first argument to the view function.
  12. Each view is responsible for returning an :class:`HttpResponse` object.
  13. This document explains the APIs for :class:`HttpRequest` and
  14. :class:`HttpResponse` objects, which are defined in the :mod:`django.http`
  15. module.
  16. ``HttpRequest`` objects
  17. =======================
  18. .. class:: HttpRequest
  19. .. _httprequest-attributes:
  20. Attributes
  21. ----------
  22. All attributes should be considered read-only, unless stated otherwise.
  23. .. attribute:: HttpRequest.scheme
  24. A string representing the scheme of the request (``http`` or ``https``
  25. usually).
  26. .. attribute:: HttpRequest.body
  27. The raw HTTP request body as a byte string. This is useful for processing
  28. data in different ways than conventional HTML forms: binary images,
  29. XML payload etc. For processing conventional form data, use
  30. :attr:`HttpRequest.POST`.
  31. You can also read from an ``HttpRequest`` using a file-like interface. See
  32. :meth:`HttpRequest.read()`.
  33. .. attribute:: HttpRequest.path
  34. A string representing the full path to the requested page, not including
  35. the scheme or domain.
  36. Example: ``"/music/bands/the_beatles/"``
  37. .. attribute:: HttpRequest.path_info
  38. Under some Web server configurations, the portion of the URL after the
  39. host name is split up into a script prefix portion and a path info
  40. portion. The ``path_info`` attribute always contains the path info portion
  41. of the path, no matter what Web server is being used. Using this instead
  42. of :attr:`~HttpRequest.path` can make your code easier to move between
  43. test and deployment servers.
  44. For example, if the ``WSGIScriptAlias`` for your application is set to
  45. ``"/minfo"``, then ``path`` might be ``"/minfo/music/bands/the_beatles/"``
  46. and ``path_info`` would be ``"/music/bands/the_beatles/"``.
  47. .. attribute:: HttpRequest.method
  48. A string representing the HTTP method used in the request. This is
  49. guaranteed to be uppercase. For example::
  50. if request.method == 'GET':
  51. do_something()
  52. elif request.method == 'POST':
  53. do_something_else()
  54. .. attribute:: HttpRequest.encoding
  55. A string representing the current encoding used to decode form submission
  56. data (or ``None``, which means the :setting:`DEFAULT_CHARSET` setting is
  57. used). You can write to this attribute to change the encoding used when
  58. accessing the form data. Any subsequent attribute accesses (such as reading
  59. from :attr:`GET` or :attr:`POST`) will use the new ``encoding`` value.
  60. Useful if you know the form data is not in the :setting:`DEFAULT_CHARSET`
  61. encoding.
  62. .. attribute:: HttpRequest.content_type
  63. A string representing the MIME type of the request, parsed from the
  64. ``CONTENT_TYPE`` header.
  65. .. attribute:: HttpRequest.content_params
  66. A dictionary of key/value parameters included in the ``CONTENT_TYPE``
  67. header.
  68. .. attribute:: HttpRequest.GET
  69. A dictionary-like object containing all given HTTP GET parameters. See the
  70. :class:`QueryDict` documentation below.
  71. .. attribute:: HttpRequest.POST
  72. A dictionary-like object containing all given HTTP POST parameters,
  73. providing that the request contains form data. See the
  74. :class:`QueryDict` documentation below. If you need to access raw or
  75. non-form data posted in the request, access this through the
  76. :attr:`HttpRequest.body` attribute instead.
  77. It's possible that a request can come in via POST with an empty ``POST``
  78. dictionary -- if, say, a form is requested via the POST HTTP method but
  79. does not include form data. Therefore, you shouldn't use ``if request.POST``
  80. to check for use of the POST method; instead, use ``if request.method ==
  81. "POST"`` (see :attr:`HttpRequest.method`).
  82. ``POST`` does *not* include file-upload information. See :attr:`FILES`.
  83. .. attribute:: HttpRequest.COOKIES
  84. A dictionary containing all cookies. Keys and values are strings.
  85. .. attribute:: HttpRequest.FILES
  86. A dictionary-like object containing all uploaded files. Each key in
  87. ``FILES`` is the ``name`` from the ``<input type="file" name="">``. Each
  88. value in ``FILES`` is an :class:`~django.core.files.uploadedfile.UploadedFile`.
  89. See :doc:`/topics/files` for more information.
  90. ``FILES`` will only contain data if the request method was POST and the
  91. ``<form>`` that posted to the request had ``enctype="multipart/form-data"``.
  92. Otherwise, ``FILES`` will be a blank dictionary-like object.
  93. .. attribute:: HttpRequest.META
  94. A dictionary containing all available HTTP headers. Available headers
  95. depend on the client and server, but here are some examples:
  96. * ``CONTENT_LENGTH`` -- The length of the request body (as a string).
  97. * ``CONTENT_TYPE`` -- The MIME type of the request body.
  98. * ``HTTP_ACCEPT`` -- Acceptable content types for the response.
  99. * ``HTTP_ACCEPT_ENCODING`` -- Acceptable encodings for the response.
  100. * ``HTTP_ACCEPT_LANGUAGE`` -- Acceptable languages for the response.
  101. * ``HTTP_HOST`` -- The HTTP Host header sent by the client.
  102. * ``HTTP_REFERER`` -- The referring page, if any.
  103. * ``HTTP_USER_AGENT`` -- The client's user-agent string.
  104. * ``QUERY_STRING`` -- The query string, as a single (unparsed) string.
  105. * ``REMOTE_ADDR`` -- The IP address of the client.
  106. * ``REMOTE_HOST`` -- The hostname of the client.
  107. * ``REMOTE_USER`` -- The user authenticated by the Web server, if any.
  108. * ``REQUEST_METHOD`` -- A string such as ``"GET"`` or ``"POST"``.
  109. * ``SERVER_NAME`` -- The hostname of the server.
  110. * ``SERVER_PORT`` -- The port of the server (as a string).
  111. With the exception of ``CONTENT_LENGTH`` and ``CONTENT_TYPE``, as given
  112. above, any HTTP headers in the request are converted to ``META`` keys by
  113. converting all characters to uppercase, replacing any hyphens with
  114. underscores and adding an ``HTTP_`` prefix to the name. So, for example, a
  115. header called ``X-Bender`` would be mapped to the ``META`` key
  116. ``HTTP_X_BENDER``.
  117. Note that :djadmin:`runserver` strips all headers with underscores in the
  118. name, so you won't see them in ``META``. This prevents header-spoofing
  119. based on ambiguity between underscores and dashes both being normalizing to
  120. underscores in WSGI environment variables. It matches the behavior of
  121. Web servers like Nginx and Apache 2.4+.
  122. .. attribute:: HttpRequest.resolver_match
  123. An instance of :class:`~django.urls.ResolverMatch` representing the
  124. resolved URL. This attribute is only set after URL resolving took place,
  125. which means it's available in all views but not in middleware which are
  126. executed before URL resolving takes place (you can use it in
  127. :meth:`process_view` though).
  128. Attributes set by application code
  129. ----------------------------------
  130. Django doesn't set these attributes itself but makes use of them if set by your
  131. application.
  132. .. attribute:: HttpRequest.current_app
  133. The :ttag:`url` template tag will use its value as the ``current_app``
  134. argument to :func:`~django.urls.reverse()`.
  135. .. attribute:: HttpRequest.urlconf
  136. This will be used as the root URLconf for the current request, overriding
  137. the :setting:`ROOT_URLCONF` setting. See
  138. :ref:`how-django-processes-a-request` for details.
  139. ``urlconf`` can be set to ``None`` to revert any changes made by previous
  140. middleware and return to using the :setting:`ROOT_URLCONF`.
  141. Attributes set by middleware
  142. ----------------------------
  143. Some of the middleware included in Django's contrib apps set attributes on the
  144. request. If you don't see the attribute on a request, be sure the appropriate
  145. middleware class is listed in :setting:`MIDDLEWARE`.
  146. .. attribute:: HttpRequest.session
  147. From the :class:`~django.contrib.sessions.middleware.SessionMiddleware`: A
  148. readable and writable, dictionary-like object that represents the current
  149. session.
  150. .. attribute:: HttpRequest.site
  151. From the :class:`~django.contrib.sites.middleware.CurrentSiteMiddleware`:
  152. An instance of :class:`~django.contrib.sites.models.Site` or
  153. :class:`~django.contrib.sites.requests.RequestSite` as returned by
  154. :func:`~django.contrib.sites.shortcuts.get_current_site()`
  155. representing the current site.
  156. .. attribute:: HttpRequest.user
  157. From the :class:`~django.contrib.auth.middleware.AuthenticationMiddleware`:
  158. An instance of :setting:`AUTH_USER_MODEL` representing the currently
  159. logged-in user. If the user isn't currently logged in, ``user`` will be set
  160. to an instance of :class:`~django.contrib.auth.models.AnonymousUser`. You
  161. can tell them apart with
  162. :attr:`~django.contrib.auth.models.User.is_authenticated`, like so::
  163. if request.user.is_authenticated:
  164. ... # Do something for logged-in users.
  165. else:
  166. ... # Do something for anonymous users.
  167. Methods
  168. -------
  169. .. method:: HttpRequest.get_host()
  170. Returns the originating host of the request using information from the
  171. ``HTTP_X_FORWARDED_HOST`` (if :setting:`USE_X_FORWARDED_HOST` is enabled)
  172. and ``HTTP_HOST`` headers, in that order. If they don't provide a value,
  173. the method uses a combination of ``SERVER_NAME`` and ``SERVER_PORT`` as
  174. detailed in :pep:`3333`.
  175. Example: ``"127.0.0.1:8000"``
  176. .. note:: The :meth:`~HttpRequest.get_host()` method fails when the host is
  177. behind multiple proxies. One solution is to use middleware to rewrite
  178. the proxy headers, as in the following example::
  179. from django.utils.deprecation import MiddlewareMixin
  180. class MultipleProxyMiddleware(MiddlewareMixin):
  181. FORWARDED_FOR_FIELDS = [
  182. 'HTTP_X_FORWARDED_FOR',
  183. 'HTTP_X_FORWARDED_HOST',
  184. 'HTTP_X_FORWARDED_SERVER',
  185. ]
  186. def process_request(self, request):
  187. """
  188. Rewrites the proxy headers so that only the most
  189. recent proxy is used.
  190. """
  191. for field in self.FORWARDED_FOR_FIELDS:
  192. if field in request.META:
  193. if ',' in request.META[field]:
  194. parts = request.META[field].split(',')
  195. request.META[field] = parts[-1].strip()
  196. This middleware should be positioned before any other middleware that
  197. relies on the value of :meth:`~HttpRequest.get_host()` -- for instance,
  198. :class:`~django.middleware.common.CommonMiddleware` or
  199. :class:`~django.middleware.csrf.CsrfViewMiddleware`.
  200. .. method:: HttpRequest.get_port()
  201. Returns the originating port of the request using information from the
  202. ``HTTP_X_FORWARDED_PORT`` (if :setting:`USE_X_FORWARDED_PORT` is enabled)
  203. and ``SERVER_PORT`` ``META`` variables, in that order.
  204. .. method:: HttpRequest.get_full_path()
  205. Returns the ``path``, plus an appended query string, if applicable.
  206. Example: ``"/music/bands/the_beatles/?print=true"``
  207. .. method:: HttpRequest.get_full_path_info()
  208. .. versionadded:: 2.1
  209. Like :meth:`get_full_path`, but uses :attr:`path_info` instead of
  210. :attr:`path`.
  211. Example: ``"/minfo/music/bands/the_beatles/?print=true"``
  212. .. method:: HttpRequest.build_absolute_uri(location=None)
  213. Returns the absolute URI form of ``location``. If no location is provided,
  214. the location will be set to ``request.get_full_path()``.
  215. If the location is already an absolute URI, it will not be altered.
  216. Otherwise the absolute URI is built using the server variables available in
  217. this request. For example:
  218. >>> request.build_absolute_uri()
  219. 'https://example.com/music/bands/the_beatles/?print=true'
  220. >>> request.build_absolute_uri('/bands/')
  221. 'https://example.com/bands/'
  222. >>> request.build_absolute_uri('https://example2.com/bands/')
  223. 'https://example2.com/bands/'
  224. .. note::
  225. Mixing HTTP and HTTPS on the same site is discouraged, therefore
  226. :meth:`~HttpRequest.build_absolute_uri()` will always generate an
  227. absolute URI with the same scheme the current request has. If you need
  228. to redirect users to HTTPS, it's best to let your Web server redirect
  229. all HTTP traffic to HTTPS.
  230. .. method:: HttpRequest.get_signed_cookie(key, default=RAISE_ERROR, salt='', max_age=None)
  231. Returns a cookie value for a signed cookie, or raises a
  232. ``django.core.signing.BadSignature`` exception if the signature is
  233. no longer valid. If you provide the ``default`` argument the exception
  234. will be suppressed and that default value will be returned instead.
  235. The optional ``salt`` argument can be used to provide extra protection
  236. against brute force attacks on your secret key. If supplied, the
  237. ``max_age`` argument will be checked against the signed timestamp
  238. attached to the cookie value to ensure the cookie is not older than
  239. ``max_age`` seconds.
  240. For example::
  241. >>> request.get_signed_cookie('name')
  242. 'Tony'
  243. >>> request.get_signed_cookie('name', salt='name-salt')
  244. 'Tony' # assuming cookie was set using the same salt
  245. >>> request.get_signed_cookie('nonexistent-cookie')
  246. ...
  247. KeyError: 'nonexistent-cookie'
  248. >>> request.get_signed_cookie('nonexistent-cookie', False)
  249. False
  250. >>> request.get_signed_cookie('cookie-that-was-tampered-with')
  251. ...
  252. BadSignature: ...
  253. >>> request.get_signed_cookie('name', max_age=60)
  254. ...
  255. SignatureExpired: Signature age 1677.3839159 > 60 seconds
  256. >>> request.get_signed_cookie('name', False, max_age=60)
  257. False
  258. See :doc:`cryptographic signing </topics/signing>` for more information.
  259. .. method:: HttpRequest.is_secure()
  260. Returns ``True`` if the request is secure; that is, if it was made with
  261. HTTPS.
  262. .. method:: HttpRequest.is_ajax()
  263. Returns ``True`` if the request was made via an ``XMLHttpRequest``, by
  264. checking the ``HTTP_X_REQUESTED_WITH`` header for the string
  265. ``'XMLHttpRequest'``. Most modern JavaScript libraries send this header.
  266. If you write your own ``XMLHttpRequest`` call (on the browser side), you'll
  267. have to set this header manually if you want ``is_ajax()`` to work.
  268. If a response varies on whether or not it's requested via AJAX and you are
  269. using some form of caching like Django's :mod:`cache middleware
  270. <django.middleware.cache>`, you should decorate the view with
  271. :func:`vary_on_headers('X-Requested-With')
  272. <django.views.decorators.vary.vary_on_headers>` so that the responses are
  273. properly cached.
  274. .. method:: HttpRequest.read(size=None)
  275. .. method:: HttpRequest.readline()
  276. .. method:: HttpRequest.readlines()
  277. .. method:: HttpRequest.__iter__()
  278. Methods implementing a file-like interface for reading from an
  279. ``HttpRequest`` instance. This makes it possible to consume an incoming
  280. request in a streaming fashion. A common use-case would be to process a
  281. big XML payload with an iterative parser without constructing a whole
  282. XML tree in memory.
  283. Given this standard interface, an ``HttpRequest`` instance can be
  284. passed directly to an XML parser such as
  285. :class:`~xml.etree.ElementTree.ElementTree`::
  286. import xml.etree.ElementTree as ET
  287. for element in ET.iterparse(request):
  288. process(element)
  289. ``QueryDict`` objects
  290. =====================
  291. .. class:: QueryDict
  292. In an :class:`HttpRequest` object, the :attr:`~HttpRequest.GET` and
  293. :attr:`~HttpRequest.POST` attributes are instances of ``django.http.QueryDict``,
  294. a dictionary-like class customized to deal with multiple values for the same
  295. key. This is necessary because some HTML form elements, notably
  296. ``<select multiple>``, pass multiple values for the same key.
  297. The ``QueryDict``\ s at ``request.POST`` and ``request.GET`` will be immutable
  298. when accessed in a normal request/response cycle. To get a mutable version you
  299. need to use :meth:`QueryDict.copy`.
  300. Methods
  301. -------
  302. :class:`QueryDict` implements all the standard dictionary methods because it's
  303. a subclass of dictionary. Exceptions are outlined here:
  304. .. method:: QueryDict.__init__(query_string=None, mutable=False, encoding=None)
  305. Instantiates a ``QueryDict`` object based on ``query_string``.
  306. >>> QueryDict('a=1&a=2&c=3')
  307. <QueryDict: {'a': ['1', '2'], 'c': ['3']}>
  308. If ``query_string`` is not passed in, the resulting ``QueryDict`` will be
  309. empty (it will have no keys or values).
  310. Most ``QueryDict``\ s you encounter, and in particular those at
  311. ``request.POST`` and ``request.GET``, will be immutable. If you are
  312. instantiating one yourself, you can make it mutable by passing
  313. ``mutable=True`` to its ``__init__()``.
  314. Strings for setting both keys and values will be converted from ``encoding``
  315. to ``str``. If ``encoding`` is not set, it defaults to
  316. :setting:`DEFAULT_CHARSET`.
  317. .. classmethod:: QueryDict.fromkeys(iterable, value='', mutable=False, encoding=None)
  318. Creates a new ``QueryDict`` with keys from ``iterable`` and each value
  319. equal to ``value``. For example::
  320. >>> QueryDict.fromkeys(['a', 'a', 'b'], value='val')
  321. <QueryDict: {'a': ['val', 'val'], 'b': ['val']}>
  322. .. method:: QueryDict.__getitem__(key)
  323. Returns the value for the given key. If the key has more than one value,
  324. it returns the last value. Raises
  325. ``django.utils.datastructures.MultiValueDictKeyError`` if the key does not
  326. exist. (This is a subclass of Python's standard :exc:`KeyError`, so you can
  327. stick to catching ``KeyError``.)
  328. .. method:: QueryDict.__setitem__(key, value)
  329. Sets the given key to ``[value]`` (a list whose single element is
  330. ``value``). Note that this, as other dictionary functions that have side
  331. effects, can only be called on a mutable ``QueryDict`` (such as one that
  332. was created via :meth:`QueryDict.copy`).
  333. .. method:: QueryDict.__contains__(key)
  334. Returns ``True`` if the given key is set. This lets you do, e.g., ``if "foo"
  335. in request.GET``.
  336. .. method:: QueryDict.get(key, default=None)
  337. Uses the same logic as :meth:`__getitem__`, with a hook for returning a
  338. default value if the key doesn't exist.
  339. .. method:: QueryDict.setdefault(key, default=None)
  340. Like :meth:`dict.setdefault`, except it uses :meth:`__setitem__` internally.
  341. .. method:: QueryDict.update(other_dict)
  342. Takes either a ``QueryDict`` or a dictionary. Like :meth:`dict.update`,
  343. except it *appends* to the current dictionary items rather than replacing
  344. them. For example::
  345. >>> q = QueryDict('a=1', mutable=True)
  346. >>> q.update({'a': '2'})
  347. >>> q.getlist('a')
  348. ['1', '2']
  349. >>> q['a'] # returns the last
  350. '2'
  351. .. method:: QueryDict.items()
  352. Like :meth:`dict.items`, except this uses the same last-value logic as
  353. :meth:`__getitem__` and returns an iterator object instead of a view object.
  354. For example::
  355. >>> q = QueryDict('a=1&a=2&a=3')
  356. >>> list(q.items())
  357. [('a', '3')]
  358. .. method:: QueryDict.values()
  359. Like :meth:`dict.values`, except this uses the same last-value logic as
  360. :meth:`__getitem__` and returns an iterator instead of a view object. For
  361. example::
  362. >>> q = QueryDict('a=1&a=2&a=3')
  363. >>> list(q.values())
  364. ['3']
  365. In addition, ``QueryDict`` has the following methods:
  366. .. method:: QueryDict.copy()
  367. Returns a copy of the object using :func:`copy.deepcopy`. This copy will
  368. be mutable even if the original was not.
  369. .. method:: QueryDict.getlist(key, default=None)
  370. Returns a list of the data with the requested key. Returns an empty list if
  371. the key doesn't exist and a default value wasn't provided. It's guaranteed
  372. to return a list unless the default value provided isn't a list.
  373. .. method:: QueryDict.setlist(key, list_)
  374. Sets the given key to ``list_`` (unlike :meth:`__setitem__`).
  375. .. method:: QueryDict.appendlist(key, item)
  376. Appends an item to the internal list associated with key.
  377. .. method:: QueryDict.setlistdefault(key, default_list=None)
  378. Like :meth:`setdefault`, except it takes a list of values instead of a
  379. single value.
  380. .. method:: QueryDict.lists()
  381. Like :meth:`items()`, except it includes all values, as a list, for each
  382. member of the dictionary. For example::
  383. >>> q = QueryDict('a=1&a=2&a=3')
  384. >>> q.lists()
  385. [('a', ['1', '2', '3'])]
  386. .. method:: QueryDict.pop(key)
  387. Returns a list of values for the given key and removes them from the
  388. dictionary. Raises ``KeyError`` if the key does not exist. For example::
  389. >>> q = QueryDict('a=1&a=2&a=3', mutable=True)
  390. >>> q.pop('a')
  391. ['1', '2', '3']
  392. .. method:: QueryDict.popitem()
  393. Removes an arbitrary member of the dictionary (since there's no concept
  394. of ordering), and returns a two value tuple containing the key and a list
  395. of all values for the key. Raises ``KeyError`` when called on an empty
  396. dictionary. For example::
  397. >>> q = QueryDict('a=1&a=2&a=3', mutable=True)
  398. >>> q.popitem()
  399. ('a', ['1', '2', '3'])
  400. .. method:: QueryDict.dict()
  401. Returns a ``dict`` representation of ``QueryDict``. For every (key, list)
  402. pair in ``QueryDict``, ``dict`` will have (key, item), where item is one
  403. element of the list, using the same logic as :meth:`QueryDict.__getitem__`::
  404. >>> q = QueryDict('a=1&a=3&a=5')
  405. >>> q.dict()
  406. {'a': '5'}
  407. .. method:: QueryDict.urlencode(safe=None)
  408. Returns a string of the data in query string format. For example::
  409. >>> q = QueryDict('a=2&b=3&b=5')
  410. >>> q.urlencode()
  411. 'a=2&b=3&b=5'
  412. Use the ``safe`` parameter to pass characters which don't require encoding.
  413. For example::
  414. >>> q = QueryDict(mutable=True)
  415. >>> q['next'] = '/a&b/'
  416. >>> q.urlencode(safe='/')
  417. 'next=/a%26b/'
  418. ``HttpResponse`` objects
  419. ========================
  420. .. class:: HttpResponse
  421. In contrast to :class:`HttpRequest` objects, which are created automatically by
  422. Django, :class:`HttpResponse` objects are your responsibility. Each view you
  423. write is responsible for instantiating, populating, and returning an
  424. :class:`HttpResponse`.
  425. The :class:`HttpResponse` class lives in the :mod:`django.http` module.
  426. Usage
  427. -----
  428. Passing strings
  429. ~~~~~~~~~~~~~~~
  430. Typical usage is to pass the contents of the page, as a string, to the
  431. :class:`HttpResponse` constructor::
  432. >>> from django.http import HttpResponse
  433. >>> response = HttpResponse("Here's the text of the Web page.")
  434. >>> response = HttpResponse("Text only, please.", content_type="text/plain")
  435. But if you want to add content incrementally, you can use ``response`` as a
  436. file-like object::
  437. >>> response = HttpResponse()
  438. >>> response.write("<p>Here's the text of the Web page.</p>")
  439. >>> response.write("<p>Here's another paragraph.</p>")
  440. Passing iterators
  441. ~~~~~~~~~~~~~~~~~
  442. Finally, you can pass ``HttpResponse`` an iterator rather than strings.
  443. ``HttpResponse`` will consume the iterator immediately, store its content as a
  444. string, and discard it. Objects with a ``close()`` method such as files and
  445. generators are immediately closed.
  446. If you need the response to be streamed from the iterator to the client, you
  447. must use the :class:`StreamingHttpResponse` class instead.
  448. Setting header fields
  449. ~~~~~~~~~~~~~~~~~~~~~
  450. To set or remove a header field in your response, treat it like a dictionary::
  451. >>> response = HttpResponse()
  452. >>> response['Age'] = 120
  453. >>> del response['Age']
  454. Note that unlike a dictionary, ``del`` doesn't raise ``KeyError`` if the header
  455. field doesn't exist.
  456. For setting the ``Cache-Control`` and ``Vary`` header fields, it is recommended
  457. to use the :func:`~django.utils.cache.patch_cache_control` and
  458. :func:`~django.utils.cache.patch_vary_headers` methods from
  459. :mod:`django.utils.cache`, since these fields can have multiple, comma-separated
  460. values. The "patch" methods ensure that other values, e.g. added by a
  461. middleware, are not removed.
  462. HTTP header fields cannot contain newlines. An attempt to set a header field
  463. containing a newline character (CR or LF) will raise ``BadHeaderError``
  464. Telling the browser to treat the response as a file attachment
  465. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  466. To tell the browser to treat the response as a file attachment, use the
  467. ``content_type`` argument and set the ``Content-Disposition`` header. For example,
  468. this is how you might return a Microsoft Excel spreadsheet::
  469. >>> response = HttpResponse(my_data, content_type='application/vnd.ms-excel')
  470. >>> response['Content-Disposition'] = 'attachment; filename="foo.xls"'
  471. There's nothing Django-specific about the ``Content-Disposition`` header, but
  472. it's easy to forget the syntax, so we've included it here.
  473. Attributes
  474. ----------
  475. .. attribute:: HttpResponse.content
  476. A bytestring representing the content, encoded from a string if necessary.
  477. .. attribute:: HttpResponse.charset
  478. A string denoting the charset in which the response will be encoded. If not
  479. given at ``HttpResponse`` instantiation time, it will be extracted from
  480. ``content_type`` and if that is unsuccessful, the
  481. :setting:`DEFAULT_CHARSET` setting will be used.
  482. .. attribute:: HttpResponse.status_code
  483. The :rfc:`HTTP status code <7231#section-6>` for the response.
  484. Unless :attr:`reason_phrase` is explicitly set, modifying the value of
  485. ``status_code`` outside the constructor will also modify the value of
  486. ``reason_phrase``.
  487. .. attribute:: HttpResponse.reason_phrase
  488. The HTTP reason phrase for the response. It uses the :rfc:`HTTP standard's
  489. <7231#section-6.1>` default reason phrases.
  490. Unless explicitly set, ``reason_phrase`` is determined by the value of
  491. :attr:`status_code`.
  492. .. attribute:: HttpResponse.streaming
  493. This is always ``False``.
  494. This attribute exists so middleware can treat streaming responses
  495. differently from regular responses.
  496. .. attribute:: HttpResponse.closed
  497. ``True`` if the response has been closed.
  498. Methods
  499. -------
  500. .. method:: HttpResponse.__init__(content='', content_type=None, status=200, reason=None, charset=None)
  501. Instantiates an ``HttpResponse`` object with the given page content and
  502. content type.
  503. ``content`` should be an iterator or a string. If it's an
  504. iterator, it should return strings, and those strings will be
  505. joined together to form the content of the response. If it is not
  506. an iterator or a string, it will be converted to a string when
  507. accessed.
  508. ``content_type`` is the MIME type optionally completed by a character set
  509. encoding and is used to fill the HTTP ``Content-Type`` header. If not
  510. specified, it is formed by the :setting:`DEFAULT_CONTENT_TYPE` and
  511. :setting:`DEFAULT_CHARSET` settings, by default: "`text/html; charset=utf-8`".
  512. ``status`` is the :rfc:`HTTP status code <7231#section-6>` for the response.
  513. ``reason`` is the HTTP response phrase. If not provided, a default phrase
  514. will be used.
  515. ``charset`` is the charset in which the response will be encoded. If not
  516. given it will be extracted from ``content_type``, and if that
  517. is unsuccessful, the :setting:`DEFAULT_CHARSET` setting will be used.
  518. .. method:: HttpResponse.__setitem__(header, value)
  519. Sets the given header name to the given value. Both ``header`` and
  520. ``value`` should be strings.
  521. .. method:: HttpResponse.__delitem__(header)
  522. Deletes the header with the given name. Fails silently if the header
  523. doesn't exist. Case-insensitive.
  524. .. method:: HttpResponse.__getitem__(header)
  525. Returns the value for the given header name. Case-insensitive.
  526. .. method:: HttpResponse.has_header(header)
  527. Returns ``True`` or ``False`` based on a case-insensitive check for a
  528. header with the given name.
  529. .. method:: HttpResponse.setdefault(header, value)
  530. Sets a header unless it has already been set.
  531. .. method:: HttpResponse.set_cookie(key, value='', max_age=None, expires=None, path='/', domain=None, secure=None, httponly=False, samesite=None)
  532. Sets a cookie. The parameters are the same as in the
  533. :class:`~http.cookies.Morsel` cookie object in the Python standard library.
  534. * ``max_age`` should be a number of seconds, or ``None`` (default) if
  535. the cookie should last only as long as the client's browser session.
  536. If ``expires`` is not specified, it will be calculated.
  537. * ``expires`` should either be a string in the format
  538. ``"Wdy, DD-Mon-YY HH:MM:SS GMT"`` or a ``datetime.datetime`` object
  539. in UTC. If ``expires`` is a ``datetime`` object, the ``max_age``
  540. will be calculated.
  541. * Use ``domain`` if you want to set a cross-domain cookie. For example,
  542. ``domain="example.com"`` will set a cookie that is readable by the
  543. domains www.example.com, blog.example.com, etc. Otherwise, a cookie will
  544. only be readable by the domain that set it.
  545. * Use ``httponly=True`` if you want to prevent client-side
  546. JavaScript from having access to the cookie.
  547. HTTPOnly_ is a flag included in a Set-Cookie HTTP response
  548. header. It is not part of the :rfc:`2109` standard for cookies,
  549. and it isn't honored consistently by all browsers. However,
  550. when it is honored, it can be a useful way to mitigate the
  551. risk of a client-side script from accessing the protected cookie
  552. data.
  553. * Use ``samesite='Strict'`` or ``samesite='Lax'`` to tell the browser not
  554. to send this cookie when performing a cross-origin request. `SameSite`_
  555. isn't supported by all browsers, so it's not a replacement for Django's
  556. CSRF protection, but rather a defense in depth measure.
  557. .. versionchanged:: 2.1
  558. The ``samesite`` argument was added.
  559. .. _HTTPOnly: https://www.owasp.org/index.php/HTTPOnly
  560. .. _SameSite: https://www.owasp.org/index.php/SameSite
  561. .. warning::
  562. Both :rfc:`2109` and :rfc:`6265` state that user agents should support
  563. cookies of at least 4096 bytes. For many browsers this is also the
  564. maximum size. Django will not raise an exception if there's an attempt
  565. to store a cookie of more than 4096 bytes, but many browsers will not
  566. set the cookie correctly.
  567. .. method:: HttpResponse.set_signed_cookie(key, value, salt='', max_age=None, expires=None, path='/', domain=None, secure=None, httponly=False, samesite=None)
  568. Like :meth:`~HttpResponse.set_cookie()`, but
  569. :doc:`cryptographic signing </topics/signing>` the cookie before setting
  570. it. Use in conjunction with :meth:`HttpRequest.get_signed_cookie`.
  571. You can use the optional ``salt`` argument for added key strength, but
  572. you will need to remember to pass it to the corresponding
  573. :meth:`HttpRequest.get_signed_cookie` call.
  574. .. method:: HttpResponse.delete_cookie(key, path='/', domain=None)
  575. Deletes the cookie with the given key. Fails silently if the key doesn't
  576. exist.
  577. Due to the way cookies work, ``path`` and ``domain`` should be the same
  578. values you used in ``set_cookie()`` -- otherwise the cookie may not be
  579. deleted.
  580. .. method:: HttpResponse.write(content)
  581. This method makes an :class:`HttpResponse` instance a file-like object.
  582. .. method:: HttpResponse.flush()
  583. This method makes an :class:`HttpResponse` instance a file-like object.
  584. .. method:: HttpResponse.tell()
  585. This method makes an :class:`HttpResponse` instance a file-like object.
  586. .. method:: HttpResponse.getvalue()
  587. Returns the value of :attr:`HttpResponse.content`. This method makes
  588. an :class:`HttpResponse` instance a stream-like object.
  589. .. method:: HttpResponse.readable()
  590. Always ``False``. This method makes an :class:`HttpResponse` instance a
  591. stream-like object.
  592. .. method:: HttpResponse.seekable()
  593. Always ``False``. This method makes an :class:`HttpResponse` instance a
  594. stream-like object.
  595. .. method:: HttpResponse.writable()
  596. Always ``True``. This method makes an :class:`HttpResponse` instance a
  597. stream-like object.
  598. .. method:: HttpResponse.writelines(lines)
  599. Writes a list of lines to the response. Line separators are not added. This
  600. method makes an :class:`HttpResponse` instance a stream-like object.
  601. .. _ref-httpresponse-subclasses:
  602. ``HttpResponse`` subclasses
  603. ---------------------------
  604. Django includes a number of ``HttpResponse`` subclasses that handle different
  605. types of HTTP responses. Like ``HttpResponse``, these subclasses live in
  606. :mod:`django.http`.
  607. .. class:: HttpResponseRedirect
  608. The first argument to the constructor is required -- the path to redirect
  609. to. This can be a fully qualified URL
  610. (e.g. ``'https://www.yahoo.com/search/'``), an absolute path with no domain
  611. (e.g. ``'/search/'``), or even a relative path (e.g. ``'search/'``). In that
  612. last case, the client browser will reconstruct the full URL itself
  613. according to the current path. See :class:`HttpResponse` for other optional
  614. constructor arguments. Note that this returns an HTTP status code 302.
  615. .. attribute:: HttpResponseRedirect.url
  616. This read-only attribute represents the URL the response will redirect
  617. to (equivalent to the ``Location`` response header).
  618. .. class:: HttpResponsePermanentRedirect
  619. Like :class:`HttpResponseRedirect`, but it returns a permanent redirect
  620. (HTTP status code 301) instead of a "found" redirect (status code 302).
  621. .. class:: HttpResponseNotModified
  622. The constructor doesn't take any arguments and no content should be added
  623. to this response. Use this to designate that a page hasn't been modified
  624. since the user's last request (status code 304).
  625. .. class:: HttpResponseBadRequest
  626. Acts just like :class:`HttpResponse` but uses a 400 status code.
  627. .. class:: HttpResponseNotFound
  628. Acts just like :class:`HttpResponse` but uses a 404 status code.
  629. .. class:: HttpResponseForbidden
  630. Acts just like :class:`HttpResponse` but uses a 403 status code.
  631. .. class:: HttpResponseNotAllowed
  632. Like :class:`HttpResponse`, but uses a 405 status code. The first argument
  633. to the constructor is required: a list of permitted methods (e.g.
  634. ``['GET', 'POST']``).
  635. .. class:: HttpResponseGone
  636. Acts just like :class:`HttpResponse` but uses a 410 status code.
  637. .. class:: HttpResponseServerError
  638. Acts just like :class:`HttpResponse` but uses a 500 status code.
  639. .. note::
  640. If a custom subclass of :class:`HttpResponse` implements a ``render``
  641. method, Django will treat it as emulating a
  642. :class:`~django.template.response.SimpleTemplateResponse`, and the
  643. ``render`` method must itself return a valid response object.
  644. ``JsonResponse`` objects
  645. ========================
  646. .. class:: JsonResponse(data, encoder=DjangoJSONEncoder, safe=True, json_dumps_params=None, **kwargs)
  647. An :class:`HttpResponse` subclass that helps to create a JSON-encoded
  648. response. It inherits most behavior from its superclass with a couple
  649. differences:
  650. Its default ``Content-Type`` header is set to ``application/json``.
  651. The first parameter, ``data``, should be a ``dict`` instance. If the
  652. ``safe`` parameter is set to ``False`` (see below) it can be any
  653. JSON-serializable object.
  654. The ``encoder``, which defaults to
  655. :class:`django.core.serializers.json.DjangoJSONEncoder`, will be used to
  656. serialize the data. See :ref:`JSON serialization
  657. <serialization-formats-json>` for more details about this serializer.
  658. The ``safe`` boolean parameter defaults to ``True``. If it's set to
  659. ``False``, any object can be passed for serialization (otherwise only
  660. ``dict`` instances are allowed). If ``safe`` is ``True`` and a non-``dict``
  661. object is passed as the first argument, a :exc:`TypeError` will be raised.
  662. The ``json_dumps_params`` parameter is a dictionary of keyword arguments
  663. to pass to the ``json.dumps()`` call used to generate the response.
  664. Usage
  665. -----
  666. Typical usage could look like::
  667. >>> from django.http import JsonResponse
  668. >>> response = JsonResponse({'foo': 'bar'})
  669. >>> response.content
  670. b'{"foo": "bar"}'
  671. Serializing non-dictionary objects
  672. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  673. In order to serialize objects other than ``dict`` you must set the ``safe``
  674. parameter to ``False``::
  675. >>> response = JsonResponse([1, 2, 3], safe=False)
  676. Without passing ``safe=False``, a :exc:`TypeError` will be raised.
  677. .. warning::
  678. Before the `5th edition of ECMAScript
  679. <https://www.ecma-international.org/ecma-262/5.1/index.html#sec-11.1.4>`_
  680. it was possible to poison the JavaScript ``Array`` constructor. For this
  681. reason, Django does not allow passing non-dict objects to the
  682. :class:`~django.http.JsonResponse` constructor by default. However, most
  683. modern browsers implement EcmaScript 5 which removes this attack vector.
  684. Therefore it is possible to disable this security precaution.
  685. Changing the default JSON encoder
  686. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  687. If you need to use a different JSON encoder class you can pass the ``encoder``
  688. parameter to the constructor method::
  689. >>> response = JsonResponse(data, encoder=MyJSONEncoder)
  690. .. _httpresponse-streaming:
  691. ``StreamingHttpResponse`` objects
  692. =================================
  693. .. class:: StreamingHttpResponse
  694. The :class:`StreamingHttpResponse` class is used to stream a response from
  695. Django to the browser. You might want to do this if generating the response
  696. takes too long or uses too much memory. For instance, it's useful for
  697. :ref:`generating large CSV files <streaming-csv-files>`.
  698. .. admonition:: Performance considerations
  699. Django is designed for short-lived requests. Streaming responses will tie
  700. a worker process for the entire duration of the response. This may result
  701. in poor performance.
  702. Generally speaking, you should perform expensive tasks outside of the
  703. request-response cycle, rather than resorting to a streamed response.
  704. The :class:`StreamingHttpResponse` is not a subclass of :class:`HttpResponse`,
  705. because it features a slightly different API. However, it is almost identical,
  706. with the following notable differences:
  707. * It should be given an iterator that yields strings as content.
  708. * You cannot access its content, except by iterating the response object
  709. itself. This should only occur when the response is returned to the client.
  710. * It has no ``content`` attribute. Instead, it has a
  711. :attr:`~StreamingHttpResponse.streaming_content` attribute.
  712. * You cannot use the file-like object ``tell()`` or ``write()`` methods.
  713. Doing so will raise an exception.
  714. :class:`StreamingHttpResponse` should only be used in situations where it is
  715. absolutely required that the whole content isn't iterated before transferring
  716. the data to the client. Because the content can't be accessed, many
  717. middleware can't function normally. For example the ``ETag`` and
  718. ``Content-Length`` headers can't be generated for streaming responses.
  719. Attributes
  720. ----------
  721. .. attribute:: StreamingHttpResponse.streaming_content
  722. An iterator of strings representing the content.
  723. .. attribute:: StreamingHttpResponse.status_code
  724. The :rfc:`HTTP status code <7231#section-6>` for the response.
  725. Unless :attr:`reason_phrase` is explicitly set, modifying the value of
  726. ``status_code`` outside the constructor will also modify the value of
  727. ``reason_phrase``.
  728. .. attribute:: StreamingHttpResponse.reason_phrase
  729. The HTTP reason phrase for the response. It uses the :rfc:`HTTP standard's
  730. <7231#section-6.1>` default reason phrases.
  731. Unless explicitly set, ``reason_phrase`` is determined by the value of
  732. :attr:`status_code`.
  733. .. attribute:: StreamingHttpResponse.streaming
  734. This is always ``True``.
  735. ``FileResponse`` objects
  736. ========================
  737. .. class:: FileResponse(open_file, as_attachment=False, filename='', **kwargs)
  738. :class:`FileResponse` is a subclass of :class:`StreamingHttpResponse`
  739. optimized for binary files. It uses `wsgi.file_wrapper`_ if provided by the
  740. wsgi server, otherwise it streams the file out in small chunks.
  741. If ``as_attachment=True``, the ``Content-Disposition`` header is set, which
  742. asks the browser to offer the file to the user as a download.
  743. If ``open_file`` doesn't have a name or if the name of ``open_file`` isn't
  744. appropriate, provide a custom file name using the ``filename`` parameter.
  745. The ``Content-Length``, ``Content-Type``, and ``Content-Disposition``
  746. headers are automatically set when they can be guessed from contents of
  747. ``open_file``.
  748. .. versionadded:: 2.1
  749. The ``as_attachment`` and ``filename`` keywords argument were added.
  750. Also, ``FileResponse`` sets the ``Content`` headers if it can guess
  751. them.
  752. .. _wsgi.file_wrapper: https://www.python.org/dev/peps/pep-3333/#optional-platform-specific-file-handling
  753. ``FileResponse`` accepts any file-like object with binary content, for example
  754. a file open in binary mode like so::
  755. >>> from django.http import FileResponse
  756. >>> response = FileResponse(open('myfile.png', 'rb'))
  757. The file will be closed automatically, so don't open it with a context manager.
  758. Methods
  759. -------
  760. .. method:: FileResponse.set_headers(open_file)
  761. .. versionadded:: 2.1
  762. This method is automatically called during the response initialization and
  763. set various headers (``Content-Length``, ``Content-Type``, and
  764. ``Content-Disposition``) depending on ``open_file``.