custom-lookups.txt 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333
  1. ==============
  2. Custom Lookups
  3. ==============
  4. .. currentmodule:: django.db.models
  5. Django offers a wide variety of :ref:`built-in lookups <field-lookups>` for
  6. filtering (for example, ``exact`` and ``icontains``). This documentation
  7. explains how to write custom lookups and how to alter the working of existing
  8. lookups. For the API references of lookups, see the :doc:`/ref/models/lookups`.
  9. A simple lookup example
  10. ~~~~~~~~~~~~~~~~~~~~~~~
  11. Let's start with a simple custom lookup. We will write a custom lookup ``ne``
  12. which works opposite to ``exact``. ``Author.objects.filter(name__ne='Jack')``
  13. will translate to the SQL::
  14. "author"."name" <> 'Jack'
  15. This SQL is backend independent, so we don't need to worry about different
  16. databases.
  17. There are two steps to making this work. Firstly we need to implement the
  18. lookup, then we need to tell Django about it. The implementation is quite
  19. straightforward::
  20. from django.db.models import Lookup
  21. class NotEqual(Lookup):
  22. lookup_name = 'ne'
  23. def as_sql(self, compiler, connection):
  24. lhs, lhs_params = self.process_lhs(compiler, connection)
  25. rhs, rhs_params = self.process_rhs(compiler, connection)
  26. params = lhs_params + rhs_params
  27. return '%s <> %s' % (lhs, rhs), params
  28. To register the ``NotEqual`` lookup we will just need to call
  29. ``register_lookup`` on the field class we want the lookup to be available. In
  30. this case, the lookup makes sense on all ``Field`` subclasses, so we register
  31. it with ``Field`` directly::
  32. from django.db.models.fields import Field
  33. Field.register_lookup(NotEqual)
  34. Lookup registration can also be done using a decorator pattern::
  35. from django.db.models.fields import Field
  36. @Field.register_lookup
  37. class NotEqualLookup(Lookup):
  38. # ...
  39. .. versionchanged:: 1.8
  40. The ability to use the decorator pattern was added.
  41. We can now use ``foo__ne`` for any field ``foo``. You will need to ensure that
  42. this registration happens before you try to create any querysets using it. You
  43. could place the implementation in a ``models.py`` file, or register the lookup
  44. in the ``ready()`` method of an ``AppConfig``.
  45. Taking a closer look at the implementation, the first required attribute is
  46. ``lookup_name``. This allows the ORM to understand how to interpret ``name__ne``
  47. and use ``NotEqual`` to generate the SQL. By convention, these names are always
  48. lowercase strings containing only letters, but the only hard requirement is
  49. that it must not contain the string ``__``.
  50. We then need to define the ``as_sql`` method. This takes a ``SQLCompiler``
  51. object, called ``compiler``, and the active database connection.
  52. ``SQLCompiler`` objects are not documented, but the only thing we need to know
  53. about them is that they have a ``compile()`` method which returns a tuple
  54. containing a SQL string, and the parameters to be interpolated into that
  55. string. In most cases, you don't need to use it directly and can pass it on to
  56. ``process_lhs()`` and ``process_rhs()``.
  57. A ``Lookup`` works against two values, ``lhs`` and ``rhs``, standing for
  58. left-hand side and right-hand side. The left-hand side is usually a field
  59. reference, but it can be anything implementing the :ref:`query expression API
  60. <query-expression>`. The right-hand is the value given by the user. In the
  61. example ``Author.objects.filter(name__ne='Jack')``, the left-hand side is a
  62. reference to the ``name`` field of the ``Author`` model, and ``'Jack'`` is the
  63. right-hand side.
  64. We call ``process_lhs`` and ``process_rhs`` to convert them into the values we
  65. need for SQL using the ``compiler`` object described before. These methods
  66. return tuples containing some SQL and the parameters to be interpolated into
  67. that SQL, just as we need to return from our ``as_sql`` method. In the above
  68. example, ``process_lhs`` returns ``('"author"."name"', [])`` and
  69. ``process_rhs`` returns ``('"%s"', ['Jack'])``. In this example there were no
  70. parameters for the left hand side, but this would depend on the object we have,
  71. so we still need to include them in the parameters we return.
  72. Finally we combine the parts into a SQL expression with ``<>``, and supply all
  73. the parameters for the query. We then return a tuple containing the generated
  74. SQL string and the parameters.
  75. A simple transformer example
  76. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  77. The custom lookup above is great, but in some cases you may want to be able to
  78. chain lookups together. For example, let's suppose we are building an
  79. application where we want to make use of the ``abs()`` operator.
  80. We have an ``Experiment`` model which records a start value, end value, and the
  81. change (start - end). We would like to find all experiments where the change
  82. was equal to a certain amount (``Experiment.objects.filter(change__abs=27)``),
  83. or where it did not exceed a certain amount
  84. (``Experiment.objects.filter(change__abs__lt=27)``).
  85. .. note::
  86. This example is somewhat contrived, but it nicely demonstrates the range of
  87. functionality which is possible in a database backend independent manner,
  88. and without duplicating functionality already in Django.
  89. We will start by writing a ``AbsoluteValue`` transformer. This will use the SQL
  90. function ``ABS()`` to transform the value before comparison::
  91. from django.db.models import Transform
  92. class AbsoluteValue(Transform):
  93. lookup_name = 'abs'
  94. def as_sql(self, compiler, connection):
  95. lhs, params = compiler.compile(self.lhs)
  96. return "ABS(%s)" % lhs, params
  97. Next, let's register it for ``IntegerField``::
  98. from django.db.models import IntegerField
  99. IntegerField.register_lookup(AbsoluteValue)
  100. We can now run the queries we had before.
  101. ``Experiment.objects.filter(change__abs=27)`` will generate the following SQL::
  102. SELECT ... WHERE ABS("experiments"."change") = 27
  103. By using ``Transform`` instead of ``Lookup`` it means we are able to chain
  104. further lookups afterwards. So
  105. ``Experiment.objects.filter(change__abs__lt=27)`` will generate the following
  106. SQL::
  107. SELECT ... WHERE ABS("experiments"."change") < 27
  108. Note that in case there is no other lookup specified, Django interprets
  109. ``change__abs=27`` as ``change__abs__exact=27``.
  110. When looking for which lookups are allowable after the ``Transform`` has been
  111. applied, Django uses the ``output_field`` attribute. We didn't need to specify
  112. this here as it didn't change, but supposing we were applying ``AbsoluteValue``
  113. to some field which represents a more complex type (for example a point
  114. relative to an origin, or a complex number) then we may have wanted to specify
  115. that the transform returns a ``FloatField`` type for further lookups. This can
  116. be done by adding an ``output_field`` attribute to the transform::
  117. from django.db.models import FloatField, Transform
  118. class AbsoluteValue(Transform):
  119. lookup_name = 'abs'
  120. def as_sql(self, compiler, connection):
  121. lhs, params = compiler.compile(self.lhs)
  122. return "ABS(%s)" % lhs, params
  123. @property
  124. def output_field(self):
  125. return FloatField()
  126. This ensures that further lookups like ``abs__lte`` behave as they would for
  127. a ``FloatField``.
  128. Writing an efficient abs__lt lookup
  129. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  130. When using the above written ``abs`` lookup, the SQL produced will not use
  131. indexes efficiently in some cases. In particular, when we use
  132. ``change__abs__lt=27``, this is equivalent to ``change__gt=-27`` AND
  133. ``change__lt=27``. (For the ``lte`` case we could use the SQL ``BETWEEN``).
  134. So we would like ``Experiment.objects.filter(change__abs__lt=27)`` to generate
  135. the following SQL::
  136. SELECT .. WHERE "experiments"."change" < 27 AND "experiments"."change" > -27
  137. The implementation is::
  138. from django.db.models import Lookup
  139. class AbsoluteValueLessThan(Lookup):
  140. lookup_name = 'lt'
  141. def as_sql(self, compiler, connection):
  142. lhs, lhs_params = compiler.compile(self.lhs.lhs)
  143. rhs, rhs_params = self.process_rhs(compiler, connection)
  144. params = lhs_params + rhs_params + lhs_params + rhs_params
  145. return '%s < %s AND %s > -%s' % (lhs, rhs, lhs, rhs), params
  146. AbsoluteValue.register_lookup(AbsoluteValueLessThan)
  147. There are a couple of notable things going on. First, ``AbsoluteValueLessThan``
  148. isn't calling ``process_lhs()``. Instead it skips the transformation of the
  149. ``lhs`` done by ``AbsoluteValue`` and uses the original ``lhs``. That is, we
  150. want to get ``27`` not ``ABS(27)``. Referring directly to ``self.lhs.lhs`` is
  151. safe as ``AbsoluteValueLessThan`` can be accessed only from the
  152. ``AbsoluteValue`` lookup, that is the ``lhs`` is always an instance of
  153. ``AbsoluteValue``.
  154. Notice also that as both sides are used multiple times in the query the params
  155. need to contain ``lhs_params`` and ``rhs_params`` multiple times.
  156. The final query does the inversion (``27`` to ``-27``) directly in the
  157. database. The reason for doing this is that if the ``self.rhs`` is something else
  158. than a plain integer value (for example an ``F()`` reference) we can't do the
  159. transformations in Python.
  160. .. note::
  161. In fact, most lookups with ``__abs`` could be implemented as range queries
  162. like this, and on most database backends it is likely to be more sensible to
  163. do so as you can make use of the indexes. However with PostgreSQL you may
  164. want to add an index on ``abs(change)`` which would allow these queries to
  165. be very efficient.
  166. A bilateral transformer example
  167. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  168. The ``AbsoluteValue`` example we discussed previously is a transformation which
  169. applies to the left-hand side of the lookup. There may be some cases where you
  170. want the transformation to be applied to both the left-hand side and the
  171. right-hand side. For instance, if you want to filter a queryset based on the
  172. equality of the left and right-hand side insensitively to some SQL function.
  173. Let's examine the simple example of case-insensitive transformation here. This
  174. transformation isn't very useful in practice as Django already comes with a bunch
  175. of built-in case-insensitive lookups, but it will be a nice demonstration of
  176. bilateral transformations in a database-agnostic way.
  177. We define an ``UpperCase`` transformer which uses the SQL function ``UPPER()`` to
  178. transform the values before comparison. We define
  179. :attr:`bilateral = True <django.db.models.Transform.bilateral>` to indicate that
  180. this transformation should apply to both ``lhs`` and ``rhs``::
  181. from django.db.models import Transform
  182. class UpperCase(Transform):
  183. lookup_name = 'upper'
  184. bilateral = True
  185. def as_sql(self, compiler, connection):
  186. lhs, params = compiler.compile(self.lhs)
  187. return "UPPER(%s)" % lhs, params
  188. Next, let's register it::
  189. from django.db.models import CharField, TextField
  190. CharField.register_lookup(UpperCase)
  191. TextField.register_lookup(UpperCase)
  192. Now, the queryset ``Author.objects.filter(name__upper="doe")`` will generate a case
  193. insensitive query like this::
  194. SELECT ... WHERE UPPER("author"."name") = UPPER('doe')
  195. Writing alternative implementations for existing lookups
  196. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  197. Sometimes different database vendors require different SQL for the same
  198. operation. For this example we will rewrite a custom implementation for
  199. MySQL for the NotEqual operator. Instead of ``<>`` we will be using ``!=``
  200. operator. (Note that in reality almost all databases support both, including
  201. all the official databases supported by Django).
  202. We can change the behavior on a specific backend by creating a subclass of
  203. ``NotEqual`` with a ``as_mysql`` method::
  204. class MySQLNotEqual(NotEqual):
  205. def as_mysql(self, compiler, connection):
  206. lhs, lhs_params = self.process_lhs(compiler, connection)
  207. rhs, rhs_params = self.process_rhs(compiler, connection)
  208. params = lhs_params + rhs_params
  209. return '%s != %s' % (lhs, rhs), params
  210. Field.register_lookup(MySQLNotEqual)
  211. We can then register it with ``Field``. It takes the place of the original
  212. ``NotEqual`` class as it has the same ``lookup_name``.
  213. When compiling a query, Django first looks for ``as_%s % connection.vendor``
  214. methods, and then falls back to ``as_sql``. The vendor names for the in-built
  215. backends are ``sqlite``, ``postgresql``, ``oracle`` and ``mysql``.
  216. How Django determines the lookups and transforms which are used
  217. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  218. In some cases you may wish to dynamically change which ``Transform`` or
  219. ``Lookup`` is returned based on the name passed in, rather than fixing it. As
  220. an example, you could have a field which stores coordinates or an arbitrary
  221. dimension, and wish to allow a syntax like ``.filter(coords__x7=4)`` to return
  222. the objects where the 7th coordinate has value 4. In order to do this, you
  223. would override ``get_lookup`` with something like::
  224. class CoordinatesField(Field):
  225. def get_lookup(self, lookup_name):
  226. if lookup_name.startswith('x'):
  227. try:
  228. dimension = int(lookup_name[1:])
  229. except ValueError:
  230. pass
  231. finally:
  232. return get_coordinate_lookup(dimension)
  233. return super(CoordinatesField, self).get_lookup(lookup_name)
  234. You would then define ``get_coordinate_lookup`` appropriately to return a
  235. ``Lookup`` subclass which handles the relevant value of ``dimension``.
  236. There is a similarly named method called ``get_transform()``. ``get_lookup()``
  237. should always return a ``Lookup`` subclass, and ``get_transform()`` a
  238. ``Transform`` subclass. It is important to remember that ``Transform``
  239. objects can be further filtered on, and ``Lookup`` objects cannot.
  240. When filtering, if there is only one lookup name remaining to be resolved, we
  241. will look for a ``Lookup``. If there are multiple names, it will look for a
  242. ``Transform``. In the situation where there is only one name and a ``Lookup``
  243. is not found, we look for a ``Transform`` and then the ``exact`` lookup on that
  244. ``Transform``. All call sequences always end with a ``Lookup``. To clarify:
  245. - ``.filter(myfield__mylookup)`` will call ``myfield.get_lookup('mylookup')``.
  246. - ``.filter(myfield__mytransform__mylookup)`` will call
  247. ``myfield.get_transform('mytransform')``, and then
  248. ``mytransform.get_lookup('mylookup')``.
  249. - ``.filter(myfield__mytransform)`` will first call
  250. ``myfield.get_lookup('mytransform')``, which will fail, so it will fall back
  251. to calling ``myfield.get_transform('mytransform')`` and then
  252. ``mytransform.get_lookup('exact')``.