generic-display.txt 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435
  1. .. _Generic views:
  2. =========================
  3. Class-based generic views
  4. =========================
  5. Writing Web applications can be monotonous, because we repeat certain patterns
  6. again and again. Django tries to take away some of that monotony at the model
  7. and template layers, but Web developers also experience this boredom at the view
  8. level.
  9. Django's *generic views* were developed to ease that pain. They take certain
  10. common idioms and patterns found in view development and abstract them so that
  11. you can quickly write common views of data without having to write too much
  12. code.
  13. We can recognize certain common tasks, like displaying a list of objects, and
  14. write code that displays a list of *any* object. Then the model in question can
  15. be passed as an extra argument to the URLconf.
  16. Django ships with generic views to do the following:
  17. * Display list and detail pages for a single object. If we were creating an
  18. application to manage conferences then a ``TalkListView`` and a
  19. ``RegisteredUserListView`` would be examples of list views. A single
  20. talk page is an example of what we call a "detail" view.
  21. * Present date-based objects in year/month/day archive pages,
  22. associated detail, and "latest" pages.
  23. * Allow users to create, update, and delete objects -- with or
  24. without authorization.
  25. Taken together, these views provide easy interfaces to perform the most common
  26. tasks developers encounter.
  27. Extending generic views
  28. =======================
  29. There's no question that using generic views can speed up development
  30. substantially. In most projects, however, there comes a moment when the
  31. generic views no longer suffice. Indeed, the most common question asked by new
  32. Django developers is how to make generic views handle a wider array of
  33. situations.
  34. This is one of the reasons generic views were redesigned for the 1.3 release -
  35. previously, they were just view functions with a bewildering array of options;
  36. now, rather than passing in a large amount of configuration in the URLconf,
  37. the recommended way to extend generic views is to subclass them, and override
  38. their attributes or methods.
  39. That said, generic views will have a limit. If you find you're struggling to
  40. implement your view as a subclass of a generic view, then you may find it more
  41. effective to write just the code you need, using your own class-based or
  42. functional views.
  43. More examples of generic views are available in some third party applications,
  44. or you could write your own as needed.
  45. Generic views of objects
  46. ========================
  47. :class:`~django.views.generic.base.TemplateView` certainly is useful, but
  48. Django's generic views really shine when it comes to presenting views of your
  49. database content. Because it's such a common task, Django comes with a handful
  50. of built-in generic views that make generating list and detail views of objects
  51. incredibly easy.
  52. Let's start by looking at some examples of showing a list of objects or an
  53. individual object.
  54. .. comment: link here to the other topic pages (form handling, date based, mixins)
  55. We'll be using these models::
  56. # models.py
  57. from django.db import models
  58. class Publisher(models.Model):
  59. name = models.CharField(max_length=30)
  60. address = models.CharField(max_length=50)
  61. city = models.CharField(max_length=60)
  62. state_province = models.CharField(max_length=30)
  63. country = models.CharField(max_length=50)
  64. website = models.URLField()
  65. class Meta:
  66. ordering = ["-name"]
  67. def __str__(self): # __unicode__ on Python 2
  68. return self.name
  69. class Author(models.Model):
  70. salutation = models.CharField(max_length=10)
  71. name = models.CharField(max_length=200)
  72. email = models.EmailField()
  73. headshot = models.ImageField(upload_to='author_headshots')
  74. def __str__(self): # __unicode__ on Python 2
  75. return self.name
  76. class Book(models.Model):
  77. title = models.CharField(max_length=100)
  78. authors = models.ManyToManyField('Author')
  79. publisher = models.ForeignKey(Publisher)
  80. publication_date = models.DateField()
  81. Now we need to define a view::
  82. # views.py
  83. from django.views.generic import ListView
  84. from books.models import Publisher
  85. class PublisherList(ListView):
  86. model = Publisher
  87. Finally hook that view into your urls::
  88. # urls.py
  89. from django.conf.urls import url
  90. from books.views import PublisherList
  91. urlpatterns = [
  92. url(r'^publishers/$', PublisherList.as_view()),
  93. ]
  94. That's all the Python code we need to write. We still need to write a template,
  95. however. We could explicitly tell the view which template to use by adding a
  96. ``template_name`` attribute to the view, but in the absence of an explicit
  97. template Django will infer one from the object's name. In this case, the
  98. inferred template will be ``"books/publisher_list.html"`` -- the "books" part
  99. comes from the name of the app that defines the model, while the "publisher"
  100. bit is just the lowercased version of the model's name.
  101. .. note::
  102. Thus, when (for example) the
  103. :class:`django.template.loaders.app_directories.Loader` template loader is
  104. enabled in :setting:`TEMPLATE_LOADERS`, a template location could be:
  105. /path/to/project/books/templates/books/publisher_list.html
  106. This template will be rendered against a context containing a variable called
  107. ``object_list`` that contains all the publisher objects. A very simple template
  108. might look like the following:
  109. .. code-block:: html+django
  110. {% extends "base.html" %}
  111. {% block content %}
  112. <h2>Publishers</h2>
  113. <ul>
  114. {% for publisher in object_list %}
  115. <li>{{ publisher.name }}</li>
  116. {% endfor %}
  117. </ul>
  118. {% endblock %}
  119. That's really all there is to it. All the cool features of generic views come
  120. from changing the attributes set on the generic view. The
  121. :doc:`generic views reference</ref/class-based-views/index>` documents all the
  122. generic views and their options in detail; the rest of this document will
  123. consider some of the common ways you might customize and extend generic views.
  124. Making "friendly" template contexts
  125. -----------------------------------
  126. You might have noticed that our sample publisher list template stores all the
  127. publishers in a variable named ``object_list``. While this works just fine, it
  128. isn't all that "friendly" to template authors: they have to "just know" that
  129. they're dealing with publishers here.
  130. Well, if you're dealing with a model object, this is already done for you. When
  131. you are dealing with an object or queryset, Django is able to populate the
  132. context using the lower cased version of the model class' name. This is
  133. provided in addition to the default ``object_list`` entry, but contains exactly
  134. the same data, i.e. ``publisher_list``.
  135. If this still isn't a good match, you can manually set the name of the
  136. context variable. The ``context_object_name`` attribute on a generic view
  137. specifies the context variable to use::
  138. # views.py
  139. from django.views.generic import ListView
  140. from books.models import Publisher
  141. class PublisherList(ListView):
  142. model = Publisher
  143. context_object_name = 'my_favorite_publishers'
  144. Providing a useful ``context_object_name`` is always a good idea. Your
  145. coworkers who design templates will thank you.
  146. .. _adding-extra-context:
  147. Adding extra context
  148. --------------------
  149. Often you simply need to present some extra information beyond that
  150. provided by the generic view. For example, think of showing a list of
  151. all the books on each publisher detail page. The
  152. :class:`~django.views.generic.detail.DetailView` generic view provides
  153. the publisher to the context, but how do we get additional information
  154. in that template?
  155. The answer is to subclass :class:`~django.views.generic.detail.DetailView`
  156. and provide your own implementation of the ``get_context_data`` method.
  157. The default implementation simply adds the object being displayed to the
  158. template, but you can override it to send more::
  159. from django.views.generic import DetailView
  160. from books.models import Publisher, Book
  161. class PublisherDetail(DetailView):
  162. model = Publisher
  163. def get_context_data(self, **kwargs):
  164. # Call the base implementation first to get a context
  165. context = super(PublisherDetail, self).get_context_data(**kwargs)
  166. # Add in a QuerySet of all the books
  167. context['book_list'] = Book.objects.all()
  168. return context
  169. .. note::
  170. Generally, ``get_context_data`` will merge the context data of all parent
  171. classes with those of the current class. To preserve this behavior in your
  172. own classes where you want to alter the context, you should be sure to call
  173. ``get_context_data`` on the super class. When no two classes try to define the
  174. same key, this will give the expected results. However if any class
  175. attempts to override a key after parent classes have set it (after the call
  176. to super), any children of that class will also need to explicitly set it
  177. after super if they want to be sure to override all parents. If you're
  178. having trouble, review the method resolution order of your view.
  179. .. _generic-views-list-subsets:
  180. Viewing subsets of objects
  181. --------------------------
  182. Now let's take a closer look at the ``model`` argument we've been
  183. using all along. The ``model`` argument, which specifies the database
  184. model that the view will operate upon, is available on all the
  185. generic views that operate on a single object or a collection of
  186. objects. However, the ``model`` argument is not the only way to
  187. specify the objects that the view will operate upon -- you can also
  188. specify the list of objects using the ``queryset`` argument::
  189. from django.views.generic import DetailView
  190. from books.models import Publisher
  191. class PublisherDetail(DetailView):
  192. context_object_name = 'publisher'
  193. queryset = Publisher.objects.all()
  194. Specifying ``model = Publisher`` is really just shorthand for saying
  195. ``queryset = Publisher.objects.all()``. However, by using ``queryset``
  196. to define a filtered list of objects you can be more specific about the
  197. objects that will be visible in the view (see :doc:`/topics/db/queries`
  198. for more information about :class:`~django.db.models.query.QuerySet` objects,
  199. and see the :doc:`class-based views reference </ref/class-based-views/index>`
  200. for the complete details).
  201. To pick a simple example, we might want to order a list of books by
  202. publication date, with the most recent first::
  203. from django.views.generic import ListView
  204. from books.models import Book
  205. class BookList(ListView):
  206. queryset = Book.objects.order_by('-publication_date')
  207. context_object_name = 'book_list'
  208. That's a pretty simple example, but it illustrates the idea nicely. Of course,
  209. you'll usually want to do more than just reorder objects. If you want to
  210. present a list of books by a particular publisher, you can use the same
  211. technique::
  212. from django.views.generic import ListView
  213. from books.models import Book
  214. class AcmeBookList(ListView):
  215. context_object_name = 'book_list'
  216. queryset = Book.objects.filter(publisher__name='Acme Publishing')
  217. template_name = 'books/acme_list.html'
  218. Notice that along with a filtered ``queryset``, we're also using a custom
  219. template name. If we didn't, the generic view would use the same template as the
  220. "vanilla" object list, which might not be what we want.
  221. Also notice that this isn't a very elegant way of doing publisher-specific
  222. books. If we want to add another publisher page, we'd need another handful of
  223. lines in the URLconf, and more than a few publishers would get unreasonable.
  224. We'll deal with this problem in the next section.
  225. .. note::
  226. If you get a 404 when requesting ``/books/acme/``, check to ensure you
  227. actually have a Publisher with the name 'ACME Publishing'. Generic
  228. views have an ``allow_empty`` parameter for this case. See the
  229. :doc:`class-based-views reference</ref/class-based-views/index>` for more
  230. details.
  231. Dynamic filtering
  232. -----------------
  233. Another common need is to filter down the objects given in a list page by some
  234. key in the URL. Earlier we hard-coded the publisher's name in the URLconf, but
  235. what if we wanted to write a view that displayed all the books by some arbitrary
  236. publisher?
  237. Handily, the ``ListView`` has a
  238. :meth:`~django.views.generic.list.MultipleObjectMixin.get_queryset` method we
  239. can override. Previously, it has just been returning the value of the
  240. ``queryset`` attribute, but now we can add more logic.
  241. The key part to making this work is that when class-based views are called,
  242. various useful things are stored on ``self``; as well as the request
  243. (``self.request``) this includes the positional (``self.args``) and name-based
  244. (``self.kwargs``) arguments captured according to the URLconf.
  245. Here, we have a URLconf with a single captured group::
  246. # urls.py
  247. from django.conf.urls import url
  248. from books.views import PublisherBookList
  249. urlpatterns = [
  250. url(r'^books/([\w-]+)/$', PublisherBookList.as_view()),
  251. ]
  252. Next, we'll write the ``PublisherBookList`` view itself::
  253. # views.py
  254. from django.shortcuts import get_object_or_404
  255. from django.views.generic import ListView
  256. from books.models import Book, Publisher
  257. class PublisherBookList(ListView):
  258. template_name = 'books/books_by_publisher.html'
  259. def get_queryset(self):
  260. self.publisher = get_object_or_404(Publisher, name=self.args[0])
  261. return Book.objects.filter(publisher=self.publisher)
  262. As you can see, it's quite easy to add more logic to the queryset selection;
  263. if we wanted, we could use ``self.request.user`` to filter using the current
  264. user, or other more complex logic.
  265. We can also add the publisher into the context at the same time, so we can
  266. use it in the template::
  267. # ...
  268. def get_context_data(self, **kwargs):
  269. # Call the base implementation first to get a context
  270. context = super(PublisherBookList, self).get_context_data(**kwargs)
  271. # Add in the publisher
  272. context['publisher'] = self.publisher
  273. return context
  274. .. _generic-views-extra-work:
  275. Performing extra work
  276. ---------------------
  277. The last common pattern we'll look at involves doing some extra work before
  278. or after calling the generic view.
  279. Imagine we had a ``last_accessed`` field on our ``Author`` model that we were
  280. using to keep track of the last time anybody looked at that author::
  281. # models.py
  282. from django.db import models
  283. class Author(models.Model):
  284. salutation = models.CharField(max_length=10)
  285. name = models.CharField(max_length=200)
  286. email = models.EmailField()
  287. headshot = models.ImageField(upload_to='author_headshots')
  288. last_accessed = models.DateTimeField()
  289. The generic ``DetailView`` class, of course, wouldn't know anything about this
  290. field, but once again we could easily write a custom view to keep that field
  291. updated.
  292. First, we'd need to add an author detail bit in the URLconf to point to a
  293. custom view::
  294. from django.conf.urls import url
  295. from books.views import AuthorDetailView
  296. urlpatterns = [
  297. #...
  298. url(r'^authors/(?P<pk>\d+)/$', AuthorDetailView.as_view(), name='author-detail'),
  299. ]
  300. Then we'd write our new view -- ``get_object`` is the method that retrieves the
  301. object -- so we simply override it and wrap the call::
  302. from django.views.generic import DetailView
  303. from django.utils import timezone
  304. from books.models import Author
  305. class AuthorDetailView(DetailView):
  306. queryset = Author.objects.all()
  307. def get_object(self):
  308. # Call the superclass
  309. object = super(AuthorDetailView, self).get_object()
  310. # Record the last accessed date
  311. object.last_accessed = timezone.now()
  312. object.save()
  313. # Return the object
  314. return object
  315. .. note::
  316. The URLconf here uses the named group ``pk`` - this name is the default
  317. name that ``DetailView`` uses to find the value of the primary key used to
  318. filter the queryset.
  319. If you want to call the group something else, you can set ``pk_url_kwarg``
  320. on the view. More details can be found in the reference for
  321. :class:`~django.views.generic.detail.DetailView`