在我维护的基于Django的社交网站中,用户发布照片。每张张贴的照片都是一张照片流的一部分(即相关照片列表)。我通过CBV(ListView)的get_queryset
方法计算了200张最近的照片:
def get_queryset(self):
return Photo.objects.order_by('-id')[:200]
接下来,对于每张照片,我附加了count
存在的相关照片数量。我首先检查每张照片属于哪个照片流,然后从所述流中获取其他照片,最后根据新鲜度排除一些照片。换句话说:
for obj in context["object_list"]:
count = Photo.objects.filter(which_stream=obj.which_stream).order_by('-upload_time').exclude(upload_time__gt=obj.upload_time).count()
然后count
与每个obj
配对,这样我最终会得到一个用于填充模板的字典。正如您所猜测的那样,我基本上使用此信息显示相关照片的数量以及每张列出的照片。
但这样做只是太多的数据库查找! 如何针对性能优化此功能?请提供建议!
此处包含相关字段的photo
和photostream
数据模型:
class Photo(models.Model):
owner = models.ForeignKey(User)
which_stream = models.ForeignKey(PhotoStream)
image_file = models.ImageField(upload_to=upload_photo_to_location, storage=OverwriteStorage())
upload_time = models.DateTimeField(auto_now_add=True, db_index=True)
class PhotoStream(models.Model):
stream_cover = models.ForeignKey(Photo)
children_count = models.IntegerField(default=1)
creation_time = models.DateTimeField(auto_now_add=True)
答案 0 :(得分:1)
Plesae检查您是否可以使用Conditional Aggregations这样:
from django.db.models import Count, Case, When, IntegerField
Photo.objects.annotate(
count=Count(Case(
When(which_stream__photo__upload_time__lte=F('upload_time')), then=1),
output_field=IntegerField(),
))
).order_by('-id')[:200]
我还没有测试过这个,但我想你会知道如何使用它。