models.txt 56 KB

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