applications.txt 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542
  1. ============
  2. Applications
  3. ============
  4. .. module:: django.apps
  5. Django contains a registry of installed applications that stores configuration
  6. and provides introspection. It also maintains a list of available :doc:`models
  7. </topics/db/models>`.
  8. This registry is called :attr:`~django.apps.apps` and it's available in
  9. :mod:`django.apps`:
  10. .. code-block:: pycon
  11. >>> from django.apps import apps
  12. >>> apps.get_app_config("admin").verbose_name
  13. 'Administration'
  14. Projects and applications
  15. =========================
  16. The term **project** describes a Django web application. The project Python
  17. package is defined primarily by a settings module, but it usually contains
  18. other things. For example, when you run ``django-admin startproject mysite``
  19. you'll get a ``mysite`` project directory that contains a ``mysite`` Python
  20. package with ``settings.py``, ``urls.py``, ``asgi.py`` and ``wsgi.py``. The
  21. project package is often extended to include things like fixtures, CSS, and
  22. templates which aren't tied to a particular application.
  23. A **project's root directory** (the one that contains ``manage.py``) is usually
  24. the container for all of a project's applications which aren't installed
  25. separately.
  26. The term **application** describes a Python package that provides some set of
  27. features. Applications :doc:`may be reused </intro/reusable-apps/>` in various
  28. projects.
  29. Applications include some combination of models, views, templates, template
  30. tags, static files, URLs, middleware, etc. They're generally wired into
  31. projects with the :setting:`INSTALLED_APPS` setting and optionally with other
  32. mechanisms such as URLconfs, the :setting:`MIDDLEWARE` setting, or template
  33. inheritance.
  34. It is important to understand that a Django application is a set of code
  35. that interacts with various parts of the framework. There's no such thing as
  36. an ``Application`` object. However, there's a few places where Django needs to
  37. interact with installed applications, mainly for configuration and also for
  38. introspection. That's why the application registry maintains metadata in an
  39. :class:`~django.apps.AppConfig` instance for each installed application.
  40. There's no restriction that a project package can't also be considered an
  41. application and have models, etc. (which would require adding it to
  42. :setting:`INSTALLED_APPS`).
  43. .. _configuring-applications-ref:
  44. Configuring applications
  45. ========================
  46. To configure an application, create an ``apps.py`` module inside the
  47. application, then define a subclass of :class:`AppConfig` there.
  48. When :setting:`INSTALLED_APPS` contains the dotted path to an application
  49. module, by default, if Django finds exactly one :class:`AppConfig` subclass in
  50. the ``apps.py`` submodule, it uses that configuration for the application. This
  51. behavior may be disabled by setting :attr:`AppConfig.default` to ``False``.
  52. If the ``apps.py`` module contains more than one :class:`AppConfig` subclass,
  53. Django will look for a single one where :attr:`AppConfig.default` is ``True``.
  54. If no :class:`AppConfig` subclass is found, the base :class:`AppConfig` class
  55. will be used.
  56. Alternatively, :setting:`INSTALLED_APPS` may contain the dotted path to a
  57. configuration class to specify it explicitly::
  58. INSTALLED_APPS = [
  59. ...,
  60. "polls.apps.PollsAppConfig",
  61. ...,
  62. ]
  63. For application authors
  64. -----------------------
  65. If you're creating a pluggable app called "Rock ’n’ roll", here's how you
  66. would provide a proper name for the admin::
  67. # rock_n_roll/apps.py
  68. from django.apps import AppConfig
  69. class RockNRollConfig(AppConfig):
  70. name = "rock_n_roll"
  71. verbose_name = "Rock ’n’ roll"
  72. ``RockNRollConfig`` will be loaded automatically when :setting:`INSTALLED_APPS`
  73. contains ``'rock_n_roll'``. If you need to prevent this, set
  74. :attr:`~AppConfig.default` to ``False`` in the class definition.
  75. You can provide several :class:`AppConfig` subclasses with different behaviors.
  76. To tell Django which one to use by default, set :attr:`~AppConfig.default` to
  77. ``True`` in its definition. If your users want to pick a non-default
  78. configuration, they must replace ``'rock_n_roll'`` with the dotted path to that
  79. specific class in their :setting:`INSTALLED_APPS` setting.
  80. The :attr:`AppConfig.name` attribute tells Django which application this
  81. configuration applies to. You can define any other attribute documented in the
  82. :class:`~django.apps.AppConfig` API reference.
  83. :class:`AppConfig` subclasses may be defined anywhere. The ``apps.py``
  84. convention merely allows Django to load them automatically when
  85. :setting:`INSTALLED_APPS` contains the path to an application module rather
  86. than the path to a configuration class.
  87. .. note::
  88. If your code imports the application registry in an application's
  89. ``__init__.py``, the name ``apps`` will clash with the ``apps`` submodule.
  90. The best practice is to move that code to a submodule and import it. A
  91. workaround is to import the registry under a different name::
  92. from django.apps import apps as django_apps
  93. For application users
  94. ---------------------
  95. If you're using "Rock ’n’ roll" in a project called ``anthology``, but you
  96. want it to show up as "Jazz Manouche" instead, you can provide your own
  97. configuration::
  98. # anthology/apps.py
  99. from rock_n_roll.apps import RockNRollConfig
  100. class JazzManoucheConfig(RockNRollConfig):
  101. verbose_name = "Jazz Manouche"
  102. # anthology/settings.py
  103. INSTALLED_APPS = [
  104. "anthology.apps.JazzManoucheConfig",
  105. # ...
  106. ]
  107. This example shows project-specific configuration classes located in a
  108. submodule called ``apps.py``. This is a convention, not a requirement.
  109. :class:`AppConfig` subclasses may be defined anywhere.
  110. In this situation, :setting:`INSTALLED_APPS` must contain the dotted path to
  111. the configuration class because it lives outside of an application and thus
  112. cannot be automatically detected.
  113. Application configuration
  114. =========================
  115. .. class:: AppConfig
  116. Application configuration objects store metadata for an application. Some
  117. attributes can be configured in :class:`~django.apps.AppConfig`
  118. subclasses. Others are set by Django and read-only.
  119. Configurable attributes
  120. -----------------------
  121. .. attribute:: AppConfig.name
  122. Full Python path to the application, e.g. ``'django.contrib.admin'``.
  123. This attribute defines which application the configuration applies to. It
  124. must be set in all :class:`~django.apps.AppConfig` subclasses.
  125. It must be unique across a Django project.
  126. .. attribute:: AppConfig.label
  127. Short name for the application, e.g. ``'admin'``
  128. This attribute allows relabeling an application when two applications
  129. have conflicting labels. It defaults to the last component of ``name``.
  130. It should be a valid Python identifier.
  131. It must be unique across a Django project.
  132. .. attribute:: AppConfig.verbose_name
  133. Human-readable name for the application, e.g. "Administration".
  134. This attribute defaults to ``label.title()``.
  135. .. attribute:: AppConfig.path
  136. Filesystem path to the application directory, e.g.
  137. ``'/usr/lib/pythonX.Y/dist-packages/django/contrib/admin'``.
  138. In most cases, Django can automatically detect and set this, but you can
  139. also provide an explicit override as a class attribute on your
  140. :class:`~django.apps.AppConfig` subclass. In a few situations this is
  141. required; for instance if the app package is a `namespace package`_ with
  142. multiple paths.
  143. .. attribute:: AppConfig.default
  144. Set this attribute to ``False`` to prevent Django from selecting a
  145. configuration class automatically. This is useful when ``apps.py`` defines
  146. only one :class:`AppConfig` subclass but you don't want Django to use it by
  147. default.
  148. Set this attribute to ``True`` to tell Django to select a configuration
  149. class automatically. This is useful when ``apps.py`` defines more than one
  150. :class:`AppConfig` subclass and you want Django to use one of them by
  151. default.
  152. By default, this attribute isn't set.
  153. .. attribute:: AppConfig.default_auto_field
  154. The implicit primary key type to add to models within this app. You can
  155. use this to keep :class:`~django.db.models.AutoField` as the primary key
  156. type for third party applications.
  157. By default, this is the value of :setting:`DEFAULT_AUTO_FIELD`.
  158. Read-only attributes
  159. --------------------
  160. .. attribute:: AppConfig.module
  161. Root module for the application, e.g. ``<module 'django.contrib.admin' from
  162. 'django/contrib/admin/__init__.py'>``.
  163. .. attribute:: AppConfig.models_module
  164. Module containing the models, e.g. ``<module 'django.contrib.admin.models'
  165. from 'django/contrib/admin/models.py'>``.
  166. It may be ``None`` if the application doesn't contain a ``models`` module.
  167. Note that the database related signals such as
  168. :data:`~django.db.models.signals.pre_migrate` and
  169. :data:`~django.db.models.signals.post_migrate`
  170. are only emitted for applications that have a ``models`` module.
  171. Methods
  172. -------
  173. .. method:: AppConfig.get_models(include_auto_created=False, include_swapped=False)
  174. Returns an iterable of :class:`~django.db.models.Model` classes for this
  175. application.
  176. Requires the app registry to be fully populated.
  177. .. method:: AppConfig.get_model(model_name, require_ready=True)
  178. Returns the :class:`~django.db.models.Model` with the given
  179. ``model_name``. ``model_name`` is case-insensitive.
  180. Raises :exc:`LookupError` if no such model exists in this application.
  181. Requires the app registry to be fully populated unless the
  182. ``require_ready`` argument is set to ``False``. ``require_ready`` behaves
  183. exactly as in :meth:`apps.get_model()`.
  184. .. method:: AppConfig.ready()
  185. Subclasses can override this method to perform initialization tasks such
  186. as registering signals. It is called as soon as the registry is fully
  187. populated.
  188. Although you can't import models at the module-level where
  189. :class:`~django.apps.AppConfig` classes are defined, you can import them in
  190. ``ready()``, using either an ``import`` statement or
  191. :meth:`~AppConfig.get_model`.
  192. If you're registering :mod:`model signals <django.db.models.signals>`, you
  193. can refer to the sender by its string label instead of using the model
  194. class itself.
  195. Example::
  196. from django.apps import AppConfig
  197. from django.db.models.signals import pre_save
  198. class RockNRollConfig(AppConfig):
  199. # ...
  200. def ready(self):
  201. # importing model classes
  202. from .models import MyModel # or...
  203. MyModel = self.get_model("MyModel")
  204. # registering signals with the model's string label
  205. pre_save.connect(receiver, sender="app_label.MyModel")
  206. .. warning::
  207. Although you can access model classes as described above, avoid
  208. interacting with the database in your :meth:`ready()` implementation.
  209. This includes model methods that execute queries
  210. (:meth:`~django.db.models.Model.save()`,
  211. :meth:`~django.db.models.Model.delete()`, manager methods etc.), and
  212. also raw SQL queries via ``django.db.connection``. Your
  213. :meth:`ready()` method will run during startup of every management
  214. command. For example, even though the test database configuration is
  215. separate from the production settings, ``manage.py test`` would still
  216. execute some queries against your **production** database!
  217. .. note::
  218. In the usual initialization process, the ``ready`` method is only called
  219. once by Django. But in some corner cases, particularly in tests which
  220. are fiddling with installed applications, ``ready`` might be called more
  221. than once. In that case, either write idempotent methods, or put a flag
  222. on your ``AppConfig`` classes to prevent rerunning code which should
  223. be executed exactly one time.
  224. .. _namespace package:
  225. Namespace packages as apps
  226. --------------------------
  227. Python packages without an ``__init__.py`` file are known as "namespace
  228. packages" and may be spread across multiple directories at different locations
  229. on ``sys.path`` (see :pep:`420`).
  230. Django applications require a single base filesystem path where Django
  231. (depending on configuration) will search for templates, static assets,
  232. etc. Thus, namespace packages may only be Django applications if one of the
  233. following is true:
  234. #. The namespace package actually has only a single location (i.e. is not
  235. spread across more than one directory.)
  236. #. The :class:`~django.apps.AppConfig` class used to configure the application
  237. has a :attr:`~django.apps.AppConfig.path` class attribute, which is the
  238. absolute directory path Django will use as the single base path for the
  239. application.
  240. If neither of these conditions is met, Django will raise
  241. :exc:`~django.core.exceptions.ImproperlyConfigured`.
  242. Application registry
  243. ====================
  244. .. data:: apps
  245. The application registry provides the following public API. Methods that
  246. aren't listed below are considered private and may change without notice.
  247. .. attribute:: apps.ready
  248. Boolean attribute that is set to ``True`` after the registry is fully
  249. populated and all :meth:`AppConfig.ready` methods are called.
  250. .. method:: apps.get_app_configs()
  251. Returns an iterable of :class:`~django.apps.AppConfig` instances.
  252. .. method:: apps.get_app_config(app_label)
  253. Returns an :class:`~django.apps.AppConfig` for the application with the
  254. given ``app_label``. Raises :exc:`LookupError` if no such application
  255. exists.
  256. .. method:: apps.is_installed(app_name)
  257. Checks whether an application with the given name exists in the registry.
  258. ``app_name`` is the full name of the app, e.g. ``'django.contrib.admin'``.
  259. .. method:: apps.get_model(app_label, model_name, require_ready=True)
  260. Returns the :class:`~django.db.models.Model` with the given ``app_label``
  261. and ``model_name``. As a shortcut, this method also accepts a single
  262. argument in the form ``app_label.model_name``. ``model_name`` is
  263. case-insensitive.
  264. Raises :exc:`LookupError` if no such application or model exists. Raises
  265. :exc:`ValueError` when called with a single argument that doesn't contain
  266. exactly one dot.
  267. Requires the app registry to be fully populated unless the
  268. ``require_ready`` argument is set to ``False``.
  269. Setting ``require_ready`` to ``False`` allows looking up models
  270. :ref:`while the app registry is being populated <app-loading-process>`,
  271. specifically during the second phase where it imports models. Then
  272. ``get_model()`` has the same effect as importing the model. The main use
  273. case is to configure model classes with settings, such as
  274. :setting:`AUTH_USER_MODEL`.
  275. When ``require_ready`` is ``False``, ``get_model()`` returns a model class
  276. that may not be fully functional (reverse accessors may be missing, for
  277. example) until the app registry is fully populated. For this reason, it's
  278. best to leave ``require_ready`` to the default value of ``True`` whenever
  279. possible.
  280. .. _app-loading-process:
  281. Initialization process
  282. ======================
  283. How applications are loaded
  284. ---------------------------
  285. When Django starts, :func:`django.setup()` is responsible for populating the
  286. application registry.
  287. .. currentmodule:: django
  288. .. function:: setup(set_prefix=True)
  289. Configures Django by:
  290. * Loading the settings.
  291. * Setting up logging.
  292. * If ``set_prefix`` is True, setting the URL resolver script prefix to
  293. :setting:`FORCE_SCRIPT_NAME` if defined, or ``/`` otherwise.
  294. * Initializing the application registry.
  295. This function is called automatically:
  296. * When running an HTTP server via Django's ASGI or WSGI support.
  297. * When invoking a management command.
  298. It must be called explicitly in other cases, for instance in plain Python
  299. scripts.
  300. .. versionchanged:: 5.0
  301. Raises a ``RuntimeWarning`` when apps interact with the database before
  302. the app registry has been fully populated.
  303. .. currentmodule:: django.apps
  304. The application registry is initialized in three stages. At each stage, Django
  305. processes all applications in the order of :setting:`INSTALLED_APPS`.
  306. #. First Django imports each item in :setting:`INSTALLED_APPS`.
  307. If it's an application configuration class, Django imports the root package
  308. of the application, defined by its :attr:`~AppConfig.name` attribute. If
  309. it's a Python package, Django looks for an application configuration in an
  310. ``apps.py`` submodule, or else creates a default application configuration.
  311. *At this stage, your code shouldn't import any models!*
  312. In other words, your applications' root packages and the modules that
  313. define your application configuration classes shouldn't import any models,
  314. even indirectly.
  315. Strictly speaking, Django allows importing models once their application
  316. configuration is loaded. However, in order to avoid needless constraints on
  317. the order of :setting:`INSTALLED_APPS`, it's strongly recommended not
  318. import any models at this stage.
  319. Once this stage completes, APIs that operate on application configurations
  320. such as :meth:`~apps.get_app_config()` become usable.
  321. #. Then Django attempts to import the ``models`` submodule of each application,
  322. if there is one.
  323. You must define or import all models in your application's ``models.py`` or
  324. ``models/__init__.py``. Otherwise, the application registry may not be fully
  325. populated at this point, which could cause the ORM to malfunction.
  326. Once this stage completes, APIs that operate on models such as
  327. :meth:`~apps.get_model()` become usable.
  328. #. Finally Django runs the :meth:`~AppConfig.ready()` method of each application
  329. configuration.
  330. .. _applications-troubleshooting:
  331. Troubleshooting
  332. ---------------
  333. Here are some common problems that you may encounter during initialization:
  334. * :class:`~django.core.exceptions.AppRegistryNotReady`: This happens when
  335. importing an application configuration or a models module triggers code that
  336. depends on the app registry.
  337. For example, :func:`~django.utils.translation.gettext()` uses the app
  338. registry to look up translation catalogs in applications. To translate at
  339. import time, you need :func:`~django.utils.translation.gettext_lazy()`
  340. instead. (Using :func:`~django.utils.translation.gettext()` would be a bug,
  341. because the translation would happen at import time, rather than at each
  342. request depending on the active language.)
  343. Executing database queries with the ORM at import time in models modules
  344. will also trigger this exception. The ORM cannot function properly until all
  345. models are available.
  346. This exception also happens if you forget to call :func:`django.setup()` in
  347. a standalone Python script.
  348. * ``ImportError: cannot import name ...`` This happens if the import sequence
  349. ends up in a loop.
  350. To eliminate such problems, you should minimize dependencies between your
  351. models modules and do as little work as possible at import time. To avoid
  352. executing code at import time, you can move it into a function and cache its
  353. results. The code will be executed when you first need its results. This
  354. concept is known as "lazy evaluation".
  355. * ``django.contrib.admin`` automatically performs autodiscovery of ``admin``
  356. modules in installed applications. To prevent it, change your
  357. :setting:`INSTALLED_APPS` to contain
  358. ``'django.contrib.admin.apps.SimpleAdminConfig'`` instead of
  359. ``'django.contrib.admin'``.
  360. * ``RuntimeWarning: Accessing the database during app initialization is
  361. discouraged.`` This warning is triggered for database queries executed before
  362. apps are ready, such as during module imports or in the
  363. :meth:`AppConfig.ready` method. Such premature database queries are
  364. discouraged because they will run during the startup of every management
  365. command, which will slow down your project startup, potentially cache stale
  366. data, and can even fail if migrations are pending.
  367. For example, a common mistake is making a database query to populate form
  368. field choices::
  369. class LocationForm(forms.Form):
  370. country = forms.ChoiceField(choices=[c.name for c in Country.objects.all()])
  371. In the example above, the query from ``Country.objects.all()`` is executed
  372. during module import, because the ``QuerySet`` is iterated over. To avoid the
  373. warning, the form could use a :class:`~django.forms.ModelChoiceField`
  374. instead::
  375. class LocationForm(forms.Form):
  376. country = forms.ModelChoiceField(queryset=Country.objects.all())
  377. To make it easier to find the code that triggered this warning, you can make
  378. Python :ref:`treat warnings as errors <python:warning-filter>` to reveal the
  379. stack trace, for example with ``python -Werror manage.py shell``.