Не удалось выполнить ограничение UNIQUE: account_user.username
Я настроил модель пользователя. И я хочу создать суперпользователя в терминале и получаю ошибку.
У меня получилось только с первого раза((Я до сих пор не могу войти, выдает ошибку:Please enter the correct email address and password for a staff account. Обратите внимание, что оба поля могут быть чувствительны к регистру.)
Обратите внимание что я не ввожу дубликаты имени пользователя и электронной почты.
my models.y:
from django.contrib.auth.models import AbstractBaseUser, PermissionsMixin
from django.db import models
from django.utils.html import format_html
from .managers import UserManager
class User(AbstractBaseUser, PermissionsMixin):
email = models.EmailField(
verbose_name='email address',
max_length=255,
unique=True,
)
username = models.CharField(max_length=155, unique=True)
full_name = models.CharField(max_length=200 , null=True, blank=True)
phone_number = models.CharField(max_length=11, unique=True, null=True, blank=True)
is_active = models.BooleanField(default=True)
is_admin = models.BooleanField(default=False)
avatar = models.FileField(upload_to='avatar_user', null=True, blank=True)
objects = UserManager()
USERNAME_FIELD = 'email'
REQUIRED_FIELDS = ['username']
def __str__(self):
return self.email
def has_perm(self, perm, obj=None):
"Does the user have a specific permission?"
# Simplest possible answer: Yes, always
return True
def has_module_perms(self, app_label):
"Does the user have permissions to view the app `app_label`?"
# Simplest possible answer: Yes, always
return True
@property
def is_staff(self):
"Is the user a member of staff?"
# Simplest possible answer: All admins are staff
return self.is_admin
def showImage(self):
# show image in admin panel
if self.image:
return format_html(f'<img src="{self.avatar.url}" alt="" width="50px" height="50px">')
else:
return format_html('no profile')
showImage.short_description = 'prfile image'
my managers.py:
from django.contrib.auth.models import BaseUserManager
class UserManager(BaseUserManager):
def create_user(self, email, phone_number, full_name, password=None):
if not email:
raise ValueError('Users must have an email address')
user = self.model(
email=self.normalize_email(email),
phone_number=phone_number,
full_name=full_name,
)
user.set_password(password)
user.save(using=self._db)
return user
def create_superuser(self, email, username, password=None):
user = self.create_user(
email,
password,
username,
)
user.is_admin = True
user.is_superuser = True
user.save(using=self._db)
return user
my forms.py:
from django import forms
from django.contrib.auth.forms import ReadOnlyPasswordHashField
from django.core.exceptions import ValidationError
from .models import User
class UserCreationForm(forms.ModelForm):
password1 = forms.CharField(label='Password', widget=forms.PasswordInput)
password2 = forms.CharField(label='Password confirmation', widget=forms.PasswordInput)
class Meta:
model = User
fields = ('email', 'username', 'phone_number', 'full_name')
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
class UserChangeForm(forms.ModelForm):
password = ReadOnlyPasswordHashField()
class Meta:
model = User
fields = ('email', 'password', 'username', 'phone_number', 'full_name', 'is_active', 'is_admin')
моя ошибка :