2
0

generic-display.txt 16 KB

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