sitemaps.txt 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505
  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 Web site 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 ``'django.template.loaders.app_directories.Loader'``
  27. is in your :setting:`TEMPLATE_LOADERS` setting. It's in there by default,
  28. 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', mimetype='application/xml')
  38. To activate sitemap generation on your Django site, add this line to your
  39. :doc:`URLconf </topics/http/urls>`::
  40. (r'^sitemap\.xml$', 'django.contrib.sitemaps.views.sitemap', {'sitemaps': sitemaps})
  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 simple Python
  57. class that represents a "section" of entries in your sitemap. For example,
  58. one :class:`~django.contrib.sitemaps.Sitemap` class could represent
  59. all the entries of your Weblog, while another could represent all of the
  60. events in your events 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. A simple 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 simply a method that returns a list of
  87. objects. The objects returned will get passed to any callable methods
  88. 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 Python ``datetime`` object.
  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 list of objects. The framework
  102. doesn't care what *type* of objects they are; all that matters is that
  103. these objects get passed to the :attr:`~Sitemap.location()`,
  104. :attr:`~Sitemap.lastmod()`, :attr:`~Sitemap.changefreq()` and
  105. :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:`'http://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 by
  126. :attr:`~Sitemap.items()` -- and return that object's last-modified date/time, as a Python
  127. ``datetime.datetime`` object.
  128. If it's an attribute, its value should be a Python ``datetime.datetime`` object
  129. representing the last-modified date/time for *every* object returned by
  130. :attr:`~Sitemap.items()`.
  131. .. attribute:: Sitemap.changefreq
  132. **Optional.** Either a method or attribute.
  133. If it's a method, it should take one argument -- an object as returned by
  134. :attr:`~Sitemap.items()` -- and return that object's change frequency, as a Python string.
  135. If it's an attribute, its value should be a string representing the change
  136. frequency of *every* object returned by :attr:`~Sitemap.items()`.
  137. Possible values for :attr:`~Sitemap.changefreq`, whether you use a method or attribute, are:
  138. * ``'always'``
  139. * ``'hourly'``
  140. * ``'daily'``
  141. * ``'weekly'``
  142. * ``'monthly'``
  143. * ``'yearly'``
  144. * ``'never'``
  145. .. attribute:: Sitemap.priority
  146. **Optional.** Either a method or attribute.
  147. If it's a method, it should take one argument -- an object as returned by
  148. :attr:`~Sitemap.items()` -- and return that object's priority, as either a string or float.
  149. If it's an attribute, its value should be either a string or float representing
  150. the priority of *every* object returned by :attr:`~Sitemap.items()`.
  151. Example values for :attr:`~Sitemap.priority`: ``0.4``, ``1.0``. The default priority of a
  152. page is ``0.5``. See the `sitemaps.org documentation`_ for more.
  153. .. _sitemaps.org documentation: http://www.sitemaps.org/protocol.html#prioritydef
  154. .. attribute:: Sitemap.protocol
  155. **Optional.**
  156. This attribute defines the protocol (``'http'`` or ``'https'``) of the
  157. URLs in the sitemap. If it isn't set, the protocol with which the
  158. sitemap was requested is used. If the sitemap is built outside the
  159. context of a request, the default is ``'http'``.
  160. Shortcuts
  161. =========
  162. The sitemap framework provides a couple convenience classes for common cases:
  163. .. class:: FlatPageSitemap
  164. The :class:`django.contrib.sitemaps.FlatPageSitemap` class looks at all
  165. publicly visible :mod:`flatpages <django.contrib.flatpages>`
  166. defined for the current :setting:`SITE_ID` (see the
  167. :mod:`sites documentation <django.contrib.sites>`) and
  168. creates an entry in the sitemap. These entries include only the
  169. :attr:`~Sitemap.location` attribute -- not :attr:`~Sitemap.lastmod`,
  170. :attr:`~Sitemap.changefreq` or :attr:`~Sitemap.priority`.
  171. .. class:: GenericSitemap
  172. The :class:`django.contrib.sitemaps.GenericSitemap` class allows you to
  173. create a sitemap by passing it a dictionary which has to contain at least
  174. a ``queryset`` entry. This queryset will be used to generate the items
  175. of the sitemap. It may also have a ``date_field`` entry that
  176. specifies a date field for objects retrieved from the ``queryset``.
  177. This will be used for the :attr:`~Sitemap.lastmod` attribute in the
  178. generated sitemap. You may also pass :attr:`~Sitemap.priority` and
  179. :attr:`~Sitemap.changefreq` keyword arguments to the
  180. :class:`~django.contrib.sitemaps.GenericSitemap` constructor to specify
  181. these attributes for all URLs.
  182. Example
  183. -------
  184. Here's an example of a :doc:`URLconf </topics/http/urls>` using both::
  185. from django.conf.urls import patterns
  186. from django.contrib.sitemaps import FlatPageSitemap, GenericSitemap
  187. from blog.models import Entry
  188. info_dict = {
  189. 'queryset': Entry.objects.all(),
  190. 'date_field': 'pub_date',
  191. }
  192. sitemaps = {
  193. 'flatpages': FlatPageSitemap,
  194. 'blog': GenericSitemap(info_dict, priority=0.6),
  195. }
  196. urlpatterns = patterns('',
  197. # some generic view using info_dict
  198. # ...
  199. # the sitemap
  200. (r'^sitemap\.xml$', 'django.contrib.sitemaps.views.sitemap', {'sitemaps': sitemaps})
  201. )
  202. .. _URLconf: ../url_dispatch/
  203. Sitemap for static views
  204. ========================
  205. Often you want the search engine crawlers to index views which are neither
  206. object detail pages nor flatpages. The solution is to explicitly list URL
  207. names for these views in ``items`` and call
  208. :func:`~django.core.urlresolvers.reverse` in the ``location`` method of
  209. the sitemap. For example::
  210. # sitemaps.py
  211. from django.contrib import sitemaps
  212. from django.core.urlresolvers import reverse
  213. class StaticViewSitemap(sitemaps.Sitemap):
  214. priority = 0.5
  215. changefreq = 'daily'
  216. def items(self):
  217. return ['main', 'about', 'license']
  218. def location(self, item):
  219. return reverse(item)
  220. # urls.py
  221. from django.conf.urls import patterns, url
  222. from .sitemaps import StaticViewSitemap
  223. sitemaps = {
  224. 'static': StaticViewSitemap,
  225. }
  226. urlpatterns = patterns('',
  227. url(r'^$', 'views.main', name='main'),
  228. url(r'^about/$', 'views.about', name='about'),
  229. url(r'^license/$', 'views.license', name='license'),
  230. # ...
  231. url(r'^sitemap\.xml$', 'django.contrib.sitemaps.views.sitemap', {'sitemaps': sitemaps})
  232. )
  233. Creating a sitemap index
  234. ========================
  235. .. function:: views.index(request, sitemaps, template_name='sitemap_index.xml', mimetype='application/xml', sitemap_url_name='django.contrib.sitemaps.views.sitemap')
  236. The sitemap framework also has the ability to create a sitemap index that
  237. references individual sitemap files, one per each section defined in your
  238. ``sitemaps`` dictionary. The only differences in usage are:
  239. * You use two views in your URLconf: :func:`django.contrib.sitemaps.views.index`
  240. and :func:`django.contrib.sitemaps.views.sitemap`.
  241. * The :func:`django.contrib.sitemaps.views.sitemap` view should take a
  242. ``section`` keyword argument.
  243. Here's what the relevant URLconf lines would look like for the example above::
  244. urlpatterns = patterns('django.contrib.sitemaps.views',
  245. (r'^sitemap\.xml$', 'index', {'sitemaps': sitemaps}),
  246. (r'^sitemap-(?P<section>.+)\.xml$', 'sitemap', {'sitemaps': sitemaps}),
  247. )
  248. This will automatically generate a :file:`sitemap.xml` file that references
  249. both :file:`sitemap-flatpages.xml` and :file:`sitemap-blog.xml`. The
  250. :class:`~django.contrib.sitemaps.Sitemap` classes and the ``sitemaps``
  251. dict don't change at all.
  252. You should create an index file if one of your sitemaps has more than 50,000
  253. URLs. In this case, Django will automatically paginate the sitemap, and the
  254. index will reflect that.
  255. If you're not using the vanilla sitemap view -- for example, if it's wrapped
  256. with a caching decorator -- you must name your sitemap view and pass
  257. ``sitemap_url_name`` to the index view::
  258. from django.contrib.sitemaps import views as sitemaps_views
  259. from django.views.decorators.cache import cache_page
  260. urlpatterns = patterns('',
  261. url(r'^sitemap.xml$',
  262. cache_page(86400)(sitemaps_views.index),
  263. {'sitemaps': sitemaps, 'sitemap_url_name': 'sitemaps'}),
  264. url(r'^sitemap-(?P<section>.+)\.xml$',
  265. cache_page(86400)(sitemaps_views.sitemap),
  266. {'sitemaps': sitemaps}, name='sitemaps'),
  267. )
  268. Template customization
  269. ======================
  270. If you wish to use a different template for each sitemap or sitemap index
  271. available on your site, you may specify it by passing a ``template_name``
  272. parameter to the ``sitemap`` and ``index`` views via the URLconf::
  273. urlpatterns = patterns('django.contrib.sitemaps.views',
  274. (r'^custom-sitemap\.xml$', 'index', {
  275. 'sitemaps': sitemaps,
  276. 'template_name': 'custom_sitemap.html'
  277. }),
  278. (r'^custom-sitemap-(?P<section>.+)\.xml$', 'sitemap', {
  279. 'sitemaps': sitemaps,
  280. 'template_name': 'custom_sitemap.html'
  281. }),
  282. )
  283. These views return :class:`~django.template.response.TemplateResponse`
  284. instances which allow you to easily customize the response data before
  285. rendering. For more details, see the :doc:`TemplateResponse documentation
  286. </ref/template-response>`.
  287. Context variables
  288. ------------------
  289. When customizing the templates for the
  290. :func:`~django.contrib.sitemaps.views.index` and
  291. :func:`~django.contrib.sitemaps.views.sitemap` views, you can rely on the
  292. following context variables.
  293. Index
  294. -----
  295. The variable ``sitemaps`` is a list of absolute URLs to each of the sitemaps.
  296. Sitemap
  297. -------
  298. The variable ``urlset`` is a list of URLs that should appear in the
  299. sitemap. Each URL exposes attributes as defined in the
  300. :class:`~django.contrib.sitemaps.Sitemap` class:
  301. - ``changefreq``
  302. - ``item``
  303. - ``lastmod``
  304. - ``location``
  305. - ``priority``
  306. The ``item`` attribute has been added for each URL to allow more flexible
  307. customization of the templates, such as `Google news sitemaps`_. Assuming
  308. Sitemap's :attr:`~Sitemap.items()` would return a list of items with
  309. ``publication_data`` and a ``tags`` field something like this would
  310. generate a Google News compatible sitemap:
  311. .. code-block:: xml+django
  312. <?xml version="1.0" encoding="UTF-8"?>
  313. <urlset
  314. xmlns="http://www.sitemaps.org/schemas/sitemap/0.9"
  315. xmlns:news="http://www.google.com/schemas/sitemap-news/0.9">
  316. {% spaceless %}
  317. {% for url in urlset %}
  318. <url>
  319. <loc>{{ url.location }}</loc>
  320. {% if url.lastmod %}<lastmod>{{ url.lastmod|date:"Y-m-d" }}</lastmod>{% endif %}
  321. {% if url.changefreq %}<changefreq>{{ url.changefreq }}</changefreq>{% endif %}
  322. {% if url.priority %}<priority>{{ url.priority }}</priority>{% endif %}
  323. <news:news>
  324. {% if url.item.publication_date %}<news:publication_date>{{ url.item.publication_date|date:"Y-m-d" }}</news:publication_date>{% endif %}
  325. {% if url.item.tags %}<news:keywords>{{ url.item.tags }}</news:keywords>{% endif %}
  326. </news:news>
  327. </url>
  328. {% endfor %}
  329. {% endspaceless %}
  330. </urlset>
  331. .. _`Google news sitemaps`: http://support.google.com/webmasters/bin/answer.py?hl=en&answer=74288
  332. Pinging Google
  333. ==============
  334. You may want to "ping" Google when your sitemap changes, to let it know to
  335. reindex your site. The sitemaps framework provides a function to do just
  336. that: :func:`django.contrib.sitemaps.ping_google()`.
  337. .. function:: ping_google
  338. :func:`ping_google` takes an optional argument, ``sitemap_url``,
  339. which should be the absolute path to your site's sitemap (e.g.,
  340. :file:`'/sitemap.xml'`). If this argument isn't provided,
  341. :func:`ping_google` will attempt to figure out your
  342. sitemap by performing a reverse looking in your URLconf.
  343. :func:`ping_google` raises the exception
  344. ``django.contrib.sitemaps.SitemapNotFound`` if it cannot determine your
  345. sitemap URL.
  346. .. admonition:: Register with Google first!
  347. The :func:`ping_google` command only works if you have registered your
  348. site with `Google Webmaster Tools`_.
  349. .. _`Google Webmaster Tools`: http://www.google.com/webmasters/tools/
  350. One useful way to call :func:`ping_google` is from a model's ``save()``
  351. method::
  352. from django.contrib.sitemaps import ping_google
  353. class Entry(models.Model):
  354. # ...
  355. def save(self, force_insert=False, force_update=False):
  356. super(Entry, self).save(force_insert, force_update)
  357. try:
  358. ping_google()
  359. except Exception:
  360. # Bare 'except' because we could get a variety
  361. # of HTTP-related exceptions.
  362. pass
  363. A more efficient solution, however, would be to call :func:`ping_google` from a
  364. cron script, or some other scheduled task. The function makes an HTTP request
  365. to Google's servers, so you may not want to introduce that network overhead
  366. each time you call ``save()``.
  367. Pinging Google via ``manage.py``
  368. --------------------------------
  369. .. django-admin:: ping_google
  370. Once the sitemaps application is added to your project, you may also
  371. ping Google using the ``ping_google`` management command::
  372. python manage.py ping_google [/sitemap.xml]