Software Engineer

Django, django_tables2 and Bootstrap Table

I was always intrigued by Django. After all, it’s slogan is “The web framework for perfectionists with deadlines”. Last year I started a project for a client who needed a web app to manage a digital printing workflow. I evaluated Django and did their tutorial (which is really well made by the way). Since the project also required lots of data processing of different data sources (CSV, XML, etc.) Python made a lot of sense. So in the end the choice was to use Django.

I needed to create several tabIes showing data from the Django models. In this post I explain how I combined django_tables2 (for the table definitions) and Bootstrap Table (for visualizing the tables and client-side table features).

Using django_tables2 with custom model methods

Initially, I started using django_tables2 since it can create tables for Django models without having to write a lot of code (or HTML) and has support for pagination and sorting. The documentation shows how to set it up and get started.

In the models I made use of quite a few custom model methods to derive data from existing model fields. The Django tutorial shows how custom methods are added to a model and also how they can be used in the model’s admin. I thought this was great. Derived properties is something I used whenever possible when metamodelling. However, this actually causes problems for sorting. To be efficient, sorting is performed on the QuerySet, i.e., it is performed at the database-level and is translated to an ORDER BY ... in SQL.

Another feature I wanted to support was searching. While there is support with the help of django-filter you end up with a separate input field per model field.

So I started looking for a framework that supported sorting and searching on the client side. I did find DataTables and Bootstrap Table. I tested both and went with Bootstrap Table because I found it to be easier to configure and it is extremely customizable.

Combining django_tables2 and Bootstrap Table

Now, finally, comes the reason why I am writing all of this. Since django_tables2 actually allows to nicely define tables I wanted to keep using it. In the end what this allows is to use django_tables2 for the table definition and data retrieval, and Bootstrap Table (you could actually use something else) for the visualizing the table on the client side. And, it would also be possible to later switch to server-side processing if necessary (the client-side approach becomes a performance problem for large amounts of data).

So I did some digging into the django_table2 source code to determine how the table columns and data are determined. I created a mixin with the common functionality that can be reused across the different class-based views.

To build and populate the table there are two parts required. The first is the table columns. We need the column name and the header. The header is usually the verbose name of the model field or the verbose name defined in the table. The second part is getting the actual data that should be shown in the table.

The following code takes care of getting the columns of the table and building an ordered dictionary mapping from the name to the header (usually the verbose name of the model field):

table: Table = self.get_table()
table_columns: List[Column] = [
    column
    for column in table.columns
]
columns_tuples = [(column.name, column.header) for column in table_columns]
columns: OrderedDict[str, str] = OrderedDict(columns_tuples)

And the second piece of code takes care of retrieving the data of the table and converting to a mapping of column name to value:

table: Table = self.get_table()
data = [
    {column.name: cell for column, cell in row.items()}
    for row in table.paginated_rows
]

What I did in the end, which is probably a bit of a hack, is to use an existing URL for the view and if it has ?json appended to it returns the table data as JSON instead of the HTML template.

So putting it all together the TableViewMixin looks as follows:

from collections import OrderedDict
from typing import List
from django.http import JsonResponse
from django_tables2 import Column, SingleTableMixin, Table
class TableViewMixin(SingleTableMixin):
    # disable pagination to retrieve all data
    table_pagination = False
    def get_context_data(self, **kwargs):
        context = super().get_context_data(**kwargs)
        # build list of columns and convert it to an
        # ordered dict to retain ordering of columns
        # the dict maps from column name to its header (verbose name)
        table: Table = self.get_table()
        table_columns: List[Column] = [
            column
            for column in table.columns
        ]
        # retain ordering of columns
        columns_tuples = [(column.name, column.header) for column in table_columns]
        columns: OrderedDict[str, str] = OrderedDict(columns_tuples)
        context['columns'] = columns
        return context
    def get(self, request, *args, **kwargs):
        # trigger filtering to update the resulting queryset
        # needed in case of additional filtering being done
        response = super().get(self, request, *args, **kwargs)
        
        if 'json' in request.GET:
            table: Table = self.get_table()
            data = [
                {column.name: cell for column, cell in row.items()}
                for row in table.paginated_rows
            ]
            return JsonResponse(data, safe=False)
        else:
            return response

And to build the table in the template you can do the following:

<table class="table table-bordered table-hover"
    data-toggle="table"
    data-pagination="true"
    data-search="true"
    [...]
    data-url="{% url request.resolver_match.view_name %}?json">
  <thead class="thead-light">
    {% for id, name in columns.items %}
      <th data-field="{{ id }}" data-sortable="true">{{ name }}</th>
    {% endfor %}
  </thead>
</table>

If you have many pages with a table you can even put this part into a base template that is reused (extended) in each page’s template.

Supporting server-side table operations

Finally, it would also be possible to support server-side pagination, sorting and searching with this approach with a few modifications (and caveats). As mentioned above, you cannot sort or search the data that is coming from custom model methods since these operations are performed on the QuerySet. In theory it should be possible to convert the QuerySet to a list and perform sorting on the list using sorted(...) but I haven’t found the right place where this could be done yet. Basically, for non-fields there needs to be a check that prevents the call to QuerySet.order_by(...) and then do custom sorting.

To support server-side pagination, the table_pagination needs to be set to True (or removed since the default is True) and the JSON response needs to contain the total number of rows:

data = {
    'total': self.queryset.count(),
    'rows': rows
}

On the template side there are the specific table settings for server-side pagination and some JavaScript to send the correct request when requesting another page or sorting:

data-side-pagination="server"
data-query-params="queryParams"
data-query-params-type=""
<script type="text/javascript">
  function queryParams(params) {
    if (params.sortName !== undefined) {
      // change sort name to support Django related model fields (foo__bar__name)
      params.sort = params.sortName.replace('.', '__')
      // change sort param to Django way of sorting (- for DESC)
      if (params.sortOrder == 'desc') {
        params.sort = `-${params.sort}`
      }
    }
    return {
      page: params.pageNumber,
      per_page: params.pageSize,
      search: params.searchText,
      sort: params.sort,
    }
  }
</script>

Supporting server-side searching is a bit trickier since there is one search field but no builtin way in Django to search directly across several field.

If you are already using the django-rest-framework you could directly use the SearchFilter it provides. It is based on Django admin’s search functionality

Update: If I were to do something similar again now I would do this all server-side and add the interactivity using HTMX or unpoly.

10 Comments

  1. Steve Walker

    This is just what I needed, thanks.

    I believe you omitted a final closing bracket before your tag above

    • Matthias Schoettle

      Glad it was helpful. Good catch, thanks!

  2. Kfirs86

    I can’t understand where you define which Django model to present… can you please give more details?

    • Kfir Shtokhamer

      Shouldn’t we inherit from ‘SingleTableView’ instead of ‘SingleTableMixin’? Cause it’s working for me…

      • Matthias Schoettle

        Do you mean for TableViewMixin? Since it is a mixin it should inherit from SingleTableMixin. All SingleTableView does is it combines SingleTableMixin and ListView.

        My actual views therefore are defined like this:

        class SomeView(TableViewMixin, ListView):
            template_name = 'appname/template_name.html'
            table_class = tables.SomeTable
            queryset = SomeModel.objects.all()
    • Matthias Schoettle

      This is standard django_tables2 stuff, i.e., you need to define the table (for example in a tables.py file).

      See the tutorial here: https://django-tables2.readthedocs.io/en/latest/pages/tutorial.html

  3. Kairat

    Hello, Matthias! Thank you very much to your helpfull tutorial, I used it and it’s work’s well.
    But one thing is comming up during my developement, I tryied to use it in a data structure with MultiMixin, I mean with a structure Product, and inside of it it is linked to another model Clients.
    Here I have an error: TypeError: Object of type Client is not JSON serializable.
    How can I change a json cerializing model in your code?
    Please help me with it.

    • Matthias Schoettle

      How should the model Client be represented in your table? You might need to add a column or render_client method to your table. For example, you could show the name of the client.

      • Kairat

        I have 2 columns Client and Manager that has it’s own tables, so I need a rendering script to include their names inside a table. But the thing, that I don’t know how to do that, and where to put it in your code.
        Could you please point me where to search?

        • Kairat

          Or should I change a model for Client and Manager, so in model Cars I will pass only name of Client model, and the name of Manager model?

Leave a Reply

Your email address will not be published. Required fields are marked *

© 2024 Matthias Schoettle

Theme by Anders NorenUp ↑