5

私は次のドキュメントを読んでいます: https://docs.djangoproject.com/en/1.5/topics/auth/customizing/#substituting-a-custom-user-model

だから私のsettings.pyに入れました:

AUTH_USER_MODEL = 'membership.User'

そして、私の会員アプリmodels.pyにはこれがあります:

from django.contrib.auth.models import AbstractBaseUser

class User(AbstractBaseUser):
    USERNAME_FIELD = 'email'

python manage.py syncdb を実行すると、次のようになります。

FieldDoesNotExist: User has no field named 'email'

ここでわかるように、AbstractBaseUser クラスのソースを確認すると、フィールドはもちろん定義されています: https://github.com/django/django/blob/master/django/contrib/auth/models.py#L359

どうしたの?

4

2 に答える 2

18

AbstractBaseUserには電子メール フィールドがありませんAbstractUser

電子メールを一意の識別子として使用する場合は、AbstractBaseUser からサブクラス化し、電子メール フィールドを定義して、モデルunique=Trueなどの他の機能も記述する必要があります。Manager

from django.contrib.auth.models import AbstractBaseUser, BaseUserManager,\
    PermissionsMixin
from django.db import models
from django.utils.translation import ugettext_lazy as _
from django.utils import timezone
from django.utils.http import urlquote


class CustomUserManager(BaseUserManager):

    def create_user(self, email, password=None, **extra_fields):
        """
        Creates and saves a User with the given email and password.
        """
        now = timezone.now()
        if not email:
            raise ValueError('The given email must be set')
        email = CustomUserManager.normalize_email(email)
        user = self.model(email=email,
                          is_staff=False, is_active=True, is_superuser=False,
                          last_login=now, date_joined=now, **extra_fields)

        user.set_password(password)
        user.save(using=self._db)
        return user

    def create_superuser(self, email, password, **extra_fields):
        u = self.create_user(email, password, **extra_fields)
        u.is_staff = True
        u.is_active = True
        u.is_superuser = True
        u.save(using=self._db)
        return u


class User(AbstractBaseUser, PermissionsMixin):
    email = models.EmailField(_('email address'), unique=True)
    first_name = models.CharField(_('first name'), max_length=30, blank=True)
    last_name = models.CharField(_('last name'), max_length=30, blank=True)
    is_staff = models.BooleanField(_('staff status'), default=False,
        help_text=_('Designates whether the user can log into this admin '
                    'site.'))
    is_active = models.BooleanField(_('active'), default=True,
        help_text=_('Designates whether this user should be treated as '
                    'active. Unselect this instead of deleting accounts.'))
    date_joined = models.DateTimeField(_('date joined'), default=timezone.now)

    objects = CustomUserManager()

    USERNAME_FIELD = 'email'

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

    def get_absolute_url(self):
        return "/users/%s/" % urlquote(self.pk)

    def get_full_name(self):
        """
        Returns the first_name plus the last_name, with a space in between.
        """
        full_name = '%s %s' % (self.first_name, self.last_name)
        return full_name.strip()

    def get_short_name(self):
        "Returns the short name for the user."
        return self.first_name

    # define here other needed methods
    # Look at django.contrib.auth.models.AbstractUser

また、このユーザーを管理ページに追加することもできます。UserAdminを調べて、電子メール フィールドを一意の識別子として使用する新しいユーザー モデルと互換性があるように再定義します。

于 2013-05-19T19:15:27.630 に答える
4

残念ながら、django.contrib.auth単純にサブクラス化してモデルを取得できるものは何もありません

  1. ユーザー名の代わりにメールアドレスと

  2. django.contrib.authグループなど、他のものとうまく機能します。

最も簡単な方法は、 をコピーmodels.pyadmin.pyforms.pyからdjango.contrib.auth、あちこちのユーザー名を切り取り、その場所に電子メール アドレスを挿入することです。私はまさにそれを行い、いくつかのクライアントプロジェクトでそれをうまく使用しています.

github と pypi に置いたので、次のコマンドでインストールできます。

pip install django-libtech-emailuser

githubの使用方法を確認してください

于 2013-05-20T14:00:50.740 に答える