constraints.txt 10 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320
  1. =====================
  2. Constraints reference
  3. =====================
  4. .. module:: django.db.models.constraints
  5. .. currentmodule:: django.db.models
  6. The classes defined in this module create database constraints. They are added
  7. in the model :attr:`Meta.constraints <django.db.models.Options.constraints>`
  8. option.
  9. .. admonition:: Referencing built-in constraints
  10. Constraints are defined in ``django.db.models.constraints``, but for
  11. convenience they're imported into :mod:`django.db.models`. The standard
  12. convention is to use ``from django.db import models`` and refer to the
  13. constraints as ``models.<Foo>Constraint``.
  14. .. admonition:: Constraints in abstract base classes
  15. You must always specify a unique name for the constraint. As such, you
  16. cannot normally specify a constraint on an abstract base class, since the
  17. :attr:`Meta.constraints <django.db.models.Options.constraints>` option is
  18. inherited by subclasses, with exactly the same values for the attributes
  19. (including ``name``) each time. To work around name collisions, part of the
  20. name may contain ``'%(app_label)s'`` and ``'%(class)s'``, which are
  21. replaced, respectively, by the lowercased app label and class name of the
  22. concrete model. For example ``CheckConstraint(condition=Q(age__gte=18),
  23. name='%(app_label)s_%(class)s_is_adult')``.
  24. .. admonition:: Validation of Constraints
  25. Constraints are checked during the :ref:`model validation
  26. <validating-objects>`.
  27. ``BaseConstraint``
  28. ==================
  29. .. class:: BaseConstraint(* name, violation_error_code=None, violation_error_message=None)
  30. Base class for all constraints. Subclasses must implement
  31. ``constraint_sql()``, ``create_sql()``, ``remove_sql()`` and
  32. ``validate()`` methods.
  33. All constraints have the following parameters in common:
  34. ``name``
  35. --------
  36. .. attribute:: BaseConstraint.name
  37. The name of the constraint. You must always specify a unique name for the
  38. constraint.
  39. ``violation_error_code``
  40. ------------------------
  41. .. attribute:: BaseConstraint.violation_error_code
  42. The error code used when ``ValidationError`` is raised during
  43. :ref:`model validation <validating-objects>`. Defaults to ``None``.
  44. ``violation_error_message``
  45. ---------------------------
  46. .. attribute:: BaseConstraint.violation_error_message
  47. The error message used when ``ValidationError`` is raised during
  48. :ref:`model validation <validating-objects>`. Defaults to
  49. ``"Constraint “%(name)s” is violated."``.
  50. ``validate()``
  51. --------------
  52. .. method:: BaseConstraint.validate(model, instance, exclude=None, using=DEFAULT_DB_ALIAS)
  53. Validates that the constraint, defined on ``model``, is respected on the
  54. ``instance``. This will do a query on the database to ensure that the
  55. constraint is respected. If fields in the ``exclude`` list are needed to
  56. validate the constraint, the constraint is ignored.
  57. Raise a ``ValidationError`` if the constraint is violated.
  58. This method must be implemented by a subclass.
  59. ``CheckConstraint``
  60. ===================
  61. .. class:: CheckConstraint(*, condition, name, violation_error_code=None, violation_error_message=None)
  62. Creates a check constraint in the database.
  63. ``condition``
  64. -------------
  65. .. attribute:: CheckConstraint.condition
  66. A :class:`Q` object or boolean :class:`~django.db.models.Expression` that
  67. specifies the conditional check you want the constraint to enforce.
  68. For example, ``CheckConstraint(condition=Q(age__gte=18), name='age_gte_18')``
  69. ensures the age field is never less than 18.
  70. .. admonition:: Expression order
  71. ``Q`` argument order is not necessarily preserved, however the order of
  72. ``Q`` expressions themselves are preserved. This may be important for
  73. databases that preserve check constraint expression order for performance
  74. reasons. For example, use the following format if order matters::
  75. CheckConstraint(
  76. condition=Q(age__gte=18) & Q(expensive_check=condition),
  77. name="age_gte_18_and_others",
  78. )
  79. .. admonition:: Oracle < 23c
  80. Checks with nullable fields on Oracle < 23c must include a condition
  81. allowing for ``NULL`` values in order for :meth:`~BaseConstraint.validate`
  82. to behave the same as check constraints validation. For example, if ``age``
  83. is a nullable field::
  84. CheckConstraint(condition=Q(age__gte=18) | Q(age__isnull=True), name="age_gte_18")
  85. ``UniqueConstraint``
  86. ====================
  87. .. class:: UniqueConstraint(*expressions, fields=(), name=None, condition=None, deferrable=None, include=None, opclasses=(), nulls_distinct=None, violation_error_code=None, violation_error_message=None)
  88. Creates a unique constraint in the database.
  89. ``expressions``
  90. ---------------
  91. .. attribute:: UniqueConstraint.expressions
  92. Positional argument ``*expressions`` allows creating functional unique
  93. constraints on expressions and database functions.
  94. For example::
  95. UniqueConstraint(Lower("name").desc(), "category", name="unique_lower_name_category")
  96. creates a unique constraint on the lowercased value of the ``name`` field in
  97. descending order and the ``category`` field in the default ascending order.
  98. Functional unique constraints have the same database restrictions as
  99. :attr:`Index.expressions`.
  100. ``fields``
  101. ----------
  102. .. attribute:: UniqueConstraint.fields
  103. A list of field names that specifies the unique set of columns you want the
  104. constraint to enforce.
  105. For example, ``UniqueConstraint(fields=['room', 'date'],
  106. name='unique_booking')`` ensures each room can only be booked once for each
  107. date.
  108. ``condition``
  109. -------------
  110. .. attribute:: UniqueConstraint.condition
  111. A :class:`Q` object that specifies the condition you want the constraint to
  112. enforce.
  113. For example::
  114. UniqueConstraint(fields=["user"], condition=Q(status="DRAFT"), name="unique_draft_user")
  115. ensures that each user only has one draft.
  116. These conditions have the same database restrictions as
  117. :attr:`Index.condition`.
  118. ``deferrable``
  119. --------------
  120. .. attribute:: UniqueConstraint.deferrable
  121. Set this parameter to create a deferrable unique constraint. Accepted values
  122. are ``Deferrable.DEFERRED`` or ``Deferrable.IMMEDIATE``. For example::
  123. from django.db.models import Deferrable, UniqueConstraint
  124. UniqueConstraint(
  125. name="unique_order",
  126. fields=["order"],
  127. deferrable=Deferrable.DEFERRED,
  128. )
  129. By default constraints are not deferred. A deferred constraint will not be
  130. enforced until the end of the transaction. An immediate constraint will be
  131. enforced immediately after every command.
  132. .. admonition:: MySQL, MariaDB, and SQLite.
  133. Deferrable unique constraints are ignored on MySQL, MariaDB, and SQLite as
  134. they do not support them.
  135. .. warning::
  136. Deferred unique constraints may lead to a `performance penalty
  137. <https://www.postgresql.org/docs/current/sql-createtable.html#id-1.9.3.85.9.4>`_.
  138. ``include``
  139. -----------
  140. .. attribute:: UniqueConstraint.include
  141. A list or tuple of the names of the fields to be included in the covering
  142. unique index as non-key columns. This allows index-only scans to be used for
  143. queries that select only included fields (:attr:`~UniqueConstraint.include`)
  144. and filter only by unique fields (:attr:`~UniqueConstraint.fields`).
  145. For example::
  146. UniqueConstraint(name="unique_booking", fields=["room", "date"], include=["full_name"])
  147. will allow filtering on ``room`` and ``date``, also selecting ``full_name``,
  148. while fetching data only from the index.
  149. Unique constraints with non-key columns are ignored for databases besides
  150. PostgreSQL.
  151. Non-key columns have the same database restrictions as :attr:`Index.include`.
  152. ``opclasses``
  153. -------------
  154. .. attribute:: UniqueConstraint.opclasses
  155. The names of the `PostgreSQL operator classes
  156. <https://www.postgresql.org/docs/current/indexes-opclass.html>`_ to use for
  157. this unique index. If you require a custom operator class, you must provide one
  158. for each field in the index.
  159. For example::
  160. UniqueConstraint(
  161. name="unique_username", fields=["username"], opclasses=["varchar_pattern_ops"]
  162. )
  163. creates a unique index on ``username`` using ``varchar_pattern_ops``.
  164. ``opclasses`` are ignored for databases besides PostgreSQL.
  165. ``nulls_distinct``
  166. ------------------
  167. .. attribute:: UniqueConstraint.nulls_distinct
  168. Whether rows containing ``NULL`` values covered by the unique constraint should
  169. be considered distinct from each other. The default value is ``None`` which
  170. uses the database default which is ``True`` on most backends.
  171. For example::
  172. UniqueConstraint(name="ordering", fields=["ordering"], nulls_distinct=False)
  173. creates a unique constraint that only allows one row to store a ``NULL`` value
  174. in the ``ordering`` column.
  175. Unique constraints with ``nulls_distinct`` are ignored for databases besides
  176. PostgreSQL 15+.
  177. ``violation_error_code``
  178. ------------------------
  179. .. attribute:: UniqueConstraint.violation_error_code
  180. The error code used when a ``ValidationError`` is raised during
  181. :ref:`model validation <validating-objects>`.
  182. Defaults to :attr:`.BaseConstraint.violation_error_code`, when either
  183. :attr:`.UniqueConstraint.condition` is set or :attr:`.UniqueConstraint.fields`
  184. is not set.
  185. If :attr:`.UniqueConstraint.fields` is set without a
  186. :attr:`.UniqueConstraint.condition`, defaults to the :attr:`Meta.unique_together
  187. <django.db.models.Options.unique_together>` error code when there are multiple
  188. fields, and to the :attr:`.Field.unique` error code when there is a single
  189. field.
  190. .. versionchanged:: 5.2
  191. In older versions, the provided
  192. :attr:`.UniqueConstraint.violation_error_code` was not used when
  193. :attr:`.UniqueConstraint.fields` was set without a
  194. :attr:`.UniqueConstraint.condition`.
  195. ``violation_error_message``
  196. ---------------------------
  197. .. attribute:: UniqueConstraint.violation_error_message
  198. The error message used when a ``ValidationError`` is raised during
  199. :ref:`model validation <validating-objects>`.
  200. Defaults to :attr:`.BaseConstraint.violation_error_message`, when either
  201. :attr:`.UniqueConstraint.condition` is set or :attr:`.UniqueConstraint.fields`
  202. is not set.
  203. If :attr:`.UniqueConstraint.fields` is set without a
  204. :attr:`.UniqueConstraint.condition`, defaults to the :attr:`Meta.unique_together
  205. <django.db.models.Options.unique_together>` error message when there are
  206. multiple fields, and to the :attr:`.Field.unique` error message when there is a
  207. single field.
  208. .. versionchanged:: 5.2
  209. In older versions, the provided
  210. :attr:`.UniqueConstraint.violation_error_message` was not used when
  211. :attr:`.UniqueConstraint.fields` was set without a
  212. :attr:`.UniqueConstraint.condition`.