12

如果没有可显示的内容,我想显示空的表单域,否则显示一个包含值的表单域:

{% if somevalue %}
  {{form.fieldname}} #<---- how do i set the `somevalue` as value of fieldname here?
{% else %}
  {{form.fieldname}}
{% endif %}
4

2 回答 2

25

在您看来,如果它的 CBV

class YourView(FormView):
    form_class = YourForm

    def get_initial(self):
        # call super if needed
        return {'fieldname': somevalue}

如果它的通用视图,或者不是FormView你可以这样做

form = YourForm(initial={'fieldname': somevalue})
于 2013-10-20T16:01:11.747 回答
12

有多种方法可以以 django 形式提供初始数据。
至少其中一些是:

1)提供初始数据作为字段参数。

class CityForm(forms.Form):
    location = ModelChoiceField(queryset=City.objects.all(), initial='Munchen')

2)在表单的init方法中设置:

class CityForm(forms.Form):
    location = ModelChoiceField(queryset=City.objects.all())

    def __init__(self, *args, **kwargs):
        super(JobIndexSearchForm, self).__init__(*args, **kwargs)
        self.fields['location'].initial = 'Munchen'

3) 实例化表单时传递带有初始值的字典:

#views.py
form = CityForm(initial={'location': 'Munchen'})

在你的情况下,我想这样的事情会起作用..

class CityForm(forms.Form):
    location = ModelChoiceField(queryset=City.objects.all())

    def __init__(self, *args, **kwargs):
        super(JobIndexSearchForm, self).__init__(*args, **kwargs)
        if City.objects.all().exists():
            self.fields['location'].initial = ''
        else:
            self.field['location'].initial = City.objects.all()[:1]

这一切都只是为了演示,你必须适应你的情况。

于 2013-10-20T15:43:46.047 回答