python - 可以在字段集中使用的有序 ManyToManyField

标签 python django django-admin manytomanyfield

我一直在研究一个有序的 ManyToManyField 小部件,并且它的前端方面工作得很好:

alt text

不幸的是,我在让后端正常工作方面遇到了很多麻烦。连接后端的明显方法是使用一个 through 表,用 ForeignKey 键控模型到关系的两边,并覆盖保存方法。这会很好用,除了由于内容的特殊性,绝对要求将此小部件放置在字段集中(使用 ModelAdmin fieldsets 属性),即 apparently not possible .

我没主意了。有什么建议吗?

谢谢!

最佳答案

关于如何设置模型,您说得对,带有“订单”列的直通表是表示它的理想方式。你也是对的,因为 Django 不会让你在字段集中引用该关系。解决这个问题的诀窍是记住您在 ModelAdmin 的“fieldsets”或“fields”中指定的字段名称实际上并不引用 Model,但是对于 ModelForm 的字段,我们可以随意覆盖它。对于 many2many 字段,这会变得棘手,但请耐心等待:

假设您要表示比赛和参加比赛的参赛者,比赛和参赛者之间有一个有序的多对多,其中顺序代表参赛者在比赛中的排名。您的 models.py 将如下所示:

from django.db import models

class Contest(models.Model):
    name = models.CharField(max_length=50)
    # More fields here, if you like.
    contestants = models.ManyToManyField('Contestant', through='ContestResults')

class Contestant(models.Model):
    name = models.CharField(max_length=50)

class ContestResults(models.Model):
    contest = models.ForeignKey(Contest)
    contestant = models.ForeignKey(Contestant)
    rank = models.IntegerField()

希望这与您正在处理的问题类似。现在,对于管理员。我已经编写了一个示例 admin.py,其中包含大量注释来解释正在发生的事情,但这里有一个帮助您理解的摘要:

因为我没有您编写的有序 m2m 小部件的代码,所以我使用了一个简单地从 TextInput 继承的占位符虚拟小部件。输入包含参赛者 ID 的逗号分隔列表(无空格),他们在字符串中出现的顺序决定了他们在 ContestResults 模型中的“rank”列的值。

发生的事情是我们用我们自己的覆盖默认的 ModelForm for Contest,然后在其中定义一个“results”字段(我们不能称该字段为“contestants”,因为那里会与模型中的 m2m 字段有名称冲突)。然后我们覆盖 __init__(),当表单显示在管理中时调用它,因此我们可以获取可能已经为比赛定义的任何 ContestResults,并使用它们来填充小部件。我们还覆盖了 save(),这样我们就可以从小部件中获取数据并创建所需的 ContestResults。

请注意,为了简单起见,此示例省略了诸如小部件数据验证之类的事情,因此如果您尝试在文本输入中输入任何意外的内容,事情就会中断。此外,用于创建 ContestResults 的代码非常简单,可以大大改进。

我还应该补充一点,我实际上已经运行了这段代码并验证了它是否有效。

from django import forms
from django.contrib import admin
from models import Contest, Contestant, ContestResults

# Generates a function that sequentially calls the two functions that were
# passed to it
def func_concat(old_func, new_func):
    def function():
        old_func()
        new_func()
    return function

# A dummy widget to be replaced with your own.
class OrderedManyToManyWidget(forms.widgets.TextInput):
    pass

# A simple CharField that shows a comma-separated list of contestant IDs.
class ResultsField(forms.CharField):
    widget = OrderedManyToManyWidget()

class ContestAdminForm(forms.models.ModelForm):
    # Any fields declared here can be referred to in the "fieldsets" or
    # "fields" of the ModelAdmin. It is crucial that our custom field does not
    # use the same name as the m2m field field in the model ("contestants" in
    # our example).
    results = ResultsField()

    # Be sure to specify your model here.
    class Meta:
        model = Contest

    # Override init so we can populate the form field with the existing data.
    def __init__(self, *args, **kwargs):
        instance = kwargs.get('instance', None)
        # See if we are editing an existing Contest. If not, there is nothing
        # to be done.
        if instance and instance.pk:
            # Get a list of all the IDs of the contestants already specified
            # for this contest.
            contestants = ContestResults.objects.filter(contest=instance).order_by('rank').values_list('contestant_id', flat=True)
            # Make them into a comma-separated string, and put them in our
            # custom field.
            self.base_fields['results'].initial = ','.join(map(str, contestants))
            # Depending on how you've written your widget, you can pass things
            # like a list of available contestants to it here, if necessary.
        super(ContestAdminForm, self).__init__(*args, **kwargs)

    def save(self, *args, **kwargs):
        # This "commit" business complicates things somewhat. When true, it 
        # means that the model instance will actually be saved and all is
        # good. When false, save() returns an unsaved instance of the model.
        # When save() calls are made by the Django admin, commit is pretty
        # much invariably false, though I'm not sure why. This is a problem
        # because when creating a new Contest instance, it needs to have been
        # saved in the DB and have a PK, before we can create ContestResults.
        # Fortunately, all models have a built-in method called save_m2m()
        # which will always be executed after save(), and we can append our
        # ContestResults-creating code to the existing same_m2m() method.
        commit = kwargs.get('commit', True)
        # Save the Contest and get an instance of the saved model
        instance = super(ContestAdminForm, self).save(*args, **kwargs)
        # This is known as a lexical closure, which means that if we store
        # this function and execute it later on, it will execute in the same
        # context (i.e. it will have access to the current instance and self).
        def save_m2m():
            # This is really naive code and should be improved upon,
            # especially in terms of validation, but the basic gist is to make
            # the needed ContestResults. For now, we'll just delete any
            # existing ContestResults for this Contest and create them anew.
            ContestResults.objects.filter(contest=instance).delete()
            # Make a list of (rank, contestant ID) tuples from the comma-
            # -separated list of contestant IDs we get from the results field.
            formdata = enumerate(map(int, self.cleaned_data['results'].split(',')), 1)
            for rank, contestant in formdata:
                ContestResults.objects.create(contest=instance, contestant_id=contestant, rank=rank)
        if commit:
            # If we're committing (fat chance), simply run the closure.
            save_m2m()
        else:
            # Using a function concatenator, ensure our save_m2m closure is
            # called after the existing save_m2m function (which will be
            # called later on if commit is False).
            self.save_m2m = func_concat(self.save_m2m, save_m2m)
        # Return the instance like a good save() method.
        return instance

class ContestAdmin(admin.ModelAdmin):
    # The precious fieldsets.
    fieldsets = (
        ('Basic Info', {
            'fields': ('name', 'results',)
        }),)
    # Here's where we override our form
    form = ContestAdminForm

admin.site.register(Contest, ContestAdmin)

如果您想知道,我自己在我一直从事的项目中遇到过这个问题,所以大部分代码都来自该项目。我希望你觉得它有用。

关于python - 可以在字段集中使用的有序 ManyToManyField,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/3190735/

相关文章:

django - 如何从管理 ModelForm 清洁方法访问 request.user?

python - 关于拆分字符串的问题

django - Django 1.5中的模板上下文处理器在哪里?

python - cqlengine multilpe 键空间

django - 有什么方法可以通过查询集更新 ManyToMany 字段?

django - 在基于 Django 类的 View 中使用 modelformset_factory

django - 错误 ```禁止 (403) CSRF 验证失败。尝试登录管理员时请求中止 .`` `

python - 在 django 管理中显示带有货币的 DecimalField

python - 使用多个类似的 "while"语句缩短代码

python - Numpy:逐元素减去数组元素