Django:通过多对多字段订购模型

时间:2009-06-01 13:16:26

标签: sql django database-design django-models

我正在编写一个Django应用程序,它有一个People模型,我遇到了麻烦。我正在为使用多对多关系的人分配角色对象 - 其中角色具有名称和权重。我希望按照他们最重要的角色来命令我的人员名单。如果我做People.objects.order_by(' - roles__weight'),那么当人们分配了多个角色时,我会得到重复。

我最初的想法是添加一个名为 heavy-role-weight 的非规范化字段 - 并按此排序。每次添加或从用户删除新角色时,都可以更新此信息。但是,事实证明,每次在Django(yet中)更新ManyToManyField时都无法执行自定义操作。

所以,我认为我可以完全超越并编写自定义字段,描述符和管理器来处理这个问题 - 但是当为ManyToManyField动态创建ManyRelatedManager时,这似乎非常困难。

我一直试图想出一些聪明的SQL,可以为我做这件事 - 我确信它可以用子查询(或少数),但我会担心它不兼容所有的数据库后端Django支持。

以前是否有人这样做过 - 或者有任何想法如何实现?

3 个答案:

答案 0 :(得分:13)

Django 1.1(目前为测试版)增加了aggregation支持。您的查询可以通过以下方式完成:

from django.db.models import Max
People.objects.annotate(max_weight=Max('roles__weight')).order_by('-max_weight')

这会按照最重要的角色对人进行排序,而不会返回重复项。

生成的查询是:

SELECT people.id, people.name, MAX(role.weight) AS max_weight
FROM people LEFT OUTER JOIN people_roles ON (people.id = people_roles.people_id)
            LEFT OUTER JOIN role ON (people_roles.role_id = role.id)
GROUP BY people.id, people.name
ORDER BY max_weight DESC

答案 1 :(得分:6)

这是一种没有注释的方法:

class Role(models.Model):
    pass

class PersonRole(models.Model):
    weight = models.IntegerField()
    person = models.ForeignKey('Person')
    role = models.ForeignKey(Role)

    class Meta:
        # if you have an inline configured in the admin, this will 
        # make the roles order properly 
        ordering = ['weight'] 

class Person(models.Model):
    roles = models.ManyToManyField('Role', through='PersonRole')

    def ordered_roles(self):
        "Return a properly ordered set of roles"
        return self.roles.all().order_by('personrole__weight')

这可以让你说:

>>> person = Person.objects.get(id=1)
>>> roles = person.ordered_roles()

答案 2 :(得分:1)

SQL中的这样的东西:

select p.*, max (r.Weight) as HeaviestWeight
from persons p
inner join RolePersons rp on p.id = rp.PersonID
innerjoin Roles r on rp.RoleID = r.id
group by p.*
order by HeaviestWeight desc

注意:您的SQL方言可能不允许使用p。*分组。如果是这样,只需列出要在select子句中使用的表p中的所有列。

注意:如果您只是按p.ID分组,则无法在select子句中调用p中的其他列。

我不知道这是如何与Django交互的。