69

我必须从模型生成一个 FormSet,但我需要在每个表单中插入一个“额外值”。

具体来说,我有一个 JApplet,它在图像上生成一些标记和路径,并将其发布到服务器上。

在我的模型中,线条由两个标记组成。但是当我发布它时,因为我使用的是从 JApplet 而不是从数据库生成的 id,所以我不知道路径将由哪些标记组成。

所以我想在表单的Marker上插入一个“临时id”,并在保存路径之前在视图中做正确的排列。

我考虑过为标记定义一个自定义表单,但它似乎不是很干燥,如果我更改标记模型,我不想回到这个问题上。

这是表格:

  class PointForm(forms.ModelForm):
    temp_id = forms.IntegerField()
    class Meta:
            model = Point

    def clean(self):
            if any(self.errors):
                    # Don't bother validating the formset unless each form is valid on its own
                    return

            ingresso = self.cleaned_data['ingresso']
            ascensore = self.cleaned_data['ascensore']
            scala = self.cleaned_data['scala']

            if (ingresso and ascensore) or (ingresso and scala) or (ascensore and scala):
                    raise forms.ValidationError("A stair cannot be a elevator or an access!!!") 
            return self

    def save(commit=True):
    # do something with self.cleaned_data['temp_id']
            super(PointForm).save(commit=commit)

和模型:

  class Point(models.Model):

    RFID = models.CharField(max_length=200, blank=True)

    x = models.IntegerField()
    y = models.IntegerField()

    piano = models.ForeignKey(Floor)

    ingresso = models.BooleanField()

错误:

  ViewDoesNotExist at /admin/
  Could not import buildings.views.getFloors. View does not exist in module buildings.views.
  Request Method:   GET
  Request URL:  http://127.0.0.1:8000/admin/
  Django Version:   1.4.1
  Exception Type:   ViewDoesNotExist
  Exception Value:  
  Could not import buildings.views.getFloors. View does not exist in module buildings.views.
  Exception Location:   /usr/local/lib/python2.7/dist-packages/django/core/urlresolvers.py in get_callable, line 101

当我尝试加载管理页面时生成错误,该页面根本没有与表单的引用。

例外的解决方案

好的,我将在这里写如何找出 Django 为何会做如此奇怪的事情。

是找出问题所在的正确方法。

抛出异常是因为我忘记添加forms.pyfrom django import forms.

4

2 回答 2

83

您可以将字段添加到 ModelForm。除非您在模型中添加一个名为 temp_id 的字段,否则您在更改模型时不需要更改此表单。

示例(使用名为 Point 的模型):

class PointForm (forms.ModelForm):
    temp_id = forms.IntegerField()

    class Meta:
        model = Point

    def save(self, commit=True):
        # do something with self.cleaned_data['temp_id']
        return super(PointForm, self).save(commit=commit)

更新:在 def save() 中忘记了 self 并将模型名称更改为 Point

于 2012-11-25T12:13:33.493 回答
5

为了跟进 relekang 的回答,我不得不提醒我也返回最后一行,以便在提交表单时自动调用对象的 get_absolute_url() 方法:

return super(PointForm, self).save(commit=commit)
于 2015-03-18T09:40:05.483 回答