我在Django中有一个相当简单的博客,有文章和链接的单独模型。我想在我的模板中有一个循环,它按日期顺序列出它们,这意味着类似这样的东西:
def listview(request):
return render_to_response('index.dtmpl', {
'articles' : ArticlesAndLinks.objects.order_by('post_date')[:10]
}, context_instance = RequestContext(request)
我不知道该怎么做。我是否必须单独抓取Articles.objects.order_by('post_date')
和Links.objects.order_by('post_date')
,合并它们并重新排序?或者有更好的Django-ish / Pythonic方法来实现这个目标吗?
如果它有帮助,Posts和Links都是一个抽象类Post的子类,但由于它是一个抽象类,所以我无法在其上运行集合。
答案 0 :(得分:1)
事实证明解决方案是将抽象类变为真实类,然后我可以收集它。
答案 1 :(得分:0)
嗯,显而易见的答案就是让Post成为一个具体的课程。否则,您可能需要挤压ORM并使用手动编码的SQL或手动合并/订购两个查询集。鉴于数据集的规模很小,我会选择最后的解决方案。
答案 2 :(得分:0)
重构可能是更好的解决方案,但这是另一个可以完成工作的方法:
创建自定义管理器:
class PostManager(models.Manager):
def mixed(self, first):
all_dates = []
articles_dates = Articles.objects.extra(select={'type':'"article"'}).values('id', 'post_date', 'type').order_by('-post_date')[:first]
links_dates = Links.objects.extra(select={'type':'"link"'}).values('id', 'post_date', 'type').order_by('-post_date')[:first]
all_dates.extend(articles_dates)
all_dates.extend(links_dates)
# Sort the mixed list by post_date, reversed
all_dates.sort(key=lambda item: item['post_date'], reverse=True)
# Cut first 'first' items in mixed list
all_dates = all_dates[:first]
mixed_objects = []
mixed_objects.extend(Articles.objects.filter(id__in=[item['id'] for item in all_dates if item['type'] = 'article']))
mixed_objects.extend(Links.objects.filter(id__in=[item['id'] for item in all_dates if item['type'] = 'link']))
# Sort again the result list
mixed_objects.sort(key=lambda post: post.post_date, reverse=True)
return mixed_objects
并在抽象模型中使用它:
class Post(models.Model):
class Meta:
abstract = True
objects = PostManager()
然后对混合对象的调用将是:
Article.objects.mixed(10)