7

Django1.4:如何在模板中使用order_by?

模型.py

from django.db import models
from django.contrib.auth.models import User
from django.contrib.contenttypes.models import ContentType
from django.contrib.contenttypes import generic

class Note(models.Model):
    contents = models.TextField()
    writer = models.ForeignKey(User, to_field='username')
    date = models.DateTimeField(auto_now_add=True)

    content_type = models.ForeignKey(ContentType)
    object_id = models.PositiveIntegerField()
    content_object = generic.GenericForeignKey('content_type', 'object_id')


class Customer(models.Model):
    name = models.CharField(max_length=50,)
    notes = generic.GenericRelation(Note, null=True)

以上是我的models.py。

我想使用'order_by'(https://docs.djangoproject.com/en/dev/ref/models/querysets/#order-by)

和...

视图.py

from django.views.generic import DetailView
from crm.models import *

class customerDetailView(DetailView):
    context_object_name = 'customerDetail'
    template_name = "customerDetail.html"
    allow_empty = True
    model = Customer
    slug_field = 'name'

我的views.py 使用DetailView(https://docs.djangoproject.com/en/1.4/ref/class-based-views/#detailview)。

customerDetail.html

<table class="table table-bordered" style="width: 100%;">
    <tr>
        <td>Note</td>
    </tr>
    {% for i in customerDetail.notes.all.order_by %}<!-- It's not working -->
        <tr>
            <th>({{ i.date }}) {{ i.contents }}[{{ i.writer }}]</th>
        </tr>
    {% endfor %}
</table>

我想在模板中使用 order_by ...

我该怎么办?

4

2 回答 2

9

查看dictsort过滤器,我认为这几乎就是您要寻找的东西。

于 2013-02-13T15:43:10.467 回答
7

order_by 至少需要一个参数,而 Django 不允许您将参数传递给模板内的函数或方法。

一些替代方案是:

  • 使用Jinja2模板引擎而不是 Django 的模板引擎(Jinja2 可以让你将参数传递给方法,据说性能更好)
  • 在视图中对数据集进行排序
  • 使用“ Meta:ordering ”属性为您的模型定义默认排序标准
  • 编写一个自定义过滤器,以便您可以queryset|order_by:'somefield'请参阅此片段
  • 正如Michal所建议的,您可以使用预定义的方法为您需要的订单编写自定义管理器
于 2013-02-13T14:52:02.383 回答