Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

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

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?

like image 991
Jon Cage Avatar asked Apr 17 '13 21:04

Jon Cage


1 Answers

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) 
like image 115
Danny W. Adair Avatar answered Oct 02 '22 22:10

Danny W. Adair