嵌套和分段脆片布局

时间:2018-01-21 02:54:18

标签: django django-forms django-crispy-forms formset inline-formset

TLDR问题:如何使用多个模型(一些相关,一些不相关)制作一个带有¿分段?(不确定这是否被认为是内联)布局的一个松脆形式。

我正在尝试理解Django中的几个东西:表单,表单集,嵌套表单和脆弱,我已经有一段时间了,感觉我很亲近,只需要有人来帮助连接点。我不确定如何在没有酥脆的情况下完成它,所以我开始沿着这条道路思考脆弱是解决方案。如果我错了请纠正,谢谢:)

我想要一个表单(如HTML格式,不一定是Django表单),它有一个包含大量字段的主模型,但在主要字段的中间有二级/三级模型。我非常接近布局,但似乎无法让二级/三级模型在布局中间渲染,更不用说编译时没有crispy / django错误。

以下是我想要获得的Integrated Models in Crispy Form

的颜色编码视觉效果

我认为至少有以下一种情况我错了:

  • 我没有打电话给正确的表格
  • 我没有正确使用formsets
  • 我没有在表单助手
  • 的布局中正确地将表单字段引用到正确的模型字段
  • 无法进行布局,或者我使用错误的代码结构来获得结果。
  • 我认为我不能直接在下面直接调用两个表单,因为它们不会嵌套/集成

上面列表项的代码(不能将代码块直接放在

之下)
#I don't think this will achieve the integration/nested look I am aiming for
#views.py:
parent_form = ParentForm()
child_form = ChildForm()
render(template.html, {
  "pform": parent_form,
  "cform": child_form
})

#template.html:
<form>
  {{ pform }}
  {{ cform }}
</form>

档案供参考

models.py

#Black in the picture
class Truck(models.Model):
  name = models.CharField(…)
  …

#Blue in the picture
class QuickInspection(models.Model):
  odometer = models.IntegerField(…)
  … (created_at, user_cookie#who did it, …)
  truck = models.ForeignKey(Truck)

-----
#These two are unrelated to the Truck in the DB, and I would prefer to keep it that way, if for at least to understand how to accomplish this 
-----
#Red
class Tires(models.Model):
  front_tire = models.CharField(…)
  … (created_at, …)
  truck = models.ForeignKey(Truck)
  full_inspection = models.ForeignKey(FullInspection, blank=True, null=True) #optional, and if it has this foreign key, then I know the Tires were looked at in a full inspection.  If not, then they were looked at in the quick inspection, without having a foreign key to the QuickInspection

#Green
class Brakes(models.Model):
  front_axle = models.CharField(…)
  …
  createdAt = models.DateTimeField(auto_now_add=True)
  truck = models.ForeignKey(Truck)
  pm = models.ForeignKey(PM, blank=True, null=True)
  full_inspection = models.ForeignKey(FullInspection, blank=True, null=True) #optional, same as full_inspection in Tires

views.py

def weeklyView(request, truckID):
  # POST
  if request.method == 'POST':
    # Check forms for valid data and save or provide error
    #return response
  # GET
  else:
    #make each form individually?
    quickForm = OHReadingForm(…)
    tireForm = TireForm()
    brakeForm = BrakeForm()

    #Or import a formset and helper?
    formset = ExampleFormSet()
    helper = ExampleFormSetHelper()

    response = render(request, 'trucks/weeklyInspection.html', {
      'ohrForm': ohrForm,
      'formset': formset,
      'helper': helper,
      'tireForm': tireForm,
      'truck': truck,
    })

forms.py

class QuickInspectionForm(forms.ModelForm):
  def __init__(self, *args, **kwargs):
    super(QuickInspectionForm, self).__init__(*args, **kwargs)
    self.helper = FormHelper()
    self.helper.form_tag = False
    self.helper.form_method = 'post'
    self.helper.form_action = 'quickInspectionURL'
    self.helper.layout = Layout(
        Div(
          Div(
            Fieldset(
              '',        # 'first arg is the legend of the fieldset',
              'quickInspectionMetric1', #From QuickInspection.metric1
              'quickInspectionMetric2', #From QuickInspection.metric2
              'quickInspectionMetric3', #From QuickInspection.metric3
            ),            
            css_class="blue"
          ),
          Div(
            Fieldset(
              'tireMetric1',  #from Tire.metric1
              'tireMetric2',  #from Tire.metric2
            css_class="red"
          ),
          Div(
            Fieldset(
              'brakeMetric1',  #from Brake.metric1
              'brakeMetric2',  #from Brake.metric2
            css_class="green"
          ),
          Div(
            Fieldset(
              'quickInspectionMetric4',  #from QuickInspection.metric4
              'quickInspectionMetric5',  #from QuickInspection.metric5
            css_class="blue"
          ),
        ),
        Div(
          FormActions(
            Reset('reset', 'Reset'),
            Submit('submit', 'Submit') #submit for all
          )
        ),
    )

  class Meta:
    model = QuickInspection
    fields = [
      'metric1','metric2','metric3','metric4','metric5',
      'truck',
      …,
    ]

ExampleFormSet = formset_factory(QuickInspectionForm, extra=1)
# Other failed attempts
# ExampleFormSet = inlineformset_factory(QuickInspectionForm, extra=1)
# ExampleFormSet = inlineformset_factory(QuickInspectionForm, TireForm, extra=1)
# ExampleFormSet = inlineformset_factory(QuickInspectionForm, TireForm, BrakeForm, extra=1)

class ExampleFormSetHelper(FormHelper):
  def __init__(self, *args, **kwargs):
    super(ExampleFormSetHelper, self).__init__(*args, **kwargs)
    self.form_method = 'post'
    self.form_tag = False
    self.layout = Layout(…)


#Same as Brake Form
class TireForm(forms.ModelForm):
  def __init__(self, *args, **kwargs):
    super(TCForm, self).__init__(*args, **kwargs)
    self.helper = FormHelper()
    self.helper.form_method = 'post'
    self.helper.form_action = 'tireURL'
    self.helper.layout = Layout(…)
  class Meta:
    model = TireCondition
    fields = [
      'metric1', 'metric2', …
      'truck',
    ]

JS fiddle for code repo。我不知道DJango般的小提琴环境......

1 个答案:

答案 0 :(得分:0)

Crispy独立于这个问题。表单可以包含在模板中:

{{form1}}
{{form2}}
...

{% crispy form1 form1.helper %} #although the helper name here is default and not needed
{% crispy form2 %} # form2.helper is implied
...

对于假设:

  • 我没有打电话给正确的表格
      不需要
    • 表格工厂,因为任何单一表格都没有多个版本
  • 我没有正确使用formset
    • 也不需要,因为没有任何单一形式的多个版本
  • 我没有在表单助手的布局中正确地将表单字段引用到正确的模型字段
    • 有点真实
  • 布局是不可能的,或者我应用错误的代码结构来获得结果。
    • 见下面的回答
  • 我不认为我可以直接在下面直接调用两个表单,因为它们不会嵌套/集成
    • 可以,见下文

使用相关对象/外键制作集成表单的代码:

views.py:

if request.method == 'POST':
  formData = request.POST.dict()
  form1 = form1Form(formData, instance=currentUser, prefix='form1')
  form2 = form2Form(formData, truck=truck, user_cookie=currentUser, prefix='form2')
  form3 = form3Form(formData, truck=truck, instance=truck, user_cookie=currentUser, prefix='form3')
  form4 = form4Form(formData, truck=truck, user_cookie=currentUser, prefix='form4')
  userForm = userFormForm(formData, truck=truck, user_cookie=currentUser, prefix='userForm')
  ... Other forms as needed
if all([form1.is_valid(), form2.is_valid(), form3.is_valid(), form4.is_valid(), userForm.is_valid()]):
  currentUser.save()
  form1.save()
  form2.save()
  ...
# The Get
else:
  form1 = form1Form(instance=truck, prefix='form1')
  form2 = form2Form(instance=truck, prefix='form2')
  form3 = form3Form(instance=truck, prefix='form3')
  form4 = form4Form(instance=truck, prefix='form4')
  userForm = userForm(instance=currentUser, prefix='userForm')

return render(request, 'trucks/weeklyInspection.html', {
  'truck': truck,
  'form1': form1,
  'form2': form2,
  'form3': form3,
  'form4': form4,
  'userForm': userForm,
})

template.html:

<div class="container">
  <form action="{% url 'app:formAllView' truck=truck %}" class="form" method="post">
    {{ form1 }}
    {{ form2 }}
    {{ form3 }}
    {{ form4 }}
    # Either put the submit in the form here manually or in the form4 template
  </form>

forms.py

# create a shared 
class BaseSharedClass(forms.ModelForm):
  def save(self, commit=True):
  """Save the instance, but not to the DB jsut yet"""
  obj = super(WIBaseClass, self).save(commit=False)
  if commit:
    obj.currentUser = self.currentUser
    obj.truck = self.truck
    obj.save()
  return obj
def __init__(self, *args, **kwargs):
  self.currentUser = kwargs.pop('currentUser', None)
  self.truck = kwargs.pop('truck', None)
  super(WIBaseClass, self).__init__(*args, **kwargs)

#note inherting the base shared class
class form1Form(BaseSharedClass):
  def __init__(self, *args, **kwargs):
    super(form1Form, self).__init__(*args, **kwargs)

重要部分

在forms.py

中构建表单时
  • 总体
    • 创建一个父类(BaseSharedClass),所有需要共享信息的表单都将继承自
    • 从父类扩展所有需要共享信息的表单(class form1Form(BaseSharedClass))
  • 关于启动
    • 从表单中删除共享对象,以避免在同一页面中的所有表单中重复共享字段(self.currentUser = kwargs.pop(&#39; currentUser&#39;,None) &amp;&amp;&amp; self.truck = kwargs.pop(&#39; truck&#39;,None))
  • 关于储蓄
    • 覆盖保存功能以执行魔术
    • make commit=false以防止它仅保存
    • 从传入的上下文中添加相关字段(obj.currentUser = self.currentUser&amp;&amp; obj.truck = self.truck),然后保存(obj.save())

在视图中创建表单时:

  • 传递共享对象instance=truck的实例。如果您还需要访问其他对象,也可以传递其他对象,例如relatedObject=queriredObject
  • 传递前缀prefix=formIdentifierN,因为这有助于Django跟踪哪些唯一信息,字段,条目与哪些表单相关联。不需要特殊的命名,form1,form2等......只要你知道每个命名都很好。

在视图中保存表单时:

  • 此处的所有内容与单个表单相同(保存,错误处理等),但您可以使用all( [a,b,c,d] )
  • 在一行中进行检查