sitemaps.txt 19 KB

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