Django 1.10自定义用户' is_superuser'与该领域的冲突' is_superuser'从模型

时间:2017-09-07 10:22:56

标签: django django-models

我在CustomUser中编写了一个自定义用户类 - models.py,主要是here

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

然后我在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)

但是当我运行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'.

1 个答案:

答案 0 :(得分:4)

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

您必须继承AbstractBaseUserPermissionMixin,或仅来自AbstractUserAbstractUser定义了一些其他字段,包括usernameis_staffis_active以及其他一些内容。

相关问题