admin管理员组文章数量:1347173
I have a ManyToManyField
using through
:
class Entity(models.Model):
relationships = models.ManyToManyField('self', through='ThroughRelationship', blank=True)
class ThroughRelationship(models.Model):
entity = models.ForeignKey(Entity, on_delete=models.CASCADE)
name = models.CharField()
I'm adding it to admin like this:
class ThroughRelationshipInline(admin.TabularInline):
model = ThroughRelationship
extra = 3
@admin.register(Entity)
class EntityAdmin(admin.ModelAdmin):
inlines = [ThroughRelationshipInline]
However, in the admin panel, only the name
field is showing, I can't select an entity
. How can I fix this?
I have a ManyToManyField
using through
:
class Entity(models.Model):
relationships = models.ManyToManyField('self', through='ThroughRelationship', blank=True)
class ThroughRelationship(models.Model):
entity = models.ForeignKey(Entity, on_delete=models.CASCADE)
name = models.CharField()
I'm adding it to admin like this:
class ThroughRelationshipInline(admin.TabularInline):
model = ThroughRelationship
extra = 3
@admin.register(Entity)
class EntityAdmin(admin.ModelAdmin):
inlines = [ThroughRelationshipInline]
However, in the admin panel, only the name
field is showing, I can't select an entity
. How can I fix this?
1 Answer
Reset to default 1The ThroughRelationShip
does not make much sense. Even if you have a ManyToManyField
to the same model, it should imply two ForeignKey
s, since the ThroughRelationShip
is essentially a "junction table" that links two entities together, so:
class Entity(models.Model):
relationships = models.ManyToManyField('self', through='ThroughRelationship', blank=True)
class ThroughRelationship(models.Model):
entity_from = models.ForeignKey(Entity, on_delete=models.CASCADE, related_name='relations_by_from')
entity_to = models.ForeignKey(Entity, on_delete=models.CASCADE, related_name='relations_by_to')
name = models.CharField()
and then work with:
class ThroughRelationshipInline(admin.TabularInline):
model = ThroughRelationship
extra = 3
fk_name = 'entity_from'
@admin.register(Entity)
class EntityAdmin(admin.ModelAdmin):
inlines = [ThroughRelationshipInline]
本文标签: djangoManyToMany with through ForeignKey not showing in adminStack Overflow
版权声明:本文标题:django - ManyToMany with through: ForeignKey not showing in admin - Stack Overflow 内容由网友自发贡献,该文观点仅代表作者本人, 转载请联系作者并注明出处:http://www.betaflare.com/web/1743832856a2546845.html, 本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容,一经查实,本站将立刻删除。
ThroughRelationShip
does not seem to make much sense, if it is a reference toself
, it still should require twoForeignKey
s. – willeM_ Van Onsem Commented 2 days ago