Skip to content Skip to sidebar Skip to footer

Django-filter With Drf - How To Do 'and' When Applying Multiple Values With The Same Lookup?

This is a slightly simplified example of the filterset I'm using, which I'm using with the DjangoFilterBackend for Django Rest Framework. I'd like to be able to send a request to /

Solution 1:

The main problem is that you need a filter that understands how to operate on multiple values. There are basically two options:

  • Use MultipleChoiceFilter (not recommended for this instance)
  • Write a custom filter class

Using MultipleChoiceFilter

classBookmarkFilter(django_filters.FilterSet):
    title__contains = django_filters.MultipleChoiceFilter(
        name='title',
        lookup_expr='contains',
        conjoined=True,  # uses AND instead of OR
        choices=[???],
    )

    classMeta:
        ...

While this retains your desired syntax, the problem is that you have to construct a list of choices. I'm not sure if you can simplify/reduce the possible choices, but off the cuff it seems like you would need to fetch all titles from the database, split the titles into distinct words, then create a set to remove duplicates. This seems like it would be expensive/slow depending on how many records you have.

Custom Filter

Alternatively, you can create a custom filter class - something like the following:

classMultiValueCharFilter(filters.BaseCSVFilter, filters.CharFilter):
    deffilter(self, qs, value):
        # value is either a list or an 'empty' value
        values = value or []

        for value in values:
            qs = super(MultiValueCharFilter, self).filter(qs, value)

        return qs


classBookmarkFilter(django_filters.FilterSet):
    title__contains = MultiValueCharFilter(name='title', lookup_expr='contains')

    classMeta:
        ...

Usage (notice that the values are comma-separated):

GET /api/bookmarks/?title__contains=word1,word2

Result:

qs.filter(title__contains='word1').filter(title__contains='word2')

The syntax is changed a bit, but the CSV-based filter doesn't need to construct an unnecessary set of choices.

Note that it isn't really possible to support the ?title__contains=word1&title__contains=word2 syntax as the widget can't render a suitable html input. You would either need to use SelectMultiple (which again, requires choices), or use javascript on the client to add/remove additional text inputs with the same name attribute.


Without going into too much detail, filters and filtersets are just an extension of Django's forms.

  • A Filter has a form Field, which in turn has a Widget.
  • A FilterSet is composed of Filters.
  • A FilterSet generates an inner form based on its filters' fields.

Responsibilities of each filter component:

  • The widget retrieves the raw value from the dataQueryDict.
  • The field validates the raw value.
  • The filter constructs the filter() call to the queryset, using the validated value.

In order to apply multiple values for the same filter, you would need a filter, field, and widget that understand how to operate on multiple values.


The custom filter achieves this by mixing in BaseCSVFilter, which in turn mixes in a "comma-separation => list" functionality into the composed field and widget classes.

I'd recommend looking at the source code for the CSV mixins, but in short:

  • The widget splits the incoming value into a list of values.
  • The field validates the entire list of values by validating individual values on the 'main' field class (such as CharField or IntegerField). The field also derives the mixed in widget.
  • The filter simply derives the mixed in field class.

The CSV filter was intended to be used with in and range lookups, which accept a list of values. In this case, contains expects a single value. The filter() method fixes this by iterating over the values and chaining together individual filter calls.

Solution 2:

You can create custom list field something like this:

from django.forms.widgets import SelectMultiple
from django import forms

classListField(forms.Field):
    widget = SelectMultiple

    def__init__(self, field, *args, **kwargs):
        super(ListField, self).__init__( *args, **kwargs)
        self.field = field

    defvalidate(self, value):
        super(ListField, self).validate(value)
        for val in value:
            self.field.validate(val)

    defrun_validators(self, value):
        for val in value:
            self.field.run_validators(val)

    defto_python(self, value):
        ifnot value:
            return []
        elifnotisinstance(value, (list, tuple)):
            raise ValidationError(self.error_messages['invalid_list'], code='invalid_list')
        return [self.field.to_python(val) for val in value]

and create custom filter using MultipleChoiceFilter:

classContainsListFilter(django_filters.MultipleChoiceFilter):
    field_class = ListField

    defget_filter_predicate(self, v):
        name = '%s__contains' % self.name
        try:
            return {name: getattr(v, self.field.to_field_name)}
        except (AttributeError, TypeError):
            return {name: v}

After that you can create FilterSet with your custom filter:

from django.forms import CharField

classStorageLocationFilter(django_filters.FilterSet):
    title_contains =ContainsListFilter(field=CharField())

Working for me. Hope it will be useful for you.

Solution 3:

Here is a sample code that just works: it supports - product?name=p1,p2,p3 and will return products with name (p1,p2,p3)

defresolve_csvfilter(queryset, name, value):
    lookup = { f'{name}__in': value.split(",") }
    queryset = queryset.filter(**lookup)
    return queryset

classProductFilterSet(FilterSet):
        name = CharFilter(method=resolve_csvfilter)
    
        classMeta:
            model = Product
            fields = ['name']

Ref: https://django-filter.readthedocs.io/en/master/guide/usage.html#customize-filtering-with-filter-methodhttps://github.com/carltongibson/django-filter/issues/137

Post a Comment for "Django-filter With Drf - How To Do 'and' When Applying Multiple Values With The Same Lookup?"