How to hide a field in django modelform?

10,987

You can use HiddenInput as ref1 widget:

class TestModelForm(ModelForm):
    class Meta:
        model = TestModel
        widgets = {
            'ref1': forms.HiddenInput(),
        }

Another option is saving form with commit argument equal False. This way you can include only visible fields in form and then update model instance with needed data:

def some_view(request):
    # ...
    if request.method == 'POST':
        form = TestModelForm(request.POST)
        if form.is_valid():
            instance = form.save(commit=False)
            ref = get_ref_according_to_url()
            instance.ref1 = ref
            instance.save()
            # ...
Share:
10,987
dspjm
Author by

dspjm

Updated on June 14, 2022

Comments

  • dspjm
    dspjm almost 2 years

    For example:

    class TestModel(models.Model):
        ref1 = models.ForeignKey(RefModel)
        text1 = models.TextField()
    
    class TestModelForm(ModelForm):
        class Meta:
            model = TestModel
            fields = ('text1')
    

    I only allow the user to input text1 field, but when I redefine the post method of my view, I also want to set the ref1 value, how should I do that?

    I wish I can let TestModelForm has the ref1 field but don't let user modify it, then I can modify the value of request.POSt in post method, and pass it to TestModelForm, is that possible?

  • Adrian Chrostowski
    Adrian Chrostowski about 5 years
    Finally someone made this thing clear enough. Thank you!