models.txt 55 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191119211931194119511961197119811991200120112021203120412051206120712081209121012111212121312141215121612171218121912201221122212231224122512261227122812291230123112321233123412351236123712381239124012411242124312441245124612471248124912501251125212531254125512561257125812591260126112621263126412651266126712681269127012711272127312741275127612771278127912801281128212831284128512861287128812891290129112921293129412951296129712981299130013011302130313041305130613071308130913101311131213131314131513161317131813191320132113221323132413251326132713281329133013311332133313341335133613371338133913401341134213431344134513461347134813491350135113521353135413551356135713581359136013611362136313641365136613671368136913701371137213731374137513761377137813791380138113821383138413851386138713881389139013911392139313941395139613971398139914001401140214031404140514061407140814091410141114121413141414151416141714181419142014211422142314241425142614271428142914301431143214331434143514361437143814391440144114421443
  1. ======
  2. Models
  3. ======
  4. .. module:: django.db.models
  5. A model is the single, definitive source of information about your data. It
  6. contains the essential fields and behaviors of the data you're storing.
  7. Generally, each model maps to a single database table.
  8. The basics:
  9. * Each model is a Python class that subclasses
  10. :class:`django.db.models.Model`.
  11. * Each attribute of the model represents a database field.
  12. * With all of this, Django gives you an automatically-generated
  13. database-access API; see :doc:`/topics/db/queries`.
  14. Quick example
  15. =============
  16. This example model defines a ``Person``, which has a ``first_name`` and
  17. ``last_name``::
  18. from django.db import models
  19. class Person(models.Model):
  20. first_name = models.CharField(max_length=30)
  21. last_name = models.CharField(max_length=30)
  22. ``first_name`` and ``last_name`` are fields_ of the model. Each field is
  23. specified as a class attribute, and each attribute maps to a database column.
  24. The above ``Person`` model would create a database table like this:
  25. .. code-block:: sql
  26. CREATE TABLE myapp_person (
  27. "id" serial NOT NULL PRIMARY KEY,
  28. "first_name" varchar(30) NOT NULL,
  29. "last_name" varchar(30) NOT NULL
  30. );
  31. Some technical notes:
  32. * The name of the table, ``myapp_person``, is automatically derived from
  33. some model metadata but can be overridden. See :ref:`table-names` for more
  34. details.
  35. * An ``id`` field is added automatically, but this behavior can be
  36. overridden. See :ref:`automatic-primary-key-fields`.
  37. * The ``CREATE TABLE`` SQL in this example is formatted using PostgreSQL
  38. syntax, but it's worth noting Django uses SQL tailored to the database
  39. backend specified in your :doc:`settings file </topics/settings>`.
  40. Using models
  41. ============
  42. Once you have defined your models, you need to tell Django you're going to *use*
  43. those models. Do this by editing your settings file and changing the
  44. :setting:`INSTALLED_APPS` setting to add the name of the module that contains
  45. your ``models.py``.
  46. For example, if the models for your application live in the module
  47. ``myapp.models`` (the package structure that is created for an
  48. application by the :djadmin:`manage.py startapp <startapp>` script),
  49. :setting:`INSTALLED_APPS` should read, in part::
  50. INSTALLED_APPS = [
  51. #...
  52. 'myapp',
  53. #...
  54. ]
  55. When you add new apps to :setting:`INSTALLED_APPS`, be sure to run
  56. :djadmin:`manage.py migrate <migrate>`, optionally making migrations
  57. for them first with :djadmin:`manage.py makemigrations <makemigrations>`.
  58. Fields
  59. ======
  60. The most important part of a model -- and the only required part of a model --
  61. is the list of database fields it defines. Fields are specified by class
  62. attributes. Be careful not to choose field names that conflict with the
  63. :doc:`models API </ref/models/instances>` like ``clean``, ``save``, or
  64. ``delete``.
  65. Example::
  66. from django.db import models
  67. class Musician(models.Model):
  68. first_name = models.CharField(max_length=50)
  69. last_name = models.CharField(max_length=50)
  70. instrument = models.CharField(max_length=100)
  71. class Album(models.Model):
  72. artist = models.ForeignKey(Musician, on_delete=models.CASCADE)
  73. name = models.CharField(max_length=100)
  74. release_date = models.DateField()
  75. num_stars = models.IntegerField()
  76. Field types
  77. -----------
  78. Each field in your model should be an instance of the appropriate
  79. :class:`~django.db.models.Field` class. Django uses the field class types to
  80. determine a few things:
  81. * The column type, which tells the database what kind of data to store (e.g.
  82. ``INTEGER``, ``VARCHAR``, ``TEXT``).
  83. * The default HTML :doc:`widget </ref/forms/widgets>` to use when rendering a form
  84. field (e.g. ``<input type="text">``, ``<select>``).
  85. * The minimal validation requirements, used in Django's admin and in
  86. automatically-generated forms.
  87. Django ships with dozens of built-in field types; you can find the complete list
  88. in the :ref:`model field reference <model-field-types>`. You can easily write
  89. your own fields if Django's built-in ones don't do the trick; see
  90. :doc:`/howto/custom-model-fields`.
  91. Field options
  92. -------------
  93. Each field takes a certain set of field-specific arguments (documented in the
  94. :ref:`model field reference <model-field-types>`). For example,
  95. :class:`~django.db.models.CharField` (and its subclasses) require a
  96. :attr:`~django.db.models.CharField.max_length` argument which specifies the size
  97. of the ``VARCHAR`` database field used to store the data.
  98. There's also a set of common arguments available to all field types. All are
  99. optional. They're fully explained in the :ref:`reference
  100. <common-model-field-options>`, but here's a quick summary of the most often-used
  101. ones:
  102. :attr:`~Field.null`
  103. If ``True``, Django will store empty values as ``NULL`` in the database.
  104. Default is ``False``.
  105. :attr:`~Field.blank`
  106. If ``True``, the field is allowed to be blank. Default is ``False``.
  107. Note that this is different than :attr:`~Field.null`.
  108. :attr:`~Field.null` is purely database-related, whereas
  109. :attr:`~Field.blank` is validation-related. If a field has
  110. :attr:`blank=True <Field.blank>`, form validation will
  111. allow entry of an empty value. If a field has :attr:`blank=False
  112. <Field.blank>`, the field will be required.
  113. :attr:`~Field.choices`
  114. A :term:`sequence` of 2-tuples to use as choices for this field. If this
  115. is given, the default form widget will be a select box instead of the
  116. standard text field and will limit choices to the choices given.
  117. A choices list looks like this::
  118. YEAR_IN_SCHOOL_CHOICES = [
  119. ('FR', 'Freshman'),
  120. ('SO', 'Sophomore'),
  121. ('JR', 'Junior'),
  122. ('SR', 'Senior'),
  123. ('GR', 'Graduate'),
  124. ]
  125. .. note::
  126. A new migration is created each time the order of ``choices`` changes.
  127. The first element in each tuple is the value that will be stored in the
  128. database. The second element is displayed by the field's form widget.
  129. Given a model instance, the display value for a field with ``choices`` can
  130. be accessed using the :meth:`~django.db.models.Model.get_FOO_display`
  131. method. For example::
  132. from django.db import models
  133. class Person(models.Model):
  134. SHIRT_SIZES = (
  135. ('S', 'Small'),
  136. ('M', 'Medium'),
  137. ('L', 'Large'),
  138. )
  139. name = models.CharField(max_length=60)
  140. shirt_size = models.CharField(max_length=1, choices=SHIRT_SIZES)
  141. ::
  142. >>> p = Person(name="Fred Flintstone", shirt_size="L")
  143. >>> p.save()
  144. >>> p.shirt_size
  145. 'L'
  146. >>> p.get_shirt_size_display()
  147. 'Large'
  148. :attr:`~Field.default`
  149. The default value for the field. This can be a value or a callable
  150. object. If callable it will be called every time a new object is
  151. created.
  152. :attr:`~Field.help_text`
  153. Extra "help" text to be displayed with the form widget. It's useful for
  154. documentation even if your field isn't used on a form.
  155. :attr:`~Field.primary_key`
  156. If ``True``, this field is the primary key for the model.
  157. If you don't specify :attr:`primary_key=True <Field.primary_key>` for
  158. any fields in your model, Django will automatically add an
  159. :class:`IntegerField` to hold the primary key, so you don't need to set
  160. :attr:`primary_key=True <Field.primary_key>` on any of your fields
  161. unless you want to override the default primary-key behavior. For more,
  162. see :ref:`automatic-primary-key-fields`.
  163. The primary key field is read-only. If you change the value of the primary
  164. key on an existing object and then save it, a new object will be created
  165. alongside the old one. For example::
  166. from django.db import models
  167. class Fruit(models.Model):
  168. name = models.CharField(max_length=100, primary_key=True)
  169. .. code-block:: pycon
  170. >>> fruit = Fruit.objects.create(name='Apple')
  171. >>> fruit.name = 'Pear'
  172. >>> fruit.save()
  173. >>> Fruit.objects.values_list('name', flat=True)
  174. <QuerySet ['Apple', 'Pear']>
  175. :attr:`~Field.unique`
  176. If ``True``, this field must be unique throughout the table.
  177. Again, these are just short descriptions of the most common field options. Full
  178. details can be found in the :ref:`common model field option reference
  179. <common-model-field-options>`.
  180. .. _automatic-primary-key-fields:
  181. Automatic primary key fields
  182. ----------------------------
  183. By default, Django gives each model the following field::
  184. id = models.AutoField(primary_key=True)
  185. This is an auto-incrementing primary key.
  186. If you'd like to specify a custom primary key, just specify
  187. :attr:`primary_key=True <Field.primary_key>` on one of your fields. If Django
  188. sees you've explicitly set :attr:`Field.primary_key`, it won't add the automatic
  189. ``id`` column.
  190. Each model requires exactly one field to have :attr:`primary_key=True
  191. <Field.primary_key>` (either explicitly declared or automatically added).
  192. .. _verbose-field-names:
  193. Verbose field names
  194. -------------------
  195. Each field type, except for :class:`~django.db.models.ForeignKey`,
  196. :class:`~django.db.models.ManyToManyField` and
  197. :class:`~django.db.models.OneToOneField`, takes an optional first positional
  198. argument -- a verbose name. If the verbose name isn't given, Django will
  199. automatically create it using the field's attribute name, converting underscores
  200. to spaces.
  201. In this example, the verbose name is ``"person's first name"``::
  202. first_name = models.CharField("person's first name", max_length=30)
  203. In this example, the verbose name is ``"first name"``::
  204. first_name = models.CharField(max_length=30)
  205. :class:`~django.db.models.ForeignKey`,
  206. :class:`~django.db.models.ManyToManyField` and
  207. :class:`~django.db.models.OneToOneField` require the first argument to be a
  208. model class, so use the :attr:`~Field.verbose_name` keyword argument::
  209. poll = models.ForeignKey(
  210. Poll,
  211. on_delete=models.CASCADE,
  212. verbose_name="the related poll",
  213. )
  214. sites = models.ManyToManyField(Site, verbose_name="list of sites")
  215. place = models.OneToOneField(
  216. Place,
  217. on_delete=models.CASCADE,
  218. verbose_name="related place",
  219. )
  220. The convention is not to capitalize the first letter of the
  221. :attr:`~Field.verbose_name`. Django will automatically capitalize the first
  222. letter where it needs to.
  223. Relationships
  224. -------------
  225. Clearly, the power of relational databases lies in relating tables to each
  226. other. Django offers ways to define the three most common types of database
  227. relationships: many-to-one, many-to-many and one-to-one.
  228. Many-to-one relationships
  229. ~~~~~~~~~~~~~~~~~~~~~~~~~
  230. To define a many-to-one relationship, use :class:`django.db.models.ForeignKey`.
  231. You use it just like any other :class:`~django.db.models.Field` type: by
  232. including it as a class attribute of your model.
  233. :class:`~django.db.models.ForeignKey` requires a positional argument: the class
  234. to which the model is related.
  235. For example, if a ``Car`` model has a ``Manufacturer`` -- that is, a
  236. ``Manufacturer`` makes multiple cars but each ``Car`` only has one
  237. ``Manufacturer`` -- use the following definitions::
  238. from django.db import models
  239. class Manufacturer(models.Model):
  240. # ...
  241. pass
  242. class Car(models.Model):
  243. manufacturer = models.ForeignKey(Manufacturer, on_delete=models.CASCADE)
  244. # ...
  245. You can also create :ref:`recursive relationships <recursive-relationships>` (an
  246. object with a many-to-one relationship to itself) and :ref:`relationships to
  247. models not yet defined <lazy-relationships>`; see :ref:`the model field
  248. reference <ref-foreignkey>` for details.
  249. It's suggested, but not required, that the name of a
  250. :class:`~django.db.models.ForeignKey` field (``manufacturer`` in the example
  251. above) be the name of the model, lowercase. You can, of course, call the field
  252. whatever you want. For example::
  253. class Car(models.Model):
  254. company_that_makes_it = models.ForeignKey(
  255. Manufacturer,
  256. on_delete=models.CASCADE,
  257. )
  258. # ...
  259. .. seealso::
  260. :class:`~django.db.models.ForeignKey` fields accept a number of extra
  261. arguments which are explained in :ref:`the model field reference
  262. <foreign-key-arguments>`. These options help define how the relationship
  263. should work; all are optional.
  264. For details on accessing backwards-related objects, see the
  265. :ref:`Following relationships backward example <backwards-related-objects>`.
  266. For sample code, see the :doc:`Many-to-one relationship model example
  267. </topics/db/examples/many_to_one>`.
  268. Many-to-many relationships
  269. ~~~~~~~~~~~~~~~~~~~~~~~~~~
  270. To define a many-to-many relationship, use
  271. :class:`~django.db.models.ManyToManyField`. You use it just like any other
  272. :class:`~django.db.models.Field` type: by including it as a class attribute of
  273. your model.
  274. :class:`~django.db.models.ManyToManyField` requires a positional argument: the
  275. class to which the model is related.
  276. For example, if a ``Pizza`` has multiple ``Topping`` objects -- that is, a
  277. ``Topping`` can be on multiple pizzas and each ``Pizza`` has multiple toppings
  278. -- here's how you'd represent that::
  279. from django.db import models
  280. class Topping(models.Model):
  281. # ...
  282. pass
  283. class Pizza(models.Model):
  284. # ...
  285. toppings = models.ManyToManyField(Topping)
  286. As with :class:`~django.db.models.ForeignKey`, you can also create
  287. :ref:`recursive relationships <recursive-relationships>` (an object with a
  288. many-to-many relationship to itself) and :ref:`relationships to models not yet
  289. defined <lazy-relationships>`.
  290. It's suggested, but not required, that the name of a
  291. :class:`~django.db.models.ManyToManyField` (``toppings`` in the example above)
  292. be a plural describing the set of related model objects.
  293. It doesn't matter which model has the
  294. :class:`~django.db.models.ManyToManyField`, but you should only put it in one
  295. of the models -- not both.
  296. Generally, :class:`~django.db.models.ManyToManyField` instances should go in
  297. the object that's going to be edited on a form. In the above example,
  298. ``toppings`` is in ``Pizza`` (rather than ``Topping`` having a ``pizzas``
  299. :class:`~django.db.models.ManyToManyField` ) because it's more natural to think
  300. about a pizza having toppings than a topping being on multiple pizzas. The way
  301. it's set up above, the ``Pizza`` form would let users select the toppings.
  302. .. seealso::
  303. See the :doc:`Many-to-many relationship model example
  304. </topics/db/examples/many_to_many>` for a full example.
  305. :class:`~django.db.models.ManyToManyField` fields also accept a number of
  306. extra arguments which are explained in :ref:`the model field reference
  307. <manytomany-arguments>`. These options help define how the relationship
  308. should work; all are optional.
  309. .. _intermediary-manytomany:
  310. Extra fields on many-to-many relationships
  311. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  312. When you're only dealing with simple many-to-many relationships such as
  313. mixing and matching pizzas and toppings, a standard
  314. :class:`~django.db.models.ManyToManyField` is all you need. However, sometimes
  315. you may need to associate data with the relationship between two models.
  316. For example, consider the case of an application tracking the musical groups
  317. which musicians belong to. There is a many-to-many relationship between a person
  318. and the groups of which they are a member, so you could use a
  319. :class:`~django.db.models.ManyToManyField` to represent this relationship.
  320. However, there is a lot of detail about the membership that you might want to
  321. collect, such as the date at which the person joined the group.
  322. For these situations, Django allows you to specify the model that will be used
  323. to govern the many-to-many relationship. You can then put extra fields on the
  324. intermediate model. The intermediate model is associated with the
  325. :class:`~django.db.models.ManyToManyField` using the
  326. :attr:`through <ManyToManyField.through>` argument to point to the model
  327. that will act as an intermediary. For our musician example, the code would look
  328. something like this::
  329. from django.db import models
  330. class Person(models.Model):
  331. name = models.CharField(max_length=128)
  332. def __str__(self):
  333. return self.name
  334. class Group(models.Model):
  335. name = models.CharField(max_length=128)
  336. members = models.ManyToManyField(Person, through='Membership')
  337. def __str__(self):
  338. return self.name
  339. class Membership(models.Model):
  340. person = models.ForeignKey(Person, on_delete=models.CASCADE)
  341. group = models.ForeignKey(Group, on_delete=models.CASCADE)
  342. date_joined = models.DateField()
  343. invite_reason = models.CharField(max_length=64)
  344. When you set up the intermediary model, you explicitly specify foreign
  345. keys to the models that are involved in the many-to-many relationship. This
  346. explicit declaration defines how the two models are related.
  347. There are a few restrictions on the intermediate model:
  348. * Your intermediate model must contain one - and *only* one - foreign key
  349. to the source model (this would be ``Group`` in our example), or you must
  350. explicitly specify the foreign keys Django should use for the relationship
  351. using :attr:`ManyToManyField.through_fields <ManyToManyField.through_fields>`.
  352. If you have more than one foreign key and ``through_fields`` is not
  353. specified, a validation error will be raised. A similar restriction applies
  354. to the foreign key to the target model (this would be ``Person`` in our
  355. example).
  356. * For a model which has a many-to-many relationship to itself through an
  357. intermediary model, two foreign keys to the same model are permitted, but
  358. they will be treated as the two (different) sides of the many-to-many
  359. relationship. If there are *more* than two foreign keys though, you
  360. must also specify ``through_fields`` as above, or a validation error
  361. will be raised.
  362. * When defining a many-to-many relationship from a model to
  363. itself, using an intermediary model, you *must* use
  364. :attr:`symmetrical=False <ManyToManyField.symmetrical>` (see
  365. :ref:`the model field reference <manytomany-arguments>`).
  366. Now that you have set up your :class:`~django.db.models.ManyToManyField` to use
  367. your intermediary model (``Membership``, in this case), you're ready to start
  368. creating some many-to-many relationships. You do this by creating instances of
  369. the intermediate model::
  370. >>> ringo = Person.objects.create(name="Ringo Starr")
  371. >>> paul = Person.objects.create(name="Paul McCartney")
  372. >>> beatles = Group.objects.create(name="The Beatles")
  373. >>> m1 = Membership(person=ringo, group=beatles,
  374. ... date_joined=date(1962, 8, 16),
  375. ... invite_reason="Needed a new drummer.")
  376. >>> m1.save()
  377. >>> beatles.members.all()
  378. <QuerySet [<Person: Ringo Starr>]>
  379. >>> ringo.group_set.all()
  380. <QuerySet [<Group: The Beatles>]>
  381. >>> m2 = Membership.objects.create(person=paul, group=beatles,
  382. ... date_joined=date(1960, 8, 1),
  383. ... invite_reason="Wanted to form a band.")
  384. >>> beatles.members.all()
  385. <QuerySet [<Person: Ringo Starr>, <Person: Paul McCartney>]>
  386. You can also use ``add()``, ``create()``, or ``set()`` to create relationships,
  387. as long as you specify ``through_defaults`` for any required fields::
  388. >>> beatles.members.add(john, through_defaults={'date_joined': date(1960, 8, 1)})
  389. >>> beatles.members.create(name="George Harrison", through_defaults={'date_joined': date(1960, 8, 1)})
  390. >>> beatles.members.set([john, paul, ringo, george], through_defaults={'date_joined': date(1960, 8, 1)})
  391. You may prefer to create instances of the intermediate model directly.
  392. If the custom through table defined by the intermediate model does not enforce
  393. uniqueness on the ``(model1, model2)`` pair, allowing multiple values, the
  394. :meth:`~django.db.models.fields.related.RelatedManager.remove` call will
  395. remove all intermediate model instances::
  396. >>> Membership.objects.create(person=ringo, group=beatles,
  397. ... date_joined=date(1968, 9, 4),
  398. ... invite_reason="You've been gone for a month and we miss you.")
  399. >>> beatles.members.all()
  400. <QuerySet [<Person: Ringo Starr>, <Person: Paul McCartney>, <Person: Ringo Starr>]>
  401. >>> # This deletes both of the intermediate model instances for Ringo Starr
  402. >>> beatles.members.remove(ringo)
  403. >>> beatles.members.all()
  404. <QuerySet [<Person: Paul McCartney>]>
  405. The :meth:`~django.db.models.fields.related.RelatedManager.clear`
  406. method can be used to remove all many-to-many relationships for an instance::
  407. >>> # Beatles have broken up
  408. >>> beatles.members.clear()
  409. >>> # Note that this deletes the intermediate model instances
  410. >>> Membership.objects.all()
  411. <QuerySet []>
  412. Once you have established the many-to-many relationships, you can issue
  413. queries. Just as with normal many-to-many relationships, you can query using
  414. the attributes of the many-to-many-related model::
  415. # Find all the groups with a member whose name starts with 'Paul'
  416. >>> Group.objects.filter(members__name__startswith='Paul')
  417. <QuerySet [<Group: The Beatles>]>
  418. As you are using an intermediate model, you can also query on its attributes::
  419. # Find all the members of the Beatles that joined after 1 Jan 1961
  420. >>> Person.objects.filter(
  421. ... group__name='The Beatles',
  422. ... membership__date_joined__gt=date(1961,1,1))
  423. <QuerySet [<Person: Ringo Starr]>
  424. If you need to access a membership's information you may do so by directly
  425. querying the ``Membership`` model::
  426. >>> ringos_membership = Membership.objects.get(group=beatles, person=ringo)
  427. >>> ringos_membership.date_joined
  428. datetime.date(1962, 8, 16)
  429. >>> ringos_membership.invite_reason
  430. 'Needed a new drummer.'
  431. Another way to access the same information is by querying the
  432. :ref:`many-to-many reverse relationship<m2m-reverse-relationships>` from a
  433. ``Person`` object::
  434. >>> ringos_membership = ringo.membership_set.get(group=beatles)
  435. >>> ringos_membership.date_joined
  436. datetime.date(1962, 8, 16)
  437. >>> ringos_membership.invite_reason
  438. 'Needed a new drummer.'
  439. One-to-one relationships
  440. ~~~~~~~~~~~~~~~~~~~~~~~~
  441. To define a one-to-one relationship, use
  442. :class:`~django.db.models.OneToOneField`. You use it just like any other
  443. ``Field`` type: by including it as a class attribute of your model.
  444. This is most useful on the primary key of an object when that object "extends"
  445. another object in some way.
  446. :class:`~django.db.models.OneToOneField` requires a positional argument: the
  447. class to which the model is related.
  448. For example, if you were building a database of "places", you would
  449. build pretty standard stuff such as address, phone number, etc. in the
  450. database. Then, if you wanted to build a database of restaurants on
  451. top of the places, instead of repeating yourself and replicating those
  452. fields in the ``Restaurant`` model, you could make ``Restaurant`` have
  453. a :class:`~django.db.models.OneToOneField` to ``Place`` (because a
  454. restaurant "is a" place; in fact, to handle this you'd typically use
  455. :ref:`inheritance <model-inheritance>`, which involves an implicit
  456. one-to-one relation).
  457. As with :class:`~django.db.models.ForeignKey`, a :ref:`recursive relationship
  458. <recursive-relationships>` can be defined and :ref:`references to as-yet
  459. undefined models <lazy-relationships>` can be made.
  460. .. seealso::
  461. See the :doc:`One-to-one relationship model example
  462. </topics/db/examples/one_to_one>` for a full example.
  463. :class:`~django.db.models.OneToOneField` fields also accept an optional
  464. :attr:`~django.db.models.OneToOneField.parent_link` argument.
  465. :class:`~django.db.models.OneToOneField` classes used to automatically become
  466. the primary key on a model. This is no longer true (although you can manually
  467. pass in the :attr:`~django.db.models.Field.primary_key` argument if you like).
  468. Thus, it's now possible to have multiple fields of type
  469. :class:`~django.db.models.OneToOneField` on a single model.
  470. Models across files
  471. -------------------
  472. It's perfectly OK to relate a model to one from another app. To do this, import
  473. the related model at the top of the file where your model is defined. Then,
  474. just refer to the other model class wherever needed. For example::
  475. from django.db import models
  476. from geography.models import ZipCode
  477. class Restaurant(models.Model):
  478. # ...
  479. zip_code = models.ForeignKey(
  480. ZipCode,
  481. on_delete=models.SET_NULL,
  482. blank=True,
  483. null=True,
  484. )
  485. Field name restrictions
  486. -----------------------
  487. Django places some restrictions on model field names:
  488. #. A field name cannot be a Python reserved word, because that would result
  489. in a Python syntax error. For example::
  490. class Example(models.Model):
  491. pass = models.IntegerField() # 'pass' is a reserved word!
  492. #. A field name cannot contain more than one underscore in a row, due to
  493. the way Django's query lookup syntax works. For example::
  494. class Example(models.Model):
  495. foo__bar = models.IntegerField() # 'foo__bar' has two underscores!
  496. #. A field name cannot end with an underscore, for similar reasons.
  497. These limitations can be worked around, though, because your field name doesn't
  498. necessarily have to match your database column name. See the
  499. :attr:`~Field.db_column` option.
  500. SQL reserved words, such as ``join``, ``where`` or ``select``, *are* allowed as
  501. model field names, because Django escapes all database table names and column
  502. names in every underlying SQL query. It uses the quoting syntax of your
  503. particular database engine.
  504. Custom field types
  505. ------------------
  506. If one of the existing model fields cannot be used to fit your purposes, or if
  507. you wish to take advantage of some less common database column types, you can
  508. create your own field class. Full coverage of creating your own fields is
  509. provided in :doc:`/howto/custom-model-fields`.
  510. .. _meta-options:
  511. ``Meta`` options
  512. ================
  513. Give your model metadata by using an inner ``class Meta``, like so::
  514. from django.db import models
  515. class Ox(models.Model):
  516. horn_length = models.IntegerField()
  517. class Meta:
  518. ordering = ["horn_length"]
  519. verbose_name_plural = "oxen"
  520. Model metadata is "anything that's not a field", such as ordering options
  521. (:attr:`~Options.ordering`), database table name (:attr:`~Options.db_table`), or
  522. human-readable singular and plural names (:attr:`~Options.verbose_name` and
  523. :attr:`~Options.verbose_name_plural`). None are required, and adding ``class
  524. Meta`` to a model is completely optional.
  525. A complete list of all possible ``Meta`` options can be found in the :doc:`model
  526. option reference </ref/models/options>`.
  527. .. _model-attributes:
  528. Model attributes
  529. ================
  530. ``objects``
  531. The most important attribute of a model is the
  532. :class:`~django.db.models.Manager`. It's the interface through which
  533. database query operations are provided to Django models and is used to
  534. :ref:`retrieve the instances <retrieving-objects>` from the database. If no
  535. custom ``Manager`` is defined, the default name is
  536. :attr:`~django.db.models.Model.objects`. Managers are only accessible via
  537. model classes, not the model instances.
  538. .. _model-methods:
  539. Model methods
  540. =============
  541. Define custom methods on a model to add custom "row-level" functionality to your
  542. objects. Whereas :class:`~django.db.models.Manager` methods are intended to do
  543. "table-wide" things, model methods should act on a particular model instance.
  544. This is a valuable technique for keeping business logic in one place -- the
  545. model.
  546. For example, this model has a few custom methods::
  547. from django.db import models
  548. class Person(models.Model):
  549. first_name = models.CharField(max_length=50)
  550. last_name = models.CharField(max_length=50)
  551. birth_date = models.DateField()
  552. def baby_boomer_status(self):
  553. "Returns the person's baby-boomer status."
  554. import datetime
  555. if self.birth_date < datetime.date(1945, 8, 1):
  556. return "Pre-boomer"
  557. elif self.birth_date < datetime.date(1965, 1, 1):
  558. return "Baby boomer"
  559. else:
  560. return "Post-boomer"
  561. @property
  562. def full_name(self):
  563. "Returns the person's full name."
  564. return '%s %s' % (self.first_name, self.last_name)
  565. The last method in this example is a :term:`property`.
  566. The :doc:`model instance reference </ref/models/instances>` has a complete list
  567. of :ref:`methods automatically given to each model <model-instance-methods>`.
  568. You can override most of these -- see `overriding predefined model methods`_,
  569. below -- but there are a couple that you'll almost always want to define:
  570. :meth:`~Model.__str__`
  571. A Python "magic method" that returns a string representation of any
  572. object. This is what Python and Django will use whenever a model
  573. instance needs to be coerced and displayed as a plain string. Most
  574. notably, this happens when you display an object in an interactive
  575. console or in the admin.
  576. You'll always want to define this method; the default isn't very helpful
  577. at all.
  578. :meth:`~Model.get_absolute_url`
  579. This tells Django how to calculate the URL for an object. Django uses
  580. this in its admin interface, and any time it needs to figure out a URL
  581. for an object.
  582. Any object that has a URL that uniquely identifies it should define this
  583. method.
  584. .. _overriding-model-methods:
  585. Overriding predefined model methods
  586. -----------------------------------
  587. There's another set of :ref:`model methods <model-instance-methods>` that
  588. encapsulate a bunch of database behavior that you'll want to customize. In
  589. particular you'll often want to change the way :meth:`~Model.save` and
  590. :meth:`~Model.delete` work.
  591. You're free to override these methods (and any other model method) to alter
  592. behavior.
  593. A classic use-case for overriding the built-in methods is if you want something
  594. to happen whenever you save an object. For example (see
  595. :meth:`~Model.save` for documentation of the parameters it accepts)::
  596. from django.db import models
  597. class Blog(models.Model):
  598. name = models.CharField(max_length=100)
  599. tagline = models.TextField()
  600. def save(self, *args, **kwargs):
  601. do_something()
  602. super().save(*args, **kwargs) # Call the "real" save() method.
  603. do_something_else()
  604. You can also prevent saving::
  605. from django.db import models
  606. class Blog(models.Model):
  607. name = models.CharField(max_length=100)
  608. tagline = models.TextField()
  609. def save(self, *args, **kwargs):
  610. if self.name == "Yoko Ono's blog":
  611. return # Yoko shall never have her own blog!
  612. else:
  613. super().save(*args, **kwargs) # Call the "real" save() method.
  614. It's important to remember to call the superclass method -- that's
  615. that ``super().save(*args, **kwargs)`` business -- to ensure
  616. that the object still gets saved into the database. If you forget to
  617. call the superclass method, the default behavior won't happen and the
  618. database won't get touched.
  619. It's also important that you pass through the arguments that can be
  620. passed to the model method -- that's what the ``*args, **kwargs`` bit
  621. does. Django will, from time to time, extend the capabilities of
  622. built-in model methods, adding new arguments. If you use ``*args,
  623. **kwargs`` in your method definitions, you are guaranteed that your
  624. code will automatically support those arguments when they are added.
  625. .. admonition:: Overridden model methods are not called on bulk operations
  626. Note that the :meth:`~Model.delete()` method for an object is not
  627. necessarily called when :ref:`deleting objects in bulk using a
  628. QuerySet <topics-db-queries-delete>` or as a result of a :attr:`cascading
  629. delete <django.db.models.ForeignKey.on_delete>`. To ensure customized
  630. delete logic gets executed, you can use
  631. :data:`~django.db.models.signals.pre_delete` and/or
  632. :data:`~django.db.models.signals.post_delete` signals.
  633. Unfortunately, there isn't a workaround when
  634. :meth:`creating<django.db.models.query.QuerySet.bulk_create>` or
  635. :meth:`updating<django.db.models.query.QuerySet.update>` objects in bulk,
  636. since none of :meth:`~Model.save()`,
  637. :data:`~django.db.models.signals.pre_save`, and
  638. :data:`~django.db.models.signals.post_save` are called.
  639. Executing custom SQL
  640. --------------------
  641. Another common pattern is writing custom SQL statements in model methods and
  642. module-level methods. For more details on using raw SQL, see the documentation
  643. on :doc:`using raw SQL</topics/db/sql>`.
  644. .. _model-inheritance:
  645. Model inheritance
  646. =================
  647. Model inheritance in Django works almost identically to the way normal
  648. class inheritance works in Python, but the basics at the beginning of the page
  649. should still be followed. That means the base class should subclass
  650. :class:`django.db.models.Model`.
  651. The only decision you have to make is whether you want the parent models to be
  652. models in their own right (with their own database tables), or if the parents
  653. are just holders of common information that will only be visible through the
  654. child models.
  655. There are three styles of inheritance that are possible in Django.
  656. 1. Often, you will just want to use the parent class to hold information that
  657. you don't want to have to type out for each child model. This class isn't
  658. going to ever be used in isolation, so :ref:`abstract-base-classes` are
  659. what you're after.
  660. 2. If you're subclassing an existing model (perhaps something from another
  661. application entirely) and want each model to have its own database table,
  662. :ref:`multi-table-inheritance` is the way to go.
  663. 3. Finally, if you only want to modify the Python-level behavior of a model,
  664. without changing the models fields in any way, you can use
  665. :ref:`proxy-models`.
  666. .. _abstract-base-classes:
  667. Abstract base classes
  668. ---------------------
  669. Abstract base classes are useful when you want to put some common
  670. information into a number of other models. You write your base class
  671. and put ``abstract=True`` in the :ref:`Meta <meta-options>`
  672. class. This model will then not be used to create any database
  673. table. Instead, when it is used as a base class for other models, its
  674. fields will be added to those of the child class.
  675. An example::
  676. from django.db import models
  677. class CommonInfo(models.Model):
  678. name = models.CharField(max_length=100)
  679. age = models.PositiveIntegerField()
  680. class Meta:
  681. abstract = True
  682. class Student(CommonInfo):
  683. home_group = models.CharField(max_length=5)
  684. The ``Student`` model will have three fields: ``name``, ``age`` and
  685. ``home_group``. The ``CommonInfo`` model cannot be used as a normal Django
  686. model, since it is an abstract base class. It does not generate a database
  687. table or have a manager, and cannot be instantiated or saved directly.
  688. Fields inherited from abstract base classes can be overridden with another
  689. field or value, or be removed with ``None``.
  690. For many uses, this type of model inheritance will be exactly what you want.
  691. It provides a way to factor out common information at the Python level, while
  692. still only creating one database table per child model at the database level.
  693. ``Meta`` inheritance
  694. ~~~~~~~~~~~~~~~~~~~~
  695. When an abstract base class is created, Django makes any :ref:`Meta <meta-options>`
  696. inner class you declared in the base class available as an
  697. attribute. If a child class does not declare its own :ref:`Meta <meta-options>`
  698. class, it will inherit the parent's :ref:`Meta <meta-options>`. If the child wants to
  699. extend the parent's :ref:`Meta <meta-options>` class, it can subclass it. For example::
  700. from django.db import models
  701. class CommonInfo(models.Model):
  702. # ...
  703. class Meta:
  704. abstract = True
  705. ordering = ['name']
  706. class Student(CommonInfo):
  707. # ...
  708. class Meta(CommonInfo.Meta):
  709. db_table = 'student_info'
  710. Django does make one adjustment to the :ref:`Meta <meta-options>` class of an abstract base
  711. class: before installing the :ref:`Meta <meta-options>` attribute, it sets ``abstract=False``.
  712. This means that children of abstract base classes don't automatically become
  713. abstract classes themselves. Of course, you can make an abstract base class
  714. that inherits from another abstract base class. You just need to remember to
  715. explicitly set ``abstract=True`` each time.
  716. Some attributes won't make sense to include in the :ref:`Meta <meta-options>` class of an
  717. abstract base class. For example, including ``db_table`` would mean that all
  718. the child classes (the ones that don't specify their own :ref:`Meta <meta-options>`) would use
  719. the same database table, which is almost certainly not what you want.
  720. .. _abstract-related-name:
  721. Be careful with ``related_name`` and ``related_query_name``
  722. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  723. If you are using :attr:`~django.db.models.ForeignKey.related_name` or
  724. :attr:`~django.db.models.ForeignKey.related_query_name` on a ``ForeignKey`` or
  725. ``ManyToManyField``, you must always specify a *unique* reverse name and query
  726. name for the field. This would normally cause a problem in abstract base
  727. classes, since the fields on this class are included into each of the child
  728. classes, with exactly the same values for the attributes (including
  729. :attr:`~django.db.models.ForeignKey.related_name` and
  730. :attr:`~django.db.models.ForeignKey.related_query_name`) each time.
  731. To work around this problem, when you are using
  732. :attr:`~django.db.models.ForeignKey.related_name` or
  733. :attr:`~django.db.models.ForeignKey.related_query_name` in an abstract base
  734. class (only), part of the value should contain ``'%(app_label)s'`` and
  735. ``'%(class)s'``.
  736. - ``'%(class)s'`` is replaced by the lowercased name of the child class that
  737. the field is used in.
  738. - ``'%(app_label)s'`` is replaced by the lowercased name of the app the child
  739. class is contained within. Each installed application name must be unique and
  740. the model class names within each app must also be unique, therefore the
  741. resulting name will end up being different.
  742. For example, given an app ``common/models.py``::
  743. from django.db import models
  744. class Base(models.Model):
  745. m2m = models.ManyToManyField(
  746. OtherModel,
  747. related_name="%(app_label)s_%(class)s_related",
  748. related_query_name="%(app_label)s_%(class)ss",
  749. )
  750. class Meta:
  751. abstract = True
  752. class ChildA(Base):
  753. pass
  754. class ChildB(Base):
  755. pass
  756. Along with another app ``rare/models.py``::
  757. from common.models import Base
  758. class ChildB(Base):
  759. pass
  760. The reverse name of the ``common.ChildA.m2m`` field will be
  761. ``common_childa_related`` and the reverse query name will be ``common_childas``.
  762. The reverse name of the ``common.ChildB.m2m`` field will be
  763. ``common_childb_related`` and the reverse query name will be
  764. ``common_childbs``. Finally, the reverse name of the ``rare.ChildB.m2m`` field
  765. will be ``rare_childb_related`` and the reverse query name will be
  766. ``rare_childbs``. It's up to you how you use the ``'%(class)s'`` and
  767. ``'%(app_label)s'`` portion to construct your related name or related query name
  768. but if you forget to use it, Django will raise errors when you perform system
  769. checks (or run :djadmin:`migrate`).
  770. If you don't specify a :attr:`~django.db.models.ForeignKey.related_name`
  771. attribute for a field in an abstract base class, the default reverse name will
  772. be the name of the child class followed by ``'_set'``, just as it normally
  773. would be if you'd declared the field directly on the child class. For example,
  774. in the above code, if the :attr:`~django.db.models.ForeignKey.related_name`
  775. attribute was omitted, the reverse name for the ``m2m`` field would be
  776. ``childa_set`` in the ``ChildA`` case and ``childb_set`` for the ``ChildB``
  777. field.
  778. .. _multi-table-inheritance:
  779. Multi-table inheritance
  780. -----------------------
  781. The second type of model inheritance supported by Django is when each model in
  782. the hierarchy is a model all by itself. Each model corresponds to its own
  783. database table and can be queried and created individually. The inheritance
  784. relationship introduces links between the child model and each of its parents
  785. (via an automatically-created :class:`~django.db.models.OneToOneField`).
  786. For example::
  787. from django.db import models
  788. class Place(models.Model):
  789. name = models.CharField(max_length=50)
  790. address = models.CharField(max_length=80)
  791. class Restaurant(Place):
  792. serves_hot_dogs = models.BooleanField(default=False)
  793. serves_pizza = models.BooleanField(default=False)
  794. All of the fields of ``Place`` will also be available in ``Restaurant``,
  795. although the data will reside in a different database table. So these are both
  796. possible::
  797. >>> Place.objects.filter(name="Bob's Cafe")
  798. >>> Restaurant.objects.filter(name="Bob's Cafe")
  799. If you have a ``Place`` that is also a ``Restaurant``, you can get from the
  800. ``Place`` object to the ``Restaurant`` object by using the lowercase version of
  801. the model name::
  802. >>> p = Place.objects.get(id=12)
  803. # If p is a Restaurant object, this will give the child class:
  804. >>> p.restaurant
  805. <Restaurant: ...>
  806. However, if ``p`` in the above example was *not* a ``Restaurant`` (it had been
  807. created directly as a ``Place`` object or was the parent of some other class),
  808. referring to ``p.restaurant`` would raise a ``Restaurant.DoesNotExist``
  809. exception.
  810. The automatically-created :class:`~django.db.models.OneToOneField` on
  811. ``Restaurant`` that links it to ``Place`` looks like this::
  812. place_ptr = models.OneToOneField(
  813. Place, on_delete=models.CASCADE,
  814. parent_link=True,
  815. )
  816. You can override that field by declaring your own
  817. :class:`~django.db.models.OneToOneField` with :attr:`parent_link=True
  818. <django.db.models.OneToOneField.parent_link>` on ``Restaurant``.
  819. .. _meta-and-multi-table-inheritance:
  820. ``Meta`` and multi-table inheritance
  821. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  822. In the multi-table inheritance situation, it doesn't make sense for a child
  823. class to inherit from its parent's :ref:`Meta <meta-options>` class. All the :ref:`Meta <meta-options>` options
  824. have already been applied to the parent class and applying them again would
  825. normally only lead to contradictory behavior (this is in contrast with the
  826. abstract base class case, where the base class doesn't exist in its own
  827. right).
  828. So a child model does not have access to its parent's :ref:`Meta
  829. <meta-options>` class. However, there are a few limited cases where the child
  830. inherits behavior from the parent: if the child does not specify an
  831. :attr:`~django.db.models.Options.ordering` attribute or a
  832. :attr:`~django.db.models.Options.get_latest_by` attribute, it will inherit
  833. these from its parent.
  834. If the parent has an ordering and you don't want the child to have any natural
  835. ordering, you can explicitly disable it::
  836. class ChildModel(ParentModel):
  837. # ...
  838. class Meta:
  839. # Remove parent's ordering effect
  840. ordering = []
  841. Inheritance and reverse relations
  842. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  843. Because multi-table inheritance uses an implicit
  844. :class:`~django.db.models.OneToOneField` to link the child and
  845. the parent, it's possible to move from the parent down to the child,
  846. as in the above example. However, this uses up the name that is the
  847. default :attr:`~django.db.models.ForeignKey.related_name` value for
  848. :class:`~django.db.models.ForeignKey` and
  849. :class:`~django.db.models.ManyToManyField` relations. If you
  850. are putting those types of relations on a subclass of the parent model, you
  851. **must** specify the :attr:`~django.db.models.ForeignKey.related_name`
  852. attribute on each such field. If you forget, Django will raise a validation
  853. error.
  854. For example, using the above ``Place`` class again, let's create another
  855. subclass with a :class:`~django.db.models.ManyToManyField`::
  856. class Supplier(Place):
  857. customers = models.ManyToManyField(Place)
  858. This results in the error::
  859. Reverse query name for 'Supplier.customers' clashes with reverse query
  860. name for 'Supplier.place_ptr'.
  861. HINT: Add or change a related_name argument to the definition for
  862. 'Supplier.customers' or 'Supplier.place_ptr'.
  863. Adding ``related_name`` to the ``customers`` field as follows would resolve the
  864. error: ``models.ManyToManyField(Place, related_name='provider')``.
  865. Specifying the parent link field
  866. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  867. As mentioned, Django will automatically create a
  868. :class:`~django.db.models.OneToOneField` linking your child
  869. class back to any non-abstract parent models. If you want to control the
  870. name of the attribute linking back to the parent, you can create your
  871. own :class:`~django.db.models.OneToOneField` and set
  872. :attr:`parent_link=True <django.db.models.OneToOneField.parent_link>`
  873. to indicate that your field is the link back to the parent class.
  874. .. _proxy-models:
  875. Proxy models
  876. ------------
  877. When using :ref:`multi-table inheritance <multi-table-inheritance>`, a new
  878. database table is created for each subclass of a model. This is usually the
  879. desired behavior, since the subclass needs a place to store any additional
  880. data fields that are not present on the base class. Sometimes, however, you
  881. only want to change the Python behavior of a model -- perhaps to change the
  882. default manager, or add a new method.
  883. This is what proxy model inheritance is for: creating a *proxy* for the
  884. original model. You can create, delete and update instances of the proxy model
  885. and all the data will be saved as if you were using the original (non-proxied)
  886. model. The difference is that you can change things like the default model
  887. ordering or the default manager in the proxy, without having to alter the
  888. original.
  889. Proxy models are declared like normal models. You tell Django that it's a
  890. proxy model by setting the :attr:`~django.db.models.Options.proxy` attribute of
  891. the ``Meta`` class to ``True``.
  892. For example, suppose you want to add a method to the ``Person`` model. You can do it like this::
  893. from django.db import models
  894. class Person(models.Model):
  895. first_name = models.CharField(max_length=30)
  896. last_name = models.CharField(max_length=30)
  897. class MyPerson(Person):
  898. class Meta:
  899. proxy = True
  900. def do_something(self):
  901. # ...
  902. pass
  903. The ``MyPerson`` class operates on the same database table as its parent
  904. ``Person`` class. In particular, any new instances of ``Person`` will also be
  905. accessible through ``MyPerson``, and vice-versa::
  906. >>> p = Person.objects.create(first_name="foobar")
  907. >>> MyPerson.objects.get(first_name="foobar")
  908. <MyPerson: foobar>
  909. You could also use a proxy model to define a different default ordering on
  910. a model. You might not always want to order the ``Person`` model, but regularly
  911. order by the ``last_name`` attribute when you use the proxy. This is easy::
  912. class OrderedPerson(Person):
  913. class Meta:
  914. ordering = ["last_name"]
  915. proxy = True
  916. Now normal ``Person`` queries will be unordered
  917. and ``OrderedPerson`` queries will be ordered by ``last_name``.
  918. Proxy models inherit ``Meta`` attributes :ref:`in the same way as regular
  919. models <meta-and-multi-table-inheritance>`.
  920. ``QuerySet``\s still return the model that was requested
  921. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  922. There is no way to have Django return, say, a ``MyPerson`` object whenever you
  923. query for ``Person`` objects. A queryset for ``Person`` objects will return
  924. those types of objects. The whole point of proxy objects is that code relying
  925. on the original ``Person`` will use those and your own code can use the
  926. extensions you included (that no other code is relying on anyway). It is not
  927. a way to replace the ``Person`` (or any other) model everywhere with something
  928. of your own creation.
  929. Base class restrictions
  930. ~~~~~~~~~~~~~~~~~~~~~~~
  931. A proxy model must inherit from exactly one non-abstract model class. You
  932. can't inherit from multiple non-abstract models as the proxy model doesn't
  933. provide any connection between the rows in the different database tables. A
  934. proxy model can inherit from any number of abstract model classes, providing
  935. they do *not* define any model fields. A proxy model may also inherit from any
  936. number of proxy models that share a common non-abstract parent class.
  937. Proxy model managers
  938. ~~~~~~~~~~~~~~~~~~~~
  939. If you don't specify any model managers on a proxy model, it inherits the
  940. managers from its model parents. If you define a manager on the proxy model,
  941. it will become the default, although any managers defined on the parent
  942. classes will still be available.
  943. Continuing our example from above, you could change the default manager used
  944. when you query the ``Person`` model like this::
  945. from django.db import models
  946. class NewManager(models.Manager):
  947. # ...
  948. pass
  949. class MyPerson(Person):
  950. objects = NewManager()
  951. class Meta:
  952. proxy = True
  953. If you wanted to add a new manager to the Proxy, without replacing the
  954. existing default, you can use the techniques described in the :ref:`custom
  955. manager <custom-managers-and-inheritance>` documentation: create a base class
  956. containing the new managers and inherit that after the primary base class::
  957. # Create an abstract class for the new manager.
  958. class ExtraManagers(models.Model):
  959. secondary = NewManager()
  960. class Meta:
  961. abstract = True
  962. class MyPerson(Person, ExtraManagers):
  963. class Meta:
  964. proxy = True
  965. You probably won't need to do this very often, but, when you do, it's
  966. possible.
  967. .. _proxy-vs-unmanaged-models:
  968. Differences between proxy inheritance and unmanaged models
  969. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  970. Proxy model inheritance might look fairly similar to creating an unmanaged
  971. model, using the :attr:`~django.db.models.Options.managed` attribute on a
  972. model's ``Meta`` class.
  973. With careful setting of :attr:`Meta.db_table
  974. <django.db.models.Options.db_table>` you could create an unmanaged model that
  975. shadows an existing model and adds Python methods to it. However, that would be
  976. very repetitive and fragile as you need to keep both copies synchronized if you
  977. make any changes.
  978. On the other hand, proxy models are intended to behave exactly like the model
  979. they are proxying for. They are always in sync with the parent model since they
  980. directly inherit its fields and managers.
  981. The general rules are:
  982. #. If you are mirroring an existing model or database table and don't want
  983. all the original database table columns, use ``Meta.managed=False``.
  984. That option is normally useful for modeling database views and tables
  985. not under the control of Django.
  986. #. If you are wanting to change the Python-only behavior of a model, but
  987. keep all the same fields as in the original, use ``Meta.proxy=True``.
  988. This sets things up so that the proxy model is an exact copy of the
  989. storage structure of the original model when data is saved.
  990. .. _model-multiple-inheritance-topic:
  991. Multiple inheritance
  992. --------------------
  993. Just as with Python's subclassing, it's possible for a Django model to inherit
  994. from multiple parent models. Keep in mind that normal Python name resolution
  995. rules apply. The first base class that a particular name (e.g. :ref:`Meta
  996. <meta-options>`) appears in will be the one that is used; for example, this
  997. means that if multiple parents contain a :ref:`Meta <meta-options>` class,
  998. only the first one is going to be used, and all others will be ignored.
  999. Generally, you won't need to inherit from multiple parents. The main use-case
  1000. where this is useful is for "mix-in" classes: adding a particular extra
  1001. field or method to every class that inherits the mix-in. Try to keep your
  1002. inheritance hierarchies as simple and straightforward as possible so that you
  1003. won't have to struggle to work out where a particular piece of information is
  1004. coming from.
  1005. Note that inheriting from multiple models that have a common ``id`` primary
  1006. key field will raise an error. To properly use multiple inheritance, you can
  1007. use an explicit :class:`~django.db.models.AutoField` in the base models::
  1008. class Article(models.Model):
  1009. article_id = models.AutoField(primary_key=True)
  1010. ...
  1011. class Book(models.Model):
  1012. book_id = models.AutoField(primary_key=True)
  1013. ...
  1014. class BookReview(Book, Article):
  1015. pass
  1016. Or use a common ancestor to hold the :class:`~django.db.models.AutoField`. This
  1017. requires using an explicit :class:`~django.db.models.OneToOneField` from each
  1018. parent model to the common ancestor to avoid a clash between the fields that
  1019. are automatically generated and inherited by the child::
  1020. class Piece(models.Model):
  1021. pass
  1022. class Article(Piece):
  1023. article_piece = models.OneToOneField(Piece, on_delete=models.CASCADE, parent_link=True)
  1024. ...
  1025. class Book(Piece):
  1026. book_piece = models.OneToOneField(Piece, on_delete=models.CASCADE, parent_link=True)
  1027. ...
  1028. class BookReview(Book, Article):
  1029. pass
  1030. Field name "hiding" is not permitted
  1031. ------------------------------------
  1032. In normal Python class inheritance, it is permissible for a child class to
  1033. override any attribute from the parent class. In Django, this isn't usually
  1034. permitted for model fields. If a non-abstract model base class has a field
  1035. called ``author``, you can't create another model field or define
  1036. an attribute called ``author`` in any class that inherits from that base class.
  1037. This restriction doesn't apply to model fields inherited from an abstract
  1038. model. Such fields may be overridden with another field or value, or be removed
  1039. by setting ``field_name = None``.
  1040. .. warning::
  1041. Model managers are inherited from abstract base classes. Overriding an
  1042. inherited field which is referenced by an inherited
  1043. :class:`~django.db.models.Manager` may cause subtle bugs. See :ref:`custom
  1044. managers and model inheritance <custom-managers-and-inheritance>`.
  1045. .. note::
  1046. Some fields define extra attributes on the model, e.g. a
  1047. :class:`~django.db.models.ForeignKey` defines an extra attribute with
  1048. ``_id`` appended to the field name, as well as ``related_name`` and
  1049. ``related_query_name`` on the foreign model.
  1050. These extra attributes cannot be overridden unless the field that defines
  1051. it is changed or removed so that it no longer defines the extra attribute.
  1052. Overriding fields in a parent model leads to difficulties in areas such as
  1053. initializing new instances (specifying which field is being initialized in
  1054. ``Model.__init__``) and serialization. These are features which normal Python
  1055. class inheritance doesn't have to deal with in quite the same way, so the
  1056. difference between Django model inheritance and Python class inheritance isn't
  1057. arbitrary.
  1058. This restriction only applies to attributes which are
  1059. :class:`~django.db.models.Field` instances. Normal Python attributes
  1060. can be overridden if you wish. It also only applies to the name of the
  1061. attribute as Python sees it: if you are manually specifying the database
  1062. column name, you can have the same column name appearing in both a child and
  1063. an ancestor model for multi-table inheritance (they are columns in two
  1064. different database tables).
  1065. Django will raise a :exc:`~django.core.exceptions.FieldError` if you override
  1066. any model field in any ancestor model.
  1067. Organizing models in a package
  1068. ==============================
  1069. The :djadmin:`manage.py startapp <startapp>` command creates an application
  1070. structure that includes a ``models.py`` file. If you have many models,
  1071. organizing them in separate files may be useful.
  1072. To do so, create a ``models`` package. Remove ``models.py`` and create a
  1073. ``myapp/models/`` directory with an ``__init__.py`` file and the files to
  1074. store your models. You must import the models in the ``__init__.py`` file.
  1075. For example, if you had ``organic.py`` and ``synthetic.py`` in the ``models``
  1076. directory:
  1077. .. code-block:: python
  1078. :caption: myapp/models/__init__.py
  1079. from .organic import Person
  1080. from .synthetic import Robot
  1081. Explicitly importing each model rather than using ``from .models import *``
  1082. has the advantages of not cluttering the namespace, making code more readable,
  1083. and keeping code analysis tools useful.
  1084. .. seealso::
  1085. :doc:`The Models Reference </ref/models/index>`
  1086. Covers all the model related APIs including model fields, related
  1087. objects, and ``QuerySet``.