2
0

sessions.txt 32 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847
  1. ===================
  2. How to use sessions
  3. ===================
  4. .. module:: django.contrib.sessions
  5. :synopsis: Provides session management for Django projects.
  6. Django provides full support for anonymous sessions. The session framework
  7. lets you store and retrieve arbitrary data on a per-site-visitor basis. It
  8. stores data on the server side and abstracts the sending and receiving of
  9. cookies. Cookies contain a session ID -- not the data itself (unless you're
  10. using the :ref:`cookie based backend<cookie-session-backend>`).
  11. Enabling sessions
  12. =================
  13. Sessions are implemented via a piece of :doc:`middleware </ref/middleware>`.
  14. To enable session functionality, do the following:
  15. * Edit the :setting:`MIDDLEWARE` setting and make sure it contains
  16. ``'django.contrib.sessions.middleware.SessionMiddleware'``. The default
  17. ``settings.py`` created by ``django-admin startproject`` has
  18. ``SessionMiddleware`` activated.
  19. If you don't want to use sessions, you might as well remove the
  20. ``SessionMiddleware`` line from :setting:`MIDDLEWARE` and
  21. ``'django.contrib.sessions'`` from your :setting:`INSTALLED_APPS`.
  22. It'll save you a small bit of overhead.
  23. .. _configuring-sessions:
  24. Configuring the session engine
  25. ==============================
  26. By default, Django stores sessions in your database (using the model
  27. ``django.contrib.sessions.models.Session``). Though this is convenient, in
  28. some setups it's faster to store session data elsewhere, so Django can be
  29. configured to store session data on your filesystem or in your cache.
  30. Using database-backed sessions
  31. ------------------------------
  32. If you want to use a database-backed session, you need to add
  33. ``'django.contrib.sessions'`` to your :setting:`INSTALLED_APPS` setting.
  34. Once you have configured your installation, run ``manage.py migrate``
  35. to install the single database table that stores session data.
  36. .. _cached-sessions-backend:
  37. Using cached sessions
  38. ---------------------
  39. For better performance, you may want to use a cache-based session backend.
  40. To store session data using Django's cache system, you'll first need to make
  41. sure you've configured your cache; see the :doc:`cache documentation
  42. </topics/cache>` for details.
  43. .. warning::
  44. You should only use cache-based sessions if you're using the Memcached or
  45. Redis cache backend. The local-memory cache backend doesn't retain data
  46. long enough to be a good choice, and it'll be faster to use file or
  47. database sessions directly instead of sending everything through the file
  48. or database cache backends. Additionally, the local-memory cache backend is
  49. NOT multi-process safe, therefore probably not a good choice for production
  50. environments.
  51. If you have multiple caches defined in :setting:`CACHES`, Django will use the
  52. default cache. To use another cache, set :setting:`SESSION_CACHE_ALIAS` to the
  53. name of that cache.
  54. Once your cache is configured, you have to choose between a database-backed
  55. cache or a non-persistent cache.
  56. The cached database backend (``cached_db``) uses a write-through cache --
  57. session writes are applied to both the cache and the database. Session reads
  58. use the cache, or the database if the data has been evicted from the cache. To
  59. use this backend, set :setting:`SESSION_ENGINE` to
  60. ``"django.contrib.sessions.backends.cached_db"``, and follow the configuration
  61. instructions for the `using database-backed sessions`_.
  62. The cache backend (``cache``) stores session data only in your cache. This is
  63. faster because it avoids database persistence, but you will have to consider
  64. what happens when cache data is evicted. Eviction can occur if the cache fills
  65. up or the cache server is restarted, and it will mean session data is lost,
  66. including logging out users. To use this backend, set :setting:`SESSION_ENGINE`
  67. to ``"django.contrib.sessions.backends.cache"``.
  68. The cache backend can be made persistent by using a persistent cache, such as
  69. Redis with appropriate configuration. But unless your cache is definitely
  70. configured for sufficient persistence, opt for the cached database backend.
  71. This avoids edge cases caused by unreliable data storage in production.
  72. Using file-based sessions
  73. -------------------------
  74. To use file-based sessions, set the :setting:`SESSION_ENGINE` setting to
  75. ``"django.contrib.sessions.backends.file"``.
  76. You might also want to set the :setting:`SESSION_FILE_PATH` setting (which
  77. defaults to output from ``tempfile.gettempdir()``, most likely ``/tmp``) to
  78. control where Django stores session files. Be sure to check that your web
  79. server has permissions to read and write to this location.
  80. .. _cookie-session-backend:
  81. Using cookie-based sessions
  82. ---------------------------
  83. To use cookies-based sessions, set the :setting:`SESSION_ENGINE` setting to
  84. ``"django.contrib.sessions.backends.signed_cookies"``. The session data will be
  85. stored using Django's tools for :doc:`cryptographic signing </topics/signing>`
  86. and the :setting:`SECRET_KEY` setting.
  87. .. note::
  88. It's recommended to leave the :setting:`SESSION_COOKIE_HTTPONLY` setting
  89. on ``True`` to prevent access to the stored data from JavaScript.
  90. .. warning::
  91. **The session data is signed but not encrypted**
  92. When using the cookies backend the session data can be read by the client.
  93. A MAC (Message Authentication Code) is used to protect the data against
  94. changes by the client, so that the session data will be invalidated when being
  95. tampered with. The same invalidation happens if the client storing the
  96. cookie (e.g. your user's browser) can't store all of the session cookie and
  97. drops data. Even though Django compresses the data, it's still entirely
  98. possible to exceed the :rfc:`common limit of 4096 bytes <2965#section-5.3>`
  99. per cookie.
  100. **No freshness guarantee**
  101. Note also that while the MAC can guarantee the authenticity of the data
  102. (that it was generated by your site, and not someone else), and the
  103. integrity of the data (that it is all there and correct), it cannot
  104. guarantee freshness i.e. that you are being sent back the last thing you
  105. sent to the client. This means that for some uses of session data, the
  106. cookie backend might open you up to `replay attacks`_. Unlike other session
  107. backends which keep a server-side record of each session and invalidate it
  108. when a user logs out, cookie-based sessions are not invalidated when a user
  109. logs out. Thus if an attacker steals a user's cookie, they can use that
  110. cookie to login as that user even if the user logs out. Cookies will only
  111. be detected as 'stale' if they are older than your
  112. :setting:`SESSION_COOKIE_AGE`.
  113. **Performance**
  114. Finally, the size of a cookie can have an impact on the speed of your site.
  115. .. _`replay attacks`: https://en.wikipedia.org/wiki/Replay_attack
  116. Using sessions in views
  117. =======================
  118. When ``SessionMiddleware`` is activated, each :class:`~django.http.HttpRequest`
  119. object -- the first argument to any Django view function -- will have a
  120. ``session`` attribute, which is a dictionary-like object.
  121. You can read it and write to ``request.session`` at any point in your view.
  122. You can edit it multiple times.
  123. .. class:: backends.base.SessionBase
  124. This is the base class for all session objects. It has the following
  125. standard dictionary methods:
  126. .. method:: __getitem__(key)
  127. Example: ``fav_color = request.session['fav_color']``
  128. .. method:: __setitem__(key, value)
  129. Example: ``request.session['fav_color'] = 'blue'``
  130. .. method:: __delitem__(key)
  131. Example: ``del request.session['fav_color']``. This raises ``KeyError``
  132. if the given ``key`` isn't already in the session.
  133. .. method:: __contains__(key)
  134. Example: ``'fav_color' in request.session``
  135. .. method:: get(key, default=None)
  136. Example: ``fav_color = request.session.get('fav_color', 'red')``
  137. .. method:: pop(key, default=__not_given)
  138. Example: ``fav_color = request.session.pop('fav_color', 'blue')``
  139. .. method:: keys()
  140. .. method:: items()
  141. .. method:: setdefault()
  142. .. method:: clear()
  143. It also has these methods:
  144. .. method:: flush()
  145. Deletes the current session data from the session and deletes the session
  146. cookie. This is used if you want to ensure that the previous session data
  147. can't be accessed again from the user's browser (for example, the
  148. :func:`django.contrib.auth.logout()` function calls it).
  149. .. method:: set_test_cookie()
  150. Sets a test cookie to determine whether the user's browser supports
  151. cookies. Due to the way cookies work, you won't be able to test this
  152. until the user's next page request. See `Setting test cookies`_ below for
  153. more information.
  154. .. method:: test_cookie_worked()
  155. Returns either ``True`` or ``False``, depending on whether the user's
  156. browser accepted the test cookie. Due to the way cookies work, you'll
  157. have to call ``set_test_cookie()`` on a previous, separate page request.
  158. See `Setting test cookies`_ below for more information.
  159. .. method:: delete_test_cookie()
  160. Deletes the test cookie. Use this to clean up after yourself.
  161. .. method:: get_session_cookie_age()
  162. Returns the value of the setting :setting:`SESSION_COOKIE_AGE`. This can
  163. be overridden in a custom session backend.
  164. .. method:: set_expiry(value)
  165. Sets the expiration time for the session. You can pass a number of
  166. different values:
  167. * If ``value`` is an integer, the session will expire after that
  168. many seconds of inactivity. For example, calling
  169. ``request.session.set_expiry(300)`` would make the session expire
  170. in 5 minutes.
  171. * If ``value`` is a ``datetime`` or ``timedelta`` object, the session
  172. will expire at that specific date/time.
  173. * If ``value`` is ``0``, the user's session cookie will expire
  174. when the user's web browser is closed.
  175. * If ``value`` is ``None``, the session reverts to using the global
  176. session expiry policy.
  177. Reading a session is not considered activity for expiration
  178. purposes. Session expiration is computed from the last time the
  179. session was *modified*.
  180. .. method:: get_expiry_age()
  181. Returns the number of seconds until this session expires. For sessions
  182. with no custom expiration (or those set to expire at browser close), this
  183. will equal :setting:`SESSION_COOKIE_AGE`.
  184. This function accepts two optional keyword arguments:
  185. - ``modification``: last modification of the session, as a
  186. :class:`~datetime.datetime` object. Defaults to the current time.
  187. - ``expiry``: expiry information for the session, as a
  188. :class:`~datetime.datetime` object, an :class:`int` (in seconds), or
  189. ``None``. Defaults to the value stored in the session by
  190. :meth:`set_expiry`, if there is one, or ``None``.
  191. .. note::
  192. This method is used by session backends to determine the session expiry
  193. age in seconds when saving the session. It is not really intended for
  194. usage outside of that context.
  195. In particular, while it is **possible** to determine the remaining
  196. lifetime of a session **just when** you have the correct
  197. ``modification`` value **and** the ``expiry`` is set as a ``datetime``
  198. object, where you do have the ``modification`` value, it is more
  199. straight-forward to calculate the expiry by-hand::
  200. expires_at = modification + timedelta(seconds=settings.SESSION_COOKIE_AGE)
  201. .. method:: get_expiry_date()
  202. Returns the date this session will expire. For sessions with no custom
  203. expiration (or those set to expire at browser close), this will equal the
  204. date :setting:`SESSION_COOKIE_AGE` seconds from now.
  205. This function accepts the same keyword arguments as
  206. :meth:`get_expiry_age`, and similar notes on usage apply.
  207. .. method:: get_expire_at_browser_close()
  208. Returns either ``True`` or ``False``, depending on whether the user's
  209. session cookie will expire when the user's web browser is closed.
  210. .. method:: clear_expired()
  211. Removes expired sessions from the session store. This class method is
  212. called by :djadmin:`clearsessions`.
  213. .. method:: cycle_key()
  214. Creates a new session key while retaining the current session data.
  215. :func:`django.contrib.auth.login()` calls this method to mitigate against
  216. session fixation.
  217. .. _session_serialization:
  218. Session serialization
  219. ---------------------
  220. By default, Django serializes session data using JSON. You can use the
  221. :setting:`SESSION_SERIALIZER` setting to customize the session serialization
  222. format. Even with the caveats described in :ref:`custom-serializers`, we highly
  223. recommend sticking with JSON serialization *especially if you are using the
  224. cookie backend*.
  225. For example, here's an attack scenario if you use :mod:`pickle` to serialize
  226. session data. If you're using the :ref:`signed cookie session backend
  227. <cookie-session-backend>` and :setting:`SECRET_KEY` (or any key of
  228. :setting:`SECRET_KEY_FALLBACKS`) is known by an attacker (there isn't an
  229. inherent vulnerability in Django that would cause it to leak), the attacker
  230. could insert a string into their session which, when unpickled, executes
  231. arbitrary code on the server. The technique for doing so is simple and easily
  232. available on the internet. Although the cookie session storage signs the
  233. cookie-stored data to prevent tampering, a :setting:`SECRET_KEY` leak
  234. immediately escalates to a remote code execution vulnerability.
  235. Bundled serializers
  236. ~~~~~~~~~~~~~~~~~~~
  237. .. class:: serializers.JSONSerializer
  238. A wrapper around the JSON serializer from :mod:`django.core.signing`. Can
  239. only serialize basic data types.
  240. In addition, as JSON supports only string keys, note that using non-string
  241. keys in ``request.session`` won't work as expected:
  242. .. code-block:: pycon
  243. >>> # initial assignment
  244. >>> request.session[0] = "bar"
  245. >>> # subsequent requests following serialization & deserialization
  246. >>> # of session data
  247. >>> request.session[0] # KeyError
  248. >>> request.session["0"]
  249. 'bar'
  250. Similarly, data that can't be encoded in JSON, such as non-UTF8 bytes like
  251. ``'\xd9'`` (which raises :exc:`UnicodeDecodeError`), can't be stored.
  252. See the :ref:`custom-serializers` section for more details on limitations
  253. of JSON serialization.
  254. .. _custom-serializers:
  255. Write your own serializer
  256. ~~~~~~~~~~~~~~~~~~~~~~~~~
  257. Note that the :class:`~django.contrib.sessions.serializers.JSONSerializer`
  258. cannot handle arbitrary Python data types. As is often the case, there is a
  259. trade-off between convenience and security. If you wish to store more advanced
  260. data types including ``datetime`` and ``Decimal`` in JSON backed sessions, you
  261. will need to write a custom serializer (or convert such values to a JSON
  262. serializable object before storing them in ``request.session``). While
  263. serializing these values is often straightforward
  264. (:class:`~django.core.serializers.json.DjangoJSONEncoder` may be helpful),
  265. writing a decoder that can reliably get back the same thing that you put in is
  266. more fragile. For example, you run the risk of returning a ``datetime`` that
  267. was actually a string that just happened to be in the same format chosen for
  268. ``datetime``\s).
  269. Your serializer class must implement two methods,
  270. ``dumps(self, obj)`` and ``loads(self, data)``, to serialize and deserialize
  271. the dictionary of session data, respectively.
  272. Session object guidelines
  273. -------------------------
  274. * Use normal Python strings as dictionary keys on ``request.session``. This
  275. is more of a convention than a hard-and-fast rule.
  276. * Session dictionary keys that begin with an underscore are reserved for
  277. internal use by Django.
  278. * Don't override ``request.session`` with a new object, and don't access or
  279. set its attributes. Use it like a Python dictionary.
  280. Examples
  281. --------
  282. This simplistic view sets a ``has_commented`` variable to ``True`` after a user
  283. posts a comment. It doesn't let a user post a comment more than once::
  284. def post_comment(request, new_comment):
  285. if request.session.get("has_commented", False):
  286. return HttpResponse("You've already commented.")
  287. c = comments.Comment(comment=new_comment)
  288. c.save()
  289. request.session["has_commented"] = True
  290. return HttpResponse("Thanks for your comment!")
  291. This simplistic view logs in a "member" of the site::
  292. def login(request):
  293. m = Member.objects.get(username=request.POST["username"])
  294. if m.check_password(request.POST["password"]):
  295. request.session["member_id"] = m.id
  296. return HttpResponse("You're logged in.")
  297. else:
  298. return HttpResponse("Your username and password didn't match.")
  299. ...And this one logs a member out, according to ``login()`` above::
  300. def logout(request):
  301. try:
  302. del request.session["member_id"]
  303. except KeyError:
  304. pass
  305. return HttpResponse("You're logged out.")
  306. The standard :meth:`django.contrib.auth.logout` function actually does a bit
  307. more than this to prevent inadvertent data leakage. It calls the
  308. :meth:`~backends.base.SessionBase.flush` method of ``request.session``.
  309. We are using this example as a demonstration of how to work with session
  310. objects, not as a full ``logout()`` implementation.
  311. Setting test cookies
  312. ====================
  313. As a convenience, Django provides a way to test whether the user's browser
  314. accepts cookies. Call the :meth:`~backends.base.SessionBase.set_test_cookie`
  315. method of ``request.session`` in a view, and call
  316. :meth:`~backends.base.SessionBase.test_cookie_worked` in a subsequent view --
  317. not in the same view call.
  318. This awkward split between ``set_test_cookie()`` and ``test_cookie_worked()``
  319. is necessary due to the way cookies work. When you set a cookie, you can't
  320. actually tell whether a browser accepted it until the browser's next request.
  321. It's good practice to use
  322. :meth:`~backends.base.SessionBase.delete_test_cookie()` to clean up after
  323. yourself. Do this after you've verified that the test cookie worked.
  324. Here's a typical usage example::
  325. from django.http import HttpResponse
  326. from django.shortcuts import render
  327. def login(request):
  328. if request.method == "POST":
  329. if request.session.test_cookie_worked():
  330. request.session.delete_test_cookie()
  331. return HttpResponse("You're logged in.")
  332. else:
  333. return HttpResponse("Please enable cookies and try again.")
  334. request.session.set_test_cookie()
  335. return render(request, "foo/login_form.html")
  336. Using sessions out of views
  337. ===========================
  338. .. note::
  339. The examples in this section import the ``SessionStore`` object directly
  340. from the ``django.contrib.sessions.backends.db`` backend. In your own code,
  341. you should consider importing ``SessionStore`` from the session engine
  342. designated by :setting:`SESSION_ENGINE`, as below:
  343. .. code-block:: pycon
  344. >>> from importlib import import_module
  345. >>> from django.conf import settings
  346. >>> SessionStore = import_module(settings.SESSION_ENGINE).SessionStore
  347. An API is available to manipulate session data outside of a view:
  348. .. code-block:: pycon
  349. >>> from django.contrib.sessions.backends.db import SessionStore
  350. >>> s = SessionStore()
  351. >>> # stored as seconds since epoch since datetimes are not serializable in JSON.
  352. >>> s["last_login"] = 1376587691
  353. >>> s.create()
  354. >>> s.session_key
  355. '2b1189a188b44ad18c35e113ac6ceead'
  356. >>> s = SessionStore(session_key="2b1189a188b44ad18c35e113ac6ceead")
  357. >>> s["last_login"]
  358. 1376587691
  359. ``SessionStore.create()`` is designed to create a new session (i.e. one not
  360. loaded from the session store and with ``session_key=None``). ``save()`` is
  361. designed to save an existing session (i.e. one loaded from the session store).
  362. Calling ``save()`` on a new session may also work but has a small chance of
  363. generating a ``session_key`` that collides with an existing one. ``create()``
  364. calls ``save()`` and loops until an unused ``session_key`` is generated.
  365. If you're using the ``django.contrib.sessions.backends.db`` backend, each
  366. session is a normal Django model. The ``Session`` model is defined in
  367. :source:`django/contrib/sessions/models.py`. Because it's a normal model, you can
  368. access sessions using the normal Django database API:
  369. .. code-block:: pycon
  370. >>> from django.contrib.sessions.models import Session
  371. >>> s = Session.objects.get(pk="2b1189a188b44ad18c35e113ac6ceead")
  372. >>> s.expire_date
  373. datetime.datetime(2005, 8, 20, 13, 35, 12)
  374. Note that you'll need to call
  375. :meth:`~base_session.AbstractBaseSession.get_decoded()` to get the session
  376. dictionary. This is necessary because the dictionary is stored in an encoded
  377. format:
  378. .. code-block:: pycon
  379. >>> s.session_data
  380. 'KGRwMQpTJ19hdXRoX3VzZXJfaWQnCnAyCkkxCnMuMTExY2ZjODI2Yj...'
  381. >>> s.get_decoded()
  382. {'user_id': 42}
  383. When sessions are saved
  384. =======================
  385. By default, Django only saves to the session database when the session has been
  386. modified -- that is if any of its dictionary values have been assigned or
  387. deleted::
  388. # Session is modified.
  389. request.session["foo"] = "bar"
  390. # Session is modified.
  391. del request.session["foo"]
  392. # Session is modified.
  393. request.session["foo"] = {}
  394. # Gotcha: Session is NOT modified, because this alters
  395. # request.session['foo'] instead of request.session.
  396. request.session["foo"]["bar"] = "baz"
  397. In the last case of the above example, we can tell the session object
  398. explicitly that it has been modified by setting the ``modified`` attribute on
  399. the session object::
  400. request.session.modified = True
  401. To change this default behavior, set the :setting:`SESSION_SAVE_EVERY_REQUEST`
  402. setting to ``True``. When set to ``True``, Django will save the session to the
  403. database on every single request.
  404. Note that the session cookie is only sent when a session has been created or
  405. modified. If :setting:`SESSION_SAVE_EVERY_REQUEST` is ``True``, the session
  406. cookie will be sent on every request.
  407. Similarly, the ``expires`` part of a session cookie is updated each time the
  408. session cookie is sent.
  409. The session is not saved if the response's status code is 500.
  410. .. _browser-length-vs-persistent-sessions:
  411. Browser-length sessions vs. persistent sessions
  412. ===============================================
  413. You can control whether the session framework uses browser-length sessions vs.
  414. persistent sessions with the :setting:`SESSION_EXPIRE_AT_BROWSER_CLOSE`
  415. setting.
  416. By default, :setting:`SESSION_EXPIRE_AT_BROWSER_CLOSE` is set to ``False``,
  417. which means session cookies will be stored in users' browsers for as long as
  418. :setting:`SESSION_COOKIE_AGE`. Use this if you don't want people to have to
  419. log in every time they open a browser.
  420. If :setting:`SESSION_EXPIRE_AT_BROWSER_CLOSE` is set to ``True``, Django will
  421. use browser-length cookies -- cookies that expire as soon as the user closes
  422. their browser. Use this if you want people to have to log in every time they
  423. open a browser.
  424. This setting is a global default and can be overwritten at a per-session level
  425. by explicitly calling the :meth:`~backends.base.SessionBase.set_expiry` method
  426. of ``request.session`` as described above in `using sessions in views`_.
  427. .. note::
  428. Some browsers (Chrome, for example) provide settings that allow users to
  429. continue browsing sessions after closing and reopening the browser. In
  430. some cases, this can interfere with the
  431. :setting:`SESSION_EXPIRE_AT_BROWSER_CLOSE` setting and prevent sessions
  432. from expiring on browser close. Please be aware of this while testing
  433. Django applications which have the
  434. :setting:`SESSION_EXPIRE_AT_BROWSER_CLOSE` setting enabled.
  435. .. _clearing-the-session-store:
  436. Clearing the session store
  437. ==========================
  438. As users create new sessions on your website, session data can accumulate in
  439. your session store. If you're using the database backend, the
  440. ``django_session`` database table will grow. If you're using the file backend,
  441. your temporary directory will contain an increasing number of files.
  442. To understand this problem, consider what happens with the database backend.
  443. When a user logs in, Django adds a row to the ``django_session`` database
  444. table. Django updates this row each time the session data changes. If the user
  445. logs out manually, Django deletes the row. But if the user does *not* log out,
  446. the row never gets deleted. A similar process happens with the file backend.
  447. Django does *not* provide automatic purging of expired sessions. Therefore,
  448. it's your job to purge expired sessions on a regular basis. Django provides a
  449. clean-up management command for this purpose: :djadmin:`clearsessions`. It's
  450. recommended to call this command on a regular basis, for example as a daily
  451. cron job.
  452. Note that the cache backend isn't vulnerable to this problem, because caches
  453. automatically delete stale data. Neither is the cookie backend, because the
  454. session data is stored by the users' browsers.
  455. Settings
  456. ========
  457. A few :ref:`Django settings <settings-sessions>` give you control over session
  458. behavior:
  459. * :setting:`SESSION_CACHE_ALIAS`
  460. * :setting:`SESSION_COOKIE_AGE`
  461. * :setting:`SESSION_COOKIE_DOMAIN`
  462. * :setting:`SESSION_COOKIE_HTTPONLY`
  463. * :setting:`SESSION_COOKIE_NAME`
  464. * :setting:`SESSION_COOKIE_PATH`
  465. * :setting:`SESSION_COOKIE_SAMESITE`
  466. * :setting:`SESSION_COOKIE_SECURE`
  467. * :setting:`SESSION_ENGINE`
  468. * :setting:`SESSION_EXPIRE_AT_BROWSER_CLOSE`
  469. * :setting:`SESSION_FILE_PATH`
  470. * :setting:`SESSION_SAVE_EVERY_REQUEST`
  471. * :setting:`SESSION_SERIALIZER`
  472. .. _topics-session-security:
  473. Session security
  474. ================
  475. Subdomains within a site are able to set cookies on the client for the whole
  476. domain. This makes session fixation possible if cookies are permitted from
  477. subdomains not controlled by trusted users.
  478. For example, an attacker could log into ``good.example.com`` and get a valid
  479. session for their account. If the attacker has control over ``bad.example.com``,
  480. they can use it to send their session key to you since a subdomain is permitted
  481. to set cookies on ``*.example.com``. When you visit ``good.example.com``,
  482. you'll be logged in as the attacker and might inadvertently enter your
  483. sensitive personal data (e.g. credit card info) into the attacker's account.
  484. Another possible attack would be if ``good.example.com`` sets its
  485. :setting:`SESSION_COOKIE_DOMAIN` to ``"example.com"`` which would cause
  486. session cookies from that site to be sent to ``bad.example.com``.
  487. Technical details
  488. =================
  489. * The session dictionary accepts any :mod:`json` serializable value when using
  490. :class:`~django.contrib.sessions.serializers.JSONSerializer`.
  491. * Session data is stored in a database table named ``django_session`` .
  492. * Django only sends a cookie if it needs to. If you don't set any session
  493. data, it won't send a session cookie.
  494. The ``SessionStore`` object
  495. ---------------------------
  496. When working with sessions internally, Django uses a session store object from
  497. the corresponding session engine. By convention, the session store object class
  498. is named ``SessionStore`` and is located in the module designated by
  499. :setting:`SESSION_ENGINE`.
  500. All ``SessionStore`` classes available in Django inherit from
  501. :class:`~backends.base.SessionBase` and implement data manipulation methods,
  502. namely:
  503. * ``exists()``
  504. * ``create()``
  505. * ``save()``
  506. * ``delete()``
  507. * ``load()``
  508. * :meth:`~backends.base.SessionBase.clear_expired`
  509. In order to build a custom session engine or to customize an existing one, you
  510. may create a new class inheriting from :class:`~backends.base.SessionBase` or
  511. any other existing ``SessionStore`` class.
  512. You can extend the session engines, but doing so with database-backed session
  513. engines generally requires some extra effort (see the next section for
  514. details).
  515. .. _extending-database-backed-session-engines:
  516. Extending database-backed session engines
  517. =========================================
  518. Creating a custom database-backed session engine built upon those included in
  519. Django (namely ``db`` and ``cached_db``) may be done by inheriting
  520. :class:`~base_session.AbstractBaseSession` and either ``SessionStore`` class.
  521. ``AbstractBaseSession`` and ``BaseSessionManager`` are importable from
  522. ``django.contrib.sessions.base_session`` so that they can be imported without
  523. including ``django.contrib.sessions`` in :setting:`INSTALLED_APPS`.
  524. .. class:: base_session.AbstractBaseSession
  525. The abstract base session model.
  526. .. attribute:: session_key
  527. Primary key. The field itself may contain up to 40 characters. The
  528. current implementation generates a 32-character string (a random
  529. sequence of digits and lowercase ASCII letters).
  530. .. attribute:: session_data
  531. A string containing an encoded and serialized session dictionary.
  532. .. attribute:: expire_date
  533. A datetime designating when the session expires.
  534. Expired sessions are not available to a user, however, they may still
  535. be stored in the database until the :djadmin:`clearsessions` management
  536. command is run.
  537. .. classmethod:: get_session_store_class()
  538. Returns a session store class to be used with this session model.
  539. .. method:: get_decoded()
  540. Returns decoded session data.
  541. Decoding is performed by the session store class.
  542. You can also customize the model manager by subclassing
  543. :class:`~django.contrib.sessions.base_session.BaseSessionManager`:
  544. .. class:: base_session.BaseSessionManager
  545. .. method:: encode(session_dict)
  546. Returns the given session dictionary serialized and encoded as a string.
  547. Encoding is performed by the session store class tied to a model class.
  548. .. method:: save(session_key, session_dict, expire_date)
  549. Saves session data for a provided session key, or deletes the session
  550. in case the data is empty.
  551. Customization of ``SessionStore`` classes is achieved by overriding methods
  552. and properties described below:
  553. .. class:: backends.db.SessionStore
  554. Implements database-backed session store.
  555. .. classmethod:: get_model_class()
  556. Override this method to return a custom session model if you need one.
  557. .. method:: create_model_instance(data)
  558. Returns a new instance of the session model object, which represents
  559. the current session state.
  560. Overriding this method provides the ability to modify session model
  561. data before it's saved to database.
  562. .. class:: backends.cached_db.SessionStore
  563. Implements cached database-backed session store.
  564. .. attribute:: cache_key_prefix
  565. A prefix added to a session key to build a cache key string.
  566. Example
  567. -------
  568. The example below shows a custom database-backed session engine that includes
  569. an additional database column to store an account ID (thus providing an option
  570. to query the database for all active sessions for an account)::
  571. from django.contrib.sessions.backends.db import SessionStore as DBStore
  572. from django.contrib.sessions.base_session import AbstractBaseSession
  573. from django.db import models
  574. class CustomSession(AbstractBaseSession):
  575. account_id = models.IntegerField(null=True, db_index=True)
  576. @classmethod
  577. def get_session_store_class(cls):
  578. return SessionStore
  579. class SessionStore(DBStore):
  580. @classmethod
  581. def get_model_class(cls):
  582. return CustomSession
  583. def create_model_instance(self, data):
  584. obj = super().create_model_instance(data)
  585. try:
  586. account_id = int(data.get("_auth_user_id"))
  587. except (ValueError, TypeError):
  588. account_id = None
  589. obj.account_id = account_id
  590. return obj
  591. If you are migrating from the Django's built-in ``cached_db`` session store to
  592. a custom one based on ``cached_db``, you should override the cache key prefix
  593. in order to prevent a namespace clash::
  594. class SessionStore(CachedDBStore):
  595. cache_key_prefix = "mysessions.custom_cached_db_backend"
  596. # ...
  597. Session IDs in URLs
  598. ===================
  599. The Django sessions framework is entirely, and solely, cookie-based. It does
  600. not fall back to putting session IDs in URLs as a last resort, as PHP does.
  601. This is an intentional design decision. Not only does that behavior make URLs
  602. ugly, it makes your site vulnerable to session-ID theft via the "Referer"
  603. header.