So I want to find any kind of matching given some fields, so for example, this is what I would like to do:
JavaScript
x
4
1
possible_merchants = ["amazon", "web", "services"]
2
# Possible name --> "Amazon Service"
3
Companies.objects.filter(name__icontains__in=possible_merchants)
4
sadly it is not possible to mix icontains and the __in lookup.
It seems to be a pretty complex query so if at least I could ignore case the name that would be enough, for example:
JavaScript
1
2
1
Companies.objects.filter(name__ignorecase__in=possible_merchants)
2
Any ideas?
P.D.: The queries I posted don’t work, it’s just a way to express what I need (just in case heh)
Advertisement
Answer
You can create querysets with the Q
constructor and combine them with the |
operator to get their union:
JavaScript
1
12
12
1
from django.db.models import Q
2
3
def companies_matching(merchants):
4
"""
5
Return a queryset for companies whose names contain case-insensitive
6
matches for any of the `merchants`.
7
"""
8
q = Q()
9
for merchant in merchants:
10
q |= Q(name__icontains = merchant)
11
return Companies.objects.filter(q)
12
(And similarly with iexact
instead of icontains
.)