How to I show a list of ForeignKey reverse lookups in the DJango admin interface?

独自空忆成欢 提交于 2019-11-27 01:51:14

问题


I have a couple of models:

class Customer(models.Model):
    customer_name = models.CharField(max_length=200)

    def __unicode__(self):
        return self.customer_name

    class Meta:
        ordering = ('customer_name',)

class Unit(models.Model):
    unit_number = models.IntegerField()
    rentable = models.BooleanField()
    owner = models.ForeignKey(Customer, related_name='units', blank=True, null=True)

    def __unicode__(self):
        return str(self.unit_number)

    class Meta:
        ordering = ('unit_number',)

I have the admin interface working fine when I'm adding a unit (I can select which customer to assign it to) but when I go to create/edit a customer in the DJango admin interface, it doesn't list any units to choose from. How can I enable the lookup in that section to match the one in the create/edit customer area?


回答1:


By default, a ModelAdmin will only let you manage the model "itself", not related models. In order to edit the related Unit model, you need to define an "InlineModelAdmin" - such as admin.TabularInline - and attach it to your CustomerAdmin.

https://docs.djangoproject.com/en/dev/ref/contrib/admin/#inlinemodeladmin-objects

For example, in your admin.py:

from django.contrib import admin
from models import Customer, Unit

class UnitInline(admin.TabularInline):
    model = Unit

class CustomerAdmin(admin.ModelAdmin):
    inlines = [
        UnitInline,
    ]
admin.site.register(Customer, CustomerAdmin)


来源:https://stackoverflow.com/questions/16070809/how-to-i-show-a-list-of-foreignkey-reverse-lookups-in-the-django-admin-interface

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!