Eugene
Eugene

Reputation: 17

Django Class-based Form is not displayed

New in Django. I'm trying to show form, but have instead it:
messag.views.CommentAdd object at 0x037860D0

forms.py:

from django.http import JsonResponse


class AjaxableResponseMixin(object):
    """
    Mixin to add AJAX support to a form.
    Must be used with an object-based FormView (e.g. CreateView)
    """

    def form_invalid(self, form):
        response = super(AjaxableResponseMixin, self).form_invalid(form)
        if self.request.is_ajax():
            return JsonResponse(form.errors, status=400)
        else:
            return response

    def form_valid(self, form):
        # We make sure to call the parent's form_valid() method because
        # it might do some processing (in the case of CreateView, it will
        # call form.save() for example).
        response = super(AjaxableResponseMixin, self).form_valid(form)
        if self.request.is_ajax():
            data = {
                'pk': self.object.pk,
            }
            return JsonResponse(data)
        else:
            return response

views.py:

class CommentAdd(AjaxableResponseMixin, CreateView):
    model = Comment
    fields = ['author_name', 'text', 'root']


class ShowTree(ListView):
    model = Comment
    template_name = 'comment_tree.html'

    def get_context_data(self, **kwargs):
        context = super(ShowTree, self).get_context_data(**kwargs)
        context['comment_form'] = CommentAdd()
        return context

Upvotes: 0

Views: 392

Answers (1)

fasouto
fasouto

Reputation: 4511

It doesn't work because you need to pass an form instance and you are passing a class based view. CreateView is a class based view, not a ModelForm.

It could be easier to create a CreateView like in the example and get the data to build the list in get_context_data()

Upvotes: 1

Related Questions