使用Django过滤器、annotate和Concat函数来连接多个列并进行筛选,该如何做?
总结
我想要使用Django-filters来解释如何通过合并多个列来进行筛选。
在这个例子中,我将以地址为例。
-
- 都道府県
-
- 市区町村
-
- 丁・番地
- その他(マンション名など)
为了防止在搜索时只在每个项目中进行搜索而无法找到相应地址,我们结合例如都道府县和市区町村进行筛选。
前提 tí)
-
- django-filtersをインストール済み
-
- django-filtersの基本的な使い方を知っている
- 必須ではないが最後にSwaggerで検証するため、Swaggerを設定済み
文件结构
文件结构如下所示
application
├── __init__.py
├── admin.py
├── apps.py
├── filters.py
├── fixtures
| └── fixture.json
├── migrations
├── models.py
├── serializers
| └── customer.py
├── urls.py
└── views
└── customer.py
以上所提及的
-
- models.py
-
- serializers/customer.py
-
- views/customer.py
-
- urls.py
-
- fixtures/fixture.json
- filters.py
我将继续记录需要的设置。
annoate是什么意思?
只是意味着用日语翻译,并且是关于注释的意思。
-
- 都道府県
-
- 市区町村
-
- 丁・番地
- その他(マンション名など)
在进行通过使用annotate进行连接的列合并进行搜索时,可以将合并的列作为单独的列进行处理。由于仅凭这个说明可能无法完全理解,请在创建filters.py时也做出解释。
Concat是什么意思?
这是一个用于获取连接多个字符串的类,在本次合并检索中将使用它。
模型.py
创建一个包含”Customer”和”Address”模型的程序。
import uuid
from django.core.validators import RegexValidator
from django.db import models
class Customer(models.Model):
"""お客様"""
id = models.UUIDField(primary_key=True, default=uuid.uuid4, editable=False)
kana = models.CharField(max_length=255)
"""カナ氏名"""
name = models.CharField(max_length=255)
"""氏名"""
birthday = models.DateField()
"""誕生日"""
phone_no = models.CharField(
max_length=11,
validators=[RegexValidator(r"^[0-9]{11}$", "11桁の数字を入力してください。")],
blank=True,
)
"""電話番号"""
address = models.OneToOneField("Address", on_delete=models.CASCADE)
"""住所"""
class Meta:
db_table = "Customer"
class Address(models.Model):
id = models.UUIDField(primary_key=True, default=uuid.uuid4, editable=False)
prefecture = models.CharField(max_length=255, null=True)
"""都道府県"""
municipalities = models.CharField(max_length=255, null=True)
"""市区町村"""
house_no = models.CharField(max_length=255, null=True)
"""市区町村"""
other = models.CharField(max_length=255, null=True)
"""丁・番地"""
post_no = models.CharField(
max_length=7,
validators=[RegexValidator(r"^[0-9]{7}$", "7桁の数字を入力してください。")],
null=True,
)
"""郵便番号"""
class Meta:
db_table = "Address"
序列化器/客户.py
创建CustomerSerializer时,
在使用to_representation进行列表显示时,将地址以合并的形式显示出来。
from rest_framework import serializers
from application.models import Customer
class CustomerSerializer(serializers.ModelSerializer):
class Meta:
model = Customer
fields = "__all__"
read_only_fields = ["address"]
def to_representation(self, instance):
ret = super(CustomerSerializer, self).to_representation(instance)
address = instance.address
ret["address"] = (
address.prefecture
+ address.municipalities
+ address.house_no
+ address.other
)
return ret
视图/客户.py
我們將創建一個名為CustomerViewSet的類,並配置django-filters。
from django_filters.rest_framework import DjangoFilterBackend
from rest_framework.viewsets import ModelViewSet
from application.filters import CustomerFilter
from application.models import Customer
from application.serializers.customer import CustomerSerializer
class CustomerViewSet(ModelViewSet):
queryset = Customer.objects.all()
serializer_class = CustomerSerializer
filter_backends = (DjangoFilterBackend,)
filterset_class = CustomerFilter
urls.py 的中文解释是什么?
为客户创建一个URL。
from django.urls import include, path
from rest_framework_nested import routers
from application.views.customer import CustomerViewSet
router = routers.DefaultRouter()
router.register(r"customer", CustomerViewSet, basename="customer")
urlpatterns = [
path(r"", include(router.urls)),
]
fixture.json: 赛事.json
请提供Customer和Address的测试数据。
在输入数据时,请注意。
python manage.py loaddata fixture.json
可以一次性全部放入。
[
{
"model": "application.Customer",
"pk": 1,
"fields": {
"kana": "オオサカタロウ",
"name": "大阪太郎",
"birthday": "1992-01-06",
"phone_no": "08011112222",
"address": 1
}
},
{
"model": "application.Customer",
"pk": 2,
"fields": {
"kana": "キョウトジロウ",
"name": "京都二郎",
"birthday": "1994-01-06",
"phone_no": "08022223333",
"address": 2
}
},
{
"model": "application.Customer",
"pk": 3,
"fields": {
"kana": "ヒョウゴサブロウ",
"name": "兵庫三郎",
"birthday": "1995-03-06",
"phone_no": "08033334444",
"address": 3
}
},
{
"model": "application.Address",
"pk": 1,
"fields": {
"prefecture": "京都府",
"municipalities": "京都市東山区",
"house_no": "清水",
"other": "1-294",
"post_no": "6050862"
}
},
{
"model": "application.Address",
"pk": 2,
"fields": {
"prefecture": "京都府",
"municipalities": "京都市東山区",
"house_no": "北区金閣寺町1",
"other": "",
"post_no": "6038361"
}
},
{
"model": "application.Address",
"pk": 3,
"fields": {
"prefecture": "京都府",
"municipalities": "京都市東山区",
"house_no": "左京区銀閣寺町2",
"other": "",
"post_no": "6068402"
}
}
]
filters.py
ここてfilterの設定をします
import django_filters
from django.db.models import Q
from django.db.models.functions import Concat
from application.models import Customer
class CustomerFilter(django_filters.FilterSet):
"""お客様の
- 住所
で絞り込むFilter
Args:
django_filters
"""
address = django_filters.CharFilter(method="search_address")
class Meta:
model = Customer
fields = ["address"]
def search_address(self, queryset, address, value):
"""address_queryで取得した住所に該当するquerysetを取得
Args:
queryset
address_query
Returns:
queryset: address_queryで取得した都道府県・市区町村・番地・その他に該当するqueryset
"""
return queryset.annotate(
customer_address=Concat(
"address__prefecture",
"address__municipalities",
"address__house_no",
"address__post_no",
"address__other",
)
).filter(customer_address__icontains=value)
通常のCharFilterだと1カラムでしか絞り込みができないため、search_nameという独自の検索用メソッドを作成します
address = django_filters.CharFilter(method="search_address")
ここでsearch_address()メソッドを呼ぶよう設定します
def search_address(self, queryset, address, value):
"""address_queryで取得した住所に該当するquerysetを取得
Args:
queryset
address_query
Returns:
queryset: address_queryで取得した都道府県・市区町村・番地・その他に該当するqueryset
"""
return queryset.annotate(
customer_address=Concat(
"address__prefecture",
"address__municipalities",
"address__house_no",
"address__post_no",
"address__other",
)
).filter(customer_address__icontains=value)
search_address()の引数
-
- querysetの変数内にはCustomerのオブジェクトが入ります
-
- value内には指定した検索条件が入ります
例えば”京都”で絞り込もうと思った場合はvalue内に”京都”が入ります
search_address()の引数にdjango-filtersで指定したfilter名(今回だとaddress)も入れないとカスタムメソッドが機能しないので注意です
annotate
前述のannnotateを使用することで
customer_addressという
-
- 都道府県
-
- 市区町村
-
- 丁・番地
- その他(マンション名など)
をConcatで結合させたカラムで絞り込みすることができます
そのため、上記の4つのカラムの中を見て検索しているかのように感じますが
実際は裏ではcustomer_addressという1つのカラムの中を検索しています
annotationを使う際はModelの既存のカラムと被らないようにしましょう
発行されているSQLについて
querysetにCustomerのオブジェクトが入っていることがわかったのでShellで確認してみましょう
django-debug-toolbarを使えばDjangoのORMで発行されたSQLが簡単にわかるので使い方を知らない方は以下の記事を参考にしてください
python manage.py debugsqlshell
Python 3.11.3 (main, Apr 12 2023, 14:31:14) [GCC 10.2.1 20210110] on linux
Type "help", "copyright", "credits" or "license" for more information.
(InteractiveConsole)
>>> from application.models import Customer
>>> from django.db.models.functions import Concat
>>> Customer.objects.annotate(customer_address=Concat("address__prefecture","address__municipalities","address__house_no","address__post_no","address__other",)).filter(customer_address__icontains="京都")
SELECT `Customer`.`id`,
`Customer`.`kana`,
`Customer`.`name`,
`Customer`.`birthday`,
`Customer`.`phone_no`,
`Customer`.`address_id`,
CONCAT_WS('', `Address`.`prefecture`, CONCAT_WS('', `Address`.`municipalities`, CONCAT_WS('', `Address`.`house_no`, CONCAT_WS('', `Address`.`post_no`, `Address`.`other`)))) AS `customer_address`
FROM `Customer`
INNER JOIN `Address` ON (`Customer`.`address_id` = `Address`.`id`)
WHERE CONCAT_WS('', `Address`.`prefecture`, CONCAT_WS('', `Address`.`municipalities`, CONCAT_WS('', `Address`.`house_no`, CONCAT_WS('', `Address`.`post_no`, `Address`.`other`)))) LIKE '%京都%'
LIMIT 21 [1.72ms]
<QuerySet [<Customer: Customer object (00000000-0000-0000-0000-000000000001)>, <Customer: Customer object (00000000-0000-0000-0000-000000000002)>, <Customer: Customer object (00000000-0000-0000-0000-000000000003)>]>
このように”京都”が含まれているオブジェクトを絞り込んでいることが確認できました
Swaggerで検証してみよう
Swaggerを開くと以下のようにaddress用のfilterが作成されています
data:image/s3,"s3://crabby-images/d7668/d7668c0b6870b7400d250ac5be06affec61cc8da" alt="スクリーンショット 2023-05-14 11.46.22.png"
例えば
-
- 都道府県
- 市区町村
のように複数カラムを結合して絞り込むことに成功したことを確認できました
data:image/s3,"s3://crabby-images/191ed/191ed3f81dc5bf8ab260aa77483d72b8113e13c5" alt="スクリーンショット 2023-05-14 11.47.00.png"
data:image/s3,"s3://crabby-images/93783/937834b8ecf81e73451cd6ebf9c7791654a34986" alt="スクリーンショット 2023-05-14 11.47.14.png"
参考