fields.txt 29 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880
  1. ================================
  2. PostgreSQL specific model fields
  3. ================================
  4. All of these fields are available from the ``django.contrib.postgres.fields``
  5. module.
  6. .. currentmodule:: django.contrib.postgres.fields
  7. Indexing these fields
  8. =====================
  9. :class:`~django.db.models.Index` and :attr:`.Field.db_index` both create a
  10. B-tree index, which isn't particularly helpful when querying complex data types.
  11. Indexes such as :class:`~django.contrib.postgres.indexes.GinIndex` and
  12. :class:`~django.contrib.postgres.indexes.GistIndex` are better suited, though
  13. the index choice is dependent on the queries that you're using. Generally, GiST
  14. may be a good choice for the :ref:`range fields <range-fields>` and
  15. :class:`HStoreField`, and GIN may be helpful for :class:`ArrayField`.
  16. ``ArrayField``
  17. ==============
  18. .. class:: ArrayField(base_field, size=None, **options)
  19. A field for storing lists of data. Most field types can be used, and you
  20. pass another field instance as the :attr:`base_field
  21. <ArrayField.base_field>`. You may also specify a :attr:`size
  22. <ArrayField.size>`. ``ArrayField`` can be nested to store multi-dimensional
  23. arrays.
  24. If you give the field a :attr:`~django.db.models.Field.default`, ensure
  25. it's a callable such as ``list`` (for an empty default) or a callable that
  26. returns a list (such as a function). Incorrectly using ``default=[]``
  27. creates a mutable default that is shared between all instances of
  28. ``ArrayField``.
  29. .. attribute:: base_field
  30. This is a required argument.
  31. Specifies the underlying data type and behavior for the array. It
  32. should be an instance of a subclass of
  33. :class:`~django.db.models.Field`. For example, it could be an
  34. :class:`~django.db.models.IntegerField` or a
  35. :class:`~django.db.models.CharField`. Most field types are permitted,
  36. with the exception of those handling relational data
  37. (:class:`~django.db.models.ForeignKey`,
  38. :class:`~django.db.models.OneToOneField` and
  39. :class:`~django.db.models.ManyToManyField`).
  40. It is possible to nest array fields - you can specify an instance of
  41. ``ArrayField`` as the ``base_field``. For example::
  42. from django.contrib.postgres.fields import ArrayField
  43. from django.db import models
  44. class ChessBoard(models.Model):
  45. board = ArrayField(
  46. ArrayField(
  47. models.CharField(max_length=10, blank=True),
  48. size=8,
  49. ),
  50. size=8,
  51. )
  52. Transformation of values between the database and the model, validation
  53. of data and configuration, and serialization are all delegated to the
  54. underlying base field.
  55. .. attribute:: size
  56. This is an optional argument.
  57. If passed, the array will have a maximum size as specified. This will
  58. be passed to the database, although PostgreSQL at present does not
  59. enforce the restriction.
  60. .. note::
  61. When nesting ``ArrayField``, whether you use the ``size`` parameter or not,
  62. PostgreSQL requires that the arrays are rectangular::
  63. from django.contrib.postgres.fields import ArrayField
  64. from django.db import models
  65. class Board(models.Model):
  66. pieces = ArrayField(ArrayField(models.IntegerField()))
  67. # Valid
  68. Board(pieces=[
  69. [2, 3],
  70. [2, 1],
  71. ])
  72. # Not valid
  73. Board(pieces=[
  74. [2, 3],
  75. [2],
  76. ])
  77. If irregular shapes are required, then the underlying field should be made
  78. nullable and the values padded with ``None``.
  79. Querying ``ArrayField``
  80. -----------------------
  81. There are a number of custom lookups and transforms for :class:`ArrayField`.
  82. We will use the following example model::
  83. from django.contrib.postgres.fields import ArrayField
  84. from django.db import models
  85. class Post(models.Model):
  86. name = models.CharField(max_length=200)
  87. tags = ArrayField(models.CharField(max_length=200), blank=True)
  88. def __str__(self):
  89. return self.name
  90. .. fieldlookup:: arrayfield.contains
  91. ``contains``
  92. ~~~~~~~~~~~~
  93. The :lookup:`contains` lookup is overridden on :class:`ArrayField`. The
  94. returned objects will be those where the values passed are a subset of the
  95. data. It uses the SQL operator ``@>``. For example::
  96. >>> Post.objects.create(name='First post', tags=['thoughts', 'django'])
  97. >>> Post.objects.create(name='Second post', tags=['thoughts'])
  98. >>> Post.objects.create(name='Third post', tags=['tutorial', 'django'])
  99. >>> Post.objects.filter(tags__contains=['thoughts'])
  100. <QuerySet [<Post: First post>, <Post: Second post>]>
  101. >>> Post.objects.filter(tags__contains=['django'])
  102. <QuerySet [<Post: First post>, <Post: Third post>]>
  103. >>> Post.objects.filter(tags__contains=['django', 'thoughts'])
  104. <QuerySet [<Post: First post>]>
  105. .. fieldlookup:: arrayfield.contained_by
  106. ``contained_by``
  107. ~~~~~~~~~~~~~~~~
  108. This is the inverse of the :lookup:`contains <arrayfield.contains>` lookup -
  109. the objects returned will be those where the data is a subset of the values
  110. passed. It uses the SQL operator ``<@``. For example::
  111. >>> Post.objects.create(name='First post', tags=['thoughts', 'django'])
  112. >>> Post.objects.create(name='Second post', tags=['thoughts'])
  113. >>> Post.objects.create(name='Third post', tags=['tutorial', 'django'])
  114. >>> Post.objects.filter(tags__contained_by=['thoughts', 'django'])
  115. <QuerySet [<Post: First post>, <Post: Second post>]>
  116. >>> Post.objects.filter(tags__contained_by=['thoughts', 'django', 'tutorial'])
  117. <QuerySet [<Post: First post>, <Post: Second post>, <Post: Third post>]>
  118. .. fieldlookup:: arrayfield.overlap
  119. ``overlap``
  120. ~~~~~~~~~~~
  121. Returns objects where the data shares any results with the values passed. Uses
  122. the SQL operator ``&&``. For example::
  123. >>> Post.objects.create(name='First post', tags=['thoughts', 'django'])
  124. >>> Post.objects.create(name='Second post', tags=['thoughts'])
  125. >>> Post.objects.create(name='Third post', tags=['tutorial', 'django'])
  126. >>> Post.objects.filter(tags__overlap=['thoughts'])
  127. <QuerySet [<Post: First post>, <Post: Second post>]>
  128. >>> Post.objects.filter(tags__overlap=['thoughts', 'tutorial'])
  129. <QuerySet [<Post: First post>, <Post: Second post>, <Post: Third post>]>
  130. .. fieldlookup:: arrayfield.len
  131. ``len``
  132. ~~~~~~~
  133. Returns the length of the array. The lookups available afterwards are those
  134. available for :class:`~django.db.models.IntegerField`. For example::
  135. >>> Post.objects.create(name='First post', tags=['thoughts', 'django'])
  136. >>> Post.objects.create(name='Second post', tags=['thoughts'])
  137. >>> Post.objects.filter(tags__len=1)
  138. <QuerySet [<Post: Second post>]>
  139. .. fieldlookup:: arrayfield.index
  140. Index transforms
  141. ~~~~~~~~~~~~~~~~
  142. Index transforms index into the array. Any non-negative integer can be used.
  143. There are no errors if it exceeds the :attr:`size <ArrayField.size>` of the
  144. array. The lookups available after the transform are those from the
  145. :attr:`base_field <ArrayField.base_field>`. For example::
  146. >>> Post.objects.create(name='First post', tags=['thoughts', 'django'])
  147. >>> Post.objects.create(name='Second post', tags=['thoughts'])
  148. >>> Post.objects.filter(tags__0='thoughts')
  149. <QuerySet [<Post: First post>, <Post: Second post>]>
  150. >>> Post.objects.filter(tags__1__iexact='Django')
  151. <QuerySet [<Post: First post>]>
  152. >>> Post.objects.filter(tags__276='javascript')
  153. <QuerySet []>
  154. .. note::
  155. PostgreSQL uses 1-based indexing for array fields when writing raw SQL.
  156. However these indexes and those used in :lookup:`slices <arrayfield.slice>`
  157. use 0-based indexing to be consistent with Python.
  158. .. fieldlookup:: arrayfield.slice
  159. Slice transforms
  160. ~~~~~~~~~~~~~~~~
  161. Slice transforms take a slice of the array. Any two non-negative integers can
  162. be used, separated by a single underscore. The lookups available after the
  163. transform do not change. For example::
  164. >>> Post.objects.create(name='First post', tags=['thoughts', 'django'])
  165. >>> Post.objects.create(name='Second post', tags=['thoughts'])
  166. >>> Post.objects.create(name='Third post', tags=['django', 'python', 'thoughts'])
  167. >>> Post.objects.filter(tags__0_1=['thoughts'])
  168. <QuerySet [<Post: First post>, <Post: Second post>]>
  169. >>> Post.objects.filter(tags__0_2__contains=['thoughts'])
  170. <QuerySet [<Post: First post>, <Post: Second post>]>
  171. .. note::
  172. PostgreSQL uses 1-based indexing for array fields when writing raw SQL.
  173. However these slices and those used in :lookup:`indexes <arrayfield.index>`
  174. use 0-based indexing to be consistent with Python.
  175. .. admonition:: Multidimensional arrays with indexes and slices
  176. PostgreSQL has some rather esoteric behavior when using indexes and slices
  177. on multidimensional arrays. It will always work to use indexes to reach
  178. down to the final underlying data, but most other slices behave strangely
  179. at the database level and cannot be supported in a logical, consistent
  180. fashion by Django.
  181. ``CIText`` fields
  182. =================
  183. .. class:: CIText(**options)
  184. A mixin to create case-insensitive text fields backed by the citext_ type.
  185. Read about `the performance considerations`_ prior to using it.
  186. To use ``citext``, use the :class:`.CITextExtension` operation to
  187. :ref:`setup the citext extension <create-postgresql-extensions>` in
  188. PostgreSQL before the first ``CreateModel`` migration operation.
  189. If you're using an :class:`~django.contrib.postgres.fields.ArrayField`
  190. of ``CIText`` fields, you must add ``'django.contrib.postgres'`` in your
  191. :setting:`INSTALLED_APPS`, otherwise field values will appear as strings
  192. like ``'{thoughts,django}'``.
  193. Several fields that use the mixin are provided:
  194. .. class:: CICharField(**options)
  195. .. class:: CIEmailField(**options)
  196. .. class:: CITextField(**options)
  197. These fields subclass :class:`~django.db.models.CharField`,
  198. :class:`~django.db.models.EmailField`, and
  199. :class:`~django.db.models.TextField`, respectively.
  200. ``max_length`` won't be enforced in the database since ``citext`` behaves
  201. similar to PostgreSQL's ``text`` type.
  202. .. _citext: https://www.postgresql.org/docs/current/citext.html
  203. .. _the performance considerations: https://www.postgresql.org/docs/current/citext.html#id-1.11.7.17.7
  204. .. admonition:: Case-insensitive collations
  205. On PostgreSQL 12+, it's preferable to use non-deterministic collations
  206. instead of the ``citext`` extension. You can create them using the
  207. :class:`~django.contrib.postgres.operations.CreateCollation` migration
  208. operation. For more details, see :ref:`manage-postgresql-collations` and
  209. the PostgreSQL documentation about `non-deterministic collations`_.
  210. .. _non-deterministic collations: https://www.postgresql.org/docs/current/collation.html#COLLATION-NONDETERMINISTIC
  211. ``HStoreField``
  212. ===============
  213. .. class:: HStoreField(**options)
  214. A field for storing key-value pairs. The Python data type used is a
  215. ``dict``. Keys must be strings, and values may be either strings or nulls
  216. (``None`` in Python).
  217. To use this field, you'll need to:
  218. #. Add ``'django.contrib.postgres'`` in your :setting:`INSTALLED_APPS`.
  219. #. :ref:`Setup the hstore extension <create-postgresql-extensions>` in
  220. PostgreSQL.
  221. You'll see an error like ``can't adapt type 'dict'`` if you skip the first
  222. step, or ``type "hstore" does not exist`` if you skip the second.
  223. .. note::
  224. On occasions it may be useful to require or restrict the keys which are
  225. valid for a given field. This can be done using the
  226. :class:`~django.contrib.postgres.validators.KeysValidator`.
  227. Querying ``HStoreField``
  228. ------------------------
  229. In addition to the ability to query by key, there are a number of custom
  230. lookups available for ``HStoreField``.
  231. We will use the following example model::
  232. from django.contrib.postgres.fields import HStoreField
  233. from django.db import models
  234. class Dog(models.Model):
  235. name = models.CharField(max_length=200)
  236. data = HStoreField()
  237. def __str__(self):
  238. return self.name
  239. .. fieldlookup:: hstorefield.key
  240. Key lookups
  241. ~~~~~~~~~~~
  242. To query based on a given key, you can use that key as the lookup name::
  243. >>> Dog.objects.create(name='Rufus', data={'breed': 'labrador'})
  244. >>> Dog.objects.create(name='Meg', data={'breed': 'collie'})
  245. >>> Dog.objects.filter(data__breed='collie')
  246. <QuerySet [<Dog: Meg>]>
  247. You can chain other lookups after key lookups::
  248. >>> Dog.objects.filter(data__breed__contains='l')
  249. <QuerySet [<Dog: Rufus>, <Dog: Meg>]>
  250. If the key you wish to query by clashes with the name of another lookup, you
  251. need to use the :lookup:`hstorefield.contains` lookup instead.
  252. .. warning::
  253. Since any string could be a key in a hstore value, any lookup other than
  254. those listed below will be interpreted as a key lookup. No errors are
  255. raised. Be extra careful for typing mistakes, and always check your queries
  256. work as you intend.
  257. .. fieldlookup:: hstorefield.contains
  258. ``contains``
  259. ~~~~~~~~~~~~
  260. The :lookup:`contains` lookup is overridden on
  261. :class:`~django.contrib.postgres.fields.HStoreField`. The returned objects are
  262. those where the given ``dict`` of key-value pairs are all contained in the
  263. field. It uses the SQL operator ``@>``. For example::
  264. >>> Dog.objects.create(name='Rufus', data={'breed': 'labrador', 'owner': 'Bob'})
  265. >>> Dog.objects.create(name='Meg', data={'breed': 'collie', 'owner': 'Bob'})
  266. >>> Dog.objects.create(name='Fred', data={})
  267. >>> Dog.objects.filter(data__contains={'owner': 'Bob'})
  268. <QuerySet [<Dog: Rufus>, <Dog: Meg>]>
  269. >>> Dog.objects.filter(data__contains={'breed': 'collie'})
  270. <QuerySet [<Dog: Meg>]>
  271. .. fieldlookup:: hstorefield.contained_by
  272. ``contained_by``
  273. ~~~~~~~~~~~~~~~~
  274. This is the inverse of the :lookup:`contains <hstorefield.contains>` lookup -
  275. the objects returned will be those where the key-value pairs on the object are
  276. a subset of those in the value passed. It uses the SQL operator ``<@``. For
  277. example::
  278. >>> Dog.objects.create(name='Rufus', data={'breed': 'labrador', 'owner': 'Bob'})
  279. >>> Dog.objects.create(name='Meg', data={'breed': 'collie', 'owner': 'Bob'})
  280. >>> Dog.objects.create(name='Fred', data={})
  281. >>> Dog.objects.filter(data__contained_by={'breed': 'collie', 'owner': 'Bob'})
  282. <QuerySet [<Dog: Meg>, <Dog: Fred>]>
  283. >>> Dog.objects.filter(data__contained_by={'breed': 'collie'})
  284. <QuerySet [<Dog: Fred>]>
  285. .. fieldlookup:: hstorefield.has_key
  286. ``has_key``
  287. ~~~~~~~~~~~
  288. Returns objects where the given key is in the data. Uses the SQL operator
  289. ``?``. For example::
  290. >>> Dog.objects.create(name='Rufus', data={'breed': 'labrador'})
  291. >>> Dog.objects.create(name='Meg', data={'breed': 'collie', 'owner': 'Bob'})
  292. >>> Dog.objects.filter(data__has_key='owner')
  293. <QuerySet [<Dog: Meg>]>
  294. .. fieldlookup:: hstorefield.has_any_keys
  295. ``has_any_keys``
  296. ~~~~~~~~~~~~~~~~
  297. Returns objects where any of the given keys are in the data. Uses the SQL
  298. operator ``?|``. For example::
  299. >>> Dog.objects.create(name='Rufus', data={'breed': 'labrador'})
  300. >>> Dog.objects.create(name='Meg', data={'owner': 'Bob'})
  301. >>> Dog.objects.create(name='Fred', data={})
  302. >>> Dog.objects.filter(data__has_any_keys=['owner', 'breed'])
  303. <QuerySet [<Dog: Rufus>, <Dog: Meg>]>
  304. .. fieldlookup:: hstorefield.has_keys
  305. ``has_keys``
  306. ~~~~~~~~~~~~
  307. Returns objects where all of the given keys are in the data. Uses the SQL operator
  308. ``?&``. For example::
  309. >>> Dog.objects.create(name='Rufus', data={})
  310. >>> Dog.objects.create(name='Meg', data={'breed': 'collie', 'owner': 'Bob'})
  311. >>> Dog.objects.filter(data__has_keys=['breed', 'owner'])
  312. <QuerySet [<Dog: Meg>]>
  313. .. fieldlookup:: hstorefield.keys
  314. ``keys``
  315. ~~~~~~~~
  316. Returns objects where the array of keys is the given value. Note that the order
  317. is not guaranteed to be reliable, so this transform is mainly useful for using
  318. in conjunction with lookups on
  319. :class:`~django.contrib.postgres.fields.ArrayField`. Uses the SQL function
  320. ``akeys()``. For example::
  321. >>> Dog.objects.create(name='Rufus', data={'toy': 'bone'})
  322. >>> Dog.objects.create(name='Meg', data={'breed': 'collie', 'owner': 'Bob'})
  323. >>> Dog.objects.filter(data__keys__overlap=['breed', 'toy'])
  324. <QuerySet [<Dog: Rufus>, <Dog: Meg>]>
  325. .. fieldlookup:: hstorefield.values
  326. ``values``
  327. ~~~~~~~~~~
  328. Returns objects where the array of values is the given value. Note that the
  329. order is not guaranteed to be reliable, so this transform is mainly useful for
  330. using in conjunction with lookups on
  331. :class:`~django.contrib.postgres.fields.ArrayField`. Uses the SQL function
  332. ``avalues()``. For example::
  333. >>> Dog.objects.create(name='Rufus', data={'breed': 'labrador'})
  334. >>> Dog.objects.create(name='Meg', data={'breed': 'collie', 'owner': 'Bob'})
  335. >>> Dog.objects.filter(data__values__contains=['collie'])
  336. <QuerySet [<Dog: Meg>]>
  337. .. _range-fields:
  338. Range Fields
  339. ============
  340. There are five range field types, corresponding to the built-in range types in
  341. PostgreSQL. These fields are used to store a range of values; for example the
  342. start and end timestamps of an event, or the range of ages an activity is
  343. suitable for.
  344. All of the range fields translate to :ref:`psycopg2 Range objects
  345. <psycopg2:adapt-range>` in Python, but also accept tuples as input if no bounds
  346. information is necessary. The default is lower bound included, upper bound
  347. excluded, that is ``[)`` (see the PostgreSQL documentation for details about
  348. `different bounds`_).
  349. .. _different bounds: https://www.postgresql.org/docs/current/rangetypes.html#RANGETYPES-IO
  350. ``IntegerRangeField``
  351. ---------------------
  352. .. class:: IntegerRangeField(**options)
  353. Stores a range of integers. Based on an
  354. :class:`~django.db.models.IntegerField`. Represented by an ``int4range`` in
  355. the database and a :class:`~psycopg2:psycopg2.extras.NumericRange` in
  356. Python.
  357. Regardless of the bounds specified when saving the data, PostgreSQL always
  358. returns a range in a canonical form that includes the lower bound and
  359. excludes the upper bound, that is ``[)``.
  360. ``BigIntegerRangeField``
  361. ------------------------
  362. .. class:: BigIntegerRangeField(**options)
  363. Stores a range of large integers. Based on a
  364. :class:`~django.db.models.BigIntegerField`. Represented by an ``int8range``
  365. in the database and a :class:`~psycopg2:psycopg2.extras.NumericRange` in
  366. Python.
  367. Regardless of the bounds specified when saving the data, PostgreSQL always
  368. returns a range in a canonical form that includes the lower bound and
  369. excludes the upper bound, that is ``[)``.
  370. ``DecimalRangeField``
  371. ---------------------
  372. .. class:: DecimalRangeField(**options)
  373. Stores a range of floating point values. Based on a
  374. :class:`~django.db.models.DecimalField`. Represented by a ``numrange`` in
  375. the database and a :class:`~psycopg2:psycopg2.extras.NumericRange` in
  376. Python.
  377. ``DateTimeRangeField``
  378. ----------------------
  379. .. class:: DateTimeRangeField(**options)
  380. Stores a range of timestamps. Based on a
  381. :class:`~django.db.models.DateTimeField`. Represented by a ``tstzrange`` in
  382. the database and a :class:`~psycopg2:psycopg2.extras.DateTimeTZRange` in
  383. Python.
  384. ``DateRangeField``
  385. ------------------
  386. .. class:: DateRangeField(**options)
  387. Stores a range of dates. Based on a
  388. :class:`~django.db.models.DateField`. Represented by a ``daterange`` in the
  389. database and a :class:`~psycopg2:psycopg2.extras.DateRange` in Python.
  390. Regardless of the bounds specified when saving the data, PostgreSQL always
  391. returns a range in a canonical form that includes the lower bound and
  392. excludes the upper bound, that is ``[)``.
  393. Querying Range Fields
  394. ---------------------
  395. There are a number of custom lookups and transforms for range fields. They are
  396. available on all the above fields, but we will use the following example
  397. model::
  398. from django.contrib.postgres.fields import IntegerRangeField
  399. from django.db import models
  400. class Event(models.Model):
  401. name = models.CharField(max_length=200)
  402. ages = IntegerRangeField()
  403. start = models.DateTimeField()
  404. def __str__(self):
  405. return self.name
  406. We will also use the following example objects::
  407. >>> import datetime
  408. >>> from django.utils import timezone
  409. >>> now = timezone.now()
  410. >>> Event.objects.create(name='Soft play', ages=(0, 10), start=now)
  411. >>> Event.objects.create(name='Pub trip', ages=(21, None), start=now - datetime.timedelta(days=1))
  412. and ``NumericRange``:
  413. >>> from psycopg2.extras import NumericRange
  414. Containment functions
  415. ~~~~~~~~~~~~~~~~~~~~~
  416. As with other PostgreSQL fields, there are three standard containment
  417. operators: ``contains``, ``contained_by`` and ``overlap``, using the SQL
  418. operators ``@>``, ``<@``, and ``&&`` respectively.
  419. .. fieldlookup:: rangefield.contains
  420. ``contains``
  421. ^^^^^^^^^^^^
  422. >>> Event.objects.filter(ages__contains=NumericRange(4, 5))
  423. <QuerySet [<Event: Soft play>]>
  424. .. fieldlookup:: rangefield.contained_by
  425. ``contained_by``
  426. ^^^^^^^^^^^^^^^^
  427. >>> Event.objects.filter(ages__contained_by=NumericRange(0, 15))
  428. <QuerySet [<Event: Soft play>]>
  429. The ``contained_by`` lookup is also available on the non-range field types:
  430. :class:`~django.db.models.SmallAutoField`,
  431. :class:`~django.db.models.AutoField`, :class:`~django.db.models.BigAutoField`,
  432. :class:`~django.db.models.SmallIntegerField`,
  433. :class:`~django.db.models.IntegerField`,
  434. :class:`~django.db.models.BigIntegerField`,
  435. :class:`~django.db.models.DecimalField`, :class:`~django.db.models.FloatField`,
  436. :class:`~django.db.models.DateField`, and
  437. :class:`~django.db.models.DateTimeField`. For example::
  438. >>> from psycopg2.extras import DateTimeTZRange
  439. >>> Event.objects.filter(
  440. ... start__contained_by=DateTimeTZRange(
  441. ... timezone.now() - datetime.timedelta(hours=1),
  442. ... timezone.now() + datetime.timedelta(hours=1),
  443. ... ),
  444. ... )
  445. <QuerySet [<Event: Soft play>]>
  446. .. fieldlookup:: rangefield.overlap
  447. ``overlap``
  448. ^^^^^^^^^^^
  449. >>> Event.objects.filter(ages__overlap=NumericRange(8, 12))
  450. <QuerySet [<Event: Soft play>]>
  451. Comparison functions
  452. ~~~~~~~~~~~~~~~~~~~~
  453. Range fields support the standard lookups: :lookup:`lt`, :lookup:`gt`,
  454. :lookup:`lte` and :lookup:`gte`. These are not particularly helpful - they
  455. compare the lower bounds first and then the upper bounds only if necessary.
  456. This is also the strategy used to order by a range field. It is better to use
  457. the specific range comparison operators.
  458. .. fieldlookup:: rangefield.fully_lt
  459. ``fully_lt``
  460. ^^^^^^^^^^^^
  461. The returned ranges are strictly less than the passed range. In other words,
  462. all the points in the returned range are less than all those in the passed
  463. range.
  464. >>> Event.objects.filter(ages__fully_lt=NumericRange(11, 15))
  465. <QuerySet [<Event: Soft play>]>
  466. .. fieldlookup:: rangefield.fully_gt
  467. ``fully_gt``
  468. ^^^^^^^^^^^^
  469. The returned ranges are strictly greater than the passed range. In other words,
  470. the all the points in the returned range are greater than all those in the
  471. passed range.
  472. >>> Event.objects.filter(ages__fully_gt=NumericRange(11, 15))
  473. <QuerySet [<Event: Pub trip>]>
  474. .. fieldlookup:: rangefield.not_lt
  475. ``not_lt``
  476. ^^^^^^^^^^
  477. The returned ranges do not contain any points less than the passed range, that
  478. is the lower bound of the returned range is at least the lower bound of the
  479. passed range.
  480. >>> Event.objects.filter(ages__not_lt=NumericRange(0, 15))
  481. <QuerySet [<Event: Soft play>, <Event: Pub trip>]>
  482. .. fieldlookup:: rangefield.not_gt
  483. ``not_gt``
  484. ^^^^^^^^^^
  485. The returned ranges do not contain any points greater than the passed range, that
  486. is the upper bound of the returned range is at most the upper bound of the
  487. passed range.
  488. >>> Event.objects.filter(ages__not_gt=NumericRange(3, 10))
  489. <QuerySet [<Event: Soft play>]>
  490. .. fieldlookup:: rangefield.adjacent_to
  491. ``adjacent_to``
  492. ^^^^^^^^^^^^^^^
  493. The returned ranges share a bound with the passed range.
  494. >>> Event.objects.filter(ages__adjacent_to=NumericRange(10, 21))
  495. <QuerySet [<Event: Soft play>, <Event: Pub trip>]>
  496. Querying using the bounds
  497. ~~~~~~~~~~~~~~~~~~~~~~~~~
  498. There are three transforms available for use in queries. You can extract the
  499. lower or upper bound, or query based on emptiness.
  500. .. fieldlookup:: rangefield.startswith
  501. ``startswith``
  502. ^^^^^^^^^^^^^^
  503. Returned objects have the given lower bound. Can be chained to valid lookups
  504. for the base field.
  505. >>> Event.objects.filter(ages__startswith=21)
  506. <QuerySet [<Event: Pub trip>]>
  507. .. fieldlookup:: rangefield.endswith
  508. ``endswith``
  509. ^^^^^^^^^^^^
  510. Returned objects have the given upper bound. Can be chained to valid lookups
  511. for the base field.
  512. >>> Event.objects.filter(ages__endswith=10)
  513. <QuerySet [<Event: Soft play>]>
  514. .. fieldlookup:: rangefield.isempty
  515. ``isempty``
  516. ^^^^^^^^^^^
  517. Returned objects are empty ranges. Can be chained to valid lookups for a
  518. :class:`~django.db.models.BooleanField`.
  519. >>> Event.objects.filter(ages__isempty=True)
  520. <QuerySet []>
  521. .. fieldlookup:: rangefield.lower_inc
  522. ``lower_inc``
  523. ^^^^^^^^^^^^^
  524. Returns objects that have inclusive or exclusive lower bounds, depending on the
  525. boolean value passed. Can be chained to valid lookups for a
  526. :class:`~django.db.models.BooleanField`.
  527. >>> Event.objects.filter(ages__lower_inc=True)
  528. <QuerySet [<Event: Soft play>, <Event: Pub trip>]>
  529. .. fieldlookup:: rangefield.lower_inf
  530. ``lower_inf``
  531. ^^^^^^^^^^^^^
  532. Returns objects that have unbounded (infinite) or bounded lower bound,
  533. depending on the boolean value passed. Can be chained to valid lookups for a
  534. :class:`~django.db.models.BooleanField`.
  535. >>> Event.objects.filter(ages__lower_inf=True)
  536. <QuerySet []>
  537. .. fieldlookup:: rangefield.upper_inc
  538. ``upper_inc``
  539. ^^^^^^^^^^^^^
  540. Returns objects that have inclusive or exclusive upper bounds, depending on the
  541. boolean value passed. Can be chained to valid lookups for a
  542. :class:`~django.db.models.BooleanField`.
  543. >>> Event.objects.filter(ages__upper_inc=True)
  544. <QuerySet []>
  545. .. fieldlookup:: rangefield.upper_inf
  546. ``upper_inf``
  547. ^^^^^^^^^^^^^
  548. Returns objects that have unbounded (infinite) or bounded upper bound,
  549. depending on the boolean value passed. Can be chained to valid lookups for a
  550. :class:`~django.db.models.BooleanField`.
  551. >>> Event.objects.filter(ages__upper_inf=True)
  552. <QuerySet [<Event: Pub trip>]>
  553. Defining your own range types
  554. -----------------------------
  555. PostgreSQL allows the definition of custom range types. Django's model and form
  556. field implementations use base classes below, and psycopg2 provides a
  557. :func:`~psycopg2:psycopg2.extras.register_range` to allow use of custom range
  558. types.
  559. .. class:: RangeField(**options)
  560. Base class for model range fields.
  561. .. attribute:: base_field
  562. The model field class to use.
  563. .. attribute:: range_type
  564. The psycopg2 range type to use.
  565. .. attribute:: form_field
  566. The form field class to use. Should be a subclass of
  567. :class:`django.contrib.postgres.forms.BaseRangeField`.
  568. .. class:: django.contrib.postgres.forms.BaseRangeField
  569. Base class for form range fields.
  570. .. attribute:: base_field
  571. The form field to use.
  572. .. attribute:: range_type
  573. The psycopg2 range type to use.
  574. Range operators
  575. ---------------
  576. .. class:: RangeOperators
  577. PostgreSQL provides a set of SQL operators that can be used together with the
  578. range data types (see `the PostgreSQL documentation for the full details of
  579. range operators <https://www.postgresql.org/docs/current/
  580. functions-range.html#RANGE-OPERATORS-TABLE>`_). This class is meant as a
  581. convenient method to avoid typos. The operator names overlap with the names of
  582. corresponding lookups.
  583. .. code-block:: python
  584. class RangeOperators:
  585. EQUAL = '='
  586. NOT_EQUAL = '<>'
  587. CONTAINS = '@>'
  588. CONTAINED_BY = '<@'
  589. OVERLAPS = '&&'
  590. FULLY_LT = '<<'
  591. FULLY_GT = '>>'
  592. NOT_LT = '&>'
  593. NOT_GT = '&<'
  594. ADJACENT_TO = '-|-'
  595. RangeBoundary() expressions
  596. ---------------------------
  597. .. class:: RangeBoundary(inclusive_lower=True, inclusive_upper=False)
  598. .. attribute:: inclusive_lower
  599. If ``True`` (default), the lower bound is inclusive ``'['``, otherwise
  600. it's exclusive ``'('``.
  601. .. attribute:: inclusive_upper
  602. If ``False`` (default), the upper bound is exclusive ``')'``, otherwise
  603. it's inclusive ``']'``.
  604. A ``RangeBoundary()`` expression represents the range boundaries. It can be
  605. used with a custom range functions that expected boundaries, for example to
  606. define :class:`~django.contrib.postgres.constraints.ExclusionConstraint`. See
  607. `the PostgreSQL documentation for the full details <https://www.postgresql.org/
  608. docs/current/rangetypes.html#RANGETYPES-INCLUSIVITY>`_.