urls.txt 32 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891
  1. ==============
  2. URL dispatcher
  3. ==============
  4. A clean, elegant URL scheme is an important detail in a high-quality Web
  5. application. Django lets you design URLs however you want, with no framework
  6. limitations.
  7. See `Cool URIs don't change`_, by World Wide Web creator Tim Berners-Lee, for
  8. excellent arguments on why URLs should be clean and usable.
  9. .. _Cool URIs don't change: https://www.w3.org/Provider/Style/URI
  10. Overview
  11. ========
  12. To design URLs for an app, you create a Python module informally called a
  13. **URLconf** (URL configuration). This module is pure Python code and is a
  14. mapping between URL path expressions to Python functions (your views).
  15. This mapping can be as short or as long as needed. It can reference other
  16. mappings. And, because it's pure Python code, it can be constructed
  17. dynamically.
  18. Django also provides a way to translate URLs according to the active
  19. language. See the :ref:`internationalization documentation
  20. <url-internationalization>` for more information.
  21. .. _how-django-processes-a-request:
  22. How Django processes a request
  23. ==============================
  24. When a user requests a page from your Django-powered site, this is the
  25. algorithm the system follows to determine which Python code to execute:
  26. #. Django determines the root URLconf module to use. Ordinarily,
  27. this is the value of the :setting:`ROOT_URLCONF` setting, but if the incoming
  28. ``HttpRequest`` object has a :attr:`~django.http.HttpRequest.urlconf`
  29. attribute (set by middleware), its value will be used in place of the
  30. :setting:`ROOT_URLCONF` setting.
  31. #. Django loads that Python module and looks for the variable
  32. ``urlpatterns``. This should be a :term:`sequence` of
  33. :func:`django.urls.path` and/or :func:`django.urls.re_path` instances.
  34. #. Django runs through each URL pattern, in order, and stops at the first
  35. one that matches the requested URL.
  36. #. Once one of the URL patterns matches, Django imports and calls the given
  37. view, which is a Python function (or a :doc:`class-based view
  38. </topics/class-based-views/index>`). The view gets passed the following
  39. arguments:
  40. * An instance of :class:`~django.http.HttpRequest`.
  41. * If the matched URL pattern contained no named groups, then the
  42. matches from the regular expression are provided as positional arguments.
  43. * The keyword arguments are made up of any named parts matched by the
  44. path expression that are provided, overridden by any arguments specified
  45. in the optional ``kwargs`` argument to :func:`django.urls.path` or
  46. :func:`django.urls.re_path`.
  47. .. versionchanged:: 3.0
  48. In older versions, the keyword arguments with ``None`` values are
  49. made up also for not provided named parts.
  50. #. If no URL pattern matches, or if an exception is raised during any
  51. point in this process, Django invokes an appropriate
  52. error-handling view. See `Error handling`_ below.
  53. Example
  54. =======
  55. Here's a sample URLconf::
  56. from django.urls import path
  57. from . import views
  58. urlpatterns = [
  59. path('articles/2003/', views.special_case_2003),
  60. path('articles/<int:year>/', views.year_archive),
  61. path('articles/<int:year>/<int:month>/', views.month_archive),
  62. path('articles/<int:year>/<int:month>/<slug:slug>/', views.article_detail),
  63. ]
  64. Notes:
  65. * To capture a value from the URL, use angle brackets.
  66. * Captured values can optionally include a converter type. For example, use
  67. ``<int:name>`` to capture an integer parameter. If a converter isn't included,
  68. any string, excluding a ``/`` character, is matched.
  69. * There's no need to add a leading slash, because every URL has that. For
  70. example, it's ``articles``, not ``/articles``.
  71. Example requests:
  72. * A request to ``/articles/2005/03/`` would match the third entry in the
  73. list. Django would call the function
  74. ``views.month_archive(request, year=2005, month=3)``.
  75. * ``/articles/2003/`` would match the first pattern in the list, not the
  76. second one, because the patterns are tested in order, and the first one
  77. is the first test to pass. Feel free to exploit the ordering to insert
  78. special cases like this. Here, Django would call the function
  79. ``views.special_case_2003(request)``
  80. * ``/articles/2003`` would not match any of these patterns, because each
  81. pattern requires that the URL end with a slash.
  82. * ``/articles/2003/03/building-a-django-site/`` would match the final
  83. pattern. Django would call the function
  84. ``views.article_detail(request, year=2003, month=3, slug="building-a-django-site")``.
  85. Path converters
  86. ===============
  87. The following path converters are available by default:
  88. * ``str`` - Matches any non-empty string, excluding the path separator, ``'/'``.
  89. This is the default if a converter isn't included in the expression.
  90. * ``int`` - Matches zero or any positive integer. Returns an `int`.
  91. * ``slug`` - Matches any slug string consisting of ASCII letters or numbers,
  92. plus the hyphen and underscore characters. For example,
  93. ``building-your-1st-django-site``.
  94. * ``uuid`` - Matches a formatted UUID. To prevent multiple URLs from mapping to
  95. the same page, dashes must be included and letters must be lowercase. For
  96. example, ``075194d3-6885-417e-a8a8-6c931e272f00``. Returns a
  97. :class:`~uuid.UUID` instance.
  98. * ``path`` - Matches any non-empty string, including the path separator,
  99. ``'/'``. This allows you to match against a complete URL path rather than
  100. a segment of a URL path as with ``str``.
  101. .. _registering-custom-path-converters:
  102. Registering custom path converters
  103. ==================================
  104. For more complex matching requirements, you can define your own path converters.
  105. A converter is a class that includes the following:
  106. * A ``regex`` class attribute, as a string.
  107. * A ``to_python(self, value)`` method, which handles converting the matched
  108. string into the type that should be passed to the view function. It should
  109. raise ``ValueError`` if it can't convert the given value. A ``ValueError`` is
  110. interpreted as no match and as a consequence a 404 response is sent to the
  111. user unless another URL pattern matches.
  112. * A ``to_url(self, value)`` method, which handles converting the Python type
  113. into a string to be used in the URL.
  114. For example::
  115. class FourDigitYearConverter:
  116. regex = '[0-9]{4}'
  117. def to_python(self, value):
  118. return int(value)
  119. def to_url(self, value):
  120. return '%04d' % value
  121. Register custom converter classes in your URLconf using
  122. :func:`~django.urls.register_converter`::
  123. from django.urls import path, register_converter
  124. from . import converters, views
  125. register_converter(converters.FourDigitYearConverter, 'yyyy')
  126. urlpatterns = [
  127. path('articles/2003/', views.special_case_2003),
  128. path('articles/<yyyy:year>/', views.year_archive),
  129. ...
  130. ]
  131. Using regular expressions
  132. =========================
  133. If the paths and converters syntax isn't sufficient for defining your URL
  134. patterns, you can also use regular expressions. To do so, use
  135. :func:`~django.urls.re_path` instead of :func:`~django.urls.path`.
  136. In Python regular expressions, the syntax for named regular expression groups
  137. is ``(?P<name>pattern)``, where ``name`` is the name of the group and
  138. ``pattern`` is some pattern to match.
  139. Here's the example URLconf from earlier, rewritten using regular expressions::
  140. from django.urls import path, re_path
  141. from . import views
  142. urlpatterns = [
  143. path('articles/2003/', views.special_case_2003),
  144. re_path(r'^articles/(?P<year>[0-9]{4})/$', views.year_archive),
  145. re_path(r'^articles/(?P<year>[0-9]{4})/(?P<month>[0-9]{2})/$', views.month_archive),
  146. re_path(r'^articles/(?P<year>[0-9]{4})/(?P<month>[0-9]{2})/(?P<slug>[\w-]+)/$', views.article_detail),
  147. ]
  148. This accomplishes roughly the same thing as the previous example, except:
  149. * The exact URLs that will match are slightly more constrained. For example,
  150. the year 10000 will no longer match since the year integers are constrained
  151. to be exactly four digits long.
  152. * Each captured argument is sent to the view as a string, regardless of what
  153. sort of match the regular expression makes.
  154. When switching from using :func:`~django.urls.path` to
  155. :func:`~django.urls.re_path` or vice versa, it's particularly important to be
  156. aware that the type of the view arguments may change, and so you may need to
  157. adapt your views.
  158. Using unnamed regular expression groups
  159. ---------------------------------------
  160. As well as the named group syntax, e.g. ``(?P<year>[0-9]{4})``, you can
  161. also use the shorter unnamed group, e.g. ``([0-9]{4})``.
  162. This usage isn't particularly recommended as it makes it easier to accidentally
  163. introduce errors between the intended meaning of a match and the arguments
  164. of the view.
  165. In either case, using only one style within a given regex is recommended. When
  166. both styles are mixed, any unnamed groups are ignored and only named groups are
  167. passed to the view function.
  168. Nested arguments
  169. ----------------
  170. Regular expressions allow nested arguments, and Django will resolve them and
  171. pass them to the view. When reversing, Django will try to fill in all outer
  172. captured arguments, ignoring any nested captured arguments. Consider the
  173. following URL patterns which optionally take a page argument::
  174. from django.urls import re_path
  175. urlpatterns = [
  176. re_path(r'^blog/(page-(\d+)/)?$', blog_articles), # bad
  177. re_path(r'^comments/(?:page-(?P<page_number>\d+)/)?$', comments), # good
  178. ]
  179. Both patterns use nested arguments and will resolve: for example,
  180. ``blog/page-2/`` will result in a match to ``blog_articles`` with two
  181. positional arguments: ``page-2/`` and ``2``. The second pattern for
  182. ``comments`` will match ``comments/page-2/`` with keyword argument
  183. ``page_number`` set to 2. The outer argument in this case is a non-capturing
  184. argument ``(?:...)``.
  185. The ``blog_articles`` view needs the outermost captured argument to be reversed,
  186. ``page-2/`` or no arguments in this case, while ``comments`` can be reversed
  187. with either no arguments or a value for ``page_number``.
  188. Nested captured arguments create a strong coupling between the view arguments
  189. and the URL as illustrated by ``blog_articles``: the view receives part of the
  190. URL (``page-2/``) instead of only the value the view is interested in. This
  191. coupling is even more pronounced when reversing, since to reverse the view we
  192. need to pass the piece of URL instead of the page number.
  193. As a rule of thumb, only capture the values the view needs to work with and
  194. use non-capturing arguments when the regular expression needs an argument but
  195. the view ignores it.
  196. What the URLconf searches against
  197. =================================
  198. The URLconf searches against the requested URL, as a normal Python string. This
  199. does not include GET or POST parameters, or the domain name.
  200. For example, in a request to ``https://www.example.com/myapp/``, the URLconf
  201. will look for ``myapp/``.
  202. In a request to ``https://www.example.com/myapp/?page=3``, the URLconf will look
  203. for ``myapp/``.
  204. The URLconf doesn't look at the request method. In other words, all request
  205. methods -- ``POST``, ``GET``, ``HEAD``, etc. -- will be routed to the same
  206. function for the same URL.
  207. Specifying defaults for view arguments
  208. ======================================
  209. A convenient trick is to specify default parameters for your views' arguments.
  210. Here's an example URLconf and view::
  211. # URLconf
  212. from django.urls import path
  213. from . import views
  214. urlpatterns = [
  215. path('blog/', views.page),
  216. path('blog/page<int:num>/', views.page),
  217. ]
  218. # View (in blog/views.py)
  219. def page(request, num=1):
  220. # Output the appropriate page of blog entries, according to num.
  221. ...
  222. In the above example, both URL patterns point to the same view --
  223. ``views.page`` -- but the first pattern doesn't capture anything from the
  224. URL. If the first pattern matches, the ``page()`` function will use its
  225. default argument for ``num``, ``1``. If the second pattern matches,
  226. ``page()`` will use whatever ``num`` value was captured.
  227. Performance
  228. ===========
  229. Each regular expression in a ``urlpatterns`` is compiled the first time it's
  230. accessed. This makes the system blazingly fast.
  231. Syntax of the ``urlpatterns`` variable
  232. ======================================
  233. ``urlpatterns`` should be a :term:`sequence` of :func:`~django.urls.path`
  234. and/or :func:`~django.urls.re_path` instances.
  235. Error handling
  236. ==============
  237. When Django can't find a match for the requested URL, or when an exception is
  238. raised, Django invokes an error-handling view.
  239. The views to use for these cases are specified by four variables. Their
  240. default values should suffice for most projects, but further customization is
  241. possible by overriding their default values.
  242. See the documentation on :ref:`customizing error views
  243. <customizing-error-views>` for the full details.
  244. Such values can be set in your root URLconf. Setting these variables in any
  245. other URLconf will have no effect.
  246. Values must be callables, or strings representing the full Python import path
  247. to the view that should be called to handle the error condition at hand.
  248. The variables are:
  249. * ``handler400`` -- See :data:`django.conf.urls.handler400`.
  250. * ``handler403`` -- See :data:`django.conf.urls.handler403`.
  251. * ``handler404`` -- See :data:`django.conf.urls.handler404`.
  252. * ``handler500`` -- See :data:`django.conf.urls.handler500`.
  253. .. _including-other-urlconfs:
  254. Including other URLconfs
  255. ========================
  256. At any point, your ``urlpatterns`` can "include" other URLconf modules. This
  257. essentially "roots" a set of URLs below other ones.
  258. For example, here's an excerpt of the URLconf for the `Django website`_
  259. itself. It includes a number of other URLconfs::
  260. from django.urls import include, path
  261. urlpatterns = [
  262. # ... snip ...
  263. path('community/', include('aggregator.urls')),
  264. path('contact/', include('contact.urls')),
  265. # ... snip ...
  266. ]
  267. Whenever Django encounters :func:`~django.urls.include()`, it chops off
  268. whatever part of the URL matched up to that point and sends the remaining
  269. string to the included URLconf for further processing.
  270. Another possibility is to include additional URL patterns by using a list of
  271. :func:`~django.urls.path` instances. For example, consider this URLconf::
  272. from django.urls import include, path
  273. from apps.main import views as main_views
  274. from credit import views as credit_views
  275. extra_patterns = [
  276. path('reports/', credit_views.report),
  277. path('reports/<int:id>/', credit_views.report),
  278. path('charge/', credit_views.charge),
  279. ]
  280. urlpatterns = [
  281. path('', main_views.homepage),
  282. path('help/', include('apps.help.urls')),
  283. path('credit/', include(extra_patterns)),
  284. ]
  285. In this example, the ``/credit/reports/`` URL will be handled by the
  286. ``credit_views.report()`` Django view.
  287. This can be used to remove redundancy from URLconfs where a single pattern
  288. prefix is used repeatedly. For example, consider this URLconf::
  289. from django.urls import path
  290. from . import views
  291. urlpatterns = [
  292. path('<page_slug>-<page_id>/history/', views.history),
  293. path('<page_slug>-<page_id>/edit/', views.edit),
  294. path('<page_slug>-<page_id>/discuss/', views.discuss),
  295. path('<page_slug>-<page_id>/permissions/', views.permissions),
  296. ]
  297. We can improve this by stating the common path prefix only once and grouping
  298. the suffixes that differ::
  299. from django.urls import include, path
  300. from . import views
  301. urlpatterns = [
  302. path('<page_slug>-<page_id>/', include([
  303. path('history/', views.history),
  304. path('edit/', views.edit),
  305. path('discuss/', views.discuss),
  306. path('permissions/', views.permissions),
  307. ])),
  308. ]
  309. .. _`Django website`: https://www.djangoproject.com/
  310. Captured parameters
  311. -------------------
  312. An included URLconf receives any captured parameters from parent URLconfs, so
  313. the following example is valid::
  314. # In settings/urls/main.py
  315. from django.urls import include, path
  316. urlpatterns = [
  317. path('<username>/blog/', include('foo.urls.blog')),
  318. ]
  319. # In foo/urls/blog.py
  320. from django.urls import path
  321. from . import views
  322. urlpatterns = [
  323. path('', views.blog.index),
  324. path('archive/', views.blog.archive),
  325. ]
  326. In the above example, the captured ``"username"`` variable is passed to the
  327. included URLconf, as expected.
  328. .. _views-extra-options:
  329. Passing extra options to view functions
  330. =======================================
  331. URLconfs have a hook that lets you pass extra arguments to your view functions,
  332. as a Python dictionary.
  333. The :func:`~django.urls.path` function can take an optional third argument
  334. which should be a dictionary of extra keyword arguments to pass to the view
  335. function.
  336. For example::
  337. from django.urls import path
  338. from . import views
  339. urlpatterns = [
  340. path('blog/<int:year>/', views.year_archive, {'foo': 'bar'}),
  341. ]
  342. In this example, for a request to ``/blog/2005/``, Django will call
  343. ``views.year_archive(request, year=2005, foo='bar')``.
  344. This technique is used in the
  345. :doc:`syndication framework </ref/contrib/syndication>` to pass metadata and
  346. options to views.
  347. .. admonition:: Dealing with conflicts
  348. It's possible to have a URL pattern which captures named keyword arguments,
  349. and also passes arguments with the same names in its dictionary of extra
  350. arguments. When this happens, the arguments in the dictionary will be used
  351. instead of the arguments captured in the URL.
  352. Passing extra options to ``include()``
  353. --------------------------------------
  354. Similarly, you can pass extra options to :func:`~django.urls.include` and
  355. each line in the included URLconf will be passed the extra options.
  356. For example, these two URLconf sets are functionally identical:
  357. Set one::
  358. # main.py
  359. from django.urls import include, path
  360. urlpatterns = [
  361. path('blog/', include('inner'), {'blog_id': 3}),
  362. ]
  363. # inner.py
  364. from django.urls import path
  365. from mysite import views
  366. urlpatterns = [
  367. path('archive/', views.archive),
  368. path('about/', views.about),
  369. ]
  370. Set two::
  371. # main.py
  372. from django.urls import include, path
  373. from mysite import views
  374. urlpatterns = [
  375. path('blog/', include('inner')),
  376. ]
  377. # inner.py
  378. from django.urls import path
  379. urlpatterns = [
  380. path('archive/', views.archive, {'blog_id': 3}),
  381. path('about/', views.about, {'blog_id': 3}),
  382. ]
  383. Note that extra options will *always* be passed to *every* line in the included
  384. URLconf, regardless of whether the line's view actually accepts those options
  385. as valid. For this reason, this technique is only useful if you're certain that
  386. every view in the included URLconf accepts the extra options you're passing.
  387. Reverse resolution of URLs
  388. ==========================
  389. A common need when working on a Django project is the possibility to obtain URLs
  390. in their final forms either for embedding in generated content (views and assets
  391. URLs, URLs shown to the user, etc.) or for handling of the navigation flow on
  392. the server side (redirections, etc.)
  393. It is strongly desirable to avoid hard-coding these URLs (a laborious,
  394. non-scalable and error-prone strategy). Equally dangerous is devising ad-hoc
  395. mechanisms to generate URLs that are parallel to the design described by the
  396. URLconf, which can result in the production of URLs that become stale over time.
  397. In other words, what's needed is a DRY mechanism. Among other advantages it
  398. would allow evolution of the URL design without having to go over all the
  399. project source code to search and replace outdated URLs.
  400. The primary piece of information we have available to get a URL is an
  401. identification (e.g. the name) of the view in charge of handling it. Other
  402. pieces of information that necessarily must participate in the lookup of the
  403. right URL are the types (positional, keyword) and values of the view arguments.
  404. Django provides a solution such that the URL mapper is the only repository of
  405. the URL design. You feed it with your URLconf and then it can be used in both
  406. directions:
  407. * Starting with a URL requested by the user/browser, it calls the right Django
  408. view providing any arguments it might need with their values as extracted from
  409. the URL.
  410. * Starting with the identification of the corresponding Django view plus the
  411. values of arguments that would be passed to it, obtain the associated URL.
  412. The first one is the usage we've been discussing in the previous sections. The
  413. second one is what is known as *reverse resolution of URLs*, *reverse URL
  414. matching*, *reverse URL lookup*, or simply *URL reversing*.
  415. Django provides tools for performing URL reversing that match the different
  416. layers where URLs are needed:
  417. * In templates: Using the :ttag:`url` template tag.
  418. * In Python code: Using the :func:`~django.urls.reverse` function.
  419. * In higher level code related to handling of URLs of Django model instances:
  420. The :meth:`~django.db.models.Model.get_absolute_url` method.
  421. Examples
  422. --------
  423. Consider again this URLconf entry::
  424. from django.urls import path
  425. from . import views
  426. urlpatterns = [
  427. #...
  428. path('articles/<int:year>/', views.year_archive, name='news-year-archive'),
  429. #...
  430. ]
  431. According to this design, the URL for the archive corresponding to year *nnnn*
  432. is ``/articles/<nnnn>/``.
  433. You can obtain these in template code by using:
  434. .. code-block:: html+django
  435. <a href="{% url 'news-year-archive' 2012 %}">2012 Archive</a>
  436. {# Or with the year in a template context variable: #}
  437. <ul>
  438. {% for yearvar in year_list %}
  439. <li><a href="{% url 'news-year-archive' yearvar %}">{{ yearvar }} Archive</a></li>
  440. {% endfor %}
  441. </ul>
  442. Or in Python code::
  443. from django.http import HttpResponseRedirect
  444. from django.urls import reverse
  445. def redirect_to_year(request):
  446. # ...
  447. year = 2006
  448. # ...
  449. return HttpResponseRedirect(reverse('news-year-archive', args=(year,)))
  450. If, for some reason, it was decided that the URLs where content for yearly
  451. article archives are published at should be changed then you would only need to
  452. change the entry in the URLconf.
  453. In some scenarios where views are of a generic nature, a many-to-one
  454. relationship might exist between URLs and views. For these cases the view name
  455. isn't a good enough identifier for it when comes the time of reversing
  456. URLs. Read the next section to know about the solution Django provides for this.
  457. .. _naming-url-patterns:
  458. Naming URL patterns
  459. ===================
  460. In order to perform URL reversing, you'll need to use **named URL patterns**
  461. as done in the examples above. The string used for the URL name can contain any
  462. characters you like. You are not restricted to valid Python names.
  463. When naming URL patterns, choose names that are unlikely to clash with other
  464. applications' choice of names. If you call your URL pattern ``comment``
  465. and another application does the same thing, the URL that
  466. :func:`~django.urls.reverse()` finds depends on whichever pattern is last in
  467. your project's ``urlpatterns`` list.
  468. Putting a prefix on your URL names, perhaps derived from the application
  469. name (such as ``myapp-comment`` instead of ``comment``), decreases the chance
  470. of collision.
  471. You can deliberately choose the *same URL name* as another application if you
  472. want to override a view. For example, a common use case is to override the
  473. :class:`~django.contrib.auth.views.LoginView`. Parts of Django and most
  474. third-party apps assume that this view has a URL pattern with the name
  475. ``login``. If you have a custom login view and give its URL the name ``login``,
  476. :func:`~django.urls.reverse()` will find your custom view as long as it's in
  477. ``urlpatterns`` after ``django.contrib.auth.urls`` is included (if that's
  478. included at all).
  479. You may also use the same name for multiple URL patterns if they differ in
  480. their arguments. In addition to the URL name, :func:`~django.urls.reverse()`
  481. matches the number of arguments and the names of the keyword arguments.
  482. .. _topics-http-defining-url-namespaces:
  483. URL namespaces
  484. ==============
  485. Introduction
  486. ------------
  487. URL namespaces allow you to uniquely reverse :ref:`named URL patterns
  488. <naming-url-patterns>` even if different applications use the same URL names.
  489. It's a good practice for third-party apps to always use namespaced URLs (as we
  490. did in the tutorial). Similarly, it also allows you to reverse URLs if multiple
  491. instances of an application are deployed. In other words, since multiple
  492. instances of a single application will share named URLs, namespaces provide a
  493. way to tell these named URLs apart.
  494. Django applications that make proper use of URL namespacing can be deployed
  495. more than once for a particular site. For example :mod:`django.contrib.admin`
  496. has an :class:`~django.contrib.admin.AdminSite` class which allows you to
  497. :ref:`deploy more than one instance of the admin <multiple-admin-sites>`. In a
  498. later example, we'll discuss the idea of deploying the polls application from
  499. the tutorial in two different locations so we can serve the same functionality
  500. to two different audiences (authors and publishers).
  501. A URL namespace comes in two parts, both of which are strings:
  502. .. glossary::
  503. application namespace
  504. This describes the name of the application that is being deployed. Every
  505. instance of a single application will have the same application namespace.
  506. For example, Django's admin application has the somewhat predictable
  507. application namespace of ``'admin'``.
  508. instance namespace
  509. This identifies a specific instance of an application. Instance namespaces
  510. should be unique across your entire project. However, an instance namespace
  511. can be the same as the application namespace. This is used to specify a
  512. default instance of an application. For example, the default Django admin
  513. instance has an instance namespace of ``'admin'``.
  514. Namespaced URLs are specified using the ``':'`` operator. For example, the main
  515. index page of the admin application is referenced using ``'admin:index'``. This
  516. indicates a namespace of ``'admin'``, and a named URL of ``'index'``.
  517. Namespaces can also be nested. The named URL ``'sports:polls:index'`` would
  518. look for a pattern named ``'index'`` in the namespace ``'polls'`` that is itself
  519. defined within the top-level namespace ``'sports'``.
  520. .. _topics-http-reversing-url-namespaces:
  521. Reversing namespaced URLs
  522. -------------------------
  523. When given a namespaced URL (e.g. ``'polls:index'``) to resolve, Django splits
  524. the fully qualified name into parts and then tries the following lookup:
  525. #. First, Django looks for a matching :term:`application namespace` (in this
  526. example, ``'polls'``). This will yield a list of instances of that
  527. application.
  528. #. If there is a current application defined, Django finds and returns the URL
  529. resolver for that instance. The current application can be specified with
  530. the ``current_app`` argument to the :func:`~django.urls.reverse()`
  531. function.
  532. The :ttag:`url` template tag uses the namespace of the currently resolved
  533. view as the current application in a
  534. :class:`~django.template.RequestContext`. You can override this default by
  535. setting the current application on the :attr:`request.current_app
  536. <django.http.HttpRequest.current_app>` attribute.
  537. #. If there is no current application, Django looks for a default
  538. application instance. The default application instance is the instance
  539. that has an :term:`instance namespace` matching the :term:`application
  540. namespace` (in this example, an instance of ``polls`` called ``'polls'``).
  541. #. If there is no default application instance, Django will pick the last
  542. deployed instance of the application, whatever its instance name may be.
  543. #. If the provided namespace doesn't match an :term:`application namespace` in
  544. step 1, Django will attempt a direct lookup of the namespace as an
  545. :term:`instance namespace`.
  546. If there are nested namespaces, these steps are repeated for each part of the
  547. namespace until only the view name is unresolved. The view name will then be
  548. resolved into a URL in the namespace that has been found.
  549. Example
  550. ~~~~~~~
  551. To show this resolution strategy in action, consider an example of two instances
  552. of the ``polls`` application from the tutorial: one called ``'author-polls'``
  553. and one called ``'publisher-polls'``. Assume we have enhanced that application
  554. so that it takes the instance namespace into consideration when creating and
  555. displaying polls.
  556. .. code-block:: python
  557. :caption: urls.py
  558. from django.urls import include, path
  559. urlpatterns = [
  560. path('author-polls/', include('polls.urls', namespace='author-polls')),
  561. path('publisher-polls/', include('polls.urls', namespace='publisher-polls')),
  562. ]
  563. .. code-block:: python
  564. :caption: polls/urls.py
  565. from django.urls import path
  566. from . import views
  567. app_name = 'polls'
  568. urlpatterns = [
  569. path('', views.IndexView.as_view(), name='index'),
  570. path('<int:pk>/', views.DetailView.as_view(), name='detail'),
  571. ...
  572. ]
  573. Using this setup, the following lookups are possible:
  574. * If one of the instances is current - say, if we were rendering the detail page
  575. in the instance ``'author-polls'`` - ``'polls:index'`` will resolve to the
  576. index page of the ``'author-polls'`` instance; i.e. both of the following will
  577. result in ``"/author-polls/"``.
  578. In the method of a class-based view::
  579. reverse('polls:index', current_app=self.request.resolver_match.namespace)
  580. and in the template:
  581. .. code-block:: html+django
  582. {% url 'polls:index' %}
  583. * If there is no current instance - say, if we were rendering a page
  584. somewhere else on the site - ``'polls:index'`` will resolve to the last
  585. registered instance of ``polls``. Since there is no default instance
  586. (instance namespace of ``'polls'``), the last instance of ``polls`` that is
  587. registered will be used. This would be ``'publisher-polls'`` since it's
  588. declared last in the ``urlpatterns``.
  589. * ``'author-polls:index'`` will always resolve to the index page of the instance
  590. ``'author-polls'`` (and likewise for ``'publisher-polls'``) .
  591. If there were also a default instance - i.e., an instance named ``'polls'`` -
  592. the only change from above would be in the case where there is no current
  593. instance (the second item in the list above). In this case ``'polls:index'``
  594. would resolve to the index page of the default instance instead of the instance
  595. declared last in ``urlpatterns``.
  596. .. _namespaces-and-include:
  597. URL namespaces and included URLconfs
  598. ------------------------------------
  599. Application namespaces of included URLconfs can be specified in two ways.
  600. Firstly, you can set an ``app_name`` attribute in the included URLconf module,
  601. at the same level as the ``urlpatterns`` attribute. You have to pass the actual
  602. module, or a string reference to the module, to :func:`~django.urls.include`,
  603. not the list of ``urlpatterns`` itself.
  604. .. code-block:: python
  605. :caption: polls/urls.py
  606. from django.urls import path
  607. from . import views
  608. app_name = 'polls'
  609. urlpatterns = [
  610. path('', views.IndexView.as_view(), name='index'),
  611. path('<int:pk>/', views.DetailView.as_view(), name='detail'),
  612. ...
  613. ]
  614. .. code-block:: python
  615. :caption: urls.py
  616. from django.urls import include, path
  617. urlpatterns = [
  618. path('polls/', include('polls.urls')),
  619. ]
  620. The URLs defined in ``polls.urls`` will have an application namespace ``polls``.
  621. Secondly, you can include an object that contains embedded namespace data. If
  622. you ``include()`` a list of :func:`~django.urls.path` or
  623. :func:`~django.urls.re_path` instances, the URLs contained in that object
  624. will be added to the global namespace. However, you can also ``include()`` a
  625. 2-tuple containing::
  626. (<list of path()/re_path() instances>, <application namespace>)
  627. For example::
  628. from django.urls import include, path
  629. from . import views
  630. polls_patterns = ([
  631. path('', views.IndexView.as_view(), name='index'),
  632. path('<int:pk>/', views.DetailView.as_view(), name='detail'),
  633. ], 'polls')
  634. urlpatterns = [
  635. path('polls/', include(polls_patterns)),
  636. ]
  637. This will include the nominated URL patterns into the given application
  638. namespace.
  639. The instance namespace can be specified using the ``namespace`` argument to
  640. :func:`~django.urls.include`. If the instance namespace is not specified,
  641. it will default to the included URLconf's application namespace. This means
  642. it will also be the default instance for that namespace.