Liondancer
Liondancer

Reputation: 16469

Displaying form content instead of form object name

I am new to Django and I am trying to create a form in a template. I think I have accomplished this however I a missing a piece. This is what I currently see:

enter image description here

I think I am missing something from my form class that should display the choices.

forms.py

from django import forms

class TestForm(forms.Form):
    one = forms.ChoiceField(choices=('HDFS', 'HDFS'), widget=forms.RadioSelect())
    two = forms.ChoiceField(choices=('HIVE', 'HIVE'), widget=forms.RadioSelect())
    three = forms.ChoiceField(choices=('BOTH', 'Both of HDFS and HIVE'), widget=forms.RadioSelect())
    beatle = [one, two, three]
    event_textarea = forms.Textarea(attrs={'rows': '8', 'class': 'form-control', 'placeholder': 'Events...', 'id': 'event_textarea'})

views.py

def home(request):
    if request == 'POST':
        # create a form instane and populate it with data from the request
        form = TestForm(request.POST)
        if form.is_valid():
            # process the data in form.cleaned_data as required
            form.cleaned_data()
            # redirect to a new URL:
            return HttpResponseRedirect('/test/')
    # if a GET (or any other method) we'll create a blank form
    else:
        form = TestForm()
    return render(request, 'home/home_page.html', {'form': form})

template:

{% extends 'index/index.html' %}

{% load staticfiles %}
{% block head %}
  <script type="text/javascript" src="{{ STATIC_URL }}home/js/home.js" async></script>
  <link href="{{ STATIC_URL }}home/css/home.css" rel="stylesheet">
{% endblock head %}

{% block content %}

  <div>Welcome to Trinity E2E testing</div>

  <form id="test-form" action="/test/" method="post"> {# pass data to /test/ URL #}
    {% csrf_token %}
    {% for radio in form.beatle %}
    <div class="btn btn-default btn-lg">
      {{ radio }}
    </div>
    {% endfor %}
    {{ form.event_textarea }}

    <input id="submit-test" type="submit" class="btn btn-default btn-lg" value="Submit">
  </form>

{% endblock content %}

Upvotes: 1

Views: 60

Answers (1)

falsetru
falsetru

Reputation: 369014

beatle list contains references to class attributes, not instance attributes.

How about make it a instance method to return instance attributes (form fields):

def beatle(self):
    return [self.one, self.two, self.three]

UPDATE

To correctly return bound fields:

def beatle(self):
    return [self['one'], self['two'], self['three']]

or

def beatle(self):
    return [self[name] for name in ['one', 'two', 'three']]

Upvotes: 2

Related Questions