I have the following models:
class Bill(models.Model):
date = models.DateTimeField(_("Date of bill"),null=True,blank=True)
class Item(models.Model):
name = models.CharField(_("Name"),max_length=100)
price = models.FloatField(_("Price"))
quantity = models.IntegerField(_("Quantity"))
bill = models.ForeignKey("Bill",verbose_name=_("Bill"),
related_name="billitem")
I know that this is possible:
from django.forms.models import inlineformset_factory
inlineformset_factory(Bill, Item)
and then process this via standard view.
Now I was wondering, if there is a way to achieve the same (meaning: using a inline for adding/editing items belonging to a bill) using class based views (not for the admin-interface).
Key points is:
generated FormSet
s within forms.py
using inlineformset_factory
:
BookImageFormSet = inlineformset_factory(BookForm, BookImage, extra=2)
BookPageFormSet = inlineformset_factory(BookForm, BookPage, extra=5)
returned the FormSet
s within a CreateView
class in views.py
:
def get_context_data(self, **kwargs):
context = super(BookCreateView, self).get_context_data(**kwargs)
if self.request.POST:
context['bookimage_form'] = BookImageFormSet(self.request.POST)
context['bookpage_form'] = BookPageFormSet(self.request.POST)
else:
context['bookimage_form'] = BookImageFormSet()
context['bookpage_form'] = BookPageFormSet()
return context
Used form_valid
to save the form and formset:
def form_valid(self, form):
context = self.get_context_data()
bookimage_form = context['bookimage_formset']
bookpage_form = context['bookpage_formset']
if bookimage_form.is_valid() and bookpage_form.is_valid():
self.object = form.save()
bookimage_form.instance = self.object
bookimage_form.save()
bookpage_form.instance = self.object
bookpage_form.save()
return HttpResponseRedirect('thanks/')
else:
return self.render_to_response(self.get_context_data(form=form))