Django 管理界面:使用带有内联 ManyToMany 字段的 Horizontal_filter
·
问题:Django 管理界面:使用带有内联 ManyToMany 字段的 Horizontal_filter
我有一个想要内联的 Django 模型字段。字段是多对多的关系。所以有“项目”和“用户配置文件”。每个用户配置文件都可以选择任意数量的项目。
目前,我已经让“表格”内联视图正常工作。有没有办法拥有“水平过滤器”,以便我可以轻松地从用户配置文件中添加和删除项目?
示例请看附图
这是用户配置文件的模型代码:
class UserProfile(models.Model):
user = models.OneToOneField(User, unique=True)
projects = models.ManyToManyField(Project, blank=True, help_text="Select the projects that this user is currently working on.")
以及项目的模型代码:
class Project(models.Model):
name = models.CharField(max_length=100, unique=True)
application_identifier = models.CharField(max_length=100)
type = models.IntegerField(choices=ProjectType)
account = models.ForeignKey(Account)
principle_investigator = models.ForeignKey(User)
active = models.BooleanField()
以及视图的管理代码:
class UserProfileInline(admin.TabularInline):
model = UserProfile.projects.through
extra = 0
verbose_name = 'user'
verbose_name_plural = 'users'
class ProjectAdmin(admin.ModelAdmin):
list_display = ('name', 'application_identifier', 'type', 'account', 'active')
search_fields = ('name', 'application_identifier', 'account__name')
list_filter = ('type', 'active')
inlines = [UserProfileInline,]
admin.site.register(Project, ProjectAdmin)
解答
问题不在于内联;一般来说,它来自ModelForm
的工作方式。他们只为模型上的实际字段构建表单字段,而不是相关的经理属性。但是,您可以将此功能添加到表单中:
from django.contrib.admin.widgets import FilteredSelectMultiple
class ProjectAdminForm(forms.ModelForm):
class Meta:
model = Project
userprofiles = forms.ModelMultipleChoiceField(
queryset=UserProfile.objects.all(),
required=False,
widget=FilteredSelectMultiple(
verbose_name='User Profiles',
is_stacked=False
)
)
def __init__(self, *args, **kwargs):
super(ProjectAdminForm, self).__init__(*args, **kwargs)
if self.instance.pk:
self.fields['userprofiles'].initial = self.instance.userprofile_set.all()
def save(self, commit=True):
project = super(ProjectAdminForm, self).save(commit=False)
if commit:
project.save()
if project.pk:
project.userprofile_set = self.cleaned_data['userprofiles']
self.save_m2m()
return project
class ProjectAdmin(admin.ModelAdmin):
form = ProjectAdminForm
...
一个小演练可能是为了。首先,我们定义一个userprofiles
表单域。它将使用ModelMultipleChoiceField
,默认情况下会产生一个多选框。由于这不是模型上的实际字段,我们不能只将其添加到filter_horizontal
,因此我们告诉它简单地使用相同的小部件FilteredSelectMultiple
,如果它在filter_horizontal
中列出,它将使用它。
我们最初将查询集设置为整个UserProfile
集,您不能在这里过滤它,但是,因为在类定义的这个阶段,表单还没有被实例化,因此还没有它的instance
集。因此,我们覆盖__init__
以便我们可以将过滤后的查询集设置为字段的初始值。
最后,我们重写save
方法,这样我们就可以将相关管理器的内容设置为与表单的 POST 数据中的内容相同,您就完成了。
更多推荐
所有评论(0)