cache.txt 47 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040104110421043104410451046104710481049105010511052105310541055105610571058105910601061106210631064106510661067106810691070107110721073107410751076107710781079108010811082108310841085108610871088108910901091109210931094109510961097109810991100110111021103110411051106110711081109111011111112111311141115111611171118111911201121112211231124112511261127112811291130113111321133113411351136113711381139114011411142114311441145114611471148114911501151115211531154115511561157115811591160116111621163116411651166116711681169117011711172117311741175117611771178117911801181118211831184118511861187118811891190119111921193119411951196119711981199120012011202120312041205120612071208120912101211121212131214121512161217121812191220122112221223
  1. ========================
  2. Django's cache framework
  3. ========================
  4. A fundamental trade-off in dynamic Web sites is, well, they're dynamic. Each
  5. time a user requests a page, the Web server makes all sorts of calculations --
  6. from database queries to template rendering to business logic -- to create the
  7. page that your site's visitor sees. This is a lot more expensive, from a
  8. processing-overhead perspective, than your standard
  9. read-a-file-off-the-filesystem server arrangement.
  10. For most Web applications, this overhead isn't a big deal. Most Web
  11. applications aren't ``washingtonpost.com`` or ``slashdot.org``; they're simply
  12. small- to medium-sized sites with so-so traffic. But for medium- to
  13. high-traffic sites, it's essential to cut as much overhead as possible.
  14. That's where caching comes in.
  15. To cache something is to save the result of an expensive calculation so that
  16. you don't have to perform the calculation next time. Here's some pseudocode
  17. explaining how this would work for a dynamically generated Web page::
  18. given a URL, try finding that page in the cache
  19. if the page is in the cache:
  20. return the cached page
  21. else:
  22. generate the page
  23. save the generated page in the cache (for next time)
  24. return the generated page
  25. Django comes with a robust cache system that lets you save dynamic pages so
  26. they don't have to be calculated for each request. For convenience, Django
  27. offers different levels of cache granularity: You can cache the output of
  28. specific views, you can cache only the pieces that are difficult to produce,
  29. or you can cache your entire site.
  30. Django also works well with "downstream" caches, such as `Squid
  31. <http://www.squid-cache.org>`_ and browser-based caches. These are the types of
  32. caches that you don't directly control but to which you can provide hints (via
  33. HTTP headers) about which parts of your site should be cached, and how.
  34. .. seealso::
  35. The :ref:`Cache Framework design philosophy <cache-design-philosophy>`
  36. explains a few of the design decisions of the framework.
  37. .. _setting-up-the-cache:
  38. Setting up the cache
  39. ====================
  40. The cache system requires a small amount of setup. Namely, you have to tell it
  41. where your cached data should live -- whether in a database, on the filesystem
  42. or directly in memory. This is an important decision that affects your cache's
  43. performance; yes, some cache types are faster than others.
  44. Your cache preference goes in the :setting:`CACHES` setting in your
  45. settings file. Here's an explanation of all available values for
  46. :setting:`CACHES`.
  47. .. _memcached:
  48. Memcached
  49. ---------
  50. The fastest, most efficient type of cache supported natively by Django,
  51. Memcached__ is an entirely memory-based cache server, originally developed
  52. to handle high loads at LiveJournal.com and subsequently open-sourced by
  53. Danga Interactive. It is used by sites such as Facebook and Wikipedia to
  54. reduce database access and dramatically increase site performance.
  55. __ http://memcached.org/
  56. Memcached runs as a daemon and is allotted a specified amount of RAM. All it
  57. does is provide a fast interface for adding, retrieving and deleting data in
  58. the cache. All data is stored directly in memory, so there's no overhead of
  59. database or filesystem usage.
  60. After installing Memcached itself, you'll need to install a Memcached
  61. binding. There are several Python Memcached bindings available; the
  62. two most common are `python-memcached`_ and `pylibmc`_.
  63. .. _`python-memcached`: ftp://ftp.tummy.com/pub/python-memcached/
  64. .. _`pylibmc`: http://sendapatch.se/projects/pylibmc/
  65. To use Memcached with Django:
  66. * Set :setting:`BACKEND <CACHES-BACKEND>` to
  67. ``django.core.cache.backends.memcached.MemcachedCache`` or
  68. ``django.core.cache.backends.memcached.PyLibMCCache`` (depending
  69. on your chosen memcached binding)
  70. * Set :setting:`LOCATION <CACHES-LOCATION>` to ``ip:port`` values,
  71. where ``ip`` is the IP address of the Memcached daemon and ``port`` is the
  72. port on which Memcached is running, or to a ``unix:path`` value, where
  73. ``path`` is the path to a Memcached Unix socket file.
  74. In this example, Memcached is running on localhost (127.0.0.1) port 11211, using
  75. the ``python-memcached`` binding::
  76. CACHES = {
  77. 'default': {
  78. 'BACKEND': 'django.core.cache.backends.memcached.MemcachedCache',
  79. 'LOCATION': '127.0.0.1:11211',
  80. }
  81. }
  82. In this example, Memcached is available through a local Unix socket file
  83. :file:`/tmp/memcached.sock` using the ``python-memcached`` binding::
  84. CACHES = {
  85. 'default': {
  86. 'BACKEND': 'django.core.cache.backends.memcached.MemcachedCache',
  87. 'LOCATION': 'unix:/tmp/memcached.sock',
  88. }
  89. }
  90. One excellent feature of Memcached is its ability to share a cache over
  91. multiple servers. This means you can run Memcached daemons on multiple
  92. machines, and the program will treat the group of machines as a *single*
  93. cache, without the need to duplicate cache values on each machine. To take
  94. advantage of this feature, include all server addresses in
  95. :setting:`LOCATION <CACHES-LOCATION>`, either separated by semicolons or as
  96. a list.
  97. In this example, the cache is shared over Memcached instances running on IP
  98. address 172.19.26.240 and 172.19.26.242, both on port 11211::
  99. CACHES = {
  100. 'default': {
  101. 'BACKEND': 'django.core.cache.backends.memcached.MemcachedCache',
  102. 'LOCATION': [
  103. '172.19.26.240:11211',
  104. '172.19.26.242:11211',
  105. ]
  106. }
  107. }
  108. In the following example, the cache is shared over Memcached instances running
  109. on the IP addresses 172.19.26.240 (port 11211), 172.19.26.242 (port 11212), and
  110. 172.19.26.244 (port 11213)::
  111. CACHES = {
  112. 'default': {
  113. 'BACKEND': 'django.core.cache.backends.memcached.MemcachedCache',
  114. 'LOCATION': [
  115. '172.19.26.240:11211',
  116. '172.19.26.242:11212',
  117. '172.19.26.244:11213',
  118. ]
  119. }
  120. }
  121. A final point about Memcached is that memory-based caching has a
  122. disadvantage: because the cached data is stored in memory, the data will be
  123. lost if your server crashes. Clearly, memory isn't intended for permanent data
  124. storage, so don't rely on memory-based caching as your only data storage.
  125. Without a doubt, *none* of the Django caching backends should be used for
  126. permanent storage -- they're all intended to be solutions for caching, not
  127. storage -- but we point this out here because memory-based caching is
  128. particularly temporary.
  129. .. _database-caching:
  130. Database caching
  131. ----------------
  132. Django can store its cached data in your database. This works best if you've
  133. got a fast, well-indexed database server.
  134. To use a database table as your cache backend:
  135. * Set :setting:`BACKEND <CACHES-BACKEND>` to
  136. ``django.core.cache.backends.db.DatabaseCache``
  137. * Set :setting:`LOCATION <CACHES-LOCATION>` to ``tablename``, the name of the
  138. database table. This name can be whatever you want, as long as it's a valid
  139. table name that's not already being used in your database.
  140. In this example, the cache table's name is ``my_cache_table``::
  141. CACHES = {
  142. 'default': {
  143. 'BACKEND': 'django.core.cache.backends.db.DatabaseCache',
  144. 'LOCATION': 'my_cache_table',
  145. }
  146. }
  147. Creating the cache table
  148. ~~~~~~~~~~~~~~~~~~~~~~~~
  149. Before using the database cache, you must create the cache table with this
  150. command::
  151. python manage.py createcachetable
  152. This creates a table in your database that is in the proper format that
  153. Django's database-cache system expects. The name of the table is taken from
  154. :setting:`LOCATION <CACHES-LOCATION>`.
  155. If you are using multiple database caches, :djadmin:`createcachetable` creates
  156. one table for each cache.
  157. If you are using multiple databases, :djadmin:`createcachetable` observes the
  158. ``allow_migrate()`` method of your database routers (see below).
  159. Like :djadmin:`migrate`, :djadmin:`createcachetable` won't touch an existing
  160. table. It will only create missing tables.
  161. Multiple databases
  162. ~~~~~~~~~~~~~~~~~~
  163. If you use database caching with multiple databases, you'll also need
  164. to set up routing instructions for your database cache table. For the
  165. purposes of routing, the database cache table appears as a model named
  166. ``CacheEntry``, in an application named ``django_cache``. This model
  167. won't appear in the models cache, but the model details can be used
  168. for routing purposes.
  169. For example, the following router would direct all cache read
  170. operations to ``cache_replica``, and all write operations to
  171. ``cache_primary``. The cache table will only be synchronized onto
  172. ``cache_primary``::
  173. class CacheRouter(object):
  174. """A router to control all database cache operations"""
  175. def db_for_read(self, model, **hints):
  176. "All cache read operations go to the replica"
  177. if model._meta.app_label in ('django_cache',):
  178. return 'cache_replica'
  179. return None
  180. def db_for_write(self, model, **hints):
  181. "All cache write operations go to primary"
  182. if model._meta.app_label in ('django_cache',):
  183. return 'cache_primary'
  184. return None
  185. def allow_migrate(self, db, model):
  186. "Only install the cache model on primary"
  187. if model._meta.app_label in ('django_cache',):
  188. return db == 'cache_primary'
  189. return None
  190. If you don't specify routing directions for the database cache model,
  191. the cache backend will use the ``default`` database.
  192. Of course, if you don't use the database cache backend, you don't need
  193. to worry about providing routing instructions for the database cache
  194. model.
  195. Filesystem caching
  196. ------------------
  197. The file-based backend serializes and stores each cache value as a separate
  198. file. To use this backend set :setting:`BACKEND <CACHES-BACKEND>` to
  199. ``"django.core.cache.backends.filebased.FileBasedCache"`` and
  200. :setting:`LOCATION <CACHES-LOCATION>` to a suitable directory. For example,
  201. to store cached data in ``/var/tmp/django_cache``, use this setting::
  202. CACHES = {
  203. 'default': {
  204. 'BACKEND': 'django.core.cache.backends.filebased.FileBasedCache',
  205. 'LOCATION': '/var/tmp/django_cache',
  206. }
  207. }
  208. If you're on Windows, put the drive letter at the beginning of the path,
  209. like this::
  210. CACHES = {
  211. 'default': {
  212. 'BACKEND': 'django.core.cache.backends.filebased.FileBasedCache',
  213. 'LOCATION': 'c:/foo/bar',
  214. }
  215. }
  216. The directory path should be absolute -- that is, it should start at the root
  217. of your filesystem. It doesn't matter whether you put a slash at the end of the
  218. setting.
  219. Make sure the directory pointed-to by this setting exists and is readable and
  220. writable by the system user under which your Web server runs. Continuing the
  221. above example, if your server runs as the user ``apache``, make sure the
  222. directory ``/var/tmp/django_cache`` exists and is readable and writable by the
  223. user ``apache``.
  224. Local-memory caching
  225. --------------------
  226. This is the default cache if another is not specified in your settings file. If
  227. you want the speed advantages of in-memory caching but don't have the capability
  228. of running Memcached, consider the local-memory cache backend. This cache is
  229. per-process (see below) and thread-safe. To use it, set :setting:`BACKEND
  230. <CACHES-BACKEND>` to ``"django.core.cache.backends.locmem.LocMemCache"``. For
  231. example::
  232. CACHES = {
  233. 'default': {
  234. 'BACKEND': 'django.core.cache.backends.locmem.LocMemCache',
  235. 'LOCATION': 'unique-snowflake'
  236. }
  237. }
  238. The cache :setting:`LOCATION <CACHES-LOCATION>` is used to identify individual
  239. memory stores. If you only have one ``locmem`` cache, you can omit the
  240. :setting:`LOCATION <CACHES-LOCATION>`; however, if you have more than one local
  241. memory cache, you will need to assign a name to at least one of them in
  242. order to keep them separate.
  243. Note that each process will have its own private cache instance, which means no
  244. cross-process caching is possible. This obviously also means the local memory
  245. cache isn't particularly memory-efficient, so it's probably not a good choice
  246. for production environments. It's nice for development.
  247. Dummy caching (for development)
  248. -------------------------------
  249. Finally, Django comes with a "dummy" cache that doesn't actually cache -- it
  250. just implements the cache interface without doing anything.
  251. This is useful if you have a production site that uses heavy-duty caching in
  252. various places but a development/test environment where you don't want to cache
  253. and don't want to have to change your code to special-case the latter. To
  254. activate dummy caching, set :setting:`BACKEND <CACHES-BACKEND>` like so::
  255. CACHES = {
  256. 'default': {
  257. 'BACKEND': 'django.core.cache.backends.dummy.DummyCache',
  258. }
  259. }
  260. Using a custom cache backend
  261. ----------------------------
  262. While Django includes support for a number of cache backends out-of-the-box,
  263. sometimes you might want to use a customized cache backend. To use an external
  264. cache backend with Django, use the Python import path as the
  265. :setting:`BACKEND <CACHES-BACKEND>` of the :setting:`CACHES` setting, like so::
  266. CACHES = {
  267. 'default': {
  268. 'BACKEND': 'path.to.backend',
  269. }
  270. }
  271. If you're building your own backend, you can use the standard cache backends
  272. as reference implementations. You'll find the code in the
  273. ``django/core/cache/backends/`` directory of the Django source.
  274. Note: Without a really compelling reason, such as a host that doesn't support
  275. them, you should stick to the cache backends included with Django. They've
  276. been well-tested and are easy to use.
  277. Cache arguments
  278. ---------------
  279. Each cache backend can be given additional arguments to control caching
  280. behavior. These arguments are provided as additional keys in the
  281. :setting:`CACHES` setting. Valid arguments are as follows:
  282. * :setting:`TIMEOUT <CACHES-TIMEOUT>`: The default timeout, in
  283. seconds, to use for the cache. This argument defaults to ``300`` seconds (5 minutes).
  284. You can set ``TIMEOUT`` to ``None`` so that, by default, cache keys never
  285. expire.
  286. * :setting:`OPTIONS <CACHES-OPTIONS>`: Any options that should be
  287. passed to the cache backend. The list of valid options will vary
  288. with each backend, and cache backends backed by a third-party library
  289. will pass their options directly to the underlying cache library.
  290. Cache backends that implement their own culling strategy (i.e.,
  291. the ``locmem``, ``filesystem`` and ``database`` backends) will
  292. honor the following options:
  293. * ``MAX_ENTRIES``: The maximum number of entries allowed in
  294. the cache before old values are deleted. This argument
  295. defaults to ``300``.
  296. * ``CULL_FREQUENCY``: The fraction of entries that are culled
  297. when ``MAX_ENTRIES`` is reached. The actual ratio is
  298. ``1 / CULL_FREQUENCY``, so set ``CULL_FREQUENCY`` to ``2`` to
  299. cull half the entries when ``MAX_ENTRIES`` is reached. This argument
  300. should be an integer and defaults to ``3``.
  301. A value of ``0`` for ``CULL_FREQUENCY`` means that the
  302. entire cache will be dumped when ``MAX_ENTRIES`` is reached.
  303. On some backends (``database`` in particular) this makes culling *much*
  304. faster at the expense of more cache misses.
  305. * :setting:`KEY_PREFIX <CACHES-KEY_PREFIX>`: A string that will be
  306. automatically included (prepended by default) to all cache keys
  307. used by the Django server.
  308. See the :ref:`cache documentation <cache_key_prefixing>` for
  309. more information.
  310. * :setting:`VERSION <CACHES-VERSION>`: The default version number
  311. for cache keys generated by the Django server.
  312. See the :ref:`cache documentation <cache_versioning>` for more
  313. information.
  314. * :setting:`KEY_FUNCTION <CACHES-KEY_FUNCTION>`
  315. A string containing a dotted path to a function that defines how
  316. to compose a prefix, version and key into a final cache key.
  317. See the :ref:`cache documentation <cache_key_transformation>`
  318. for more information.
  319. In this example, a filesystem backend is being configured with a timeout
  320. of 60 seconds, and a maximum capacity of 1000 items::
  321. CACHES = {
  322. 'default': {
  323. 'BACKEND': 'django.core.cache.backends.filebased.FileBasedCache',
  324. 'LOCATION': '/var/tmp/django_cache',
  325. 'TIMEOUT': 60,
  326. 'OPTIONS': {
  327. 'MAX_ENTRIES': 1000
  328. }
  329. }
  330. }
  331. Invalid arguments are silently ignored, as are invalid values of known
  332. arguments.
  333. .. _the-per-site-cache:
  334. The per-site cache
  335. ==================
  336. Once the cache is set up, the simplest way to use caching is to cache your
  337. entire site. You'll need to add
  338. ``'django.middleware.cache.UpdateCacheMiddleware'`` and
  339. ``'django.middleware.cache.FetchFromCacheMiddleware'`` to your
  340. :setting:`MIDDLEWARE_CLASSES` setting, as in this example::
  341. MIDDLEWARE_CLASSES = (
  342. 'django.middleware.cache.UpdateCacheMiddleware',
  343. 'django.middleware.common.CommonMiddleware',
  344. 'django.middleware.cache.FetchFromCacheMiddleware',
  345. )
  346. .. note::
  347. No, that's not a typo: the "update" middleware must be first in the list,
  348. and the "fetch" middleware must be last. The details are a bit obscure, but
  349. see `Order of MIDDLEWARE_CLASSES`_ below if you'd like the full story.
  350. Then, add the following required settings to your Django settings file:
  351. * :setting:`CACHE_MIDDLEWARE_ALIAS` -- The cache alias to use for storage.
  352. * :setting:`CACHE_MIDDLEWARE_SECONDS` -- The number of seconds each page should
  353. be cached.
  354. * :setting:`CACHE_MIDDLEWARE_KEY_PREFIX` -- If the cache is shared across
  355. multiple sites using the same Django installation, set this to the name of
  356. the site, or some other string that is unique to this Django instance, to
  357. prevent key collisions. Use an empty string if you don't care.
  358. ``FetchFromCacheMiddleware`` caches GET and HEAD responses with status 200,
  359. where the request and response headers allow. Responses to requests for the same
  360. URL with different query parameters are considered to be unique pages and are
  361. cached separately. This middleware expects that a HEAD request is answered with
  362. the same response headers as the corresponding GET request; in which case it can
  363. return a cached GET response for HEAD request.
  364. Additionally, ``UpdateCacheMiddleware`` automatically sets a few headers in each
  365. :class:`~django.http.HttpResponse`:
  366. * Sets the ``Last-Modified`` header to the current date/time when a fresh
  367. (not cached) version of the page is requested.
  368. * Sets the ``Expires`` header to the current date/time plus the defined
  369. :setting:`CACHE_MIDDLEWARE_SECONDS`.
  370. * Sets the ``Cache-Control`` header to give a max age for the page --
  371. again, from the :setting:`CACHE_MIDDLEWARE_SECONDS` setting.
  372. See :doc:`/topics/http/middleware` for more on middleware.
  373. If a view sets its own cache expiry time (i.e. it has a ``max-age`` section in
  374. its ``Cache-Control`` header) then the page will be cached until the expiry
  375. time, rather than :setting:`CACHE_MIDDLEWARE_SECONDS`. Using the decorators in
  376. ``django.views.decorators.cache`` you can easily set a view's expiry time
  377. (using the ``cache_control`` decorator) or disable caching for a view (using
  378. the ``never_cache`` decorator). See the `using other headers`__ section for
  379. more on these decorators.
  380. .. _i18n-cache-key:
  381. If :setting:`USE_I18N` is set to ``True`` then the generated cache key will
  382. include the name of the active :term:`language<language code>` -- see also
  383. :ref:`how-django-discovers-language-preference`). This allows you to easily
  384. cache multilingual sites without having to create the cache key yourself.
  385. Cache keys also include the active :term:`language <language code>` when
  386. :setting:`USE_L10N` is set to ``True`` and the :ref:`current time zone
  387. <default-current-time-zone>` when :setting:`USE_TZ` is set to ``True``.
  388. __ `Controlling cache: Using other headers`_
  389. The per-view cache
  390. ==================
  391. .. function:: django.views.decorators.cache.cache_page
  392. A more granular way to use the caching framework is by caching the output of
  393. individual views. ``django.views.decorators.cache`` defines a ``cache_page``
  394. decorator that will automatically cache the view's response for you. It's easy
  395. to use::
  396. from django.views.decorators.cache import cache_page
  397. @cache_page(60 * 15)
  398. def my_view(request):
  399. ...
  400. ``cache_page`` takes a single argument: the cache timeout, in seconds. In the
  401. above example, the result of the ``my_view()`` view will be cached for 15
  402. minutes. (Note that we've written it as ``60 * 15`` for the purpose of
  403. readability. ``60 * 15`` will be evaluated to ``900`` -- that is, 15 minutes
  404. multiplied by 60 seconds per minute.)
  405. The per-view cache, like the per-site cache, is keyed off of the URL. If
  406. multiple URLs point at the same view, each URL will be cached separately.
  407. Continuing the ``my_view`` example, if your URLconf looks like this::
  408. urlpatterns = [
  409. url(r'^foo/([0-9]{1,2})/$', my_view),
  410. ]
  411. then requests to ``/foo/1/`` and ``/foo/23/`` will be cached separately, as
  412. you may expect. But once a particular URL (e.g., ``/foo/23/``) has been
  413. requested, subsequent requests to that URL will use the cache.
  414. ``cache_page`` can also take an optional keyword argument, ``cache``,
  415. which directs the decorator to use a specific cache (from your
  416. :setting:`CACHES` setting) when caching view results. By default, the
  417. ``default`` cache will be used, but you can specify any cache you
  418. want::
  419. @cache_page(60 * 15, cache="special_cache")
  420. def my_view(request):
  421. ...
  422. You can also override the cache prefix on a per-view basis. ``cache_page``
  423. takes an optional keyword argument, ``key_prefix``,
  424. which works in the same way as the :setting:`CACHE_MIDDLEWARE_KEY_PREFIX`
  425. setting for the middleware. It can be used like this::
  426. @cache_page(60 * 15, key_prefix="site1")
  427. def my_view(request):
  428. ...
  429. The ``key_prefix and ``cache`` arguments may be specified together. The
  430. ``key_prefix`` argument and the :setting:`KEY_PREFIX <CACHES-KEY_PREFIX>`
  431. specified under :setting:`CACHES` will be concatenated.
  432. Specifying per-view cache in the URLconf
  433. ----------------------------------------
  434. The examples in the previous section have hard-coded the fact that the view is
  435. cached, because ``cache_page`` alters the ``my_view`` function in place. This
  436. approach couples your view to the cache system, which is not ideal for several
  437. reasons. For instance, you might want to reuse the view functions on another,
  438. cache-less site, or you might want to distribute the views to people who might
  439. want to use them without being cached. The solution to these problems is to
  440. specify the per-view cache in the URLconf rather than next to the view functions
  441. themselves.
  442. Doing so is easy: simply wrap the view function with ``cache_page`` when you
  443. refer to it in the URLconf. Here's the old URLconf from earlier::
  444. urlpatterns = [
  445. url(r'^foo/([0-9]{1,2})/$', my_view),
  446. ]
  447. Here's the same thing, with ``my_view`` wrapped in ``cache_page``::
  448. from django.views.decorators.cache import cache_page
  449. urlpatterns = [
  450. url(r'^foo/([0-9]{1,2})/$', cache_page(60 * 15)(my_view)),
  451. ]
  452. .. templatetag:: cache
  453. Template fragment caching
  454. =========================
  455. If you're after even more control, you can also cache template fragments using
  456. the ``cache`` template tag. To give your template access to this tag, put
  457. ``{% load cache %}`` near the top of your template.
  458. The ``{% cache %}`` template tag caches the contents of the block for a given
  459. amount of time. It takes at least two arguments: the cache timeout, in seconds,
  460. and the name to give the cache fragment. The name will be taken as is, do not
  461. use a variable. For example:
  462. .. code-block:: html+django
  463. {% load cache %}
  464. {% cache 500 sidebar %}
  465. .. sidebar ..
  466. {% endcache %}
  467. Sometimes you might want to cache multiple copies of a fragment depending on
  468. some dynamic data that appears inside the fragment. For example, you might want a
  469. separate cached copy of the sidebar used in the previous example for every user
  470. of your site. Do this by passing additional arguments to the ``{% cache %}``
  471. template tag to uniquely identify the cache fragment:
  472. .. code-block:: html+django
  473. {% load cache %}
  474. {% cache 500 sidebar request.user.username %}
  475. .. sidebar for logged in user ..
  476. {% endcache %}
  477. It's perfectly fine to specify more than one argument to identify the fragment.
  478. Simply pass as many arguments to ``{% cache %}`` as you need.
  479. If :setting:`USE_I18N` is set to ``True`` the per-site middleware cache will
  480. :ref:`respect the active language<i18n-cache-key>`. For the ``cache`` template
  481. tag you could use one of the
  482. :ref:`translation-specific variables<template-translation-vars>` available in
  483. templates to achieve the same result:
  484. .. code-block:: html+django
  485. {% load i18n %}
  486. {% load cache %}
  487. {% get_current_language as LANGUAGE_CODE %}
  488. {% cache 600 welcome LANGUAGE_CODE %}
  489. {% trans "Welcome to example.com" %}
  490. {% endcache %}
  491. The cache timeout can be a template variable, as long as the template variable
  492. resolves to an integer value. For example, if the template variable
  493. ``my_timeout`` is set to the value ``600``, then the following two examples are
  494. equivalent:
  495. .. code-block:: html+django
  496. {% cache 600 sidebar %} ... {% endcache %}
  497. {% cache my_timeout sidebar %} ... {% endcache %}
  498. This feature is useful in avoiding repetition in templates. You can set the
  499. timeout in a variable, in one place, and just reuse that value.
  500. By default, the cache tag will try to use the cache called "template_fragments".
  501. If no such cache exists, it will fall back to using the default cache. You may
  502. select an alternate cache backend to use with the ``using`` keyword argument,
  503. which must be the last argument to the tag.
  504. .. code-block:: html+django
  505. {% cache 300 local-thing ... using="localcache" %}
  506. It is considered an error to specify a cache name that is not configured.
  507. .. function:: django.core.cache.utils.make_template_fragment_key(fragment_name, vary_on=None)
  508. If you want to obtain the cache key used for a cached fragment, you can use
  509. ``make_template_fragment_key``. ``fragment_name`` is the same as second argument
  510. to the ``cache`` template tag; ``vary_on`` is a list of all additional arguments
  511. passed to the tag. This function can be useful for invalidating or overwriting
  512. a cached item, for example:
  513. .. code-block:: pycon
  514. >>> from django.core.cache import cache
  515. >>> from django.core.cache.utils import make_template_fragment_key
  516. # cache key for {% cache 500 sidebar username %}
  517. >>> key = make_template_fragment_key('sidebar', [username])
  518. >>> cache.delete(key) # invalidates cached template fragment
  519. The low-level cache API
  520. =======================
  521. .. highlight:: python
  522. Sometimes, caching an entire rendered page doesn't gain you very much and is,
  523. in fact, inconvenient overkill.
  524. Perhaps, for instance, your site includes a view whose results depend on
  525. several expensive queries, the results of which change at different intervals.
  526. In this case, it would not be ideal to use the full-page caching that the
  527. per-site or per-view cache strategies offer, because you wouldn't want to
  528. cache the entire result (since some of the data changes often), but you'd still
  529. want to cache the results that rarely change.
  530. For cases like this, Django exposes a simple, low-level cache API. You can use
  531. this API to store objects in the cache with any level of granularity you like.
  532. You can cache any Python object that can be pickled safely: strings,
  533. dictionaries, lists of model objects, and so forth. (Most common Python objects
  534. can be pickled; refer to the Python documentation for more information about
  535. pickling.)
  536. Accessing the cache
  537. -------------------
  538. .. data:: django.core.cache.caches
  539. You can access the caches configured in the :setting:`CACHES` setting
  540. through a dict-like object: ``django.core.cache.caches``. Repeated
  541. requests for the same alias in the same thread will return the same
  542. object.
  543. >>> from django.core.cache import caches
  544. >>> cache1 = caches['myalias']
  545. >>> cache2 = caches['myalias']
  546. >>> cache1 is cache2
  547. True
  548. If the named key does not exist, ``InvalidCacheBackendError`` will be
  549. raised.
  550. To provide thread-safety, a different instance of the cache backend will
  551. be returned for each thread.
  552. .. data:: django.core.cache.cache
  553. As a shortcut, the default cache is available as
  554. ``django.core.cache.cache``::
  555. >>> from django.core.cache import cache
  556. This object is equivalent to ``caches['default']``.
  557. Basic usage
  558. -----------
  559. The basic interface is ``set(key, value, timeout)`` and ``get(key)``::
  560. >>> cache.set('my_key', 'hello, world!', 30)
  561. >>> cache.get('my_key')
  562. 'hello, world!'
  563. The ``timeout`` argument is optional and defaults to the ``timeout`` argument
  564. of the appropriate backend in the :setting:`CACHES` setting (explained above).
  565. It's the number of seconds the value should be stored in the cache. Passing in
  566. ``None`` for ``timeout`` will cache the value forever.
  567. If the object doesn't exist in the cache, ``cache.get()`` returns ``None``::
  568. # Wait 30 seconds for 'my_key' to expire...
  569. >>> cache.get('my_key')
  570. None
  571. We advise against storing the literal value ``None`` in the cache, because you
  572. won't be able to distinguish between your stored ``None`` value and a cache
  573. miss signified by a return value of ``None``.
  574. ``cache.get()`` can take a ``default`` argument. This specifies which value to
  575. return if the object doesn't exist in the cache::
  576. >>> cache.get('my_key', 'has expired')
  577. 'has expired'
  578. To add a key only if it doesn't already exist, use the ``add()`` method.
  579. It takes the same parameters as ``set()``, but it will not attempt to
  580. update the cache if the key specified is already present::
  581. >>> cache.set('add_key', 'Initial value')
  582. >>> cache.add('add_key', 'New value')
  583. >>> cache.get('add_key')
  584. 'Initial value'
  585. If you need to know whether ``add()`` stored a value in the cache, you can
  586. check the return value. It will return ``True`` if the value was stored,
  587. ``False`` otherwise.
  588. There's also a ``get_many()`` interface that only hits the cache once.
  589. ``get_many()`` returns a dictionary with all the keys you asked for that
  590. actually exist in the cache (and haven't expired)::
  591. >>> cache.set('a', 1)
  592. >>> cache.set('b', 2)
  593. >>> cache.set('c', 3)
  594. >>> cache.get_many(['a', 'b', 'c'])
  595. {'a': 1, 'b': 2, 'c': 3}
  596. To set multiple values more efficiently, use ``set_many()`` to pass a dictionary
  597. of key-value pairs::
  598. >>> cache.set_many({'a': 1, 'b': 2, 'c': 3})
  599. >>> cache.get_many(['a', 'b', 'c'])
  600. {'a': 1, 'b': 2, 'c': 3}
  601. Like ``cache.set()``, ``set_many()`` takes an optional ``timeout`` parameter.
  602. You can delete keys explicitly with ``delete()``. This is an easy way of
  603. clearing the cache for a particular object::
  604. >>> cache.delete('a')
  605. If you want to clear a bunch of keys at once, ``delete_many()`` can take a list
  606. of keys to be cleared::
  607. >>> cache.delete_many(['a', 'b', 'c'])
  608. Finally, if you want to delete all the keys in the cache, use
  609. ``cache.clear()``. Be careful with this; ``clear()`` will remove *everything*
  610. from the cache, not just the keys set by your application. ::
  611. >>> cache.clear()
  612. You can also increment or decrement a key that already exists using the
  613. ``incr()`` or ``decr()`` methods, respectively. By default, the existing cache
  614. value will incremented or decremented by 1. Other increment/decrement values
  615. can be specified by providing an argument to the increment/decrement call. A
  616. ValueError will be raised if you attempt to increment or decrement a
  617. nonexistent cache key.::
  618. >>> cache.set('num', 1)
  619. >>> cache.incr('num')
  620. 2
  621. >>> cache.incr('num', 10)
  622. 12
  623. >>> cache.decr('num')
  624. 11
  625. >>> cache.decr('num', 5)
  626. 6
  627. .. note::
  628. ``incr()``/``decr()`` methods are not guaranteed to be atomic. On those
  629. backends that support atomic increment/decrement (most notably, the
  630. memcached backend), increment and decrement operations will be atomic.
  631. However, if the backend doesn't natively provide an increment/decrement
  632. operation, it will be implemented using a two-step retrieve/update.
  633. You can close the connection to your cache with ``close()`` if implemented by
  634. the cache backend.
  635. >>> cache.close()
  636. .. note::
  637. For caches that don't implement ``close`` methods it is a no-op.
  638. .. _cache_key_prefixing:
  639. Cache key prefixing
  640. -------------------
  641. If you are sharing a cache instance between servers, or between your
  642. production and development environments, it's possible for data cached
  643. by one server to be used by another server. If the format of cached
  644. data is different between servers, this can lead to some very hard to
  645. diagnose problems.
  646. To prevent this, Django provides the ability to prefix all cache keys
  647. used by a server. When a particular cache key is saved or retrieved,
  648. Django will automatically prefix the cache key with the value of the
  649. :setting:`KEY_PREFIX <CACHES-KEY_PREFIX>` cache setting.
  650. By ensuring each Django instance has a different
  651. :setting:`KEY_PREFIX <CACHES-KEY_PREFIX>`, you can ensure that there will be no
  652. collisions in cache values.
  653. .. _cache_versioning:
  654. Cache versioning
  655. ----------------
  656. When you change running code that uses cached values, you may need to
  657. purge any existing cached values. The easiest way to do this is to
  658. flush the entire cache, but this can lead to the loss of cache values
  659. that are still valid and useful.
  660. Django provides a better way to target individual cache values.
  661. Django's cache framework has a system-wide version identifier,
  662. specified using the :setting:`VERSION <CACHES-VERSION>` cache setting.
  663. The value of this setting is automatically combined with the cache
  664. prefix and the user-provided cache key to obtain the final cache key.
  665. By default, any key request will automatically include the site
  666. default cache key version. However, the primitive cache functions all
  667. include a ``version`` argument, so you can specify a particular cache
  668. key version to set or get. For example::
  669. # Set version 2 of a cache key
  670. >>> cache.set('my_key', 'hello world!', version=2)
  671. # Get the default version (assuming version=1)
  672. >>> cache.get('my_key')
  673. None
  674. # Get version 2 of the same key
  675. >>> cache.get('my_key', version=2)
  676. 'hello world!'
  677. The version of a specific key can be incremented and decremented using
  678. the ``incr_version()`` and ``decr_version()`` methods. This
  679. enables specific keys to be bumped to a new version, leaving other
  680. keys unaffected. Continuing our previous example::
  681. # Increment the version of 'my_key'
  682. >>> cache.incr_version('my_key')
  683. # The default version still isn't available
  684. >>> cache.get('my_key')
  685. None
  686. # Version 2 isn't available, either
  687. >>> cache.get('my_key', version=2)
  688. None
  689. # But version 3 *is* available
  690. >>> cache.get('my_key', version=3)
  691. 'hello world!'
  692. .. _cache_key_transformation:
  693. Cache key transformation
  694. ------------------------
  695. As described in the previous two sections, the cache key provided by a
  696. user is not used verbatim -- it is combined with the cache prefix and
  697. key version to provide a final cache key. By default, the three parts
  698. are joined using colons to produce a final string::
  699. def make_key(key, key_prefix, version):
  700. return ':'.join([key_prefix, str(version), key])
  701. If you want to combine the parts in different ways, or apply other
  702. processing to the final key (e.g., taking a hash digest of the key
  703. parts), you can provide a custom key function.
  704. The :setting:`KEY_FUNCTION <CACHES-KEY_FUNCTION>` cache setting
  705. specifies a dotted-path to a function matching the prototype of
  706. ``make_key()`` above. If provided, this custom key function will
  707. be used instead of the default key combining function.
  708. Cache key warnings
  709. ------------------
  710. Memcached, the most commonly-used production cache backend, does not allow
  711. cache keys longer than 250 characters or containing whitespace or control
  712. characters, and using such keys will cause an exception. To encourage
  713. cache-portable code and minimize unpleasant surprises, the other built-in cache
  714. backends issue a warning (``django.core.cache.backends.base.CacheKeyWarning``)
  715. if a key is used that would cause an error on memcached.
  716. If you are using a production backend that can accept a wider range of keys (a
  717. custom backend, or one of the non-memcached built-in backends), and want to use
  718. this wider range without warnings, you can silence ``CacheKeyWarning`` with
  719. this code in the ``management`` module of one of your
  720. :setting:`INSTALLED_APPS`::
  721. import warnings
  722. from django.core.cache import CacheKeyWarning
  723. warnings.simplefilter("ignore", CacheKeyWarning)
  724. If you want to instead provide custom key validation logic for one of the
  725. built-in backends, you can subclass it, override just the ``validate_key``
  726. method, and follow the instructions for `using a custom cache backend`_. For
  727. instance, to do this for the ``locmem`` backend, put this code in a module::
  728. from django.core.cache.backends.locmem import LocMemCache
  729. class CustomLocMemCache(LocMemCache):
  730. def validate_key(self, key):
  731. """Custom validation, raising exceptions or warnings as needed."""
  732. # ...
  733. ...and use the dotted Python path to this class in the
  734. :setting:`BACKEND <CACHES-BACKEND>` portion of your :setting:`CACHES` setting.
  735. Downstream caches
  736. =================
  737. So far, this document has focused on caching your *own* data. But another type
  738. of caching is relevant to Web development, too: caching performed by
  739. "downstream" caches. These are systems that cache pages for users even before
  740. the request reaches your Web site.
  741. Here are a few examples of downstream caches:
  742. * Your ISP may cache certain pages, so if you requested a page from
  743. http://example.com/, your ISP would send you the page without having to
  744. access example.com directly. The maintainers of example.com have no
  745. knowledge of this caching; the ISP sits between example.com and your Web
  746. browser, handling all of the caching transparently.
  747. * Your Django Web site may sit behind a *proxy cache*, such as Squid Web
  748. Proxy Cache (http://www.squid-cache.org/), that caches pages for
  749. performance. In this case, each request first would be handled by the
  750. proxy, and it would be passed to your application only if needed.
  751. * Your Web browser caches pages, too. If a Web page sends out the
  752. appropriate headers, your browser will use the local cached copy for
  753. subsequent requests to that page, without even contacting the Web page
  754. again to see whether it has changed.
  755. Downstream caching is a nice efficiency boost, but there's a danger to it:
  756. Many Web pages' contents differ based on authentication and a host of other
  757. variables, and cache systems that blindly save pages based purely on URLs could
  758. expose incorrect or sensitive data to subsequent visitors to those pages.
  759. For example, say you operate a Web email system, and the contents of the
  760. "inbox" page obviously depend on which user is logged in. If an ISP blindly
  761. cached your site, then the first user who logged in through that ISP would have
  762. their user-specific inbox page cached for subsequent visitors to the site.
  763. That's not cool.
  764. Fortunately, HTTP provides a solution to this problem. A number of HTTP headers
  765. exist to instruct downstream caches to differ their cache contents depending on
  766. designated variables, and to tell caching mechanisms not to cache particular
  767. pages. We'll look at some of these headers in the sections that follow.
  768. .. _using-vary-headers:
  769. Using Vary headers
  770. ==================
  771. The ``Vary`` header defines which request headers a cache
  772. mechanism should take into account when building its cache key. For example, if
  773. the contents of a Web page depend on a user's language preference, the page is
  774. said to "vary on language."
  775. By default, Django's cache system creates its cache keys using the requested
  776. fully-qualified URL -- e.g.,
  777. ``"http://www.example.com/stories/2005/?order_by=author"``. This means every
  778. request to that URL will use the same cached version, regardless of user-agent
  779. differences such as cookies or language preferences. However, if this page
  780. produces different content based on some difference in request headers -- such
  781. as a cookie, or a language, or a user-agent -- you'll need to use the ``Vary``
  782. header to tell caching mechanisms that the page output depends on those things.
  783. To do this in Django, use the convenient
  784. :func:`django.views.decorators.vary.vary_on_headers` view decorator, like so::
  785. from django.views.decorators.vary import vary_on_headers
  786. @vary_on_headers('User-Agent')
  787. def my_view(request):
  788. # ...
  789. In this case, a caching mechanism (such as Django's own cache middleware) will
  790. cache a separate version of the page for each unique user-agent.
  791. The advantage to using the ``vary_on_headers`` decorator rather than manually
  792. setting the ``Vary`` header (using something like
  793. ``response['Vary'] = 'user-agent'``) is that the decorator *adds* to the
  794. ``Vary`` header (which may already exist), rather than setting it from scratch
  795. and potentially overriding anything that was already in there.
  796. You can pass multiple headers to ``vary_on_headers()``::
  797. @vary_on_headers('User-Agent', 'Cookie')
  798. def my_view(request):
  799. # ...
  800. This tells downstream caches to vary on *both*, which means each combination of
  801. user-agent and cookie will get its own cache value. For example, a request with
  802. the user-agent ``Mozilla`` and the cookie value ``foo=bar`` will be considered
  803. different from a request with the user-agent ``Mozilla`` and the cookie value
  804. ``foo=ham``.
  805. Because varying on cookie is so common, there's a
  806. :func:`django.views.decorators.vary.vary_on_cookie` decorator. These two views
  807. are equivalent::
  808. @vary_on_cookie
  809. def my_view(request):
  810. # ...
  811. @vary_on_headers('Cookie')
  812. def my_view(request):
  813. # ...
  814. The headers you pass to ``vary_on_headers`` are not case sensitive;
  815. ``"User-Agent"`` is the same thing as ``"user-agent"``.
  816. You can also use a helper function, :func:`django.utils.cache.patch_vary_headers`,
  817. directly. This function sets, or adds to, the ``Vary header``. For example::
  818. from django.utils.cache import patch_vary_headers
  819. def my_view(request):
  820. # ...
  821. response = render_to_response('template_name', context)
  822. patch_vary_headers(response, ['Cookie'])
  823. return response
  824. ``patch_vary_headers`` takes an :class:`~django.http.HttpResponse` instance as
  825. its first argument and a list/tuple of case-insensitive header names as its
  826. second argument.
  827. For more on Vary headers, see the `official Vary spec`_.
  828. .. _`official Vary spec`: http://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.44
  829. Controlling cache: Using other headers
  830. ======================================
  831. Other problems with caching are the privacy of data and the question of where
  832. data should be stored in a cascade of caches.
  833. A user usually faces two kinds of caches: their own browser cache (a private
  834. cache) and their provider's cache (a public cache). A public cache is used by
  835. multiple users and controlled by someone else. This poses problems with
  836. sensitive data--you don't want, say, your bank account number stored in a
  837. public cache. So Web applications need a way to tell caches which data is
  838. private and which is public.
  839. The solution is to indicate a page's cache should be "private." To do this in
  840. Django, use the ``cache_control`` view decorator. Example::
  841. from django.views.decorators.cache import cache_control
  842. @cache_control(private=True)
  843. def my_view(request):
  844. # ...
  845. This decorator takes care of sending out the appropriate HTTP header behind the
  846. scenes.
  847. Note that the cache control settings "private" and "public" are mutually
  848. exclusive. The decorator ensures that the "public" directive is removed if
  849. "private" should be set (and vice versa). An example use of the two directives
  850. would be a blog site that offers both private and public entries. Public
  851. entries may be cached on any shared cache. The following code uses
  852. :func:`django.utils.cache.patch_cache_control`, the manual way to modify the
  853. cache control header (it is internally called by the ``cache_control``
  854. decorator)::
  855. from django.views.decorators.cache import patch_cache_control
  856. from django.views.decorators.vary import vary_on_cookie
  857. @vary_on_cookie
  858. def list_blog_entries_view(request):
  859. if request.user.is_anonymous():
  860. response = render_only_public_entries()
  861. patch_cache_control(response, public=True)
  862. else:
  863. response = render_private_and_public_entries(request.user)
  864. patch_cache_control(response, private=True)
  865. return response
  866. There are a few other ways to control cache parameters. For example, HTTP
  867. allows applications to do the following:
  868. * Define the maximum time a page should be cached.
  869. * Specify whether a cache should always check for newer versions, only
  870. delivering the cached content when there are no changes. (Some caches
  871. might deliver cached content even if the server page changed, simply
  872. because the cache copy isn't yet expired.)
  873. In Django, use the ``cache_control`` view decorator to specify these cache
  874. parameters. In this example, ``cache_control`` tells caches to revalidate the
  875. cache on every access and to store cached versions for, at most, 3,600 seconds::
  876. from django.views.decorators.cache import cache_control
  877. @cache_control(must_revalidate=True, max_age=3600)
  878. def my_view(request):
  879. # ...
  880. Any valid ``Cache-Control`` HTTP directive is valid in ``cache_control()``.
  881. Here's a full list:
  882. * ``public=True``
  883. * ``private=True``
  884. * ``no_cache=True``
  885. * ``no_transform=True``
  886. * ``must_revalidate=True``
  887. * ``proxy_revalidate=True``
  888. * ``max_age=num_seconds``
  889. * ``s_maxage=num_seconds``
  890. For explanation of Cache-Control HTTP directives, see the `Cache-Control spec`_.
  891. (Note that the caching middleware already sets the cache header's max-age with
  892. the value of the :setting:`CACHE_MIDDLEWARE_SECONDS` setting. If you use a custom
  893. ``max_age`` in a ``cache_control`` decorator, the decorator will take
  894. precedence, and the header values will be merged correctly.)
  895. If you want to use headers to disable caching altogether,
  896. ``django.views.decorators.cache.never_cache`` is a view decorator that adds
  897. headers to ensure the response won't be cached by browsers or other caches.
  898. Example::
  899. from django.views.decorators.cache import never_cache
  900. @never_cache
  901. def myview(request):
  902. # ...
  903. .. _`Cache-Control spec`: http://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.9
  904. Order of MIDDLEWARE_CLASSES
  905. ===========================
  906. If you use caching middleware, it's important to put each half in the right
  907. place within the :setting:`MIDDLEWARE_CLASSES` setting. That's because the cache
  908. middleware needs to know which headers by which to vary the cache storage.
  909. Middleware always adds something to the ``Vary`` response header when it can.
  910. ``UpdateCacheMiddleware`` runs during the response phase, where middleware is
  911. run in reverse order, so an item at the top of the list runs *last* during the
  912. response phase. Thus, you need to make sure that ``UpdateCacheMiddleware``
  913. appears *before* any other middleware that might add something to the ``Vary``
  914. header. The following middleware modules do so:
  915. * ``SessionMiddleware`` adds ``Cookie``
  916. * ``GZipMiddleware`` adds ``Accept-Encoding``
  917. * ``LocaleMiddleware`` adds ``Accept-Language``
  918. ``FetchFromCacheMiddleware``, on the other hand, runs during the request phase,
  919. where middleware is applied first-to-last, so an item at the top of the list
  920. runs *first* during the request phase. The ``FetchFromCacheMiddleware`` also
  921. needs to run after other middleware updates the ``Vary`` header, so
  922. ``FetchFromCacheMiddleware`` must be *after* any item that does so.