我想使用通用布局在django-crispy中用Django构建几种形式。我阅读了有关布局的脆脆文档,但是我无法自己完成所有操作,因为出现消息错误:

append()仅接受一个参数(给定2个)。

请参阅下面的代码:

# a class with my common element
class CommonLayout(forms.Form, Layout):
    code = forms.CharField(
        label='Serial Number',
        max_length=12,
        required=True,
    )

    def __init__(self, *args, **kwargs):
        super(CommonLayout, self).__init__(*args, **kwargs)

        self.helper = FormHelper(self)
        self.helper.form_method = 'POST'

        self.helper.layout = Layout (
            Field('code', css_class='form-control', placeholder='Read the Serial Number'),
        )

#the class with the form
class CollectionForms(forms.Form):

    def __init__(self, *args, **kwargs):
        super(CollectionForms, self).__init__(*args, **kwargs)

        self.helper = FormHelper(self)
        self.helper.form_action = 'collection'

        self.helper.layout.append(
            CommonLayout(),
            FormActions(
                StrictButton('Pass', type="submit", name="result", value="True", css_class="btn btn-success"),
            )
        )


因此,我需要帮助才能正确处理此问题并传递给其他表单。

最佳答案

您正在创建一个CommonLayout表单类,并且试图让其他表单继承该表单的布局。

实现此目的的一种方法是使CollectionFormsCommonLayout继承,如下所示:

#the class with the form
class CollectionForms(CommonLayout):

    def __init__(self, *args, **kwargs):
        super(CollectionForms, self).__init__(*args, **kwargs)

        self.helper.form_action = 'collection'

        self.helper.layout.append(
            FormActions(
                StrictButton('Pass', type="submit", name="result", value="True", css_class="btn btn-success"),
            )
        )


请注意,这从Layout()形式继承了CommonLayout对象,并对其进行了扩展。您没有在FormHelper类中重新初始化CollectionForms对象,而是在修改从FormHelper表单类创建的CommonLayout对象。您先前的示例没有继承FormHelperCommonLayout,而是创建了一个新的Layout()对象,这是问题的根源。

10-08 18:38