django好风格:将内置目录复制到本地项目?

时间:2017-03-03 11:01:34

标签: python django

这与我的上一个问题(django user with email as pk - hack possible?)有某种联系,但我尝试了另一种方法:

将完整的django.contrib.auth复制到我的项目并在那里修改文件是不好的做法吗?我想使用自定义用户模型,除了CustomUserManager和我的CustomUser之外,偶然发现了许多要更改权限,组等的东西。此外,我不想在一个应用程序中拥有组,而在另一个应用程序中拥有MyUser。此外,集成userena需要对用户进行一些更改...

除了无法升级到下一个django版本之外,这会引发问题吗?

很抱歉提出这样一个经常被问到的问题,但不知何故,手册和论坛帖子太多样化而且与选择相矛盾......

1 个答案:

答案 0 :(得分:2)

我认为将完整的django.contrib.auth目录复制到您的应用来源可能会产生许多问题 - 即关于构建。

为什么不使用扩展AbstractBaseUser

的自定义模型来扩展用户模型

类似的东西:

from __future__ import unicode_literals

from django.db import models
from django.core.mail import send_mail
from django.contrib.auth.models import PermissionsMixin
from django.contrib.auth.base_user import AbstractBaseUser
from django.utils.translation import ugettext_lazy as _

from .managers import UserManager


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)
    date_joined = models.DateTimeField(_('date joined'), auto_now_add=True)
    is_active = models.BooleanField(_('active'), default=True)
    avatar = models.ImageField(upload_to='avatars/', null=True, blank=True)

    objects = UserManager()

    USERNAME_FIELD = 'email'
    REQUIRED_FIELDS = []

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

    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

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

还有很多其他选择。 Check this out如果您想了解其他可用选项。