如何在django ModelForm中输入字段可选?

问题描述 投票:0回答:1

场景:我实例化一个ModelForm并将其传递给显示表单的模板。提交POST时,代码尝试按任何给定输入搜索数据库。我不要求在模型中输入所有输入。我只需要输入一个(或更多,如果用户希望进行AND搜索)。

问题:如何使任何ModelForm字段可选,在Model中,该字段不是可选的。该字段在模型中是不可选的,因为我有另一个基于相同模型的ModelForm,用户需要输入所有细节。

我的模特:

class customer(models.Model):
    # Need autoincrement, unique and primary
    cstid = models.AutoField(primary_key=True, unique=True)
    name = models.CharField(max_length=35)
    age=models.IntegerField()
    gender_choices = (('male', 'Male'),
                            ('female', 'Female'))
    gender = models.CharField(
        choices=gender_choices, max_length=10, default='male')
    maritalstatus_choices = ( ('married', 'Married'),
                            ('unmarried', 'Unmarried'))
    maritalstatus = models.CharField(
        choices=maritalstatus_choices, max_length=10, default='Unmarried')
    mobile = models.CharField(max_length=15, default='')
    alternate = models.CharField(max_length=15, default='')
    email = models.CharField(max_length=50, default='', blank=True)
    address = models.CharField(max_length=80, default='', blank=True)
    city = models.CharField(max_length=25, default='', blank=True)
    occupation = models.CharField(max_length=25, default='', blank=True)
    bloodgroup_choices = (('apos', 'A+'),
        ('aneg', 'A-'),
        ('bpos', 'B+'),
        ('bneg', 'B-'),
        ('opos', 'O+'),
        ('oneg', 'O-'),
        ('abpos', 'AB+'),
        ('abneg', 'AB-'),
        ('unspecified', '-')
        )
    bloodgroup = models.CharField(choices=bloodgroup_choices, max_length=3, default='-', blank=True)
    class Meta:
        unique_together = ["name", "mobile", "age"]
    def __str__(self):
        return self.name

我的表格:

class CheckinPatientMetaForm(ModelForm):
    class Meta:
        model = customer
        exclude = [
            'gender',
            'maritalstatus',
            'occupation',
            'bloodgroup'
        ]

views.朋友:

def checkin_patient(request):
    results = ''
    if request.method == 'POST':
        form = CheckinPatientMetaForm(request.POST)
        print("POST data",request.POST)
    else:
        form = CheckinPatientMetaForm()
    return render(request, 'clinic/checkin.html', {'rnd_num': randomnumber(), 'form': form, 'SearchResults': results})
python django model modelform
1个回答
1
投票

正如@bdbd在评论中提到的那样,你可以通过required=False指定。 例如,如果要将age字段设置为可选,请将其明确添加为

from django import forms


class CheckinPatientMetaForm(ModelForm):
    age = forms.IntegerField(required=False)

    class Meta:
        model = customer
        exclude = [
            'gender',
            'maritalstatus',
            'occupation',
            'bloodgroup'
        ]
© www.soinside.com 2019 - 2024. All rights reserved.