2 回答
TA贡献1818条经验 获得超8个赞
就我而言,我认为这很简单
Person.objects.filter(departement__company__id=company_id).distinct()
或使用公司名称:
Person.objects.filter(departement__company__name__iexact=company_name).distinct()
你的函数将变成:
def persons_by_company(company_name): return Person.objects.filter(departement__company__name__iexact=company_name).distinct()
它返回一个查询集并且速度更快。我用来iexact
避免区分大小写。
更新: .distinct()
只是为了删除重复的条目。
TA贡献1796条经验 获得超10个赞
首先,您必须将外键绑定到您的公司或部门
class Department(models.Model):
name = models.CharField(max_length=10)
company = models.ForeignKeyField(to=Company, related_name="department_company_key")
class Person(models.Model):
name = models.CharField(max_length=10)
person_department = models.ForeignKey(
'Department',
related_name="person_department_key"
on_delete=models.CASCADE,
blank=False,
null=False
)
然后在你的函数中:
def persons_by_company(company_name):
l = []
for d in Department.objects.filter(company__name=company_name):
for p in d.person_department_key.all(): # You also apply some filter()
l.append(p) # Remember This will append object not string or dictionary
return l
不要忘记相关名称必须是唯一的
添加回答
举报