Prevent Django from querying for ForeignKey options for every form in ModelFormSet

后端 未结 1 2029
遥遥无期
遥遥无期 2020-12-14 04:35

I\'m building a csv import form for my Django application and want to display the to-be-imported rows in a ModelFormSet for validational purposes.

There

相关标签:
1条回答
  • 2020-12-14 05:00

    Django formsets just delegate all the details of form creation to the form objects themselves, and the individual form instances aren't aware of the others, so it isn't unexpected that each will have to query for its own choices.

    Caching could also have unintended side effects--for example, the form's __init__ function could be dependent on the initial data it received, making the cached form object incorrect.

    The best way to reduce the number of queries would be to retrieve the choice querysets once and then pass them to your form classes in their constructor. This will require defining a custom ModelForm and a custom ModelFormSet.

    Your form will need a constructor that accepts the choices directly:

    from django.forms.models import ModelForm
    
    class MyForm(ModelForm):
        def __init__(self, my_field_choices=None, *args, **kwargs):
            super(MyForm, self).__init__(*args, **kwargs)
            self.fields['my_field'].choices = my_field_choices
    

    And your formset will need to override a method to run the querysets and pass them into the forms as they're constructed:

    from django.forms.models import BaseModelFormSet
    
    class MyFormSet(BaseModelFormSet):
        def _construct_forms(self):
            # instantiate all the forms and put them in self.forms
            self.forms = []
    
            # Define each of your choices querysets
            my_field_choices = Model.object.filter(...)
    
            #Add your querysets to a dict to pass to the form
            form_defaults = {'my_field_choices': my_field_choices, }
    
            for i in xrange(min(self.total_form_count(), self.absolute_max)):
                self.forms.append(self._construct_form(i, **form_defaults))
    

    (see the Django source to look into how this would work)

    0 讨论(0)
提交回复
热议问题