I’m trying to a write a search function for table reserving from a restaurant, I have a restaurant model:
JavaScript
x
16
16
1
class Restaurant(models.Model):
2
"""
3
Table Restaurant
4
=======================
5
6
This table represents a restaurant with all necessary information.
7
"""
8
name = models.CharField(max_length=70)
9
caterer = models.ForeignKey(Caterer, on_delete=models.CASCADE, null=True)
10
address = models.OneToOneField(Address, on_delete=models.CASCADE, null=True)
11
kitchen_type = models.IntegerField(choices=KITCHEN_TYPE, null=True)
12
opening_hours = models.OneToOneField(OpeningHours, on_delete=models.CASCADE, null=True)
13
description = models.CharField(max_length=2000, null=True)
14
phone = models.CharField(max_length=15, null=True)
15
parking_options = models.BooleanField(default=False)
16
which has a enum for kitchen_type:
JavaScript
1
8
1
KITCHEN_TYPE = [
2
(1, "Turkish"),
3
(2, "Italian"),
4
(3, "German"),
5
(4, "English"),
6
(5, "Indian"),
7
]
8
And this is the search function in view.py:
JavaScript
1
9
1
def search_result(request):
2
if request.method == "POST":
3
searched = request.POST['searched']
4
result = Restaurant.objects.filter(
5
Q(name__icontains=searched) | Q(address__city__icontains=searched))
6
return render(request, 'search_result.html', {'searched': searched, 'result': result})
7
else:
8
return render(request, 'search_result.html', {})
9
So how am I able to search for kitchen_type in the view?
Advertisement
Answer
Instead of using a list of tuples I would recommend extending the IntegerChoices
or TextChoices
classes provided by Django. Here’s an example of how you can use IntegerChoices
:
JavaScript
1
10
10
1
>>> class KitchenType(models.IntegerChoices):
2
TURKISH = 1
3
ITALIAN = 2
4
GERMAN = 3
5
6
>>> if 1 in KitchenType:
7
print(True)
8
9
True
10
https://docs.djangoproject.com/en/4.0/ref/models/fields/#enumeration-types