-1

Djnago 型号:

class RootTable(models.Model):
    id = models.IntegerField(primary_key=True)
    field1 = models.CharField(max_length=100, unique=True)
    field2 = models.CharField(max_length=120, unique=True)

class SubTableA(models.Model):
    id = models.IntegerField(primary_key=True)
    field1 = models.ForeignKey(RootTable, null=True, blank=True)
    subtableAfield1 = models.CharField(max_length=180, blank=True)

class SubTableB(models.Model):
    id = models.IntegerField(primary_key=True)
    field1 = models.ForeignKey(SubTableA, null=True, blank=True)
    subtableBfield1 = models.CharField(max_length=180, blank=True)

class SubTable2(models.Model):
    id = models.IntegerField(primary_key=True)
    field1 = models.ForeignKey(RootTable, null=True, blank=True)
    subtable2field1 = models.CharField(max_length=180, blank=True)
    subtable2field2 = models.CharField(max_length=180, blank=True)


如果我使用这样的请求:

RootTable.objects.filter( subtable2__subtable2field1 = 'text' )

它仅从“RootTable”返回值。
SQL:

SELECT  'roottable'.'id',
        'roottable'.'field1',
        'roottable'.'field2',
FROM 'roottable'
INNER JOIN ...

但是如何从其他表中获取所有连接的值?
SQL:

SELECT  'roottable'.'id',
        'roottable'.'field1',
        'roottable'.'field2',
        'subtablea'.'subtableafield1',
        'subtableb'.'subtablebfield1',
        'subtable2'.'subtable2field1',
        'subtable2'.'subtable2field2',
FROM 'roottable', 'subtablea', 'subtableb', 'subtable2'
INNER JOIN ...

更新

我收到这样的回复:

[
{ 'roottable.id' : 'rid'},
{ 'subtablea.id' : 'id'},
{ 'subtablea.subtableafield1' : 'value1' },
...
{ 'roottable.id' : 'rid'},
{ 'subtablea.id' : 'id'},
{ 'subtablea.subtableafield1' : 'value2' },
]

但我需要这样的东西:

[
{ 'roottable.id' : 'rid'},
{ 'subtablea.id' : 'id'},
{ 'subtablea.subtableafield1' : ['value1','value2'] },
]

有没有一种快速的方法来获得这样的结构?

4

1 回答 1

0

Djangofilter()查询返回对象而不是特定属性。但是,您可以使用values()仅返回属性 dict。这也可以采用相关字段的属性。

但副作用是您必须传递要返回的属性名称(类似于 SQL)。

因此,您可以将查询更改为

RootTable.objects.filter(subtable2__subtable2field1='text').values('field1', 
    'field2', 'subtablea__subtable1field1', 'subtableb__subtable2field1')

更多参考Django Queryset 值

于 2012-09-06T10:35:27.010 回答