1
In your view you are binding formset
to an ArticleForm
, not to an ArticleFormSet
. Also you are only creating one single Article
from it, and you’re not even using the form
properly (ie: you’re getting the title
directly from request.POST
instead of getting it from your form’s cleaned_data
). Your view code should look something like this (caveat: untested and possibly buggy code, but at least you’ll get the picture).
def book(request):
if request.method == 'POST':
formset = ArticleFormSet(request.POST)
if formset.is_valid():
for data in formset.cleaned_data:
Article.objects.create(title=data['title'])
return HttpResponseRedirect(reverse('firstapp.views.book'))
else:
formset = ArticleFormSet()
return render_to_response('get.html',{'formset': formset},
context_instance = RequestContext(request))
As a last point, I strongly suggest you have a look at ModelForms
.
Source:stackexchange.com