managers.txt 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443
  1. ========
  2. Managers
  3. ========
  4. .. currentmodule:: django.db.models
  5. .. class:: Manager()
  6. A ``Manager`` is the interface through which database query operations are
  7. provided to Django models. At least one ``Manager`` exists for every model in
  8. a Django application.
  9. The way ``Manager`` classes work is documented in :doc:`/topics/db/queries`;
  10. this document specifically touches on model options that customize ``Manager``
  11. behavior.
  12. .. _manager-names:
  13. Manager names
  14. =============
  15. By default, Django adds a ``Manager`` with the name ``objects`` to every Django
  16. model class. However, if you want to use ``objects`` as a field name, or if you
  17. want to use a name other than ``objects`` for the ``Manager``, you can rename
  18. it on a per-model basis. To rename the ``Manager`` for a given class, define a
  19. class attribute of type ``models.Manager()`` on that model. For example::
  20. from django.db import models
  21. class Person(models.Model):
  22. #...
  23. people = models.Manager()
  24. Using this example model, ``Person.objects`` will generate an
  25. ``AttributeError`` exception, but ``Person.people.all()`` will provide a list
  26. of all ``Person`` objects.
  27. .. _custom-managers:
  28. Custom managers
  29. ===============
  30. You can use a custom ``Manager`` in a particular model by extending the base
  31. ``Manager`` class and instantiating your custom ``Manager`` in your model.
  32. There are two reasons you might want to customize a ``Manager``: to add extra
  33. ``Manager`` methods, and/or to modify the initial ``QuerySet`` the ``Manager``
  34. returns.
  35. Adding extra manager methods
  36. ----------------------------
  37. Adding extra ``Manager`` methods is the preferred way to add "table-level"
  38. functionality to your models. (For "row-level" functionality -- i.e., functions
  39. that act on a single instance of a model object -- use :ref:`Model methods
  40. <model-methods>`, not custom ``Manager`` methods.)
  41. For example, this custom ``Manager`` adds a method ``with_counts()``::
  42. from django.db import models
  43. from django.db.models.functions import Coalesce
  44. class PollManager(models.Manager):
  45. def with_counts(self):
  46. return self.annotate(
  47. num_responses=Coalesce(models.Count("response"), 0)
  48. )
  49. class OpinionPoll(models.Model):
  50. question = models.CharField(max_length=200)
  51. objects = PollManager()
  52. class Response(models.Model):
  53. poll = models.ForeignKey(OpinionPoll, on_delete=models.CASCADE)
  54. # ...
  55. With this example, you'd use ``OpinionPoll.objects.with_counts()`` to get a
  56. ``QuerySet`` of ``OpinionPoll`` objects with the extra ``num_responses``
  57. attribute attached.
  58. A custom ``Manager`` method can return anything you want. It doesn't have to
  59. return a ``QuerySet``.
  60. Another thing to note is that ``Manager`` methods can access ``self.model`` to
  61. get the model class to which they're attached.
  62. Modifying a manager's initial ``QuerySet``
  63. ------------------------------------------
  64. A ``Manager``’s base ``QuerySet`` returns all objects in the system. For
  65. example, using this model::
  66. from django.db import models
  67. class Book(models.Model):
  68. title = models.CharField(max_length=100)
  69. author = models.CharField(max_length=50)
  70. ...the statement ``Book.objects.all()`` will return all books in the database.
  71. You can override a ``Manager``’s base ``QuerySet`` by overriding the
  72. ``Manager.get_queryset()`` method. ``get_queryset()`` should return a
  73. ``QuerySet`` with the properties you require.
  74. For example, the following model has *two* ``Manager``\s -- one that returns
  75. all objects, and one that returns only the books by Roald Dahl::
  76. # First, define the Manager subclass.
  77. class DahlBookManager(models.Manager):
  78. def get_queryset(self):
  79. return super().get_queryset().filter(author='Roald Dahl')
  80. # Then hook it into the Book model explicitly.
  81. class Book(models.Model):
  82. title = models.CharField(max_length=100)
  83. author = models.CharField(max_length=50)
  84. objects = models.Manager() # The default manager.
  85. dahl_objects = DahlBookManager() # The Dahl-specific manager.
  86. With this sample model, ``Book.objects.all()`` will return all books in the
  87. database, but ``Book.dahl_objects.all()`` will only return the ones written by
  88. Roald Dahl.
  89. Because ``get_queryset()`` returns a ``QuerySet`` object, you can use
  90. ``filter()``, ``exclude()`` and all the other ``QuerySet`` methods on it. So
  91. these statements are all legal::
  92. Book.dahl_objects.all()
  93. Book.dahl_objects.filter(title='Matilda')
  94. Book.dahl_objects.count()
  95. This example also pointed out another interesting technique: using multiple
  96. managers on the same model. You can attach as many ``Manager()`` instances to
  97. a model as you'd like. This is a non-repetitive way to define common "filters"
  98. for your models.
  99. For example::
  100. class AuthorManager(models.Manager):
  101. def get_queryset(self):
  102. return super().get_queryset().filter(role='A')
  103. class EditorManager(models.Manager):
  104. def get_queryset(self):
  105. return super().get_queryset().filter(role='E')
  106. class Person(models.Model):
  107. first_name = models.CharField(max_length=50)
  108. last_name = models.CharField(max_length=50)
  109. role = models.CharField(max_length=1, choices=[('A', _('Author')), ('E', _('Editor'))])
  110. people = models.Manager()
  111. authors = AuthorManager()
  112. editors = EditorManager()
  113. This example allows you to request ``Person.authors.all()``, ``Person.editors.all()``,
  114. and ``Person.people.all()``, yielding predictable results.
  115. .. _default-managers:
  116. Default managers
  117. ----------------
  118. .. attribute:: Model._default_manager
  119. If you use custom ``Manager`` objects, take note that the first ``Manager``
  120. Django encounters (in the order in which they're defined in the model) has a
  121. special status. Django interprets the first ``Manager`` defined in a class as
  122. the "default" ``Manager``, and several parts of Django (including
  123. :djadmin:`dumpdata`) will use that ``Manager`` exclusively for that model. As a
  124. result, it's a good idea to be careful in your choice of default manager in
  125. order to avoid a situation where overriding ``get_queryset()`` results in an
  126. inability to retrieve objects you'd like to work with.
  127. You can specify a custom default manager using :attr:`Meta.default_manager_name
  128. <django.db.models.Options.default_manager_name>`.
  129. If you're writing some code that must handle an unknown model, for example, in
  130. a third-party app that implements a generic view, use this manager (or
  131. :attr:`~Model._base_manager`) rather than assuming the model has an ``objects``
  132. manager.
  133. Base managers
  134. -------------
  135. .. attribute:: Model._base_manager
  136. .. _managers-for-related-objects:
  137. Using managers for related object access
  138. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  139. By default, Django uses an instance of the ``Model._base_manager`` manager
  140. class when accessing related objects (i.e. ``choice.question``), not the
  141. ``_default_manager`` on the related object. This is because Django needs to be
  142. able to retrieve the related object, even if it would otherwise be filtered out
  143. (and hence be inaccessible) by the default manager.
  144. If the normal base manager class (:class:`django.db.models.Manager`) isn't
  145. appropriate for your circumstances, you can tell Django which class to use by
  146. setting :attr:`Meta.base_manager_name
  147. <django.db.models.Options.base_manager_name>`.
  148. Base managers aren't used when querying on related models, or when
  149. :ref:`accessing a one-to-many or many-to-many relationship
  150. <backwards-related-objects>`. For example, if the ``Question`` model
  151. :ref:`from the tutorial <creating-models>` had a ``deleted`` field and a base
  152. manager that filters out instances with ``deleted=True``, a queryset like
  153. ``Choice.objects.filter(question__name__startswith='What')`` would include
  154. choices related to deleted questions.
  155. Don't filter away any results in this type of manager subclass
  156. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  157. This manager is used to access objects that are related to from some other
  158. model. In those situations, Django has to be able to see all the objects for
  159. the model it is fetching, so that *anything* which is referred to can be
  160. retrieved.
  161. Therefore, you should not override ``get_queryset()`` to filter out any rows.
  162. If you do so, Django will return incomplete results.
  163. .. _calling-custom-queryset-methods-from-manager:
  164. Calling custom ``QuerySet`` methods from the manager
  165. ----------------------------------------------------
  166. While most methods from the standard ``QuerySet`` are accessible directly from
  167. the ``Manager``, this is only the case for the extra methods defined on a
  168. custom ``QuerySet`` if you also implement them on the ``Manager``::
  169. class PersonQuerySet(models.QuerySet):
  170. def authors(self):
  171. return self.filter(role='A')
  172. def editors(self):
  173. return self.filter(role='E')
  174. class PersonManager(models.Manager):
  175. def get_queryset(self):
  176. return PersonQuerySet(self.model, using=self._db)
  177. def authors(self):
  178. return self.get_queryset().authors()
  179. def editors(self):
  180. return self.get_queryset().editors()
  181. class Person(models.Model):
  182. first_name = models.CharField(max_length=50)
  183. last_name = models.CharField(max_length=50)
  184. role = models.CharField(max_length=1, choices=[('A', _('Author')), ('E', _('Editor'))])
  185. people = PersonManager()
  186. This example allows you to call both ``authors()`` and ``editors()`` directly from
  187. the manager ``Person.people``.
  188. .. _create-manager-with-queryset-methods:
  189. Creating a manager with ``QuerySet`` methods
  190. --------------------------------------------
  191. In lieu of the above approach which requires duplicating methods on both the
  192. ``QuerySet`` and the ``Manager``, :meth:`QuerySet.as_manager()
  193. <django.db.models.query.QuerySet.as_manager>` can be used to create an instance
  194. of ``Manager`` with a copy of a custom ``QuerySet``’s methods::
  195. class Person(models.Model):
  196. ...
  197. people = PersonQuerySet.as_manager()
  198. The ``Manager`` instance created by :meth:`QuerySet.as_manager()
  199. <django.db.models.query.QuerySet.as_manager>` will be virtually
  200. identical to the ``PersonManager`` from the previous example.
  201. Not every ``QuerySet`` method makes sense at the ``Manager`` level; for
  202. instance we intentionally prevent the :meth:`QuerySet.delete()
  203. <django.db.models.query.QuerySet.delete>` method from being copied onto
  204. the ``Manager`` class.
  205. Methods are copied according to the following rules:
  206. - Public methods are copied by default.
  207. - Private methods (starting with an underscore) are not copied by default.
  208. - Methods with a ``queryset_only`` attribute set to ``False`` are always copied.
  209. - Methods with a ``queryset_only`` attribute set to ``True`` are never copied.
  210. For example::
  211. class CustomQuerySet(models.QuerySet):
  212. # Available on both Manager and QuerySet.
  213. def public_method(self):
  214. return
  215. # Available only on QuerySet.
  216. def _private_method(self):
  217. return
  218. # Available only on QuerySet.
  219. def opted_out_public_method(self):
  220. return
  221. opted_out_public_method.queryset_only = True
  222. # Available on both Manager and QuerySet.
  223. def _opted_in_private_method(self):
  224. return
  225. _opted_in_private_method.queryset_only = False
  226. ``from_queryset()``
  227. ~~~~~~~~~~~~~~~~~~~
  228. .. classmethod:: from_queryset(queryset_class)
  229. For advanced usage you might want both a custom ``Manager`` and a custom
  230. ``QuerySet``. You can do that by calling ``Manager.from_queryset()`` which
  231. returns a *subclass* of your base ``Manager`` with a copy of the custom
  232. ``QuerySet`` methods::
  233. class CustomManager(models.Manager):
  234. def manager_only_method(self):
  235. return
  236. class CustomQuerySet(models.QuerySet):
  237. def manager_and_queryset_method(self):
  238. return
  239. class MyModel(models.Model):
  240. objects = CustomManager.from_queryset(CustomQuerySet)()
  241. You may also store the generated class into a variable::
  242. MyManager = CustomManager.from_queryset(CustomQuerySet)
  243. class MyModel(models.Model):
  244. objects = MyManager()
  245. .. _custom-managers-and-inheritance:
  246. Custom managers and model inheritance
  247. -------------------------------------
  248. Here's how Django handles custom managers and :ref:`model inheritance
  249. <model-inheritance>`:
  250. #. Managers from base classes are always inherited by the child class,
  251. using Python's normal name resolution order (names on the child
  252. class override all others; then come names on the first parent class,
  253. and so on).
  254. #. If no managers are declared on a model and/or its parents, Django
  255. automatically creates the ``objects`` manager.
  256. #. The default manager on a class is either the one chosen with
  257. :attr:`Meta.default_manager_name
  258. <django.db.models.Options.default_manager_name>`, or the first manager
  259. declared on the model, or the default manager of the first parent model.
  260. These rules provide the necessary flexibility if you want to install a
  261. collection of custom managers on a group of models, via an abstract base
  262. class, but still customize the default manager. For example, suppose you have
  263. this base class::
  264. class AbstractBase(models.Model):
  265. # ...
  266. objects = CustomManager()
  267. class Meta:
  268. abstract = True
  269. If you use this directly in a subclass, ``objects`` will be the default
  270. manager if you declare no managers in the base class::
  271. class ChildA(AbstractBase):
  272. # ...
  273. # This class has CustomManager as the default manager.
  274. pass
  275. If you want to inherit from ``AbstractBase``, but provide a different default
  276. manager, you can provide the default manager on the child class::
  277. class ChildB(AbstractBase):
  278. # ...
  279. # An explicit default manager.
  280. default_manager = OtherManager()
  281. Here, ``default_manager`` is the default. The ``objects`` manager is
  282. still available, since it's inherited, but isn't used as the default.
  283. Finally for this example, suppose you want to add extra managers to the child
  284. class, but still use the default from ``AbstractBase``. You can't add the new
  285. manager directly in the child class, as that would override the default and you would
  286. have to also explicitly include all the managers from the abstract base class.
  287. The solution is to put the extra managers in another base class and introduce
  288. it into the inheritance hierarchy *after* the defaults::
  289. class ExtraManager(models.Model):
  290. extra_manager = OtherManager()
  291. class Meta:
  292. abstract = True
  293. class ChildC(AbstractBase, ExtraManager):
  294. # ...
  295. # Default manager is CustomManager, but OtherManager is
  296. # also available via the "extra_manager" attribute.
  297. pass
  298. Note that while you can *define* a custom manager on the abstract model, you
  299. can't *invoke* any methods using the abstract model. That is::
  300. ClassA.objects.do_something()
  301. is legal, but::
  302. AbstractBase.objects.do_something()
  303. will raise an exception. This is because managers are intended to encapsulate
  304. logic for managing collections of objects. Since you can't have a collection of
  305. abstract objects, it doesn't make sense to be managing them. If you have
  306. functionality that applies to the abstract model, you should put that functionality
  307. in a ``staticmethod`` or ``classmethod`` on the abstract model.
  308. Implementation concerns
  309. -----------------------
  310. Whatever features you add to your custom ``Manager``, it must be
  311. possible to make a shallow copy of a ``Manager`` instance; i.e., the
  312. following code must work::
  313. >>> import copy
  314. >>> manager = MyManager()
  315. >>> my_copy = copy.copy(manager)
  316. Django makes shallow copies of manager objects during certain queries;
  317. if your Manager cannot be copied, those queries will fail.
  318. This won't be an issue for most custom managers. If you are just
  319. adding simple methods to your ``Manager``, it is unlikely that you
  320. will inadvertently make instances of your ``Manager`` uncopyable.
  321. However, if you're overriding ``__getattr__`` or some other private
  322. method of your ``Manager`` object that controls object state, you
  323. should ensure that you don't affect the ability of your ``Manager`` to
  324. be copied.