databases.txt 44 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191119211931194119511961197119811991200120112021203
  1. =========
  2. Databases
  3. =========
  4. Django officially supports the following databases:
  5. * :ref:`PostgreSQL <postgresql-notes>`
  6. * :ref:`MariaDB <mariadb-notes>`
  7. * :ref:`MySQL <mysql-notes>`
  8. * :ref:`Oracle <oracle-notes>`
  9. * :ref:`SQLite <sqlite-notes>`
  10. There are also a number of :ref:`database backends provided by third parties
  11. <third-party-notes>`.
  12. Django attempts to support as many features as possible on all database
  13. backends. However, not all database backends are alike, and we've had to make
  14. design decisions on which features to support and which assumptions we can make
  15. safely.
  16. This file describes some of the features that might be relevant to Django
  17. usage. It is not intended as a replacement for server-specific documentation or
  18. reference manuals.
  19. General notes
  20. =============
  21. .. _persistent-database-connections:
  22. Persistent connections
  23. ----------------------
  24. Persistent connections avoid the overhead of reestablishing a connection to
  25. the database in each HTTP request. They're controlled by the
  26. :setting:`CONN_MAX_AGE` parameter which defines the maximum lifetime of a
  27. connection. It can be set independently for each database.
  28. The default value is ``0``, preserving the historical behavior of closing the
  29. database connection at the end of each request. To enable persistent
  30. connections, set :setting:`CONN_MAX_AGE` to a positive integer of seconds. For
  31. unlimited persistent connections, set it to ``None``.
  32. Connection management
  33. ~~~~~~~~~~~~~~~~~~~~~
  34. Django opens a connection to the database when it first makes a database
  35. query. It keeps this connection open and reuses it in subsequent requests.
  36. Django closes the connection once it exceeds the maximum age defined by
  37. :setting:`CONN_MAX_AGE` or when it isn't usable any longer.
  38. In detail, Django automatically opens a connection to the database whenever it
  39. needs one and doesn't have one already — either because this is the first
  40. connection, or because the previous connection was closed.
  41. At the beginning of each request, Django closes the connection if it has
  42. reached its maximum age. If your database terminates idle connections after
  43. some time, you should set :setting:`CONN_MAX_AGE` to a lower value, so that
  44. Django doesn't attempt to use a connection that has been terminated by the
  45. database server. (This problem may only affect very low traffic sites.)
  46. At the end of each request, Django closes the connection if it has reached its
  47. maximum age or if it is in an unrecoverable error state. If any database
  48. errors have occurred while processing the requests, Django checks whether the
  49. connection still works, and closes it if it doesn't. Thus, database errors
  50. affect at most one request per each application's worker thread; if the
  51. connection becomes unusable, the next request gets a fresh connection.
  52. Setting :setting:`CONN_HEALTH_CHECKS` to ``True`` can be used to improve the
  53. robustness of connection reuse and prevent errors when a connection has been
  54. closed by the database server which is now ready to accept and serve new
  55. connections, e.g. after database server restart. The health check is performed
  56. only once per request and only if the database is being accessed during the
  57. handling of the request.
  58. Caveats
  59. ~~~~~~~
  60. Since each thread maintains its own connection, your database must support at
  61. least as many simultaneous connections as you have worker threads.
  62. Sometimes a database won't be accessed by the majority of your views, for
  63. example because it's the database of an external system, or thanks to caching.
  64. In such cases, you should set :setting:`CONN_MAX_AGE` to a low value or even
  65. ``0``, because it doesn't make sense to maintain a connection that's unlikely
  66. to be reused. This will help keep the number of simultaneous connections to
  67. this database small.
  68. The development server creates a new thread for each request it handles,
  69. negating the effect of persistent connections. Don't enable them during
  70. development.
  71. When Django establishes a connection to the database, it sets up appropriate
  72. parameters, depending on the backend being used. If you enable persistent
  73. connections, this setup is no longer repeated every request. If you modify
  74. parameters such as the connection's isolation level or time zone, you should
  75. either restore Django's defaults at the end of each request, force an
  76. appropriate value at the beginning of each request, or disable persistent
  77. connections.
  78. If a connection is created in a long-running process, outside of Django’s
  79. request-response cycle, the connection will remain open until explicitly
  80. closed, or timeout occurs.
  81. Encoding
  82. --------
  83. Django assumes that all databases use UTF-8 encoding. Using other encodings may
  84. result in unexpected behavior such as "value too long" errors from your
  85. database for data that is valid in Django. See the database specific notes
  86. below for information on how to set up your database correctly.
  87. .. _postgresql-notes:
  88. PostgreSQL notes
  89. ================
  90. Django supports PostgreSQL 12 and higher. `psycopg`_ 3.1.8+ or `psycopg2`_
  91. 2.8.4+ is required, though the latest `psycopg`_ 3.1.8+ is recommended.
  92. .. note::
  93. Support for ``psycopg2`` is likely to be deprecated and removed at some
  94. point in the future.
  95. .. versionchanged:: 4.2
  96. Support for ``psycopg`` 3.1.8+ was added.
  97. .. _postgresql-connection-settings:
  98. PostgreSQL connection settings
  99. -------------------------------
  100. See :setting:`HOST` for details.
  101. To connect using a service name from the `connection service file`_ and a
  102. password from the `password file`_, you must specify them in the
  103. :setting:`OPTIONS` part of your database configuration in :setting:`DATABASES`:
  104. .. code-block:: python
  105. :caption: ``settings.py``
  106. DATABASES = {
  107. "default": {
  108. "ENGINE": "django.db.backends.postgresql",
  109. "OPTIONS": {
  110. "service": "my_service",
  111. "passfile": ".my_pgpass",
  112. },
  113. }
  114. }
  115. .. code-block:: text
  116. :caption: ``.pg_service.conf``
  117. [my_service]
  118. host=localhost
  119. user=USER
  120. dbname=NAME
  121. port=5432
  122. .. code-block:: text
  123. :caption: ``.my_pgpass``
  124. localhost:5432:NAME:USER:PASSWORD
  125. The PostgreSQL backend passes the content of :setting:`OPTIONS` as keyword
  126. arguments to the connection constructor, allowing for more advanced control
  127. of driver behavior. All available `parameters`_ are described in detail in the
  128. PostgreSQL documentation.
  129. .. _connection service file: https://www.postgresql.org/docs/current/libpq-pgservice.html
  130. .. _password file: https://www.postgresql.org/docs/current/libpq-pgpass.html
  131. .. _parameters: https://www.postgresql.org/docs/current/libpq-connect.html#LIBPQ-PARAMKEYWORDS
  132. .. warning::
  133. Using a service name for testing purposes is not supported. This
  134. :ticket:`may be implemented later <33685>`.
  135. Optimizing PostgreSQL's configuration
  136. -------------------------------------
  137. Django needs the following parameters for its database connections:
  138. - ``client_encoding``: ``'UTF8'``,
  139. - ``default_transaction_isolation``: ``'read committed'`` by default,
  140. or the value set in the connection options (see below),
  141. - ``timezone``:
  142. - when :setting:`USE_TZ` is ``True``, ``'UTC'`` by default, or the
  143. :setting:`TIME_ZONE <DATABASE-TIME_ZONE>` value set for the connection,
  144. - when :setting:`USE_TZ` is ``False``, the value of the global
  145. :setting:`TIME_ZONE` setting.
  146. If these parameters already have the correct values, Django won't set them for
  147. every new connection, which improves performance slightly. You can configure
  148. them directly in :file:`postgresql.conf` or more conveniently per database
  149. user with `ALTER ROLE`_.
  150. Django will work just fine without this optimization, but each new connection
  151. will do some additional queries to set these parameters.
  152. .. _ALTER ROLE: https://www.postgresql.org/docs/current/sql-alterrole.html
  153. .. _database-isolation-level:
  154. Isolation level
  155. ---------------
  156. Like PostgreSQL itself, Django defaults to the ``READ COMMITTED`` `isolation
  157. level`_. If you need a higher isolation level such as ``REPEATABLE READ`` or
  158. ``SERIALIZABLE``, set it in the :setting:`OPTIONS` part of your database
  159. configuration in :setting:`DATABASES`::
  160. from django.db.backends.postgresql.psycopg_any import IsolationLevel
  161. DATABASES = {
  162. # ...
  163. "OPTIONS": {
  164. "isolation_level": IsolationLevel.SERIALIZABLE,
  165. },
  166. }
  167. .. note::
  168. Under higher isolation levels, your application should be prepared to
  169. handle exceptions raised on serialization failures. This option is
  170. designed for advanced uses.
  171. .. _isolation level: https://www.postgresql.org/docs/current/transaction-iso.html
  172. .. versionchanged:: 4.2
  173. ``IsolationLevel`` was added.
  174. .. _database-role:
  175. Role
  176. ----
  177. .. versionadded:: 4.2
  178. If you need to use a different role for database connections than the role use
  179. to establish the connection, set it in the :setting:`OPTIONS` part of your
  180. database configuration in :setting:`DATABASES`::
  181. DATABASES = {
  182. "default": {
  183. "ENGINE": "django.db.backends.postgresql",
  184. # ...
  185. "OPTIONS": {
  186. "assume_role": "my_application_role",
  187. },
  188. },
  189. }
  190. .. _database-server-side-parameters-binding:
  191. Server-side parameters binding
  192. ------------------------------
  193. .. versionadded:: 4.2
  194. With `psycopg`_ 3.1.8+, Django defaults to the :ref:`client-side binding
  195. cursors <psycopg:client-side-binding-cursors>`. If you want to use the
  196. :ref:`server-side binding <psycopg:server-side-binding>` set it in the
  197. :setting:`OPTIONS` part of your database configuration in
  198. :setting:`DATABASES`::
  199. DATABASES = {
  200. "default": {
  201. "ENGINE": "django.db.backends.postgresql",
  202. # ...
  203. "OPTIONS": {
  204. "server_side_binding": True,
  205. },
  206. },
  207. }
  208. This option is ignored with ``psycopg2``.
  209. Indexes for ``varchar`` and ``text`` columns
  210. --------------------------------------------
  211. When specifying ``db_index=True`` on your model fields, Django typically
  212. outputs a single ``CREATE INDEX`` statement. However, if the database type
  213. for the field is either ``varchar`` or ``text`` (e.g., used by ``CharField``,
  214. ``FileField``, and ``TextField``), then Django will create
  215. an additional index that uses an appropriate `PostgreSQL operator class`_
  216. for the column. The extra index is necessary to correctly perform
  217. lookups that use the ``LIKE`` operator in their SQL, as is done with the
  218. ``contains`` and ``startswith`` lookup types.
  219. .. _PostgreSQL operator class: https://www.postgresql.org/docs/current/indexes-opclass.html
  220. Migration operation for adding extensions
  221. -----------------------------------------
  222. If you need to add a PostgreSQL extension (like ``hstore``, ``postgis``, etc.)
  223. using a migration, use the
  224. :class:`~django.contrib.postgres.operations.CreateExtension` operation.
  225. .. _postgresql-server-side-cursors:
  226. Server-side cursors
  227. -------------------
  228. When using :meth:`QuerySet.iterator()
  229. <django.db.models.query.QuerySet.iterator>`, Django opens a :ref:`server-side
  230. cursor <psycopg:server-side-cursors>`. By default, PostgreSQL assumes that
  231. only the first 10% of the results of cursor queries will be fetched. The query
  232. planner spends less time planning the query and starts returning results
  233. faster, but this could diminish performance if more than 10% of the results are
  234. retrieved. PostgreSQL's assumptions on the number of rows retrieved for a
  235. cursor query is controlled with the `cursor_tuple_fraction`_ option.
  236. .. _cursor_tuple_fraction: https://www.postgresql.org/docs/current/runtime-config-query.html#GUC-CURSOR-TUPLE-FRACTION
  237. .. _transaction-pooling-server-side-cursors:
  238. Transaction pooling and server-side cursors
  239. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  240. Using a connection pooler in transaction pooling mode (e.g. `PgBouncer`_)
  241. requires disabling server-side cursors for that connection.
  242. Server-side cursors are local to a connection and remain open at the end of a
  243. transaction when :setting:`AUTOCOMMIT <DATABASE-AUTOCOMMIT>` is ``True``. A
  244. subsequent transaction may attempt to fetch more results from a server-side
  245. cursor. In transaction pooling mode, there's no guarantee that subsequent
  246. transactions will use the same connection. If a different connection is used,
  247. an error is raised when the transaction references the server-side cursor,
  248. because server-side cursors are only accessible in the connection in which they
  249. were created.
  250. One solution is to disable server-side cursors for a connection in
  251. :setting:`DATABASES` by setting :setting:`DISABLE_SERVER_SIDE_CURSORS
  252. <DATABASE-DISABLE_SERVER_SIDE_CURSORS>` to ``True``.
  253. To benefit from server-side cursors in transaction pooling mode, you could set
  254. up :doc:`another connection to the database </topics/db/multi-db>` in order to
  255. perform queries that use server-side cursors. This connection needs to either
  256. be directly to the database or to a connection pooler in session pooling mode.
  257. Another option is to wrap each ``QuerySet`` using server-side cursors in an
  258. :func:`~django.db.transaction.atomic` block, because it disables ``autocommit``
  259. for the duration of the transaction. This way, the server-side cursor will only
  260. live for the duration of the transaction.
  261. .. _PgBouncer: https://www.pgbouncer.org/
  262. .. _manually-specified-autoincrement-pk:
  263. Manually-specifying values of auto-incrementing primary keys
  264. ------------------------------------------------------------
  265. Django uses PostgreSQL's identity columns to store auto-incrementing primary
  266. keys. An identity column is populated with values from a `sequence`_ that keeps
  267. track of the next available value. Manually assigning a value to an
  268. auto-incrementing field doesn't update the field's sequence, which might later
  269. cause a conflict. For example:
  270. .. code-block:: pycon
  271. >>> from django.contrib.auth.models import User
  272. >>> User.objects.create(username="alice", pk=1)
  273. <User: alice>
  274. >>> # The sequence hasn't been updated; its next value is 1.
  275. >>> User.objects.create(username="bob")
  276. IntegrityError: duplicate key value violates unique constraint
  277. "auth_user_pkey" DETAIL: Key (id)=(1) already exists.
  278. If you need to specify such values, reset the sequence afterward to avoid
  279. reusing a value that's already in the table. The :djadmin:`sqlsequencereset`
  280. management command generates the SQL statements to do that.
  281. .. _sequence: https://www.postgresql.org/docs/current/sql-createsequence.html
  282. Test database templates
  283. -----------------------
  284. You can use the :setting:`TEST['TEMPLATE'] <TEST_TEMPLATE>` setting to specify
  285. a `template`_ (e.g. ``'template0'``) from which to create a test database.
  286. .. _template: https://www.postgresql.org/docs/current/sql-createdatabase.html
  287. Speeding up test execution with non-durable settings
  288. ----------------------------------------------------
  289. You can speed up test execution times by `configuring PostgreSQL to be
  290. non-durable <https://www.postgresql.org/docs/current/non-durability.html>`_.
  291. .. warning::
  292. This is dangerous: it will make your database more susceptible to data loss
  293. or corruption in the case of a server crash or power loss. Only use this on
  294. a development machine where you can easily restore the entire contents of
  295. all databases in the cluster.
  296. .. _psycopg: https://www.psycopg.org/psycopg3/
  297. .. _psycopg2: https://www.psycopg.org/
  298. .. _mariadb-notes:
  299. MariaDB notes
  300. =============
  301. Django supports MariaDB 10.4 and higher.
  302. To use MariaDB, use the MySQL backend, which is shared between the two. See the
  303. :ref:`MySQL notes <mysql-notes>` for more details.
  304. .. _mysql-notes:
  305. MySQL notes
  306. ===========
  307. Version support
  308. ---------------
  309. Django supports MySQL 8.0.11 and higher.
  310. Django's ``inspectdb`` feature uses the ``information_schema`` database, which
  311. contains detailed data on all database schemas.
  312. Django expects the database to support Unicode (UTF-8 encoding) and delegates to
  313. it the task of enforcing transactions and referential integrity. It is important
  314. to be aware of the fact that the two latter ones aren't actually enforced by
  315. MySQL when using the MyISAM storage engine, see the next section.
  316. .. _mysql-storage-engines:
  317. Storage engines
  318. ---------------
  319. MySQL has several `storage engines`_. You can change the default storage engine
  320. in the server configuration.
  321. MySQL's default storage engine is InnoDB_. This engine is fully transactional
  322. and supports foreign key references. It's the recommended choice. However, the
  323. InnoDB autoincrement counter is lost on a MySQL restart because it does not
  324. remember the ``AUTO_INCREMENT`` value, instead recreating it as "max(id)+1".
  325. This may result in an inadvertent reuse of :class:`~django.db.models.AutoField`
  326. values.
  327. The main drawbacks of MyISAM_ are that it doesn't support transactions or
  328. enforce foreign-key constraints.
  329. .. _storage engines: https://dev.mysql.com/doc/refman/en/storage-engines.html
  330. .. _MyISAM: https://dev.mysql.com/doc/refman/en/myisam-storage-engine.html
  331. .. _InnoDB: https://dev.mysql.com/doc/refman/en/innodb-storage-engine.html
  332. .. _mysql-db-api-drivers:
  333. MySQL DB API Drivers
  334. --------------------
  335. MySQL has a couple drivers that implement the Python Database API described in
  336. :pep:`249`:
  337. - :pypi:`mysqlclient` is a native driver. It's **the recommended choice**.
  338. - `MySQL Connector/Python`_ is a pure Python driver from Oracle that does not
  339. require the MySQL client library or any Python modules outside the standard
  340. library.
  341. .. _MySQL Connector/Python: https://dev.mysql.com/downloads/connector/python/
  342. These drivers are thread-safe and provide connection pooling.
  343. In addition to a DB API driver, Django needs an adapter to access the database
  344. drivers from its ORM. Django provides an adapter for mysqlclient while MySQL
  345. Connector/Python includes `its own`_.
  346. .. _its own: https://dev.mysql.com/doc/connector-python/en/connector-python-django-backend.html
  347. mysqlclient
  348. ~~~~~~~~~~~
  349. Django requires `mysqlclient`_ 1.4.3 or later.
  350. MySQL Connector/Python
  351. ~~~~~~~~~~~~~~~~~~~~~~
  352. MySQL Connector/Python is available from the `download page`_.
  353. The Django adapter is available in versions 1.1.X and later. It may not
  354. support the most recent releases of Django.
  355. .. _download page: https://dev.mysql.com/downloads/connector/python/
  356. .. _mysql-time-zone-definitions:
  357. Time zone definitions
  358. ---------------------
  359. If you plan on using Django's :doc:`timezone support </topics/i18n/timezones>`,
  360. use `mysql_tzinfo_to_sql`_ to load time zone tables into the MySQL database.
  361. This needs to be done just once for your MySQL server, not per database.
  362. .. _mysql_tzinfo_to_sql: https://dev.mysql.com/doc/refman/en/mysql-tzinfo-to-sql.html
  363. Creating your database
  364. ----------------------
  365. You can `create your database`_ using the command-line tools and this SQL:
  366. .. code-block:: sql
  367. CREATE DATABASE <dbname> CHARACTER SET utf8;
  368. This ensures all tables and columns will use UTF-8 by default.
  369. .. _create your database: https://dev.mysql.com/doc/refman/en/create-database.html
  370. .. _mysql-collation:
  371. Collation settings
  372. ~~~~~~~~~~~~~~~~~~
  373. The collation setting for a column controls the order in which data is sorted
  374. as well as what strings compare as equal. You can specify the ``db_collation``
  375. parameter to set the collation name of the column for
  376. :attr:`CharField <django.db.models.CharField.db_collation>` and
  377. :attr:`TextField <django.db.models.TextField.db_collation>`.
  378. The collation can also be set on a database-wide level and per-table. This is
  379. `documented thoroughly`_ in the MySQL documentation. In such cases, you must
  380. set the collation by directly manipulating the database settings or tables.
  381. Django doesn't provide an API to change them.
  382. .. _documented thoroughly: https://dev.mysql.com/doc/refman/en/charset.html
  383. By default, with a UTF-8 database, MySQL will use the
  384. ``utf8_general_ci`` collation. This results in all string equality
  385. comparisons being done in a *case-insensitive* manner. That is, ``"Fred"`` and
  386. ``"freD"`` are considered equal at the database level. If you have a unique
  387. constraint on a field, it would be illegal to try to insert both ``"aa"`` and
  388. ``"AA"`` into the same column, since they compare as equal (and, hence,
  389. non-unique) with the default collation. If you want case-sensitive comparisons
  390. on a particular column or table, change the column or table to use the
  391. ``utf8_bin`` collation.
  392. Please note that according to `MySQL Unicode Character Sets`_, comparisons for
  393. the ``utf8_general_ci`` collation are faster, but slightly less correct, than
  394. comparisons for ``utf8_unicode_ci``. If this is acceptable for your application,
  395. you should use ``utf8_general_ci`` because it is faster. If this is not acceptable
  396. (for example, if you require German dictionary order), use ``utf8_unicode_ci``
  397. because it is more accurate.
  398. .. _MySQL Unicode Character Sets: https://dev.mysql.com/doc/refman/en/charset-unicode-sets.html
  399. .. warning::
  400. Model formsets validate unique fields in a case-sensitive manner. Thus when
  401. using a case-insensitive collation, a formset with unique field values that
  402. differ only by case will pass validation, but upon calling ``save()``, an
  403. ``IntegrityError`` will be raised.
  404. Connecting to the database
  405. --------------------------
  406. Refer to the :doc:`settings documentation </ref/settings>`.
  407. Connection settings are used in this order:
  408. #. :setting:`OPTIONS`.
  409. #. :setting:`NAME`, :setting:`USER`, :setting:`PASSWORD`, :setting:`HOST`,
  410. :setting:`PORT`
  411. #. MySQL option files.
  412. In other words, if you set the name of the database in :setting:`OPTIONS`,
  413. this will take precedence over :setting:`NAME`, which would override
  414. anything in a `MySQL option file`_.
  415. Here's a sample configuration which uses a MySQL option file::
  416. # settings.py
  417. DATABASES = {
  418. "default": {
  419. "ENGINE": "django.db.backends.mysql",
  420. "OPTIONS": {
  421. "read_default_file": "/path/to/my.cnf",
  422. },
  423. }
  424. }
  425. .. code-block:: ini
  426. # my.cnf
  427. [client]
  428. database = NAME
  429. user = USER
  430. password = PASSWORD
  431. default-character-set = utf8
  432. Several other `MySQLdb connection options`_ may be useful, such as ``ssl``,
  433. ``init_command``, and ``sql_mode``.
  434. .. _MySQL option file: https://dev.mysql.com/doc/refman/en/option-files.html
  435. .. _MySQLdb connection options: https://mysqlclient.readthedocs.io/user_guide.html#functions-and-attributes
  436. .. _mysql-sql-mode:
  437. Setting ``sql_mode``
  438. ~~~~~~~~~~~~~~~~~~~~
  439. The default value of the ``sql_mode`` option contains ``STRICT_TRANS_TABLES``.
  440. That option escalates warnings into errors when data are truncated upon
  441. insertion, so Django highly recommends activating a `strict mode`_ for MySQL to
  442. prevent data loss (either ``STRICT_TRANS_TABLES`` or ``STRICT_ALL_TABLES``).
  443. .. _strict mode: https://dev.mysql.com/doc/refman/en/sql-mode.html#sql-mode-strict
  444. If you need to customize the SQL mode, you can set the ``sql_mode`` variable
  445. like other MySQL options: either in a config file or with the entry
  446. ``'init_command': "SET sql_mode='STRICT_TRANS_TABLES'"`` in the
  447. :setting:`OPTIONS` part of your database configuration in :setting:`DATABASES`.
  448. .. _mysql-isolation-level:
  449. Isolation level
  450. ~~~~~~~~~~~~~~~
  451. When running concurrent loads, database transactions from different sessions
  452. (say, separate threads handling different requests) may interact with each
  453. other. These interactions are affected by each session's `transaction isolation
  454. level`_. You can set a connection's isolation level with an
  455. ``'isolation_level'`` entry in the :setting:`OPTIONS` part of your database
  456. configuration in :setting:`DATABASES`. Valid values for
  457. this entry are the four standard isolation levels:
  458. * ``'read uncommitted'``
  459. * ``'read committed'``
  460. * ``'repeatable read'``
  461. * ``'serializable'``
  462. or ``None`` to use the server's configured isolation level. However, Django
  463. works best with and defaults to read committed rather than MySQL's default,
  464. repeatable read. Data loss is possible with repeatable read. In particular,
  465. you may see cases where :meth:`~django.db.models.query.QuerySet.get_or_create`
  466. will raise an :exc:`~django.db.IntegrityError` but the object won't appear in
  467. a subsequent :meth:`~django.db.models.query.QuerySet.get` call.
  468. .. _transaction isolation level: https://dev.mysql.com/doc/refman/en/innodb-transaction-isolation-levels.html
  469. Creating your tables
  470. --------------------
  471. When Django generates the schema, it doesn't specify a storage engine, so
  472. tables will be created with whatever default storage engine your database
  473. server is configured for. The easiest solution is to set your database server's
  474. default storage engine to the desired engine.
  475. If you're using a hosting service and can't change your server's default
  476. storage engine, you have a couple of options.
  477. * After the tables are created, execute an ``ALTER TABLE`` statement to
  478. convert a table to a new storage engine (such as InnoDB):
  479. .. code-block:: sql
  480. ALTER TABLE <tablename> ENGINE=INNODB;
  481. This can be tedious if you have a lot of tables.
  482. * Another option is to use the ``init_command`` option for MySQLdb prior to
  483. creating your tables::
  484. "OPTIONS": {
  485. "init_command": "SET default_storage_engine=INNODB",
  486. }
  487. This sets the default storage engine upon connecting to the database.
  488. After your tables have been created, you should remove this option as it
  489. adds a query that is only needed during table creation to each database
  490. connection.
  491. Table names
  492. -----------
  493. There are `known issues`_ in even the latest versions of MySQL that can cause the
  494. case of a table name to be altered when certain SQL statements are executed
  495. under certain conditions. It is recommended that you use lowercase table
  496. names, if possible, to avoid any problems that might arise from this behavior.
  497. Django uses lowercase table names when it auto-generates table names from
  498. models, so this is mainly a consideration if you are overriding the table name
  499. via the :class:`~django.db.models.Options.db_table` parameter.
  500. .. _known issues: https://bugs.mysql.com/bug.php?id=48875
  501. Savepoints
  502. ----------
  503. Both the Django ORM and MySQL (when using the InnoDB :ref:`storage engine
  504. <mysql-storage-engines>`) support database :ref:`savepoints
  505. <topics-db-transactions-savepoints>`.
  506. If you use the MyISAM storage engine please be aware of the fact that you will
  507. receive database-generated errors if you try to use the :ref:`savepoint-related
  508. methods of the transactions API <topics-db-transactions-savepoints>`. The reason
  509. for this is that detecting the storage engine of a MySQL database/table is an
  510. expensive operation so it was decided it isn't worth to dynamically convert
  511. these methods in no-op's based in the results of such detection.
  512. Notes on specific fields
  513. ------------------------
  514. .. _mysql-character-fields:
  515. Character fields
  516. ~~~~~~~~~~~~~~~~
  517. Any fields that are stored with ``VARCHAR`` column types may have their
  518. ``max_length`` restricted to 255 characters if you are using ``unique=True``
  519. for the field. This affects :class:`~django.db.models.CharField`,
  520. :class:`~django.db.models.SlugField`. See `the MySQL documentation`_ for more
  521. details.
  522. .. _the MySQL documentation: https://dev.mysql.com/doc/refman/en/create-index.html#create-index-column-prefixes
  523. ``TextField`` limitations
  524. ~~~~~~~~~~~~~~~~~~~~~~~~~
  525. MySQL can index only the first N chars of a ``BLOB`` or ``TEXT`` column. Since
  526. ``TextField`` doesn't have a defined length, you can't mark it as
  527. ``unique=True``. MySQL will report: "BLOB/TEXT column '<db_column>' used in key
  528. specification without a key length".
  529. .. _mysql-fractional-seconds:
  530. Fractional seconds support for Time and DateTime fields
  531. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  532. MySQL can store fractional seconds, provided that the column definition
  533. includes a fractional indication (e.g. ``DATETIME(6)``).
  534. Django will not upgrade existing columns to include fractional seconds if the
  535. database server supports it. If you want to enable them on an existing database,
  536. it's up to you to either manually update the column on the target database, by
  537. executing a command like:
  538. .. code-block:: sql
  539. ALTER TABLE `your_table` MODIFY `your_datetime_column` DATETIME(6)
  540. or using a :class:`~django.db.migrations.operations.RunSQL` operation in a
  541. :ref:`data migration <data-migrations>`.
  542. ``TIMESTAMP`` columns
  543. ~~~~~~~~~~~~~~~~~~~~~
  544. If you are using a legacy database that contains ``TIMESTAMP`` columns, you must
  545. set :setting:`USE_TZ = False <USE_TZ>` to avoid data corruption.
  546. :djadmin:`inspectdb` maps these columns to
  547. :class:`~django.db.models.DateTimeField` and if you enable timezone support,
  548. both MySQL and Django will attempt to convert the values from UTC to local time.
  549. Row locking with ``QuerySet.select_for_update()``
  550. -------------------------------------------------
  551. MySQL and MariaDB do not support some options to the ``SELECT ... FOR UPDATE``
  552. statement. If ``select_for_update()`` is used with an unsupported option, then
  553. a :exc:`~django.db.NotSupportedError` is raised.
  554. =============== ========= =====
  555. Option MariaDB MySQL
  556. =============== ========= =====
  557. ``SKIP LOCKED`` X (≥10.6) X
  558. ``NOWAIT`` X X
  559. ``OF`` X
  560. ``NO KEY``
  561. =============== ========= =====
  562. When using ``select_for_update()`` on MySQL, make sure you filter a queryset
  563. against at least a set of fields contained in unique constraints or only
  564. against fields covered by indexes. Otherwise, an exclusive write lock will be
  565. acquired over the full table for the duration of the transaction.
  566. Automatic typecasting can cause unexpected results
  567. --------------------------------------------------
  568. When performing a query on a string type, but with an integer value, MySQL will
  569. coerce the types of all values in the table to an integer before performing the
  570. comparison. If your table contains the values ``'abc'``, ``'def'`` and you
  571. query for ``WHERE mycolumn=0``, both rows will match. Similarly, ``WHERE mycolumn=1``
  572. will match the value ``'abc1'``. Therefore, string type fields included in Django
  573. will always cast the value to a string before using it in a query.
  574. If you implement custom model fields that inherit from
  575. :class:`~django.db.models.Field` directly, are overriding
  576. :meth:`~django.db.models.Field.get_prep_value`, or use
  577. :class:`~django.db.models.expressions.RawSQL`,
  578. :meth:`~django.db.models.query.QuerySet.extra`, or
  579. :meth:`~django.db.models.Manager.raw`, you should ensure that you perform
  580. appropriate typecasting.
  581. .. _sqlite-notes:
  582. SQLite notes
  583. ============
  584. Django supports SQLite 3.27.0 and later.
  585. SQLite_ provides an excellent development alternative for applications that
  586. are predominantly read-only or require a smaller installation footprint. As
  587. with all database servers, though, there are some differences that are
  588. specific to SQLite that you should be aware of.
  589. .. _SQLite: https://www.sqlite.org/
  590. .. _sqlite-string-matching:
  591. Substring matching and case sensitivity
  592. ---------------------------------------
  593. For all SQLite versions, there is some slightly counter-intuitive behavior when
  594. attempting to match some types of strings. These are triggered when using the
  595. :lookup:`iexact` or :lookup:`contains` filters in Querysets. The behavior
  596. splits into two cases:
  597. 1. For substring matching, all matches are done case-insensitively. That is a
  598. filter such as ``filter(name__contains="aa")`` will match a name of ``"Aabb"``.
  599. 2. For strings containing characters outside the ASCII range, all exact string
  600. matches are performed case-sensitively, even when the case-insensitive options
  601. are passed into the query. So the :lookup:`iexact` filter will behave exactly
  602. the same as the :lookup:`exact` filter in these cases.
  603. Some possible workarounds for this are `documented at sqlite.org`_, but they
  604. aren't utilized by the default SQLite backend in Django, as incorporating them
  605. would be fairly difficult to do robustly. Thus, Django exposes the default
  606. SQLite behavior and you should be aware of this when doing case-insensitive or
  607. substring filtering.
  608. .. _documented at sqlite.org: https://www.sqlite.org/faq.html#q18
  609. .. _sqlite-decimal-handling:
  610. Decimal handling
  611. ----------------
  612. SQLite has no real decimal internal type. Decimal values are internally
  613. converted to the ``REAL`` data type (8-byte IEEE floating point number), as
  614. explained in the `SQLite datatypes documentation`__, so they don't support
  615. correctly-rounded decimal floating point arithmetic.
  616. __ https://www.sqlite.org/datatype3.html#storage_classes_and_datatypes
  617. "Database is locked" errors
  618. ---------------------------
  619. SQLite is meant to be a lightweight database, and thus can't support a high
  620. level of concurrency. ``OperationalError: database is locked`` errors indicate
  621. that your application is experiencing more concurrency than ``sqlite`` can
  622. handle in default configuration. This error means that one thread or process has
  623. an exclusive lock on the database connection and another thread timed out
  624. waiting for the lock the be released.
  625. Python's SQLite wrapper has
  626. a default timeout value that determines how long the second thread is allowed to
  627. wait on the lock before it times out and raises the ``OperationalError: database
  628. is locked`` error.
  629. If you're getting this error, you can solve it by:
  630. * Switching to another database backend. At a certain point SQLite becomes
  631. too "lite" for real-world applications, and these sorts of concurrency
  632. errors indicate you've reached that point.
  633. * Rewriting your code to reduce concurrency and ensure that database
  634. transactions are short-lived.
  635. * Increase the default timeout value by setting the ``timeout`` database
  636. option::
  637. "OPTIONS": {
  638. # ...
  639. "timeout": 20,
  640. # ...
  641. }
  642. This will make SQLite wait a bit longer before throwing "database is locked"
  643. errors; it won't really do anything to solve them.
  644. ``QuerySet.select_for_update()`` not supported
  645. ----------------------------------------------
  646. SQLite does not support the ``SELECT ... FOR UPDATE`` syntax. Calling it will
  647. have no effect.
  648. .. _sqlite-isolation:
  649. Isolation when using ``QuerySet.iterator()``
  650. --------------------------------------------
  651. There are special considerations described in `Isolation In SQLite`_ when
  652. modifying a table while iterating over it using :meth:`.QuerySet.iterator`. If
  653. a row is added, changed, or deleted within the loop, then that row may or may
  654. not appear, or may appear twice, in subsequent results fetched from the
  655. iterator. Your code must handle this.
  656. .. _`Isolation in SQLite`: https://www.sqlite.org/isolation.html
  657. .. _sqlite-json1:
  658. Enabling JSON1 extension on SQLite
  659. ----------------------------------
  660. To use :class:`~django.db.models.JSONField` on SQLite, you need to enable the
  661. `JSON1 extension`_ on Python's :py:mod:`sqlite3` library. If the extension is
  662. not enabled on your installation, a system error (``fields.E180``) will be
  663. raised.
  664. To enable the JSON1 extension you can follow the instruction on
  665. `the wiki page`_.
  666. .. note::
  667. The JSON1 extension is enabled by default on SQLite 3.38+.
  668. .. _JSON1 extension: https://www.sqlite.org/json1.html
  669. .. _the wiki page: https://code.djangoproject.com/wiki/JSON1Extension
  670. .. _oracle-notes:
  671. Oracle notes
  672. ============
  673. Django supports `Oracle Database Server`_ versions 19c and higher. Version
  674. 1.3.2 or higher of the `oracledb`_ Python driver is required.
  675. .. deprecated:: 5.0
  676. Support for ``cx_Oracle`` is deprecated.
  677. .. _`Oracle Database Server`: https://www.oracle.com/
  678. .. _`oracledb`: https://oracle.github.io/python-oracledb/
  679. In order for the ``python manage.py migrate`` command to work, your Oracle
  680. database user must have privileges to run the following commands:
  681. * CREATE TABLE
  682. * CREATE SEQUENCE
  683. * CREATE PROCEDURE
  684. * CREATE TRIGGER
  685. To run a project's test suite, the user usually needs these *additional*
  686. privileges:
  687. * CREATE USER
  688. * ALTER USER
  689. * DROP USER
  690. * CREATE TABLESPACE
  691. * DROP TABLESPACE
  692. * CREATE SESSION WITH ADMIN OPTION
  693. * CREATE TABLE WITH ADMIN OPTION
  694. * CREATE SEQUENCE WITH ADMIN OPTION
  695. * CREATE PROCEDURE WITH ADMIN OPTION
  696. * CREATE TRIGGER WITH ADMIN OPTION
  697. While the ``RESOURCE`` role has the required ``CREATE TABLE``,
  698. ``CREATE SEQUENCE``, ``CREATE PROCEDURE``, and ``CREATE TRIGGER`` privileges,
  699. and a user granted ``RESOURCE WITH ADMIN OPTION`` can grant ``RESOURCE``, such
  700. a user cannot grant the individual privileges (e.g. ``CREATE TABLE``), and thus
  701. ``RESOURCE WITH ADMIN OPTION`` is not usually sufficient for running tests.
  702. Some test suites also create views or materialized views; to run these, the
  703. user also needs ``CREATE VIEW WITH ADMIN OPTION`` and
  704. ``CREATE MATERIALIZED VIEW WITH ADMIN OPTION`` privileges. In particular, this
  705. is needed for Django's own test suite.
  706. All of these privileges are included in the DBA role, which is appropriate
  707. for use on a private developer's database.
  708. The Oracle database backend uses the ``SYS.DBMS_LOB`` and ``SYS.DBMS_RANDOM``
  709. packages, so your user will require execute permissions on it. It's normally
  710. accessible to all users by default, but in case it is not, you'll need to grant
  711. permissions like so:
  712. .. code-block:: sql
  713. GRANT EXECUTE ON SYS.DBMS_LOB TO user;
  714. GRANT EXECUTE ON SYS.DBMS_RANDOM TO user;
  715. Connecting to the database
  716. --------------------------
  717. To connect using the service name of your Oracle database, your ``settings.py``
  718. file should look something like this::
  719. DATABASES = {
  720. "default": {
  721. "ENGINE": "django.db.backends.oracle",
  722. "NAME": "xe",
  723. "USER": "a_user",
  724. "PASSWORD": "a_password",
  725. "HOST": "",
  726. "PORT": "",
  727. }
  728. }
  729. In this case, you should leave both :setting:`HOST` and :setting:`PORT` empty.
  730. However, if you don't use a ``tnsnames.ora`` file or a similar naming method
  731. and want to connect using the SID ("xe" in this example), then fill in both
  732. :setting:`HOST` and :setting:`PORT` like so::
  733. DATABASES = {
  734. "default": {
  735. "ENGINE": "django.db.backends.oracle",
  736. "NAME": "xe",
  737. "USER": "a_user",
  738. "PASSWORD": "a_password",
  739. "HOST": "dbprod01ned.mycompany.com",
  740. "PORT": "1540",
  741. }
  742. }
  743. You should either supply both :setting:`HOST` and :setting:`PORT`, or leave
  744. both as empty strings. Django will use a different connect descriptor depending
  745. on that choice.
  746. Full DSN and Easy Connect
  747. ~~~~~~~~~~~~~~~~~~~~~~~~~
  748. A Full DSN or Easy Connect string can be used in :setting:`NAME` if both
  749. :setting:`HOST` and :setting:`PORT` are empty. This format is required when
  750. using RAC or pluggable databases without ``tnsnames.ora``, for example.
  751. Example of an Easy Connect string::
  752. "NAME": "localhost:1521/orclpdb1"
  753. Example of a full DSN string::
  754. "NAME": (
  755. "(DESCRIPTION=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1521))"
  756. "(CONNECT_DATA=(SERVICE_NAME=orclpdb1)))"
  757. )
  758. Threaded option
  759. ---------------
  760. If you plan to run Django in a multithreaded environment (e.g. Apache using the
  761. default MPM module on any modern operating system), then you **must** set
  762. the ``threaded`` option of your Oracle database configuration to ``True``::
  763. "OPTIONS": {
  764. "threaded": True,
  765. }
  766. Failure to do this may result in crashes and other odd behavior.
  767. INSERT ... RETURNING INTO
  768. -------------------------
  769. By default, the Oracle backend uses a ``RETURNING INTO`` clause to efficiently
  770. retrieve the value of an ``AutoField`` when inserting new rows. This behavior
  771. may result in a ``DatabaseError`` in certain unusual setups, such as when
  772. inserting into a remote table, or into a view with an ``INSTEAD OF`` trigger.
  773. The ``RETURNING INTO`` clause can be disabled by setting the
  774. ``use_returning_into`` option of the database configuration to ``False``::
  775. "OPTIONS": {
  776. "use_returning_into": False,
  777. }
  778. In this case, the Oracle backend will use a separate ``SELECT`` query to
  779. retrieve ``AutoField`` values.
  780. Naming issues
  781. -------------
  782. Oracle imposes a name length limit of 30 characters. To accommodate this, the
  783. backend truncates database identifiers to fit, replacing the final four
  784. characters of the truncated name with a repeatable MD5 hash value.
  785. Additionally, the backend turns database identifiers to all-uppercase.
  786. To prevent these transformations (this is usually required only when dealing
  787. with legacy databases or accessing tables which belong to other users), use
  788. a quoted name as the value for ``db_table``::
  789. class LegacyModel(models.Model):
  790. class Meta:
  791. db_table = '"name_left_in_lowercase"'
  792. class ForeignModel(models.Model):
  793. class Meta:
  794. db_table = '"OTHER_USER"."NAME_ONLY_SEEMS_OVER_30"'
  795. Quoted names can also be used with Django's other supported database
  796. backends; except for Oracle, however, the quotes have no effect.
  797. When running ``migrate``, an ``ORA-06552`` error may be encountered if
  798. certain Oracle keywords are used as the name of a model field or the
  799. value of a ``db_column`` option. Django quotes all identifiers used
  800. in queries to prevent most such problems, but this error can still
  801. occur when an Oracle datatype is used as a column name. In
  802. particular, take care to avoid using the names ``date``,
  803. ``timestamp``, ``number`` or ``float`` as a field name.
  804. .. _oracle-null-empty-strings:
  805. NULL and empty strings
  806. ----------------------
  807. Django generally prefers to use the empty string (``''``) rather than
  808. ``NULL``, but Oracle treats both identically. To get around this, the
  809. Oracle backend ignores an explicit ``null`` option on fields that
  810. have the empty string as a possible value and generates DDL as if
  811. ``null=True``. When fetching from the database, it is assumed that
  812. a ``NULL`` value in one of these fields really means the empty
  813. string, and the data is silently converted to reflect this assumption.
  814. ``TextField`` limitations
  815. -------------------------
  816. The Oracle backend stores ``TextFields`` as ``NCLOB`` columns. Oracle imposes
  817. some limitations on the usage of such LOB columns in general:
  818. * LOB columns may not be used as primary keys.
  819. * LOB columns may not be used in indexes.
  820. * LOB columns may not be used in a ``SELECT DISTINCT`` list. This means that
  821. attempting to use the ``QuerySet.distinct`` method on a model that
  822. includes ``TextField`` columns will result in an ``ORA-00932`` error when
  823. run against Oracle. As a workaround, use the ``QuerySet.defer`` method in
  824. conjunction with ``distinct()`` to prevent ``TextField`` columns from being
  825. included in the ``SELECT DISTINCT`` list.
  826. .. _subclassing-database-backends:
  827. Subclassing the built-in database backends
  828. ==========================================
  829. Django comes with built-in database backends. You may subclass an existing
  830. database backends to modify its behavior, features, or configuration.
  831. Consider, for example, that you need to change a single database feature.
  832. First, you have to create a new directory with a ``base`` module in it. For
  833. example:
  834. .. code-block:: text
  835. mysite/
  836. ...
  837. mydbengine/
  838. __init__.py
  839. base.py
  840. The ``base.py`` module must contain a class named ``DatabaseWrapper`` that
  841. subclasses an existing engine from the ``django.db.backends`` module. Here's an
  842. example of subclassing the PostgreSQL engine to change a feature class
  843. ``allows_group_by_selected_pks_on_model``:
  844. .. code-block:: python
  845. :caption: ``mysite/mydbengine/base.py``
  846. from django.db.backends.postgresql import base, features
  847. class DatabaseFeatures(features.DatabaseFeatures):
  848. def allows_group_by_selected_pks_on_model(self, model):
  849. return True
  850. class DatabaseWrapper(base.DatabaseWrapper):
  851. features_class = DatabaseFeatures
  852. Finally, you must specify a :setting:`DATABASE-ENGINE` in your ``settings.py``
  853. file::
  854. DATABASES = {
  855. "default": {
  856. "ENGINE": "mydbengine",
  857. # ...
  858. },
  859. }
  860. You can see the current list of database engines by looking in
  861. :source:`django/db/backends`.
  862. .. _third-party-notes:
  863. Using a 3rd-party database backend
  864. ==================================
  865. In addition to the officially supported databases, there are backends provided
  866. by 3rd parties that allow you to use other databases with Django:
  867. * :pypi:`CockroachDB <django-cockroachdb>`
  868. * :pypi:`Firebird <django-firebird>`
  869. * :pypi:`Google Cloud Spanner <django-google-spanner>`
  870. * :pypi:`Microsoft SQL Server <mssql-django>`
  871. * :pypi:`Snowflake <django-snowflake>`
  872. * :pypi:`TiDB <django-tidb>`
  873. * :pypi:`YugabyteDB <django-yugabytedb>`
  874. The Django versions and ORM features supported by these unofficial backends
  875. vary considerably. Queries regarding the specific capabilities of these
  876. unofficial backends, along with any support queries, should be directed to
  877. the support channels provided by each 3rd party project.