通过表单在Django中创建User



我想在Django中有一个用户注册表单,我知道对于后端,我应该有这样的东西:

>>> from django.contrib.auth.models import User
>>> user = User.objects.create_user('john', 'lennon@thebeatles.com', 'johnpassword')

>>> user.last_name = 'Lennon'
>>> user.save()

然而,我不知道如何制作前端。我已经在Django文档中查找了UserCreationForm类,它说它不推荐使用。我该怎么办?谢谢

试试这样的东西:

#forms.py
class UserCreationForm(forms.ModelForm):
"""A form for creating new users. Includes all the required
fields, plus a repeated password."""
password1 = forms.CharField(label='Password', widget=forms.PasswordInput)
password2 = forms.CharField(label='Password confirmation', widget=forms.PasswordInput)
class Meta:
model = MyUser
fields = ('email', 'date_of_birth')
def clean_password2(self):
# Check that the two password entries match
password1 = self.cleaned_data.get("password1")
password2 = self.cleaned_data.get("password2")
if password1 and password2 and password1 != password2:
raise ValidationError("Passwords don't match")
return password2
def save(self, commit=True):
# Save the provided password in hashed format
user = super().save(commit=False)
user.set_password(self.cleaned_data["password1"])
if commit:
user.save()
return user

您应该阅读Django文档中关于身份验证的这一部分。

最新更新