snippets.rst 8.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235
  1. .. _snippets:
  2. Snippets
  3. ========
  4. Snippets are pieces of content which do not necessitate a full webpage to render. They could be used for making secondary content, such as headers, footers, and sidebars, editable in the Wagtail admin. Snippets are Django models which do not inherit the ``Page`` class and are thus not organized into the Wagtail tree. However, they can still be made editable by assigning panels and identifying the model as a snippet with the ``register_snippet`` class decorator.
  5. Snippets lack many of the features of pages, such as being orderable in the Wagtail admin or having a defined URL. Decide carefully if the content type you would want to build into a snippet might be more suited to a page.
  6. Snippet Models
  7. --------------
  8. Here's an example snippet from the Wagtail demo website:
  9. .. code-block:: python
  10. from django.db import models
  11. from django.utils.encoding import python_2_unicode_compatible
  12. from wagtail.wagtailadmin.edit_handlers import FieldPanel
  13. from wagtail.wagtailsnippets.models import register_snippet
  14. ...
  15. @register_snippet
  16. @python_2_unicode_compatible # provide equivalent __unicode__ and __str__ methods on Python 2
  17. class Advert(models.Model):
  18. url = models.URLField(null=True, blank=True)
  19. text = models.CharField(max_length=255)
  20. panels = [
  21. FieldPanel('url'),
  22. FieldPanel('text'),
  23. ]
  24. def __str__(self):
  25. return self.text
  26. The ``Advert`` model uses the basic Django model class and defines two properties: text and URL. The editing interface is very close to that provided for ``Page``-derived models, with fields assigned in the ``panels`` property. Snippets do not use multiple tabs of fields, nor do they provide the "save as draft" or "submit for moderation" features.
  27. ``@register_snippet`` tells Wagtail to treat the model as a snippet. The ``panels`` list defines the fields to show on the snippet editing page. It's also important to provide a string representation of the class through ``def __str__(self):`` so that the snippet objects make sense when listed in the Wagtail admin.
  28. Including Snippets in Template Tags
  29. -----------------------------------
  30. The simplest way to make your snippets available to templates is with a template tag. This is mostly done with vanilla Django, so perhaps reviewing Django's documentation for `django custom template tags`_ will be more helpful. We'll go over the basics, though, and point out any considerations to make for Wagtail.
  31. First, add a new python file to a ``templatetags`` folder within your app. The demo website, for instance uses the path ``wagtaildemo/demo/templatetags/demo_tags.py``. We'll need to load some Django modules and our app's models, and ready the ``register`` decorator:
  32. .. _django custom template tags: https://docs.djangoproject.com/en/dev/howto/custom-template-tags/
  33. .. code-block:: python
  34. from django import template
  35. from demo.models import *
  36. register = template.Library()
  37. ...
  38. # Advert snippets
  39. @register.inclusion_tag('demo/tags/adverts.html', takes_context=True)
  40. def adverts(context):
  41. return {
  42. 'adverts': Advert.objects.all(),
  43. 'request': context['request'],
  44. }
  45. ``@register.inclusion_tag()`` takes two variables: a template and a boolean on whether that template should be passed a request context. It's a good idea to include request contexts in your custom template tags, since some Wagtail-specific template tags like ``pageurl`` need the context to work properly. The template tag function could take arguments and filter the adverts to return a specific model, but for brevity we'll just use ``Advert.objects.all()``.
  46. Here's what's in the template used by this template tag:
  47. .. code-block:: html+django
  48. {% for advert in adverts %}
  49. <p>
  50. <a href="{{ advert.url }}">
  51. {{ advert.text }}
  52. </a>
  53. </p>
  54. {% endfor %}
  55. Then, in your own page templates, you can include your snippet template tag with:
  56. .. code-block:: html+django
  57. {% load wagtailcore_tags demo_tags %}
  58. ...
  59. {% block content %}
  60. ...
  61. {% adverts %}
  62. {% endblock %}
  63. Binding Pages to Snippets
  64. -------------------------
  65. In the above example, the list of adverts is a fixed list, displayed independently of the page content. This might be what you want for a common panel in a sidebar, say -- but in other scenarios you may wish to refer to a particular snippet from within a page's content. This can be done by defining a foreign key to the snippet model within your page model, and adding a ``SnippetChooserPanel`` to the page's ``content_panels`` list. For example, if you wanted to be able to specify an advert to appear on ``BookPage``:
  66. .. code-block:: python
  67. from wagtail.wagtailsnippets.edit_handlers import SnippetChooserPanel
  68. # ...
  69. class BookPage(Page):
  70. advert = models.ForeignKey(
  71. 'demo.Advert',
  72. null=True,
  73. blank=True,
  74. on_delete=models.SET_NULL,
  75. related_name='+'
  76. )
  77. content_panels = Page.content_panels + [
  78. SnippetChooserPanel('advert'),
  79. # ...
  80. ]
  81. The snippet could then be accessed within your template as ``page.advert``.
  82. To attach multiple adverts to a page, the ``SnippetChooserPanel`` can be placed on an inline child object of ``BookPage``, rather than on ``BookPage`` itself. Here this child model is named ``BookPageAdvertPlacement`` (so called because there is one such object for each time that an advert is placed on a BookPage):
  83. .. code-block:: python
  84. from django.db import models
  85. from wagtail.wagtailcore.models import Page, Orderable
  86. from wagtail.wagtailsnippets.edit_handlers import SnippetChooserPanel
  87. from modelcluster.fields import ParentalKey
  88. ...
  89. class BookPageAdvertPlacement(Orderable, models.Model):
  90. page = ParentalKey('demo.BookPage', related_name='advert_placements')
  91. advert = models.ForeignKey('demo.Advert', related_name='+')
  92. class Meta:
  93. verbose_name = "advert placement"
  94. verbose_name_plural = "advert placements"
  95. panels = [
  96. SnippetChooserPanel('advert'),
  97. ]
  98. def __str__(self):
  99. return self.page.title + " -> " + self.advert.text
  100. class BookPage(Page):
  101. ...
  102. content_panels = Page.content_panels + [
  103. InlinePanel('advert_placements', label="Adverts"),
  104. # ...
  105. ]
  106. These child objects are now accessible through the page's ``advert_placements`` property, and from there we can access the linked Advert snippet as ``advert``. In the template for ``BookPage``, we could include the following:
  107. .. code-block:: html+django
  108. {% for advert_placement in page.advert_placements.all %}
  109. <p>
  110. <a href="{{ advert_placement.advert.url }}">
  111. {{ advert_placement.advert.text }}
  112. </a>
  113. </p>
  114. {% endfor %}
  115. .. _wagtailsnippets_making_snippets_searchable:
  116. Making Snippets Searchable
  117. --------------------------
  118. If a snippet model inherits from ``wagtail.wagtailsearch.index.Indexed``, as described in :ref:`wagtailsearch_indexing_models`, Wagtail will automatically add a search box to the chooser interface for that snippet type. For example, the ``Advert`` snippet could be made searchable as follows:
  119. .. code-block:: python
  120. ...
  121. from wagtail.wagtailsearch import index
  122. ...
  123. @register_snippet
  124. class Advert(index.Indexed, models.Model):
  125. url = models.URLField(null=True, blank=True)
  126. text = models.CharField(max_length=255)
  127. panels = [
  128. FieldPanel('url'),
  129. FieldPanel('text'),
  130. ]
  131. search_fields = [
  132. index.SearchField('text', partial_match=True),
  133. ]
  134. Tagging snippets
  135. ----------------
  136. Adding tags to snippets is very similar to adding tags to pages. The only difference is that :class:`taggit.manager.TaggableManager` should be used in the place of :class:`~modelcluster.contrib.taggit.ClusterTaggableManager`.
  137. .. code-block:: python
  138. from modelcluster.fields import ParentalKey
  139. from modelcluster.models import ClusterableModel
  140. from taggit.models import TaggedItemBase
  141. from taggit.managers import TaggableManager
  142. class AdvertTag(TaggedItemBase):
  143. content_object = ParentalKey('demo.Advert', related_name='tagged_items')
  144. @register_snippet
  145. class Advert(ClusterableModel):
  146. ...
  147. tags = TaggableManager(through=AdvertTag, blank=True)
  148. panels = [
  149. ...
  150. FieldPanel('tags'),
  151. ]
  152. The :ref:`documentation on tagging pages <tagging>` has more information on how to use tags in views.