sitemaps.txt 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587
  1. =====================
  2. The sitemap framework
  3. =====================
  4. .. module:: django.contrib.sitemaps
  5. :synopsis: A framework for generating Google sitemap XML files.
  6. Django comes with a high-level sitemap-generating framework to create sitemap_
  7. XML files.
  8. .. _sitemap: https://www.sitemaps.org/
  9. Overview
  10. ========
  11. A sitemap is an XML file on your website that tells search-engine indexers how
  12. frequently your pages change and how "important" certain pages are in relation
  13. to other pages on your site. This information helps search engines index your
  14. site.
  15. The Django sitemap framework automates the creation of this XML file by letting
  16. you express this information in Python code.
  17. It works much like Django's :doc:`syndication framework
  18. </ref/contrib/syndication>`. To create a sitemap, write a
  19. :class:`~django.contrib.sitemaps.Sitemap` class and point to it in your
  20. :doc:`URLconf </topics/http/urls>`.
  21. Installation
  22. ============
  23. To install the sitemap app, follow these steps:
  24. #. Add ``'django.contrib.sitemaps'`` to your :setting:`INSTALLED_APPS` setting.
  25. #. Make sure your :setting:`TEMPLATES` setting contains a ``DjangoTemplates``
  26. backend whose ``APP_DIRS`` options is set to ``True``. It's in there by
  27. default, so you'll only need to change this if you've changed that setting.
  28. #. Make sure you've installed the :mod:`sites framework<django.contrib.sites>`.
  29. (Note: The sitemap application doesn't install any database tables. The only
  30. reason it needs to go into :setting:`INSTALLED_APPS` is so that the
  31. :func:`~django.template.loaders.app_directories.Loader` template
  32. loader can find the default templates.)
  33. Initialization
  34. ==============
  35. .. function:: views.sitemap(request, sitemaps, section=None, template_name='sitemap.xml', content_type='application/xml')
  36. To activate sitemap generation on your Django site, add this line to your
  37. :doc:`URLconf </topics/http/urls>`::
  38. from django.contrib.sitemaps.views import sitemap
  39. path('sitemap.xml', sitemap, {'sitemaps': sitemaps},
  40. name='django.contrib.sitemaps.views.sitemap')
  41. This tells Django to build a sitemap when a client accesses :file:`/sitemap.xml`.
  42. The name of the sitemap file is not important, but the location is. Search
  43. engines will only index links in your sitemap for the current URL level and
  44. below. For instance, if :file:`sitemap.xml` lives in your root directory, it may
  45. reference any URL in your site. However, if your sitemap lives at
  46. :file:`/content/sitemap.xml`, it may only reference URLs that begin with
  47. :file:`/content/`.
  48. The sitemap view takes an extra, required argument: ``{'sitemaps': sitemaps}``.
  49. ``sitemaps`` should be a dictionary that maps a short section label (e.g.,
  50. ``blog`` or ``news``) to its :class:`~django.contrib.sitemaps.Sitemap` class
  51. (e.g., ``BlogSitemap`` or ``NewsSitemap``). It may also map to an *instance* of
  52. a :class:`~django.contrib.sitemaps.Sitemap` class (e.g.,
  53. ``BlogSitemap(some_var)``).
  54. ``Sitemap`` classes
  55. ===================
  56. A :class:`~django.contrib.sitemaps.Sitemap` class is a Python class that
  57. represents a "section" of entries in your sitemap. For example, one
  58. :class:`~django.contrib.sitemaps.Sitemap` class could represent all the entries
  59. of your Weblog, while another could represent all of the events in your events
  60. calendar.
  61. In the simplest case, all these sections get lumped together into one
  62. :file:`sitemap.xml`, but it's also possible to use the framework to generate a
  63. sitemap index that references individual sitemap files, one per section. (See
  64. `Creating a sitemap index`_ below.)
  65. :class:`~django.contrib.sitemaps.Sitemap` classes must subclass
  66. ``django.contrib.sitemaps.Sitemap``. They can live anywhere in your codebase.
  67. An example
  68. ==========
  69. Let's assume you have a blog system, with an ``Entry`` model, and you want your
  70. sitemap to include all the links to your individual blog entries. Here's how
  71. your sitemap class might look::
  72. from django.contrib.sitemaps import Sitemap
  73. from blog.models import Entry
  74. class BlogSitemap(Sitemap):
  75. changefreq = "never"
  76. priority = 0.5
  77. def items(self):
  78. return Entry.objects.filter(is_draft=False)
  79. def lastmod(self, obj):
  80. return obj.pub_date
  81. Note:
  82. * :attr:`~Sitemap.changefreq` and :attr:`~Sitemap.priority` are class
  83. attributes corresponding to ``<changefreq>`` and ``<priority>`` elements,
  84. respectively. They can be made callable as functions, as
  85. :attr:`~Sitemap.lastmod` was in the example.
  86. * :attr:`~Sitemap.items()` is a method that returns a :term:`sequence` or
  87. ``QuerySet`` of objects. The objects returned will get passed to any callable
  88. methods corresponding to a sitemap property (:attr:`~Sitemap.location`,
  89. :attr:`~Sitemap.lastmod`, :attr:`~Sitemap.changefreq`, and
  90. :attr:`~Sitemap.priority`).
  91. * :attr:`~Sitemap.lastmod` should return a :class:`~datetime.datetime`.
  92. * There is no :attr:`~Sitemap.location` method in this example, but you
  93. can provide it in order to specify the URL for your object. By default,
  94. :attr:`~Sitemap.location()` calls ``get_absolute_url()`` on each object
  95. and returns the result.
  96. ``Sitemap`` class reference
  97. ===========================
  98. .. class:: Sitemap
  99. A ``Sitemap`` class can define the following methods/attributes:
  100. .. attribute:: Sitemap.items
  101. **Required.** A method that returns a :term:`sequence` or ``QuerySet``
  102. of objects. The framework doesn't care what *type* of objects they are;
  103. all that matters is that these objects get passed to the
  104. :attr:`~Sitemap.location()`, :attr:`~Sitemap.lastmod()`,
  105. :attr:`~Sitemap.changefreq()` and :attr:`~Sitemap.priority()` methods.
  106. .. attribute:: Sitemap.location
  107. **Optional.** Either a method or attribute.
  108. If it's a method, it should return the absolute path for a given object
  109. as returned by :attr:`~Sitemap.items()`.
  110. If it's an attribute, its value should be a string representing an
  111. absolute path to use for *every* object returned by
  112. :attr:`~Sitemap.items()`.
  113. In both cases, "absolute path" means a URL that doesn't include the
  114. protocol or domain. Examples:
  115. * Good: :file:`'/foo/bar/'`
  116. * Bad: :file:`'example.com/foo/bar/'`
  117. * Bad: :file:`'https://example.com/foo/bar/'`
  118. If :attr:`~Sitemap.location` isn't provided, the framework will call
  119. the ``get_absolute_url()`` method on each object as returned by
  120. :attr:`~Sitemap.items()`.
  121. To specify a protocol other than ``'http'``, use
  122. :attr:`~Sitemap.protocol`.
  123. .. attribute:: Sitemap.lastmod
  124. **Optional.** Either a method or attribute.
  125. If it's a method, it should take one argument -- an object as returned
  126. by :attr:`~Sitemap.items()` -- and return that object's last-modified
  127. date/time as a :class:`~datetime.datetime`.
  128. If it's an attribute, its value should be a :class:`~datetime.datetime`
  129. representing the last-modified date/time for *every* object returned by
  130. :attr:`~Sitemap.items()`.
  131. If all items in a sitemap have a :attr:`~Sitemap.lastmod`, the sitemap
  132. generated by :func:`views.sitemap` will have a ``Last-Modified``
  133. header equal to the latest ``lastmod``. You can activate the
  134. :class:`~django.middleware.http.ConditionalGetMiddleware` to make
  135. Django respond appropriately to requests with an ``If-Modified-Since``
  136. header which will prevent sending the sitemap if it hasn't changed.
  137. .. attribute:: Sitemap.changefreq
  138. **Optional.** Either a method or attribute.
  139. If it's a method, it should take one argument -- an object as returned
  140. by :attr:`~Sitemap.items()` -- and return that object's change
  141. frequency as a string.
  142. If it's an attribute, its value should be a string representing the
  143. change frequency of *every* object returned by :attr:`~Sitemap.items()`.
  144. Possible values for :attr:`~Sitemap.changefreq`, whether you use a
  145. method or attribute, are:
  146. * ``'always'``
  147. * ``'hourly'``
  148. * ``'daily'``
  149. * ``'weekly'``
  150. * ``'monthly'``
  151. * ``'yearly'``
  152. * ``'never'``
  153. .. attribute:: Sitemap.priority
  154. **Optional.** Either a method or attribute.
  155. If it's a method, it should take one argument -- an object as returned
  156. by :attr:`~Sitemap.items()` -- and return that object's priority as
  157. either a string or float.
  158. If it's an attribute, its value should be either a string or float
  159. representing the priority of *every* object returned by
  160. :attr:`~Sitemap.items()`.
  161. Example values for :attr:`~Sitemap.priority`: ``0.4``, ``1.0``. The
  162. default priority of a page is ``0.5``. See the `sitemaps.org
  163. documentation`_ for more.
  164. .. _sitemaps.org documentation: https://www.sitemaps.org/protocol.html#prioritydef
  165. .. attribute:: Sitemap.protocol
  166. **Optional.**
  167. This attribute defines the protocol (``'http'`` or ``'https'``) of the
  168. URLs in the sitemap. If it isn't set, the protocol with which the
  169. sitemap was requested is used. If the sitemap is built outside the
  170. context of a request, the default is ``'http'``.
  171. .. attribute:: Sitemap.limit
  172. **Optional.**
  173. This attribute defines the maximum number of URLs included on each page
  174. of the sitemap. Its value should not exceed the default value of
  175. ``50000``, which is the upper limit allowed in the `Sitemaps protocol
  176. <https://www.sitemaps.org/protocol.html#index>`_.
  177. .. attribute:: Sitemap.i18n
  178. **Optional.**
  179. A boolean attribute that defines if the URLs of this sitemap should
  180. be generated using all of your :setting:`LANGUAGES`. The default is
  181. ``False``.
  182. .. attribute:: Sitemap.languages
  183. .. versionadded:: 3.2
  184. **Optional.**
  185. A :term:`sequence` of :term:`language codes<language code>` to use for
  186. generating alternate links when :attr:`~Sitemap.i18n` is enabled.
  187. Defaults to :setting:`LANGUAGES`.
  188. .. attribute:: Sitemap.alternates
  189. .. versionadded:: 3.2
  190. **Optional.**
  191. A boolean attribute. When used in conjunction with
  192. :attr:`~Sitemap.i18n` generated URLs will each have a list of alternate
  193. links pointing to other language versions using the `hreflang
  194. attribute`_. The default is ``False``.
  195. .. _hreflang attribute: https://support.google.com/webmasters/answer/189077
  196. .. attribute:: Sitemap.x_default
  197. .. versionadded:: 3.2
  198. **Optional.**
  199. A boolean attribute. When ``True`` the alternate links generated by
  200. :attr:`~Sitemap.alternates` will contain a ``hreflang="x-default"``
  201. fallback entry with a value of :setting:`LANGUAGE_CODE`. The default is
  202. ``False``.
  203. Shortcuts
  204. =========
  205. The sitemap framework provides a convenience class for a common case:
  206. .. class:: GenericSitemap(info_dict, priority=None, changefreq=None, protocol=None)
  207. The :class:`django.contrib.sitemaps.GenericSitemap` class allows you to
  208. create a sitemap by passing it a dictionary which has to contain at least
  209. a ``queryset`` entry. This queryset will be used to generate the items
  210. of the sitemap. It may also have a ``date_field`` entry that
  211. specifies a date field for objects retrieved from the ``queryset``.
  212. This will be used for the :attr:`~Sitemap.lastmod` attribute in the
  213. generated sitemap.
  214. The :attr:`~Sitemap.priority`, :attr:`~Sitemap.changefreq`,
  215. and :attr:`~Sitemap.protocol` keyword arguments allow specifying these
  216. attributes for all URLs.
  217. Example
  218. -------
  219. Here's an example of a :doc:`URLconf </topics/http/urls>` using
  220. :class:`GenericSitemap`::
  221. from django.contrib.sitemaps import GenericSitemap
  222. from django.contrib.sitemaps.views import sitemap
  223. from django.urls import path
  224. from blog.models import Entry
  225. info_dict = {
  226. 'queryset': Entry.objects.all(),
  227. 'date_field': 'pub_date',
  228. }
  229. urlpatterns = [
  230. # some generic view using info_dict
  231. # ...
  232. # the sitemap
  233. path('sitemap.xml', sitemap,
  234. {'sitemaps': {'blog': GenericSitemap(info_dict, priority=0.6)}},
  235. name='django.contrib.sitemaps.views.sitemap'),
  236. ]
  237. .. _URLconf: ../url_dispatch/
  238. Sitemap for static views
  239. ========================
  240. Often you want the search engine crawlers to index views which are neither
  241. object detail pages nor flatpages. The solution is to explicitly list URL
  242. names for these views in ``items`` and call :func:`~django.urls.reverse` in
  243. the ``location`` method of the sitemap. For example::
  244. # sitemaps.py
  245. from django.contrib import sitemaps
  246. from django.urls import reverse
  247. class StaticViewSitemap(sitemaps.Sitemap):
  248. priority = 0.5
  249. changefreq = 'daily'
  250. def items(self):
  251. return ['main', 'about', 'license']
  252. def location(self, item):
  253. return reverse(item)
  254. # urls.py
  255. from django.contrib.sitemaps.views import sitemap
  256. from django.urls import path
  257. from .sitemaps import StaticViewSitemap
  258. from . import views
  259. sitemaps = {
  260. 'static': StaticViewSitemap,
  261. }
  262. urlpatterns = [
  263. path('', views.main, name='main'),
  264. path('about/', views.about, name='about'),
  265. path('license/', views.license, name='license'),
  266. # ...
  267. path('sitemap.xml', sitemap, {'sitemaps': sitemaps},
  268. name='django.contrib.sitemaps.views.sitemap')
  269. ]
  270. Creating a sitemap index
  271. ========================
  272. .. function:: views.index(request, sitemaps, template_name='sitemap_index.xml', content_type='application/xml', sitemap_url_name='django.contrib.sitemaps.views.sitemap')
  273. The sitemap framework also has the ability to create a sitemap index that
  274. references individual sitemap files, one per each section defined in your
  275. ``sitemaps`` dictionary. The only differences in usage are:
  276. * You use two views in your URLconf: :func:`django.contrib.sitemaps.views.index`
  277. and :func:`django.contrib.sitemaps.views.sitemap`.
  278. * The :func:`django.contrib.sitemaps.views.sitemap` view should take a
  279. ``section`` keyword argument.
  280. Here's what the relevant URLconf lines would look like for the example above::
  281. from django.contrib.sitemaps import views
  282. urlpatterns = [
  283. path('sitemap.xml', views.index, {'sitemaps': sitemaps}),
  284. path('sitemap-<section>.xml', views.sitemap, {'sitemaps': sitemaps},
  285. name='django.contrib.sitemaps.views.sitemap'),
  286. ]
  287. This will automatically generate a :file:`sitemap.xml` file that references
  288. both :file:`sitemap-flatpages.xml` and :file:`sitemap-blog.xml`. The
  289. :class:`~django.contrib.sitemaps.Sitemap` classes and the ``sitemaps``
  290. dict don't change at all.
  291. You should create an index file if one of your sitemaps has more than 50,000
  292. URLs. In this case, Django will automatically paginate the sitemap, and the
  293. index will reflect that.
  294. If you're not using the vanilla sitemap view -- for example, if it's wrapped
  295. with a caching decorator -- you must name your sitemap view and pass
  296. ``sitemap_url_name`` to the index view::
  297. from django.contrib.sitemaps import views as sitemaps_views
  298. from django.views.decorators.cache import cache_page
  299. urlpatterns = [
  300. path('sitemap.xml',
  301. cache_page(86400)(sitemaps_views.index),
  302. {'sitemaps': sitemaps, 'sitemap_url_name': 'sitemaps'}),
  303. path('sitemap-<section>.xml',
  304. cache_page(86400)(sitemaps_views.sitemap),
  305. {'sitemaps': sitemaps}, name='sitemaps'),
  306. ]
  307. Template customization
  308. ======================
  309. If you wish to use a different template for each sitemap or sitemap index
  310. available on your site, you may specify it by passing a ``template_name``
  311. parameter to the ``sitemap`` and ``index`` views via the URLconf::
  312. from django.contrib.sitemaps import views
  313. urlpatterns = [
  314. path('custom-sitemap.xml', views.index, {
  315. 'sitemaps': sitemaps,
  316. 'template_name': 'custom_sitemap.html'
  317. }),
  318. path('custom-sitemap-<section>.xml', views.sitemap, {
  319. 'sitemaps': sitemaps,
  320. 'template_name': 'custom_sitemap.html'
  321. }, name='django.contrib.sitemaps.views.sitemap'),
  322. ]
  323. These views return :class:`~django.template.response.TemplateResponse`
  324. instances which allow you to easily customize the response data before
  325. rendering. For more details, see the :doc:`TemplateResponse documentation
  326. </ref/template-response>`.
  327. Context variables
  328. -----------------
  329. When customizing the templates for the
  330. :func:`~django.contrib.sitemaps.views.index` and
  331. :func:`~django.contrib.sitemaps.views.sitemap` views, you can rely on the
  332. following context variables.
  333. Index
  334. -----
  335. The variable ``sitemaps`` is a list of absolute URLs to each of the sitemaps.
  336. Sitemap
  337. -------
  338. The variable ``urlset`` is a list of URLs that should appear in the
  339. sitemap. Each URL exposes attributes as defined in the
  340. :class:`~django.contrib.sitemaps.Sitemap` class:
  341. - ``alternates``
  342. - ``changefreq``
  343. - ``item``
  344. - ``lastmod``
  345. - ``location``
  346. - ``priority``
  347. The ``alternates`` attribute is available when :attr:`~Sitemap.i18n` and
  348. :attr:`~Sitemap.alternates` are enabled. It is a list of other language
  349. versions, including the optional :attr:`~Sitemap.x_default` fallback, for each
  350. URL. Each alternate is a dictionary with ``location`` and ``lang_code`` keys.
  351. .. versionchanged:: 3.2
  352. The ``alternates`` attribute was added.
  353. The ``item`` attribute has been added for each URL to allow more flexible
  354. customization of the templates, such as `Google news sitemaps`_. Assuming
  355. Sitemap's :attr:`~Sitemap.items()` would return a list of items with
  356. ``publication_data`` and a ``tags`` field something like this would
  357. generate a Google News compatible sitemap:
  358. .. code-block:: xml+django
  359. <?xml version="1.0" encoding="UTF-8"?>
  360. <urlset
  361. xmlns="https://www.sitemaps.org/schemas/sitemap/0.9"
  362. xmlns:news="http://www.google.com/schemas/sitemap-news/0.9">
  363. {% spaceless %}
  364. {% for url in urlset %}
  365. <url>
  366. <loc>{{ url.location }}</loc>
  367. {% if url.lastmod %}<lastmod>{{ url.lastmod|date:"Y-m-d" }}</lastmod>{% endif %}
  368. {% if url.changefreq %}<changefreq>{{ url.changefreq }}</changefreq>{% endif %}
  369. {% if url.priority %}<priority>{{ url.priority }}</priority>{% endif %}
  370. <news:news>
  371. {% if url.item.publication_date %}<news:publication_date>{{ url.item.publication_date|date:"Y-m-d" }}</news:publication_date>{% endif %}
  372. {% if url.item.tags %}<news:keywords>{{ url.item.tags }}</news:keywords>{% endif %}
  373. </news:news>
  374. </url>
  375. {% endfor %}
  376. {% endspaceless %}
  377. </urlset>
  378. .. _`Google news sitemaps`: https://support.google.com/news/publisher/answer/74288?hl=en
  379. Pinging Google
  380. ==============
  381. You may want to "ping" Google when your sitemap changes, to let it know to
  382. reindex your site. The sitemaps framework provides a function to do just
  383. that: :func:`django.contrib.sitemaps.ping_google()`.
  384. .. function:: ping_google(sitemap_url=None, ping_url=PING_URL, sitemap_uses_https=True)
  385. ``ping_google`` takes these optional arguments:
  386. * ``sitemap_url`` - The absolute path to your site's sitemap (e.g.,
  387. :file:`'/sitemap.xml'`). If this argument isn't provided, ``ping_google``
  388. will attempt to figure out your sitemap by performing a reverse lookup in
  389. your URLconf.
  390. * ``ping_url`` - Defaults to Google's Ping Tool:
  391. https://www.google.com/webmasters/tools/ping.
  392. * ``sitemap_uses_https`` - Set to ``False`` if your site uses ``http``
  393. rather than ``https``.
  394. :func:`ping_google` raises the exception
  395. ``django.contrib.sitemaps.SitemapNotFound`` if it cannot determine your
  396. sitemap URL.
  397. .. admonition:: Register with Google first!
  398. The :func:`ping_google` command only works if you have registered your
  399. site with `Google Webmaster Tools`_.
  400. .. _`Google Webmaster Tools`: https://www.google.com/webmasters/tools/
  401. One useful way to call :func:`ping_google` is from a model's ``save()``
  402. method::
  403. from django.contrib.sitemaps import ping_google
  404. class Entry(models.Model):
  405. # ...
  406. def save(self, force_insert=False, force_update=False):
  407. super().save(force_insert, force_update)
  408. try:
  409. ping_google()
  410. except Exception:
  411. # Bare 'except' because we could get a variety
  412. # of HTTP-related exceptions.
  413. pass
  414. A more efficient solution, however, would be to call :func:`ping_google` from a
  415. cron script, or some other scheduled task. The function makes an HTTP request
  416. to Google's servers, so you may not want to introduce that network overhead
  417. each time you call ``save()``.
  418. Pinging Google via ``manage.py``
  419. --------------------------------
  420. .. django-admin:: ping_google [sitemap_url]
  421. Once the sitemaps application is added to your project, you may also
  422. ping Google using the ``ping_google`` management command::
  423. python manage.py ping_google [/sitemap.xml]
  424. .. django-admin-option:: --sitemap-uses-http
  425. Use this option if your sitemap uses ``http`` rather than ``https``.