15 class Profile(models.Model):
16 """
17 User profile model
18 """
19 user = models.ForeignKey(User, unique=True)
20 country = models.CharField('Country', blank=True, null=True, default='',\
21 max_length=50, choices=country_list())
22 is_active = models.BooleanField("Email Activated")
我有一个类似上面的模型,country
设置为blank=True, null=True
。
但是,在提交给最终用户的表单中,我要求完成国家/地区字段。
所以我在模型表单中重新定义了这样的字段,以“强制”它成为必需:
77 class ProfileEditPersonalForm(forms.ModelForm):
78
79 class Meta:
80 model = Profile
81 fields = ('email',
82 'sec_email',
83 'image',
84 'first_name',
85 'middle_name',
86 'last_name',
87 'country',
88 'number',
89 'fax',)
90
98 country = forms.ChoiceField(label='Country', choices = country_list())
所以国家领域只是一个例子(有很多)。还有更好的干嘛方式吗?
答案 0 :(得分:48)
您可以修改表单中__init__
中的字段。这是DRY,因为将从模型中使用标签,查询集和其他所有内容。这对于覆盖其他内容也很有用(例如,限制查询集/选择,添加帮助文本,更改标签,......)。
class ProfileEditPersonalForm(forms.ModelForm):
def __init__(self, *args, **kwargs):
super(ProfileEditPersonalForm, self).__init__(*args, **kwargs)
self.fields['country'].required = True
class Meta:
model = Profile
fields = (...)
以下是一篇描述相同“技巧”的博文:http://collingrady.wordpress.com/2008/07/24/useful-form-tricks-in-django/
答案 1 :(得分:5)
例如,在Django 3.0中,如果您想在用户注册表单集required=True
中创建必需的电子邮件:
from django import forms
from django.contrib.auth.models import User
from django.contrib.auth.forms import UserCreationForm
class MyForm(UserCreationForm):
email = forms.EmailField(required=True)
class Meta:
model = User
fields = ['username', 'email', 'password1', 'password2']