5

给定以下模型:

class Store(models.Model):
    name = models.CharField(max_length=150)

class ItemGroup(models.Model):
    group = models.CharField(max_length=100)
    code = models.CharField(max_length=20)

class ItemType(models.Model):
    store = models.ForeignKey(Store, on_delete=models.CASCADE, related_name="item_types")
    item_group = models.ForeignKey(ItemGroup)
    type = models.CharField(max_length=100)

item_types内联的句柄Store在查看单个Store.

内容管理团队希望能够批量编辑商店及其类型。是否有一种简单的实现方法Store.item_typeslist_editable其中还允许添加新记录,类似于horizontal_filter?如果没有,是否有显示如何实现自定义list_editable模板的简单指南?我一直在谷歌搜索,但无法提出任何建议。

此外,如果有更简单或更好的方法来设置这些模型以使其更易于实现,请随时发表评论。

4

1 回答 1

1

让 ItemType 成为 Store 的 ManyToManyField 怎么样?

对我来说,如果您要更改商店中可用的 ItemTypes,那么您正在更改 Store 的属性(而不是 ItemType),这似乎是合乎逻辑的。

例如:

from django.db import models

class ItemGroup(models.Model):
    group = models.CharField(max_length=100)
    code = models.CharField(max_length=20)

class ItemType(models.Model):
    item_group = models.ForeignKey(ItemGroup)
    type = models.CharField(max_length=100)

class Store(models.Model):
    name = models.CharField(max_length=150)
    item_type = models.ManyToManyField(ItemType, related_name="store")

# admin
from django.contrib import admin

class StoreAdmin(admin.ModelAdmin):
    list_display=('name', 'item_type',)
    list_editable=('item_type',)

for model in [(Store, StoreAdmin), (ItemGroup,), (ItemType,)]:
    admin.site.register(*model)

我在这里收到一个错误:

File "C:\Python27\lib\site-packages\django\contrib\admin\validation.py", line 43, in validate
% (cls.__name__, idx, field))
django.core.exceptions.ImproperlyConfigured: 'StoreAdmin.list_display[1]', 'item_type' is a ManyToManyField which is not supported.

我通过在 django.contrib.admin.validation 中注释掉第 41-43 行来解决这个问题:

#if isinstance(f, models.ManyToManyField):
#    raise ImproperlyConfigured("'%s.list_display[%d]', '%s' is a ManyToManyField which is not supported."
#        % (cls.__name__, idx, field))

可能不是理想的解决方案,但它似乎对我有用。

于 2012-09-07T10:19:36.583 回答