我在forms.py中有以下表格:
class ContractForm(forms.Form):
title = forms.CharField()
start_date = forms.DateField()
end_date = forms.DateField()
description = forms.CharField(widget=forms.Textarea)
client = forms.ModelChoiceField(queryset=Client.objects.all())
def __init__(self, user, *args, **kwargs):
super(ContractForm, self).__init__(*args, **kwargs)
self.fields['client'] = forms.ModelChoiceField(queryset=Client.objects.filter(user=user))
clients = Client.objects.filter(user = user)
for client in clients:
print client
在我看来,这个方法看起来像这样:
def addContract(request):
if not request.user.is_authenticated():
return HttpResponseRedirect('/contractManagement/login/?next=%s' % request.path)
else:
if request.method == 'POST':
contractForm = ContractForm(request.POST)
title = request.POST['title']
start_date = request.POST['start_date']
end_date = request.POST['end_date']
description = request.POST['description']
client = request.POST['client']
user = request.user
contract = Contract(title,start_date,end_date,description,client,user)
contract.save()
return HttpResponseRedirect('../../accounts/profile/')
else:
user = request.user
print user.username
contractForm = ContractForm(user)
return render_to_response('newcontract.html', {'contractForm': contractForm})
但表单不会在浏览器中呈现。所有显示的都是提交按钮。我的HTML看起来像这样:
<html>
<head>
</head>
<body>
{% if contractForm.errors %}
<p style="color: red;">
Please correct the error{{ contractForm.errors|pluralize }} below.
</p>
{% endif %}
<form method="POST" action="">
<table>
{{ contractForm.as_table }}
</table>
<input type="submit" value="Submit" />
</form>
</body>
</html>
那么为什么表格不会呈现?
修改 我已经摆脱了需要用户的自定义客户端字段,但仍然无法呈现。我认为这可能会有所帮助。 所以表单可以使用这个类:
class ContractForm(forms.Form):
title = forms.CharField()
start_date = forms.DateField()
end_date = forms.DateField()
description = forms.CharField(widget=forms.Textarea)
client = forms.ModelChoiceField(queryset=Client.objects.all())
答案 0 :(得分:2)
queryset
的{{1}}参数应该是一个查询集。它应该是:
forms.ModelChoiceField
在使用self.fields['client'] = forms.ModelChoiceField(queryset=Client.objects.filter(user=user))
方法覆盖之前,您必须首先在表单中声明它:
__init__()
答案 1 :(得分:2)
除了Arnaud指向的QuerySet问题之外,这里还有很多问题。
首先,当您实例化表单以响应GET时,您执行contractForm = ContractForm(user)
。但是表单实例化的第一个参数(正如你在POST中正确做的那样)是发布的数据 - 而且你没有改变表单的__init__
签名。
其次,在__init__
本身中,您引用了一个user
变量:但实际上并没有从任何地方获取该变量。如果没有从某个地方接收变量,你就不能神奇地引用变量。
因此,要修复这些错误,您需要按如下方式更改init方法:
def __init__(self, *args, **kwargs):
user = kwargs.pop('user')
super(ContractForm, self).__init__(*args, **kwargs)
self.fields['client'].queryset=Client.objects.filter(user=user)
并在视图中实例化表单:
contractForm = ContractForm(user=request.user)
第三,尽管这与您发布的问题无关,但您永远不会在此表单上看到任何错误,因为您没有在POST部分检查它是否有效 - 您需要检查if contractForm.is_valid()
,如果没有落到最后的render_to_response
(需要在一个级别上缩进)。
此外,通过直接从request.POST
设置模型,您忽略了拥有表单的重点。您应该使用contractForm.cleaned_data
的内容来创建Contract实例。
最后,您应该调查一下ModelForm是否能更好地满足您的需求。
答案 2 :(得分:0)
更改视图中表单的名称。它现在看起来像这样
form = ContractForm(user=request.user)
它有效。