Django 1.10自定义用户'is_superuser'与模型中的字段'is_superuser'相冲突

Bel*_*ter 1 django django-models

我写了一个自定义的用户类- CustomUsermodels.py,主要遵循这里

import re

from django.conf import settings
from django.db import models
from django.utils.translation import ugettext_lazy as _
from django.core.mail import send_mail
from django.core import validators
from django.contrib.auth.models import (AbstractUser, PermissionsMixin,
                                        UserManager)


class CustomUser(AbstractUser, PermissionsMixin):
    """
    custom user, reference below example
    https://github.com/jonathanchu/django-custom-user-example/blob/master/customuser/accounts/models.py
    """
    username = models.CharField(_('username'), max_length=30, unique=True,
                                help_text=_('Required. 30 characters or fewer. Letters, numbers and '
                                            '@/./+/-/_ characters'),
                                validators=[validators.RegexValidator(
                                    re.compile('^[\w.@+-]+$'), _('Enter a valid username.'), 'invalid')
    ])
    email = models.EmailField(_('email address'), max_length=254)
    create_time = models.DateTimeField(auto_now_add=True)
    active = models.BooleanField()  # if we can retrieval it from outside

    objects = UserManager()

    USERNAME_FIELD = 'username'

    class Meta:
        verbose_name = _('user')
        verbose_name_plural = _('users')

    def email_user(self, subject, message, from_email=None):
        """
        Sends an email to this User.
        """
        send_mail(subject, message, from_email, [self.email])

    def __str__(self):
        return self.username
Run Code Online (Sandbox Code Playgroud)

然后我在 admin.py

from django.contrib import admin
from django.contrib.auth.admin import UserAdmin
from .models import CustomUser

# Register your models here.


class CustomUserAdmin(UserAdmin):
    model = CustomUser

admin.site.register(CustomUser, CustomUserAdmin)
Run Code Online (Sandbox Code Playgroud)

但是当我运行python manage.py createsuperuser创建超级用户时,出现以下错误:

ERRORS:
myapp.CustomUser.is_superuser: (models.E006) The field 'is_superuser' clash
es with the field 'is_superuser' from model 'myapp.customuser'.
Run Code Online (Sandbox Code Playgroud)

knb*_*nbk 6

is_superuser字段在上定义PermissionMixin。但是,AbstractUser还有子类PermissionMixin,因此您实际上是两次从同一个类继承。这会导致字段冲突,因为Django的较早版本不允许子类覆盖字段(最新版本允许覆盖抽象基类上定义的字段)。

您要么必须从AbstractBaseUser和继承PermissionMixin,要么仅从继承AbstractUserAbstractUser定义了一些额外的领域,包括usernameis_staffis_active,和其他一些东西。

  • 是我的错,我没有意识到 `AbstractBaseUser` 和 `AbstractUser` 之间的区别,非常感谢! (4认同)