Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Custom Label in Django Formset

How do I add custom labels to my formset?

<form method="post" action="">

    {{ formset.management_form }}
    {% for form in formset %}
        {% for field in form %}
            {{ field.label_tag }}: {{ field }}
        {% endfor %}
    {% endfor %}
</form>

My model is:

class Sing(models.Model):
song = models.CharField(max_length = 50)
band = models.CharField(max_length = 50)

Now in the template instead of the field label being 'song', how do i set it so that it shows up as 'What song are you going to sing?'?

like image 524
Eva611 Avatar asked May 10 '11 12:05

Eva611


1 Answers

You can use the label argument in your form:

class MySingForm(forms.Form):
    song = forms.CharField(label='What song are you going to sing?')
    ...

If you are using ModelForms:

class MySingForm(forms.ModelForm):
    def __init__(self, *args, **kwargs):
        super(MySingForm, self).__init__(*args, **kwargs)
        self.fields['song'].label = 'What song are you going to sing?'
  
    class Meta:
        model = Sing

Update:

(@Daniel Roseman's comment)

Or in the model (using verbose_name):

class Sing(models.Model):
    song = models.CharField(verbose_name='What song are you going to sing?',
                            max_length=50)
    ...

or

class Sing(models.Model):
    song = models.CharField('What song are you going to sing?', max_length=50)
    ...
like image 128
manji Avatar answered Nov 10 '22 20:11

manji