python

关注公众号 jb51net

关闭
首页 > 脚本专栏 > python > Django filter数据查询

使用Django中的filter方法进行数据查询的基本操作

作者:pycode

在 Django 中,QuerySet 的 filter() 方法是一个强大的工具,用于从数据库中检索数据并根据指定的条件进行筛选,在本文中,我们将介绍如何使用 filter() 方法来执行各种类型的数据查询操作,需要的朋友可以参考下

基本用法

1. 等于 (=)

results = MyModel.objects.filter(title='Example')

2. 不等于 (exclude)

results = MyModel.objects.exclude(title='Example') 

3. 大于 (__gt) / 大于等于 (__gte)

results = MyModel.objects.filter(price__gt=10)
results = MyModel.objects.filter(price__gte=10)

4. 小于 (__lt) / 小于等于 (__lte)

results = MyModel.objects.filter(price__lt=10)
results = MyModel.objects.filter(price__lte=10)

5. 包含 (__contains) / 不包含 (exclude + __contains)

results = MyModel.objects.filter(title__contains='Example')
results = MyModel.objects.exclude(title__contains='Example')

6. 开始于 (__startswith) / 结束于 (__endswith)

results = MyModel.objects.filter(title__startswith='Ex')
results = MyModel.objects.filter(title__endswith='ple')

7. 正则表达式匹配 (__regex)

results = MyModel.objects.filter(title__regex=r'^Ex.*')

8. 是否为空 (__isnull)

results = MyModel.objects.filter(price__isnull=True)
results = MyModel.objects.filter(price__isnull=False)

组合查询

1. AND 条件

results = MyModel.objects.filter(title='Example', price__gt=10)

2. OR 条件 (使用 Q 对象)

from django.db.models import Q

results = MyModel.objects.filter(Q(title='Example') | Q(price__gt=10))

IN 查询

1. __in 查询

results = MyModel.objects.filter(id__in=[1, 2, 3])

日期查询

1. 日期字段 (__date, __year, __month, __day, __week_day)

results = MyModel.objects.filter(created_at__date='2024-05-21')
results = MyModel.objects.filter(created_at__year=2024)
results = MyModel.objects.filter(created_at__year=2024, created_at__month=5)
results = MyModel.objects.filter(created_at__year=2024, created_at__month=5, created_at__day=21)

外键字段查询

1. 跨表查询

results = MyModel.objects.filter(user__email='example@example.com') 

示例代码

# 导入必要的模块和类
from django.db import models

# 创建模型类
class MyModel(models.Model):
    title = models.CharField(max_length=100)
    price = models.DecimalField(max_digits=10, decimal_places=2)
    created_at = models.DateTimeField()

# 使用 filter 方法进行数据查询
results = MyModel.objects.filter(title='Example', price__gt=10)

# 打印结果
for result in results:
    print(result)

到此这篇关于使用Django中的filter方法进行数据查询的基本操作的文章就介绍到这了,更多相关Django filter数据查询内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!

您可能感兴趣的文章:
阅读全文