Change list link to foreign key change page

后端 未结 2 1959
盖世英雄少女心
盖世英雄少女心 2020-12-20 11:58

When viewing the admin change list for a model, is it possible to make the columns that correspond to foreign keys links to their respective pages? A simple example is I ha

相关标签:
2条回答
  • 2020-12-20 12:13

    You can define a custom method to use in the changelist which returns the HTML of the link.

    from django.core.urlresolvers import reverse
    
    class MyFooAdmin(admin.ModelAdmin):
        list_display = ('foo', 'bar_link')
    
        def bar_link(self, obj):
            url = reverse('admin:myapp_bar_change', args=(obj.pk,))
            return '<a href="%s">Edit Bar</a>' % url 
        bar_link.allow_tags = True 
    

    One problem with your question as stated - if Foo has a foreign key to Bar, then each foo links to a single bar, so you can link to the edit page for that bar. However, each bar links to multiple foos, so it doesn't make sense to ask for a link to 'the Foo instance's edit page'. What you can do is link to the changelist page for Foo with the filter set to only show the instances that link to this Bar:

        def foo_link(self, obj):
            url = reverse('admin:myapp_foo_changelist')
            return '<a href="%s?bar=%s">See Foos</a>' % (url, obj.pk) 
        foo_link.allow_tags = True 
    
    0 讨论(0)
  • 2020-12-20 12:13

    I found and liked Daniel's answer, although the changelist variant clears away any changes you've already done. So this is a way to fix that:

    First you need to get a reference to the request, you can do that by wrapping changelist_view or queryset as I did:

    class CountryAdmin(ModelAdmin):
        model = Country
        list_display = ('pk', 'continent_changelist')
    
        # ...
    
        def queryset(self, request):
            self._get_params = request.GET
            return super(CountryAdmin, self).queryset(request)
    
        def continent_changelist(self, obj):
            url = reverse('admin:yourapp_country_changelist')
            querystring = self._get_params.copy()
            querystring['continent__id__exact'] = obj.continent.pk
            return u'<a href="{0}?{1}">{2}</a>'.format(
                url, querystring.urlencode(), obj.continent)
        continent_changelist.allow_tags = True
    

    That will give you a filter inside the changelist rows. I answered this in another question, but this was the place I actually came first, so wanted to record it here. :-)

    0 讨论(0)
提交回复
热议问题