request-response.txt 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588
  1. .. _ref-request-response:
  2. ============================
  3. Request and response objects
  4. ============================
  5. .. module:: django.http
  6. :synopsis: Classes dealing with HTTP requests and responses.
  7. Quick overview
  8. ==============
  9. Django uses request and response objects to pass state through the system.
  10. When a page is requested, Django creates an :class:`HttpRequest` object that
  11. contains metadata about the request. Then Django loads the appropriate view,
  12. passing the :class:`HttpRequest` as the first argument to the view function. Each
  13. view is responsible for returning an :class:`HttpResponse` object.
  14. This document explains the APIs for :class:`HttpRequest` and :class:`HttpResponse`
  15. objects.
  16. HttpRequest objects
  17. ===================
  18. .. class:: HttpRequest
  19. Attributes
  20. ----------
  21. All attributes except ``session`` should be considered read-only.
  22. .. attribute:: HttpRequest.path
  23. A string representing the full path to the requested page, not including
  24. the domain.
  25. Example: ``"/music/bands/the_beatles/"``
  26. .. attribute:: HttpRequest.method
  27. A string representing the HTTP method used in the request. This is
  28. guaranteed to be uppercase. Example::
  29. if request.method == 'GET':
  30. do_something()
  31. elif request.method == 'POST':
  32. do_something_else()
  33. .. attribute:: HttpRequest.encoding
  34. .. versionadded:: 1.0
  35. A string representing the current encoding used to decode form submission
  36. data (or ``None``, which means the ``DEFAULT_CHARSET`` setting is used).
  37. You can write to this attribute to change the encoding used when accessing
  38. the form data. Any subsequent attribute accesses (such as reading from
  39. ``GET`` or ``POST``) will use the new ``encoding`` value. Useful if you
  40. know the form data is not in the ``DEFAULT_CHARSET`` encoding.
  41. .. attribute:: HttpRequest.GET
  42. A dictionary-like object containing all given HTTP GET parameters. See the
  43. ``QueryDict`` documentation below.
  44. .. attribute:: HttpRequest.POST
  45. A dictionary-like object containing all given HTTP POST parameters. See the
  46. ``QueryDict`` documentation below.
  47. It's possible that a request can come in via POST with an empty ``POST``
  48. dictionary -- if, say, a form is requested via the POST HTTP method but
  49. does not include form data. Therefore, you shouldn't use ``if request.POST``
  50. to check for use of the POST method; instead, use ``if request.method ==
  51. "POST"`` (see above).
  52. Note: ``POST`` does *not* include file-upload information. See ``FILES``.
  53. .. attribute:: HttpRequest.REQUEST
  54. For convenience, a dictionary-like object that searches ``POST`` first,
  55. then ``GET``. Inspired by PHP's ``$_REQUEST``.
  56. For example, if ``GET = {"name": "john"}`` and ``POST = {"age": '34'}``,
  57. ``REQUEST["name"]`` would be ``"john"``, and ``REQUEST["age"]`` would be
  58. ``"34"``.
  59. It's strongly suggested that you use ``GET`` and ``POST`` instead of
  60. ``REQUEST``, because the former are more explicit.
  61. .. attribute:: HttpRequest.COOKIES
  62. A standard Python dictionary containing all cookies. Keys and values are
  63. strings.
  64. .. attribute:: HttpRequest.FILES
  65. A dictionary-like object containing all uploaded files. Each key in
  66. ``FILES`` is the ``name`` from the ``<input type="file" name="" />``. Each
  67. value in ``FILES`` is an ``UploadedFile`` object containing the following
  68. attributes:
  69. * ``read(num_bytes=None)`` -- Read a number of bytes from the file.
  70. * ``name`` -- The name of the uploaded file.
  71. * ``size`` -- The size, in bytes, of the uploaded file.
  72. * ``chunks(chunk_size=None)`` -- A generator that yields sequential chunks of data.
  73. See :ref:`topics-files` for more information.
  74. Note that ``FILES`` will only contain data if the request method was POST
  75. and the ``<form>`` that posted to the request had
  76. ``enctype="multipart/form-data"``. Otherwise, ``FILES`` will be a blank
  77. dictionary-like object.
  78. .. versionchanged:: 1.0
  79. In previous versions of Django, ``request.FILES`` contained simple ``dict``
  80. objects representing uploaded files. This is no longer true -- files are
  81. represented by ``UploadedFile`` objects as described below.
  82. These ``UploadedFile`` objects will emulate the old-style ``dict``
  83. interface, but this is deprecated and will be removed in the next release of
  84. Django.
  85. .. attribute:: HttpRequest.META
  86. A standard Python dictionary containing all available HTTP headers.
  87. Available headers depend on the client and server, but here are some
  88. examples:
  89. * ``CONTENT_LENGTH``
  90. * ``CONTENT_TYPE``
  91. * ``HTTP_ACCEPT_ENCODING``
  92. * ``HTTP_ACCEPT_LANGUAGE``
  93. * ``HTTP_HOST`` -- The HTTP Host header sent by the client.
  94. * ``HTTP_REFERER`` -- The referring page, if any.
  95. * ``HTTP_USER_AGENT`` -- The client's user-agent string.
  96. * ``QUERY_STRING`` -- The query string, as a single (unparsed) string.
  97. * ``REMOTE_ADDR`` -- The IP address of the client.
  98. * ``REMOTE_HOST`` -- The hostname of the client.
  99. * ``REMOTE_USER`` -- The user authenticated by the web server, if any.
  100. * ``REQUEST_METHOD`` -- A string such as ``"GET"`` or ``"POST"``.
  101. * ``SERVER_NAME`` -- The hostname of the server.
  102. * ``SERVER_PORT`` -- The port of the server.
  103. With the exception of ``CONTENT_LENGTH`` and ``CONTENT_TYPE``, as given
  104. above, any HTTP headers in the request are converted to ``META`` keys by
  105. converting all characters to uppercase, replacing any hyphens with
  106. underscores and adding an ``HTTP_`` prefix to the name. So, for example, a
  107. header called ``X-Bender`` would be mapped to the ``META`` key
  108. ``HTTP_X_BENDER``.
  109. .. attribute:: HttpRequest.user
  110. A ``django.contrib.auth.models.User`` object representing the currently
  111. logged-in user. If the user isn't currently logged in, ``user`` will be set
  112. to an instance of ``django.contrib.auth.models.AnonymousUser``. You
  113. can tell them apart with ``is_authenticated()``, like so::
  114. if request.user.is_authenticated():
  115. # Do something for logged-in users.
  116. else:
  117. # Do something for anonymous users.
  118. ``user`` is only available if your Django installation has the
  119. ``AuthenticationMiddleware`` activated. For more, see
  120. :ref:`topics-auth`.
  121. .. attribute:: HttpRequest.session
  122. A readable-and-writable, dictionary-like object that represents the current
  123. session. This is only available if your Django installation has session
  124. support activated. See the :ref:`session documentation
  125. <topics-http-sessions>` for full details.
  126. .. attribute:: HttpRequest.raw_post_data
  127. The raw HTTP POST data. This is only useful for advanced processing. Use
  128. ``POST`` instead.
  129. .. attribute:: HttpRequest.urlconf
  130. Not defined by Django itself, but will be read if other code (e.g., a custom
  131. middleware class) sets it. When present, this will be used as the root
  132. URLconf for the current request, overriding the ``ROOT_URLCONF`` setting.
  133. See :ref:`how-django-processes-a-request` for details.
  134. Methods
  135. -------
  136. .. method:: HttpRequest.get_host()
  137. .. versionadded:: 1.0
  138. Returns the originating host of the request using information from the
  139. ``HTTP_X_FORWARDED_HOST`` and ``HTTP_HOST`` headers (in that order). If
  140. they don't provide a value, the method uses a combination of
  141. ``SERVER_NAME`` and ``SERVER_PORT`` as detailed in `PEP 333`_.
  142. .. _PEP 333: http://www.python.org/dev/peps/pep-0333/
  143. Example: ``"127.0.0.1:8000"``
  144. .. method:: HttpRequest.get_full_path()
  145. Returns the ``path``, plus an appended query string, if applicable.
  146. Example: ``"/music/bands/the_beatles/?print=true"``
  147. .. method:: HttpRequest.build_absolute_uri(location)
  148. .. versionadded:: 1.0
  149. Returns the absolute URI form of ``location``. If no location is provided,
  150. the location will be set to ``request.get_full_path()``.
  151. If the location is already an absolute URI, it will not be altered.
  152. Otherwise the absolute URI is built using the server variables available in
  153. this request.
  154. Example: ``"http://example.com/music/bands/the_beatles/?print=true"``
  155. .. method:: HttpRequest.is_secure()
  156. Returns ``True`` if the request is secure; that is, if it was made with
  157. HTTPS.
  158. .. method:: HttpRequest.is_ajax()
  159. .. versionadded:: 1.0
  160. Returns ``True`` if the request was made via an ``XMLHttpRequest``, by checking
  161. the ``HTTP_X_REQUESTED_WITH`` header for the string ``'XMLHttpRequest'``. The
  162. following major JavaScript libraries all send this header:
  163. * jQuery
  164. * Dojo
  165. * MochiKit
  166. * MooTools
  167. * Prototype
  168. * YUI
  169. If you write your own XMLHttpRequest call (on the browser side), you'll
  170. have to set this header manually if you want ``is_ajax()`` to work.
  171. QueryDict objects
  172. -----------------
  173. .. class:: QueryDict
  174. In an :class:`HttpRequest` object, the ``GET`` and ``POST`` attributes are instances
  175. of ``django.http.QueryDict``. :class:`QueryDict` is a dictionary-like
  176. class customized to deal with multiple values for the same key. This is
  177. necessary because some HTML form elements, notably
  178. ``<select multiple="multiple">``, pass multiple values for the same key.
  179. ``QueryDict`` instances are immutable, unless you create a ``copy()`` of them.
  180. That means you can't change attributes of ``request.POST`` and ``request.GET``
  181. directly.
  182. Methods
  183. -------
  184. :class:`QueryDict` implements all the standard dictionary methods, because it's
  185. a subclass of dictionary. Exceptions are outlined here:
  186. .. method:: QueryDict.__getitem__(key)
  187. Returns the value for the given key. If the key has more than one value,
  188. ``__getitem__()`` returns the last value. Raises
  189. ``django.utils.datastructure.MultiValueDictKeyError`` if the key does not
  190. exist. (This is a subclass of Python's standard ``KeyError``, so you can
  191. stick to catching ``KeyError``.)
  192. .. method:: QueryDict.__setitem__(key, value)
  193. Sets the given key to ``[value]`` (a Python list whose single element is
  194. ``value``). Note that this, as other dictionary functions that have side
  195. effects, can only be called on a mutable ``QueryDict`` (one that was created
  196. via ``copy()``).
  197. .. method:: QueryDict.__contains__(key)
  198. Returns ``True`` if the given key is set. This lets you do, e.g., ``if "foo"
  199. in request.GET``.
  200. .. method:: QueryDict.get(key, default)
  201. Uses the same logic as ``__getitem__()`` above, with a hook for returning a
  202. default value if the key doesn't exist.
  203. .. method:: QueryDict.setdefault(key, default)
  204. Just like the standard dictionary ``setdefault()`` method, except it uses
  205. ``__setitem__`` internally.
  206. .. method:: QueryDict.update(other_dict)
  207. Takes either a ``QueryDict`` or standard dictionary. Just like the standard
  208. dictionary ``update()`` method, except it *appends* to the current
  209. dictionary items rather than replacing them. For example::
  210. >>> q = QueryDict('a=1')
  211. >>> q = q.copy() # to make it mutable
  212. >>> q.update({'a': '2'})
  213. >>> q.getlist('a')
  214. ['1', '2']
  215. >>> q['a'] # returns the last
  216. ['2']
  217. .. method:: QueryDict.items()
  218. Just like the standard dictionary ``items()`` method, except this uses the
  219. same last-value logic as ``__getitem()__``. For example::
  220. >>> q = QueryDict('a=1&a=2&a=3')
  221. >>> q.items()
  222. [('a', '3')]
  223. .. method:: QueryDict.values()
  224. Just like the standard dictionary ``values()`` method, except this uses the
  225. same last-value logic as ``__getitem()__``. For example::
  226. >>> q = QueryDict('a=1&a=2&a=3')
  227. >>> q.values()
  228. ['3']
  229. In addition, ``QueryDict`` has the following methods:
  230. .. method:: QueryDict.copy()
  231. Returns a copy of the object, using ``copy.deepcopy()`` from the Python
  232. standard library. The copy will be mutable -- that is, you can change its
  233. values.
  234. .. method:: QueryDict.getlist(key)
  235. Returns the data with the requested key, as a Python list. Returns an
  236. empty list if the key doesn't exist. It's guaranteed to return a list of
  237. some sort.
  238. .. method:: QueryDict.setlist(key, list_)
  239. Sets the given key to ``list_`` (unlike ``__setitem__()``).
  240. .. method:: QueryDict.appendlist(key, item)
  241. Appends an item to the internal list associated with key.
  242. .. method:: QueryDict.setlistdefault(key, default_list)
  243. Just like ``setdefault``, except it takes a list of values instead of a
  244. single value.
  245. .. method:: QueryDict.lists()
  246. Like :meth:`items()`, except it includes all values, as a list, for each
  247. member of the dictionary. For example::
  248. >>> q = QueryDict('a=1&a=2&a=3')
  249. >>> q.lists()
  250. [('a', ['1', '2', '3'])]
  251. .. method:: QueryDict.urlencode()
  252. Returns a string of the data in query-string format.
  253. Example: ``"a=2&b=3&b=5"``.
  254. HttpResponse objects
  255. ====================
  256. .. class:: HttpResponse
  257. In contrast to :class:`HttpRequest` objects, which are created automatically by
  258. Django, :class:`HttpResponse` objects are your responsibility. Each view you
  259. write is responsible for instantiating, populating and returning an
  260. :class:`HttpResponse`.
  261. The :class:`HttpResponse` class lives in the ``django.http`` module.
  262. Usage
  263. -----
  264. Passing strings
  265. ~~~~~~~~~~~~~~~
  266. Typical usage is to pass the contents of the page, as a string, to the
  267. :class:`HttpResponse` constructor::
  268. >>> response = HttpResponse("Here's the text of the Web page.")
  269. >>> response = HttpResponse("Text only, please.", mimetype="text/plain")
  270. But if you want to add content incrementally, you can use ``response`` as a
  271. file-like object::
  272. >>> response = HttpResponse()
  273. >>> response.write("<p>Here's the text of the Web page.</p>")
  274. >>> response.write("<p>Here's another paragraph.</p>")
  275. You can add and delete headers using dictionary syntax::
  276. >>> response = HttpResponse()
  277. >>> response['X-DJANGO'] = "It's the best."
  278. >>> del response['X-PHP']
  279. >>> response['X-DJANGO']
  280. "It's the best."
  281. Note that ``del`` doesn't raise ``KeyError`` if the header doesn't exist.
  282. Passing iterators
  283. ~~~~~~~~~~~~~~~~~
  284. Finally, you can pass ``HttpResponse`` an iterator rather than passing it
  285. hard-coded strings. If you use this technique, follow these guidelines:
  286. * The iterator should return strings.
  287. * If an :class:`HttpResponse` has been initialized with an iterator as its
  288. content, you can't use the class:`HttpResponse` instance as a file-like
  289. object. Doing so will raise ``Exception``.
  290. Setting headers
  291. ~~~~~~~~~~~~~~~
  292. To set a header in your response, just treat it like a dictionary::
  293. >>> response = HttpResponse()
  294. >>> response['Pragma'] = 'no-cache'
  295. Telling the browser to treat the response as a file attachment
  296. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  297. To tell the browser to treat the response as a file attachment, use the
  298. ``mimetype`` argument and set the ``Content-Disposition`` header. For example,
  299. this is how you might return a Microsoft Excel spreadsheet::
  300. >>> response = HttpResponse(my_data, mimetype='application/vnd.ms-excel')
  301. >>> response['Content-Disposition'] = 'attachment; filename=foo.xls'
  302. There's nothing Django-specific about the ``Content-Disposition`` header, but
  303. it's easy to forget the syntax, so we've included it here.
  304. Attributes
  305. ----------
  306. .. attribute:: HttpResponse.content
  307. A normal Python string representing the content, encoded from a Unicode
  308. object if necessary.
  309. Methods
  310. -------
  311. .. method:: HttpResponse.__init__(content='', mimetype=None, status=200, content_type=DEFAULT_CONTENT_TYPE)
  312. Instantiates an ``HttpResponse`` object with the given page content (a
  313. string) and MIME type. The ``DEFAULT_CONTENT_TYPE`` is ``'text/html'``.
  314. ``content`` can be an iterator or a string. If it's an iterator, it should
  315. return strings, and those strings will be joined together to form the
  316. content of the response.
  317. ``status`` is the `HTTP Status code`_ for the response.
  318. .. versionadded:: 1.0
  319. ``content_type`` is an alias for ``mimetype``. Historically, this parameter
  320. was only called ``mimetype``, but since this is actually the value included
  321. in the HTTP ``Content-Type`` header, it can also include the character set
  322. encoding, which makes it more than just a MIME type specification.
  323. If ``mimetype`` is specified (not ``None``), that value is used.
  324. Otherwise, ``content_type`` is used. If neither is given, the
  325. ``DEFAULT_CONTENT_TYPE`` setting is used.
  326. .. method:: HttpResponse.__setitem__(header, value)
  327. Sets the given header name to the given value. Both ``header`` and
  328. ``value`` should be strings.
  329. .. method:: HttpResponse.__delitem__(header)
  330. Deletes the header with the given name. Fails silently if the header
  331. doesn't exist. Case-sensitive.
  332. .. method:: HttpResponse.__getitem__(header)
  333. Returns the value for the given header name. Case-sensitive.
  334. .. method:: HttpResponse.has_header(header)
  335. Returns ``True`` or ``False`` based on a case-insensitive check for a
  336. header with the given name.
  337. .. method:: HttpResponse.set_cookie(key, value='', max_age=None, expires=None, path='/', domain=None, secure=None)
  338. Sets a cookie. The parameters are the same as in the `cookie Morsel`_
  339. object in the Python standard library.
  340. * ``max_age`` should be a number of seconds, or ``None`` (default) if
  341. the cookie should last only as long as the client's browser session.
  342. * ``expires`` should be a string in the format
  343. ``"Wdy, DD-Mon-YY HH:MM:SS GMT"``.
  344. * Use ``domain`` if you want to set a cross-domain cookie. For example,
  345. ``domain=".lawrence.com"`` will set a cookie that is readable by
  346. the domains www.lawrence.com, blogs.lawrence.com and
  347. calendars.lawrence.com. Otherwise, a cookie will only be readable by
  348. the domain that set it.
  349. .. _`cookie Morsel`: http://docs.python.org/library/cookie.html#Cookie.Morsel
  350. .. method:: HttpResponse.delete_cookie(key, path='/', domain=None)
  351. Deletes the cookie with the given key. Fails silently if the key doesn't
  352. exist.
  353. Due to the way cookies work, ``path`` and ``domain`` should be the same
  354. values you used in ``set_cookie()`` -- otherwise the cookie may not be
  355. deleted.
  356. .. method:: HttpResponse.write(content)
  357. This method makes an :class:`HttpResponse` instance a file-like object.
  358. .. method:: HttpResponse.flush()
  359. This method makes an :class:`HttpResponse` instance a file-like object.
  360. .. method:: HttpResponse.tell()
  361. This method makes an :class:`HttpResponse` instance a file-like object.
  362. .. _HTTP Status code: http://www.w3.org/Protocols/rfc2616/rfc2616-sec10.html#sec10
  363. .. _ref-httpresponse-subclasses:
  364. HttpResponse subclasses
  365. -----------------------
  366. Django includes a number of ``HttpResponse`` subclasses that handle different
  367. types of HTTP responses. Like ``HttpResponse``, these subclasses live in
  368. :mod:`django.http`.
  369. .. class:: HttpResponseRedirect
  370. The constructor takes a single argument -- the path to redirect to. This
  371. can be a fully qualified URL (e.g. ``'http://www.yahoo.com/search/'``) or an
  372. absolute URL with no domain (e.g. ``'/search/'``). Note that this returns
  373. an HTTP status code 302.
  374. .. class:: HttpResponsePermanentRedirect
  375. Like :class:`HttpResponseRedirect`, but it returns a permanent redirect
  376. (HTTP status code 301) instead of a "found" redirect (status code 302).
  377. .. class:: HttpResponseNotModified
  378. The constructor doesn't take any arguments. Use this to designate that a
  379. page hasn't been modified since the user's last request (status code 304).
  380. .. class:: HttpResponseBadRequest
  381. .. versionadded:: 1.0
  382. Acts just like :class:`HttpResponse` but uses a 400 status code.
  383. .. class:: HttpResponseNotFound
  384. Acts just like :class:`HttpResponse` but uses a 404 status code.
  385. .. class:: HttpResponseForbidden
  386. Acts just like :class:`HttpResponse` but uses a 403 status code.
  387. .. class:: HttpResponseNotAllowed
  388. Like :class:`HttpResponse`, but uses a 405 status code. Takes a single,
  389. required argument: a list of permitted methods (e.g. ``['GET', 'POST']``).
  390. .. class:: HttpResponseGone
  391. Acts just like :class:`HttpResponse` but uses a 410 status code.
  392. .. class:: HttpResponseServerError
  393. Acts just like :class:`HttpResponse` but uses a 500 status code.