我正在尝试创建一个注册表单,但是我注意到当我使用UserCreationForm渲染{{ form.as_p }}
时,将为用户显示所有可能的字段。现在,我希望某些字段仅可供管理员访问。
因此,我知道您可以通过fields=(f1,f2...)
在元类中指定字段
但是,即使技术上没有在表格中显示恶意用户,难道不是恶意用户仍可以通过“秘密”字段手动提交POST请求吗?
我知道如何解决这个问题的唯一方法是手动验证每个字段并自己构造模型对象,以确保用户不会碰到这些“秘密”字段。但是,这似乎违反了使用UserCreationForm的目的。有更好的办法吗?
作为参考,当我要击败UserCreationField的目的时,我将无法安全使用user = super(UserCreationForm,self).save(commit=True)
吗?
最佳答案
如果表单不知道该字段存在(即不在其元类的fields
列表中),则它将不会在提交的数据中寻找该字段的值。因此,从表格中保存数据非常安全。
例如,假设我们有以下模型:
from django.db import models
class Person(models.Model):
name = models.CharField(max_length=100)
age = models.PositiveIntegerField(blank=True, null=True)
hobbies = models.CharField(max_length=200, blank=True, null=True)
然后,我们可以编写一个
LimitedCreateForm
,它仅获取姓名和爱好,并且不设置年龄。为了进行测试,我们可以在视图中使用此表单,该视图将提交的数据和相应的创建的人转回浏览器以进行调试:from django.shortcuts import render
from django import forms
from testapp.models import Person
class LimitedCreateForm(forms.ModelForm):
class Meta:
model = Person
fields = ('name', 'hobbies')
def create_limited(request):
submitted = ""
new_user = None
if request.method == 'POST':
submitted = str(request.POST)
form = LimitedCreateForm(request.POST)
if form.is_valid():
new_user = form.save()
else:
form = LimitedCreateForm()
data = {
'form': form,
'submitted': submitted,
'new_user': new_user,
}
return render(request, 'create_limited.html', data)
测试的最后一步是创建一个模板,该模板显示调试数据(来自表单的POST数据和创建的相应人员),并创建一个“恶意”表单,其中包含年龄字段:
<html>
<body>
<h1>
Submitted data:
</h1>
<p>
{{ submitted|default:"Nothing submitted" }}
</p>
<h1>
Created user
</h1>
<p>
Name: {{ new_user.name|default:"Nothing" }}
<br />
Age: {{ new_user.age|default:"Nothing" }}
<br />
Hobbies: {{ new_user.hobbies|default:"Nothing" }}
</p>
<h1>
Form
</h1>
<form method="post">
{% csrf_token %}
Name: <input type="text" name="name" id="id_name">
<br />
Age: <input type="text" name="age" id="id_age">
<br />
Hobbies: <input type="text" name="hobbies" id="id_hobbies">
<br />
<input type="submit" value="Create" />
</form>
</body>
</html>
如果随后运行它并提交一些值,则会得到以下调试输出:
提交的数据:
<QueryDict:
{u'age': [u'27'],
u'csrfmiddlewaretoken': [u'ed576dd024e98b4c1f99d29c64052c15'],
u'name': [u'Bruce'],
u'hobbies': [u'Dancing through fields of flowers']}>`
创建的用户
Name: Bruce
Age: Nothing
Hobbies: Dancing through fields of flowers
这表明表单忽略了提交的27岁年龄,仅保存了被告知的字段。
值得注意的是,如果您指定要排除的字段列表(即在表单元类中为
exclude = ('age',)
而不是fields = ('name', 'hobbies')
),情况也是如此。关于python - UserCreationForm Django,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/14176497/