3

GenericForeignKey是否可以在 Django 管理员中按对象标题进行过滤?

我想按程序名称过滤,NonSupportedProgram.title或者SupportedProgram.titlelist_filter = (SOME FIELD HERE)),但不知道怎么做?

模型.py

class FullCitation(models.Model):
    # the software to which this citation belongs
    # either a supported software program or a non-supported software program
    content_type = models.ForeignKey(ContentType)
    object_id = models.PositiveIntegerField()
    content_object = generic.GenericForeignKey('content_type', 'object_id')

class NonSupportedProgram(models.Model):
    title = models.CharField(max_length=256, blank = True)
    full_citation = generic.GenericRelation('FullCitation')

class SupportedProgram(models.Model):
    title = models.CharField(max_length=256, blank = True)
    full_citation = generic.GenericRelation('FullCitation')
4

2 回答 2

1

也许您可以使用 SimpleListFilter 并定义自己的查询集,以便获得自己的结果。

更多信息在这里: https ://docs.djangoproject.com/en/1.8/ref/contrib/admin/#django.contrib.admin.ModelAdmin.list_filter

class YourCustomListFilter(admin.SimpleListFilter):
   title = 'By Program Name'
   parameter_name = 'program'

   def lookups(self, request, model_admin):
       return(
           ('supported','Supported Programs'),
           ('nonsupported', 'Non-Supported Programs')
       )

   def queryset(self, request, queryset):
        if self.value() == 'supported':
            return queryset.filter(supported__isnull=False)
        if self.value() == 'nonsupported':
            return queryset.filter(nonsupported__isnull=False)

admin.py
list_filter = (YourCustomListFilter,)

您需要在 GenericRelation 声明中添加 related_query_name='supported' 和 related_query_name='nonsupported' 以允许从相关对象进行查询。

有关在此处查询 GenericRelations 的更多信息: https ://docs.djangoproject.com/en/1.8/ref/contrib/contenttypes/#reverse-generic-relations

这应该是对正确方向的一点推动。

于 2015-10-12T08:30:12.153 回答
0

我认为合适的一种方法如下:

您可以将模型更改为以下内容:

class FullCitaton(models.Model):
    # Any Model Fields you want...
    program = ForeignKey('Program')

class Program(models.Model):
    title = models.CharField(max_length=256, blank = True)
    is_supported = models.NullBooleanField()

请注意,两者SupportedProgram现在NonSupportedProgram都在同一个Progam模型中。区分它们的方法是通过is_supported NullBoolean领域。然后,您所要做的就是Program使用标题字段查询模型。现在,也许您没有这样做,因为您有另一个我现在无法看到的问题。但是,无论如何,这应该有效。

干杯!

于 2015-05-31T19:06:42.157 回答