2

我收到此错误。我不明白它的头和尾。

__init__() got multiple values for keyword argument 'max_length'.

我将三个字段添加到UserCreationFormfrom django.contrib.auth.forms,它们是emailfirst name并且last name我想将它们保存到我的 User 对象中。(名字和姓氏是否会自动保存)。

这是我form正在尝试加载的内容。

class MyRegistrationForm(UserCreationForm):
    #define fields
    email=forms.EmailField(required=True)
    first_name = forms.CharField(_('first name'), max_length=30, required=True)
    last_name = forms.CharField(_('last name'), max_length=30, required=True)
    helptext={'username':"* must contain only alphabets and numbers",
              'email':"*",
              'password1':"*must contain alphabets in upper and lower case, numbers special char",
              'password2': "*Enter the same password as above, for verification"}

    err_messages={'invalid_username': _("username must include only letters and numbers"),
        'password_length': _("minimum length must be 8 characters"),
        'password_invalid':_("must include special character")}

    def __init__(self, *args, **kwargs):
        super(MyRegistrationForm, self).__init__(*args, **kwargs)
        for fieldname in ['username', 'password1', 'password2','email']:
            self.fields[fieldname].help_text = self.helptext[fieldname]
            self.error_messages.update(self.err_messages)




    class Meta:
        model=User
        fields=('first_name','last_name','username','email','password1','password2')
    #import pdb; pdb.set_trace()    

    def clean_username(self):
        # Since User.username is unique, this check is redundant,
        # but it sets a nicer error message than the ORM. See #13147.
        username = self.cleaned_data["username"]
        if not re.match(r'^\w+$',username):
            raise forms.ValidationError(
            self.error_messages['invalid_username'],
            code='invalid_username',
        )
        return super(MyRegistrationForm, self).clean_username()


    def clean_password2(self):
        password1 = self.cleaned_data.get("password1")
        if len(password1)<8:
            raise forms.ValidationError(
            self.error_messages['password_length'],
            code='password_length',
        )
        if not (re.search(r'[a-z]', password1) and 
                re.search(r'[A-Z]', password1) and
                re.search(r'[^a-zA-Z\d\s:;]',password1)):
            raise forms.ValidationError(
            self.error_messages['password_invalid'],
            code='password_invalid',
        )
        return super(MyRegistrationForm, self).clean_password2()

    def clean_email(self):
            email = self.cleaned_data["email"]
            try:
                user = User.objects.get(email=email)
                print user.email
                print user.username
                raise forms.ValidationError("This email address already exists. Did you forget your password?")
            except User.DoesNotExist:
                return email

    def save(self, commit=True):
            user = super(MyRegistrationForm, self).save(commit=False)
            user.email=self.cleaned_data["email"]
            if commit:
                user.save()
            return user

我已经阅读了这篇文章,但它对我的情况没有帮助。

4

2 回答 2

4

表单字段不是模型字段:它们不将位置参数作为详细名称。您需要将其指定为labelkwarg:

first_name = forms.CharField(label=_('first name'), max_length=30, required=True)
于 2014-03-20T20:11:44.643 回答
2

丹尼尔上面建议的应该可行。

first_name = forms.CharField(label=_('first name'), max_length=30, required=True)

您也不需要保存first namelast_name明确。上面的人会照顾它save function。除非你想自己做一些cleaning

于 2014-03-20T20:20:22.723 回答