如何在用户模型中添加额外的字段并在Django admin中显示这些字段?

p8ekf7hl  于 2023-08-08  发布在  Go
关注(0)|答案(5)|浏览(162)

我正在学习Django,需要一些帮助。
我需要在我的用户模型中包含一个额外的布尔字段(我相信是数据库中的auth_user表),并在管理用户时将其显示在管理界面中,如图中的staff status字段。

  • 127:0.0.1:8000/admin/user*:

x1c 0d1x的数据
然后...

  • 127.0.0.1:8000/admin/auth/user/2/change/*:



我不知道该怎么处理。我知道我必须扩展AbstractUser模型,然后手动将字段添加到数据库中,但是我如何更新管理界面的 view、form和templates 的新字段呢?我需要重写所有这些的django管理源代码吗,或者有更简单的方法吗?

wlwcrazw

wlwcrazw1#

我是这样做的:

**注意:**这应该在创建新项目时完成。

向用户模型添加字段:-

  • models.py:*
from django.db import models
from django.contrib.auth.models import AbstractUser

class User(AbstractUser):
   gender = models.BooleanField(default=True) # True for male and False for female
   # you can add more fields here.

字符串
覆盖默认用户模型:-

  • settings.py:*
# the example_app is an app in which models.py is defined
AUTH_USER_MODEL = 'example_app.User'


在管理页面上显示模型:-

  • admin.py:*
from django.contrib import admin
from .models import User

admin.site.register(User)

nzrxty8p

nzrxty8p2#

最好的方法是使用User OneToOneField创建新模型。例如

class UserProfile(models.Model):
   user = models.OneToOneField(User)
   phone = models.CharField(max_length=256, blank=True, null=True)
   gender = models.CharField(
        max_length=1, choices=(('m', _('Male')), ('f', _('Female'))),
        blank=True, null=True)

字符串
您可以在User Model或UserProfile Model中使用djangoadmin,并可以相应地在Admin中显示字段

gpnt7bae

gpnt7bae3#

您有两个选择,它们是:
1.通过添加另一个模型并使用一对一关系将其链接到User模型来扩展现有的User模型。看这里。
1.编写你自己的用户模型并使用它,这对新手来说很难。看这里。

wwwo4jvm

wwwo4jvm4#

#managers.py  Create new file.
from django.contrib.auth.base_user import BaseUserManager
from django.utils.translation import ugettext_lazy as _
class CustomUserManager(BaseUserManager):
    def create_user(self, email, password, **extra_fields):
        if not email:
            raise ValueError(_('The Email must be set'))
        email = self.normalize_email(email)
        user = self.model(email=email, **extra_fields)
        user.set_password(password)
        user.save()
        return user
    def create_superuser(self, email, password, **extra_fields):
        extra_fields.setdefault('is_staff', True)
        extra_fields.setdefault('is_superuser', True)
        extra_fields.setdefault('is_active', True)

        if extra_fields.get('is_staff') is not True:
            raise ValueError(_('Superuser must have is_staff=True.'))
        if extra_fields.get('is_superuser') is not True:
            raise ValueError(_('Superuser must have is_superuser=True.'))
        return self.create_user(email, password, **extra_fields)

#models.py  Create your models here.
from django.db import models
from django.contrib.auth.models import AbstractBaseUser
from django.contrib.auth.models import PermissionsMixin
from django.utils.translation import gettext_lazy as _
from .managers import CustomUserManager
class User(AbstractBaseUser,PermissionsMixin):
    first_name =models.CharField(max_length=250)
    email = models.EmailField(_('email address'), unique=True)
    mobile =models.CharField(max_length=10)
    status = models.BooleanField(default=True)
    is_active = models.BooleanField(default=True)
    is_staff = models.BooleanField(default=False)
    USERNAME_FIELD = 'email'
    REQUIRED_FIELDS = []
    object =CustomUserManager()
    # add more your fields
    
#admin.py
from django.contrib import admin
from .models import User
@admin.register(User)
class UserAdmin(admin.ModelAdmin):
    list_display = ('email','mobile','password')
#setting.py
AUTH_USER_MODEL = 'users.User'

# run command
python manage.py makemigrations
python manage.py migrate

字符串

fivyi3re

fivyi3re5#

2023年7月更新:

您可以使用OneToOneField()扩展User模型以添加额外的字段。* 您还可以看到我的答案,解释如何使用AbstractUser或AbstractBaseUser和PermissionsMixin设置emailpassword身份验证。
首先,运行下面的命令创建account app:

python manage.py startapp account

字符串
然后,在settings.py中将account app设置为INSTALLED_APPS,如下所示:

# "settings.py"

INSTALLED_APPS = [
    ...
    "account", # Here
]


然后,在account/models.py中创建UserProfile模型,如下所示。* user字段使用OneToOneField()扩展User型号:

# "account/models.py"

from django.db import models
from django.utils.translation import gettext_lazy as _
from django.contrib.auth.models import User

class UserProfile(models.Model):
    user = models.OneToOneField(
        User, 
        verbose_name=_("user"), 
        on_delete=models.CASCADE
    )
    age = models.PositiveSmallIntegerField(_("age"))
    gender = models.CharField(_("gender"), max_length=20)
    married = models.BooleanField(_("married"))


然后,在account/admin.py中创建UserProfileInlineUserAdmin类,如下所示。* 对于admin.site.unregister(User),必须取消默认注册的User型号,否则会出现错误:

# "account/admin.py"

from django.contrib import admin
from .models import UserProfile
from django.contrib.auth.admin import UserAdmin as BaseUserAdmin
from django.contrib.auth.models import User

admin.site.unregister(User) # Necessary

class UserProfileInline(admin.TabularInline):
    model = UserProfile

@admin.register(User)
class UserAdmin(BaseUserAdmin):
    inlines = (UserProfileInline,)


然后,运行下面的命令:

python manage.py makemigrations && python manage.py migrate


然后,运行下面的命令:

python manage.py runserver 0.0.0.0:8000


最后,您可以使用额外的字段扩展User模型,如下所示:


的数据

相关问题