仅当条件匹配

时间:2016-02-24 22:27:14

标签: django django-admin

我想仅在某个条件匹配时才显示Django admin的某些列表过滤器。例如,我现在有3个过滤器:countrystatecity。所有这三个同时出现都会产生一个真正的混乱和一个非常长的侧边栏,因为它结合了一长串的城市,州和国家。

我想要做的只是首先显示国家/地区,点击某个国家/地区时我想显示该国家/地区的州和城市过滤器中的州。默认情况下这是可行的还是我必须自己创建一个自定义过滤器?

list_filter = (
    ('loc_country_code', custom_titled_filter( 'country' )),
    ('loc_state', custom_titled_filter( 'state' )),
    ('loc_city', custom_titled_filter( 'city' )),
)

1 个答案:

答案 0 :(得分:0)

您可以创建自定义SimpleListFilter以在管理员上生成动态过滤器。在SimpleListFilter中,如果lookups方法返回空元组/列表,则禁用过滤器(也从视图中隐藏)。这可用于控制何时出现某些过滤器。

这是一个基本过滤器:

class CountryFilter(admin.SimpleListFilter):

    title = 'Country'
    parameter_name = 'country'

    def lookups(self, request, model_admin):
        """ Return a list of (country_id, country_name) tuples """
        countries = Country.objects.all()
        return [(c.id, c.name) for c in countries]

    def queryset(self, request, queryset):
        ...

以下是根据上述过滤器限制选项的过滤器:

 class StateFilter(admin.SimpleListFilter):

     title = 'State'
     parameter_name = 'state'

     def lookups(self, request, model_admin):
         """ 
         Return a list of (state_id, state_name) tuples based on 
         country selected 
         """

         # retrieve the current country the user has selected
         country_id = request.GET.get('country')
         if country_id is None:
             # state filter will be hidden
             return []

         # only return states which belong in the country
         states = State.objects.filter(country_id=country_id)
         return [(s.id, s.name) for s in states]

     def queryset(self, request, queryset):
         ...

一般的想法是在过滤器类上使用lookups来限制后续过滤器上的选项。这些过滤器可以通过list_filter参数应用于管理员。

class MyAdmin(admin.ModelAdmin):

     list_filter = [CountryFilter, StateFilter, CityFilter, ...]