managers.txt 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541
  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. A custom ``Manager`` method can return anything you want. It doesn't have to
  42. return a ``QuerySet``.
  43. For example, this custom ``Manager`` offers a method ``with_counts()``, which
  44. returns a list of all ``OpinionPoll`` objects, each with an extra
  45. ``num_responses`` attribute that is the result of an aggregate query::
  46. from django.db import models
  47. class PollManager(models.Manager):
  48. def with_counts(self):
  49. from django.db import connection
  50. cursor = connection.cursor()
  51. cursor.execute("""
  52. SELECT p.id, p.question, p.poll_date, COUNT(*)
  53. FROM polls_opinionpoll p, polls_response r
  54. WHERE p.id = r.poll_id
  55. GROUP BY p.id, p.question, p.poll_date
  56. ORDER BY p.poll_date DESC""")
  57. result_list = []
  58. for row in cursor.fetchall():
  59. p = self.model(id=row[0], question=row[1], poll_date=row[2])
  60. p.num_responses = row[3]
  61. result_list.append(p)
  62. return result_list
  63. class OpinionPoll(models.Model):
  64. question = models.CharField(max_length=200)
  65. poll_date = models.DateField()
  66. objects = PollManager()
  67. class Response(models.Model):
  68. poll = models.ForeignKey(OpinionPoll)
  69. person_name = models.CharField(max_length=50)
  70. response = models.TextField()
  71. With this example, you'd use ``OpinionPoll.objects.with_counts()`` to return
  72. that list of ``OpinionPoll`` objects with ``num_responses`` attributes.
  73. Another thing to note about this example is that ``Manager`` methods can
  74. access ``self.model`` to get the model class to which they're attached.
  75. Modifying initial Manager QuerySets
  76. -----------------------------------
  77. A ``Manager``’s base ``QuerySet`` returns all objects in the system. For
  78. example, using this model::
  79. from django.db import models
  80. class Book(models.Model):
  81. title = models.CharField(max_length=100)
  82. author = models.CharField(max_length=50)
  83. ...the statement ``Book.objects.all()`` will return all books in the database.
  84. You can override a ``Manager``’s base ``QuerySet`` by overriding the
  85. ``Manager.get_queryset()`` method. ``get_queryset()`` should return a
  86. ``QuerySet`` with the properties you require.
  87. For example, the following model has *two* ``Manager``\s -- one that returns
  88. all objects, and one that returns only the books by Roald Dahl::
  89. # First, define the Manager subclass.
  90. class DahlBookManager(models.Manager):
  91. def get_queryset(self):
  92. return super(DahlBookManager, self).get_queryset().filter(author='Roald Dahl')
  93. # Then hook it into the Book model explicitly.
  94. class Book(models.Model):
  95. title = models.CharField(max_length=100)
  96. author = models.CharField(max_length=50)
  97. objects = models.Manager() # The default manager.
  98. dahl_objects = DahlBookManager() # The Dahl-specific manager.
  99. With this sample model, ``Book.objects.all()`` will return all books in the
  100. database, but ``Book.dahl_objects.all()`` will only return the ones written by
  101. Roald Dahl.
  102. Of course, because ``get_queryset()`` returns a ``QuerySet`` object, you can
  103. use ``filter()``, ``exclude()`` and all the other ``QuerySet`` methods on it.
  104. So these statements are all legal::
  105. Book.dahl_objects.all()
  106. Book.dahl_objects.filter(title='Matilda')
  107. Book.dahl_objects.count()
  108. This example also pointed out another interesting technique: using multiple
  109. managers on the same model. You can attach as many ``Manager()`` instances to
  110. a model as you'd like. This is an easy way to define common "filters" for your
  111. models.
  112. For example::
  113. class AuthorManager(models.Manager):
  114. def get_queryset(self):
  115. return super(AuthorManager, self).get_queryset().filter(role='A')
  116. class EditorManager(models.Manager):
  117. def get_queryset(self):
  118. return super(EditorManager, self).get_queryset().filter(role='E')
  119. class Person(models.Model):
  120. first_name = models.CharField(max_length=50)
  121. last_name = models.CharField(max_length=50)
  122. role = models.CharField(max_length=1, choices=(('A', _('Author')), ('E', _('Editor'))))
  123. people = models.Manager()
  124. authors = AuthorManager()
  125. editors = EditorManager()
  126. This example allows you to request ``Person.authors.all()``, ``Person.editors.all()``,
  127. and ``Person.people.all()``, yielding predictable results.
  128. If you use custom ``Manager`` objects, take note that the first ``Manager``
  129. Django encounters (in the order in which they're defined in the model) has a
  130. special status. Django interprets the first ``Manager`` defined in a class as
  131. the "default" ``Manager``, and several parts of Django
  132. (including :djadmin:`dumpdata`) will use that ``Manager``
  133. exclusively for that model. As a result, it's a good idea to be careful in
  134. your choice of default manager in order to avoid a situation where overriding
  135. ``get_queryset()`` results in an inability to retrieve objects you'd like to
  136. work with.
  137. .. versionchanged:: 1.6
  138. The ``get_queryset`` method was previously named ``get_query_set``.
  139. .. _managers-for-related-objects:
  140. Using managers for related object access
  141. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  142. By default, Django uses an instance of a "plain" manager class when accessing
  143. related objects (i.e. ``choice.poll``), not the default manager on the related
  144. object. This is because Django needs to be able to retrieve the related
  145. object, even if it would otherwise be filtered out (and hence be inaccessible)
  146. by the default manager.
  147. If the normal plain manager class (:class:`django.db.models.Manager`) is not
  148. appropriate for your circumstances, you can force Django to use the same class
  149. as the default manager for your model by setting the ``use_for_related_fields``
  150. attribute on the manager class. This is documented fully below_.
  151. .. _below: manager-types_
  152. .. _calling-custom-queryset-methods-from-manager:
  153. Calling custom ``QuerySet`` methods from the ``Manager``
  154. --------------------------------------------------------
  155. While most methods from the standard ``QuerySet`` are accessible directly from
  156. the ``Manager``, this is only the case for the extra methods defined on a
  157. custom ``QuerySet`` if you also implement them on the ``Manager``::
  158. class PersonQuerySet(models.QuerySet):
  159. def authors(self):
  160. return self.filter(role='A')
  161. def editors(self):
  162. return self.filter(role='E')
  163. class PersonManager(models.Manager):
  164. def get_queryset(self):
  165. return PersonQuerySet(self.model, using=self._db)
  166. def authors(self):
  167. return self.get_queryset().authors()
  168. def editors(self):
  169. return self.get_queryset().editors()
  170. class Person(models.Model):
  171. first_name = models.CharField(max_length=50)
  172. last_name = models.CharField(max_length=50)
  173. role = models.CharField(max_length=1, choices=(('A', _('Author')), ('E', _('Editor'))))
  174. people = PersonManager()
  175. This example allows you to call both ``authors()`` and ``editors()`` directly from
  176. the manager ``Person.people``.
  177. .. _create-manager-with-queryset-methods:
  178. Creating ``Manager`` with ``QuerySet`` methods
  179. ----------------------------------------------
  180. .. versionadded:: 1.7
  181. In lieu of the above approach which requires duplicating methods on both the
  182. ``QuerySet`` and the ``Manager``, :meth:`QuerySet.as_manager()
  183. <django.db.models.query.QuerySet.as_manager>` can be used to create an instance
  184. of ``Manager`` with a copy of a custom ``QuerySet``’s methods::
  185. class Person(models.Model):
  186. ...
  187. people = PersonQuerySet.as_manager()
  188. The ``Manager`` instance created by :meth:`QuerySet.as_manager()
  189. <django.db.models.query.QuerySet.as_manager>` will be virtually
  190. identical to the ``PersonManager`` from the previous example.
  191. Not every ``QuerySet`` method makes sense at the ``Manager`` level; for
  192. instance we intentionally prevent the :meth:`QuerySet.delete()
  193. <django.db.models.query.QuerySet.delete>` method from being copied onto
  194. the ``Manager`` class.
  195. Methods are copied according to the following rules:
  196. - Public methods are copied by default.
  197. - Private methods (starting with an underscore) are not copied by default.
  198. - Methods with a ``queryset_only`` attribute set to ``False`` are always copied.
  199. - Methods with a ``queryset_only`` attribute set to ``True`` are never copied.
  200. For example::
  201. class CustomQuerySet(models.QuerySet):
  202. # Available on both Manager and QuerySet.
  203. def public_method(self):
  204. return
  205. # Available only on QuerySet.
  206. def _private_method(self):
  207. return
  208. # Available only on QuerySet.
  209. def opted_out_public_method(self):
  210. return
  211. opted_out_public_method.queryset_only = True
  212. # Available on both Manager and QuerySet.
  213. def _opted_in_private_method(self):
  214. return
  215. _opted_in_private_method.queryset_only = False
  216. from_queryset
  217. ~~~~~~~~~~~~~
  218. .. classmethod:: from_queryset(queryset_class)
  219. For advance usage you might want both a custom ``Manager`` and a custom
  220. ``QuerySet``. You can do that by calling ``Manager.from_queryset()`` which
  221. returns a *subclass* of your base ``Manager`` with a copy of the custom
  222. ``QuerySet`` methods::
  223. class BaseManager(models.Manager):
  224. def __init__(self, *args, **kwargs):
  225. ...
  226. def manager_only_method(self):
  227. return
  228. class CustomQuerySet(models.QuerySet):
  229. def manager_and_queryset_method(self):
  230. return
  231. class MyModel(models.Model):
  232. objects = BaseManager.from_queryset(CustomQueryset)(*args, **kwargs)
  233. You may also store the generated class into a variable::
  234. CustomManager = BaseManager.from_queryset(CustomQueryset)
  235. class MyModel(models.Model):
  236. objects = CustomManager(*args, **kwargs)
  237. .. _custom-managers-and-inheritance:
  238. Custom managers and model inheritance
  239. -------------------------------------
  240. Class inheritance and model managers aren't quite a perfect match for each
  241. other. Managers are often specific to the classes they are defined on and
  242. inheriting them in subclasses isn't necessarily a good idea. Also, because the
  243. first manager declared is the *default manager*, it is important to allow that
  244. to be controlled. So here's how Django handles custom managers and
  245. :ref:`model inheritance <model-inheritance>`:
  246. 1. Managers defined on non-abstract base classes are *not* inherited by
  247. child classes. If you want to reuse a manager from a non-abstract base,
  248. redeclare it explicitly on the child class. These sorts of managers are
  249. likely to be fairly specific to the class they are defined on, so
  250. inheriting them can often lead to unexpected results (particularly as
  251. far as the default manager goes). Therefore, they aren't passed onto
  252. child classes.
  253. 2. Managers from abstract base classes are always inherited by the child
  254. class, using Python's normal name resolution order (names on the child
  255. class override all others; then come names on the first parent class,
  256. and so on). Abstract base classes are designed to capture information
  257. and behavior that is common to their child classes. Defining common
  258. managers is an appropriate part of this common information.
  259. 3. The default manager on a class is either the first manager declared on
  260. the class, if that exists, or the default manager of the first abstract
  261. base class in the parent hierarchy, if that exists. If no default
  262. manager is explicitly declared, Django's normal default manager is
  263. used.
  264. These rules provide the necessary flexibility if you want to install a
  265. collection of custom managers on a group of models, via an abstract base
  266. class, but still customize the default manager. For example, suppose you have
  267. this base class::
  268. class AbstractBase(models.Model):
  269. # ...
  270. objects = CustomManager()
  271. class Meta:
  272. abstract = True
  273. If you use this directly in a subclass, ``objects`` will be the default
  274. manager if you declare no managers in the base class::
  275. class ChildA(AbstractBase):
  276. # ...
  277. # This class has CustomManager as the default manager.
  278. pass
  279. If you want to inherit from ``AbstractBase``, but provide a different default
  280. manager, you can provide the default manager on the child class::
  281. class ChildB(AbstractBase):
  282. # ...
  283. # An explicit default manager.
  284. default_manager = OtherManager()
  285. Here, ``default_manager`` is the default. The ``objects`` manager is
  286. still available, since it's inherited. It just isn't used as the default.
  287. Finally for this example, suppose you want to add extra managers to the child
  288. class, but still use the default from ``AbstractBase``. You can't add the new
  289. manager directly in the child class, as that would override the default and you would
  290. have to also explicitly include all the managers from the abstract base class.
  291. The solution is to put the extra managers in another base class and introduce
  292. it into the inheritance hierarchy *after* the defaults::
  293. class ExtraManager(models.Model):
  294. extra_manager = OtherManager()
  295. class Meta:
  296. abstract = True
  297. class ChildC(AbstractBase, ExtraManager):
  298. # ...
  299. # Default manager is CustomManager, but OtherManager is
  300. # also available via the "extra_manager" attribute.
  301. pass
  302. Note that while you can *define* a custom manager on the abstract model, you
  303. can't *invoke* any methods using the abstract model. That is::
  304. ClassA.objects.do_something()
  305. is legal, but::
  306. AbstractBase.objects.do_something()
  307. will raise an exception. This is because managers are intended to encapsulate
  308. logic for managing collections of objects. Since you can't have a collection of
  309. abstract objects, it doesn't make sense to be managing them. If you have
  310. functionality that applies to the abstract model, you should put that functionality
  311. in a ``staticmethod`` or ``classmethod`` on the abstract model.
  312. Implementation concerns
  313. -----------------------
  314. Whatever features you add to your custom ``Manager``, it must be
  315. possible to make a shallow copy of a ``Manager`` instance; i.e., the
  316. following code must work::
  317. >>> import copy
  318. >>> manager = MyManager()
  319. >>> my_copy = copy.copy(manager)
  320. Django makes shallow copies of manager objects during certain queries;
  321. if your Manager cannot be copied, those queries will fail.
  322. This won't be an issue for most custom managers. If you are just
  323. adding simple methods to your ``Manager``, it is unlikely that you
  324. will inadvertently make instances of your ``Manager`` uncopyable.
  325. However, if you're overriding ``__getattr__`` or some other private
  326. method of your ``Manager`` object that controls object state, you
  327. should ensure that you don't affect the ability of your ``Manager`` to
  328. be copied.
  329. .. _manager-types:
  330. Controlling automatic Manager types
  331. ===================================
  332. This document has already mentioned a couple of places where Django creates a
  333. manager class for you: `default managers`_ and the "plain" manager used to
  334. `access related objects`_. There are other places in the implementation of
  335. Django where temporary plain managers are needed. Those automatically created
  336. managers will normally be instances of the :class:`django.db.models.Manager`
  337. class.
  338. .. _default managers: manager-names_
  339. .. _access related objects: managers-for-related-objects_
  340. Throughout this section, we will use the term "automatic manager" to mean a
  341. manager that Django creates for you -- either as a default manager on a model
  342. with no managers, or to use temporarily when accessing related objects.
  343. Sometimes this default class won't be the right choice. One example is in the
  344. :mod:`django.contrib.gis` application that ships with Django itself. All ``gis``
  345. models must use a special manager class (:class:`~django.contrib.gis.db.models.GeoManager`)
  346. because they need a special queryset (:class:`~django.contrib.gis.db.models.GeoQuerySet`)
  347. to be used for interacting with the database. It turns out that models which require
  348. a special manager like this need to use the same manager class wherever an automatic
  349. manager is created.
  350. Django provides a way for custom manager developers to say that their manager
  351. class should be used for automatic managers whenever it is the default manager
  352. on a model. This is done by setting the ``use_for_related_fields`` attribute on
  353. the manager class::
  354. class MyManager(models.Manager):
  355. use_for_related_fields = True
  356. # ...
  357. If this attribute is set on the *default* manager for a model (only the
  358. default manager is considered in these situations), Django will use that class
  359. whenever it needs to automatically create a manager for the class. Otherwise,
  360. it will use :class:`django.db.models.Manager`.
  361. .. admonition:: Historical Note
  362. Given the purpose for which it's used, the name of this attribute
  363. (``use_for_related_fields``) might seem a little odd. Originally, the
  364. attribute only controlled the type of manager used for related field
  365. access, which is where the name came from. As it became clear the concept
  366. was more broadly useful, the name hasn't been changed. This is primarily
  367. so that existing code will :doc:`continue to work </misc/api-stability>` in
  368. future Django versions.
  369. Writing correct Managers for use in automatic Manager instances
  370. ---------------------------------------------------------------
  371. As already suggested by the :mod:`django.contrib.gis` example, above, the
  372. ``use_for_related_fields`` feature is primarily for managers that need to
  373. return a custom ``QuerySet`` subclass. In providing this functionality in your
  374. manager, there are a couple of things to remember.
  375. Do not filter away any results in this type of manager subclass
  376. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  377. One reason an automatic manager is used is to access objects that are related
  378. to from some other model. In those situations, Django has to be able to see
  379. all the objects for the model it is fetching, so that *anything* which is
  380. referred to can be retrieved.
  381. If you override the ``get_queryset()`` method and filter out any rows, Django
  382. will return incorrect results. Don't do that. A manager that filters results
  383. in ``get_queryset()`` is not appropriate for use as an automatic manager.
  384. Set ``use_for_related_fields`` when you define the class
  385. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  386. The ``use_for_related_fields`` attribute must be set on the manager *class*, not
  387. on an *instance* of the class. The earlier example shows the correct way to set
  388. it, whereas the following will not work::
  389. # BAD: Incorrect code
  390. class MyManager(models.Manager):
  391. # ...
  392. pass
  393. # Sets the attribute on an instance of MyManager. Django will
  394. # ignore this setting.
  395. mgr = MyManager()
  396. mgr.use_for_related_fields = True
  397. class MyModel(models.Model):
  398. # ...
  399. objects = mgr
  400. # End of incorrect code.
  401. You also shouldn't change the attribute on the class object after it has been
  402. used in a model, since the attribute's value is processed when the model class
  403. is created and not subsequently reread. Set the attribute on the manager class
  404. when it is first defined, as in the initial example of this section and
  405. everything will work smoothly.