0

是否可以将一些属性写入模型字段,以便稍后用于区分模板中的不同字段?

模型.py

from django.db import models

class Person(models.Model):
    first_name = models.CharField("i am the Label", max_length=30)
    last_name = models.CharField("i am other Label", max_length=30, customattr="Custom")

表格.py

class PersonForm(ModelForm):
    class Meta:
        Person

模板.html

<form action="" method="post">{% csrf_token %}
     {% for field in form %}
         {% ifequal field.customattr 'Custom' %} # HOW COULD THIS WORK?
            <p>Hello world.</p>
            {{ field }}
         {% else %}
            <p>This is not Custom</p>
            {{ field }}
         {% endifequal %}
     {% endfor %}
 <input type="submit" value="Submit" />
 </form>

有什么提示吗?

4

2 回答 2

0

不可能;field在您的模板代码中是表单字段,而不是模型字段。我会将表示逻辑从模型转移到模板中,然后执行以下操作:

<form action="" method="post">{% csrf_token %}
     {% for field in form %}
         {% if field.name == 'last_name' or field.name == 'another_field' %}
            <p>Hello world.</p>
            {{ field }}
         {% else %}
            <p>This is not Custom</p>
            {{ field }}
         {% endif %}
     {% endfor %}
 <input type="submit" value="Submit" />
 </form>

(在 Django 1.2 中添加了== 运算符)

于 2013-05-13T21:24:54.197 回答
0

我不明白你为什么要这样做。如果您想为您的 ModelForm 字段定义自定义 html,您可以像这样覆盖它:

class PersonForm(ModelForm):
    class Meta:
        Person
    first_name = forms.CharField(
        required = True,
        widget   = forms.TextInput(attrs={'style':'width:100px;'},
    )

像这样你可以告诉 Django 你想如何渲染你的 html。您可以在文档https://docs.djangoproject.com/en/dev/topics/forms/modelforms/#overriding-the-default-field-types-or-widgets中找到更多详细信息

于 2013-05-14T10:35:18.547 回答