views:

1488

answers:

2

I have a form that inherits from 2 other forms. In my form, I want to change the label of a field that was defined in one of the parent forms. Does anyone know how this can be done?

I'm trying to do it in my __init__, but it throws an error saying that "'RegistrationFormTOS' object has no attribute 'email'". Does anyone know how I can do this?

Thanks.

Here is my form code:

from django import forms
from django.utils.translation import ugettext_lazy as _
from registration.forms import RegistrationFormUniqueEmail
from registration.forms import RegistrationFormTermsOfService

attrs_dict = { 'class': 'required' }

class RegistrationFormTOS(RegistrationFormUniqueEmail, RegistrationFormTermsOfService):
    """
    Subclass of ``RegistrationForm`` which adds a required checkbox
    for agreeing to a site's Terms of Service.

    """
    email2 = forms.EmailField(widget=forms.TextInput(attrs=dict(attrs_dict, maxlength=75)), label=_(u'verify email address'))

    def __init__(self, *args, **kwargs):
     self.email.label = "New Email Label"
     super(RegistrationFormTOS, self).__init__(*args, **kwargs)

    def clean_email2(self):
     """
     Verifiy that the values entered into the two email fields
     match. 
     """
     if 'email' in self.cleaned_data and 'email2' in self.cleaned_data:
      if self.cleaned_data['email'] != self.cleaned_data['email2']:
       raise forms.ValidationError(_(u'You must type the same email each time'))
     return self.cleaned_data
+2  A: 

You access fields in a form via the 'fields' dict:

self.fields['email'].label = "New Email Label"

That's so that you don't have to worry about form fields having name clashes with the form class methods. (Otherwise you couldn't have a field named 'clean' or 'is_valid') Defining the fields directly in the class body is mostly just a convenience.

Matthew Marshall
+12  A: 

You should use:

def __init__(self, *args, **kwargs):
    super(RegistrationFormTOS, self).__init__(*args, **kwargs)
    self.fields['email'].label = "New Email Label"

Note first you should use the super call.

Fernando Gutierrez
Well, that was easy enough. I'm surprised I wasn't able to find this anywhere when I was looking for it.
TehOne