choicefield的Django初值

2024-05-17 14:57:57 发布

您现在位置:Python中文网/ 问答频道 /正文

我遇到了一个奇怪的问题,我似乎无法在django中设置表单中某个字段的初始值。

我的模型字段是:

section = models.CharField(max_length=255, choices=(('Application', 'Application'),('Properly Made', 'Properly Made'), ('Changes Application', 'Changes Application'), ('Changes Approval', 'Changes Approval'), ('Changes Withdrawal', 'Changes Withdrawal'), ('Changes Extension', 'Changes Extension')))

我的表单代码是:

class FeeChargeForm(forms.ModelForm):
    class Meta:
        model = FeeCharge
        # exclude = [] # uncomment this line and specify any field to exclude it from the form

    def __init__(self, *args, **kwargs):
        super(FeeChargeForm, self).__init__(*args, **kwargs)
        self.fields['received_date'] = forms.DateField(('%d/%m/%Y',), widget=forms.DateTimeInput(format='%d/%m/%Y', attrs={'class': 'date'}))
        self.fields['comments'].widget.attrs['class']='html'
        self.fields['infrastructure_comments'].widget.attrs['class']='html'

我的视图代码是:

form = FeeChargeForm(request.POST or None)
form.fields['section'].initial = section

其中section是传递给函数的url变量。我试过:

form.fields['section'].initial = [(section,section)]

也不走运

你知道我做错了什么吗?或者有没有更好的方法从url变量设置这个选项字段的默认值(在表单提交之前)?

提前谢谢!

更新:这似乎与URL变量有关。。如果我使用:

form.fields['section'].initial = "Changes Approval"

它是np.的。。如果我的HttpResponse(部分)它的输出正确。


Tags: selfform表单fieldsapplicationsectionformswidget
2条回答

问题是一起使用request.POSTinitial={'section': section_instance.id})。这是因为request.POST的值总是覆盖参数initial的值,所以必须将其分开。我的解决办法是用这种方式。

在views.py中:

if request.method == "POST":
    form=FeeChargeForm(request.POST) 
else:
    form=FeeChargeForm() 

在forms.py中:

class FeeChargeForm(ModelForm):
    section_instance = ... #get instance desired from Model
    name= ModelChoiceField(queryset=OtherModel.objects.all(), initial={'section': section_instance.id})

—————————————————————————

在views.py中:

if request.method == "POST":
    form=FeeChargeForm(request.POST) 
else:
    section_instance = ... #get instance desired from Model
    form=FeeChargeForm(initial={'section': section_instance.id}) 

在forms.py中:

class FeeChargeForm(ModelForm):
    name= ModelChoiceField(queryset=OtherModel.objects.all())

更新 尝试转义您的url。下面的答案和文章应该会有帮助:

How to percent-encode URL parameters in Python?

http://www.saltycrane.com/blog/2008/10/how-escape-percent-encode-url-python/

尝试按以下方式设置该字段的初始值,并查看是否有效:

form = FeeChargeForm(initial={'section': section})

我假设当用户发布表单时,您会做很多其他事情,这样您就可以使用以下内容将POST表单与标准表单分开:

if request.method == 'POST':
    form = FeeChargeForm(request.POST)
form = FeeChargeForm(initial={'section': section})

相关问题 更多 >