- c - 在位数组中找到第一个零
- linux - Unix 显示有关匹配两种模式之一的文件的信息
- 正则表达式替换多个文件
- linux - 隐藏来自 xtrace 的命令
在 Django 1.6 中,我定义了一个自定义用户模型,但出于某种原因,现在当我创建一个 super 用户并尝试获取它或以该 super 用户身份访问 Django 管理员时,我得到了这个 ValueError: Too many要解压的值
。我仔细阅读了关于此错误的许多类似问题,但没有找到适合我的特定问题的任何内容。我不知道会出什么问题。
在自定义管理器中的自定义 create_user
和 create_superuser
方法中,我确实传递了一个额外的字段,但该字段实际上并没有进入模型,所以我看不出为什么会导致问题。
此外,当尝试访问管理员时,我得到一个稍微不同的错误:AttributeError: 'UserObject' has no attribute 'has_module_perms'
。
完整回溯:
Traceback (most recent call last):
File "<console>", line 1, in <module>
File "C:\Users\JJ\Coding\virtualenvs\TCR5venv\lib\site-packages\django\db\models\manager.py", line 151, in get
return self.get_queryset().get(*args, **kwargs)
File "C:\Users\JJ\Coding\virtualenvs\TCR5venv\lib\site-packages\django\db\models\query.py", line 298, in get
clone = self.filter(*args, **kwargs)
File "C:\Users\JJ\Coding\virtualenvs\TCR5venv\lib\site-packages\django\db\models\query.py", line 590, in filter
return self._filter_or_exclude(False, *args, **kwargs)
File "C:\Users\JJ\Coding\virtualenvs\TCR5venv\lib\site-packages\django\db\models\query.py", line 608, in _filter_or_exclude
clone.query.add_q(Q(*args, **kwargs))
File "C:\Users\JJ\Coding\virtualenvs\TCR5venv\lib\site-packages\django\db\models\sql\query.py", line 1198, in add_q
clause = self._add_q(where_part, used_aliases)
File "C:\Users\JJ\Coding\virtualenvs\TCR5venv\lib\site-packages\django\db\models\sql\query.py", line 1232, in _add_q
current_negated=current_negated)
File "C:\Users\JJ\Coding\virtualenvs\TCR5venv\lib\site-packages\django\db\models\sql\query.py", line 1035, in build_filter
arg, value = filter_expr
ValueError: too many values to unpack
客户用户模型:
class UserObject(AbstractBaseUser):
email = models.EmailField(max_length=254, unique=True, db_index=True)
USERNAME_FIELD = 'email'
# REQUIRED_FIELDS = ['student_or_business',]
# Tells us whether the UserObject is a business or student
@property
def type(self):
if hasattr(self, 'Student'.lower()):
return 'S'
elif hasattr(self, 'BusinessHandler'.lower()):
return 'B'
else:
raise TypeError, "UserObject has neither Student nor BusinessHandler connected."
# Gets us the actual UserObject's accompanying object, whether Student or Business
@property
def get_profile_object(self):
if self.type == 'S':
return getattr(self, 'Student'.lower())
elif self.type == 'B':
return getattr(self, 'BusinessHandler'.lower()) # to take advantage of refactoring
@property
def is_student(self):
return self.type == 'S'
@property
def is_business(self):
return self.type == 'B'
def relevant_item(self, input_tuple):
'''
Takes in a tuple of options for return in form (Student, Business[, other]).
Returns the appropriate option depending
'''
if not 2 <= len(input_tuple) <= 3:
raise TypeError, "relevant_item() requires a tuple of 2 or 3."
else:
if self.type == 'S':
return input_tuple[0]
elif self.type == 'B':
return input_tuple[1]
else:
return input_tuple[2] if len(input_tuple) == 3 else None
signup_date = models.DateTimeField(auto_now_add=True)
# admin stuff
is_active = models.BooleanField(default=True)
is_admin = models.BooleanField(default=False)
is_staff = models.BooleanField(default=False)
# Settings
verified = models.BooleanField(default=False)
accepted_TOS = models.DateField(default=datetime.datetime.today())
# Date so can find who need to update when change TOS
# Temporary hashes/strings
verification_id = models.CharField(unique=True, default=lambda: random_string(20), max_length=20)
reset_password_code = models.CharField(blank=True, default=lambda: random_string(20), max_length=20)
def get_new_reset_password_code(self):
self.reset_password_code = random_string(20)
self.save()
return self.reset_password_code
def new_verification_id(self):
self.verification_id = random_string(20)
try:
self.save()
except IntegrityError:
self.new_verification_id()
objects = UserObjectManager()
自定义用户管理器:
class UserObjectManager(BaseUserManager):
@staticmethod
def create_accompanying_model(user, student_or_business):
'''
This creates the appropriate accompanying Student or BusinessHandler model when a
new UserObject is created.
'''
if student_or_business == 'S':
s = models.get_model('student', 'Student')
new_item = s.objects.create(user_object=user, UserObject_creation=True)
new_item.save()
elif student_or_business == 'B':
b = models.get_model('business', 'BusinessHandler')
new_item = b.objects.create(user_object=user, UserObject_creation=True)
new_item.save()
else:
msg = 'Must be Student or BusinessHandler.'
raise ValueError(msg)
def create_user(self, email, password, student_or_business):
# normalize student_or_business
if student_or_business.lower() in ('s', 'student'):
student_or_business = 'S'
elif student_or_business.lower() in ('b', 'business', 'BusinessHandler'.lower()):
student_or_business = 'B'
# Check if an email was provided
if not email:
msg = 'Users must have an email address.'
raise ValueError(msg)
# If a student, check if a '.edu' email address was provided
if email and student_or_business == 'S':
if not email.endswith('.edu'):
msg = 'Students must sign up with a .edu email address.'
raise ValueError(msg)
user = self.model(
email=UserObjectManager.normalize_email(email),
# Removed the below because calculating that differently
# student_or_business = student_or_business,
)
user.set_password(password)
user.save(using=self._db)
self.create_accompanying_model(user, student_or_business)
return user
def create_superuser(self, email, password, student_or_business):
user = self.create_user(email, password, student_or_business)
user.is_admin = True
user.is_staff = True
user.is_superuser = True
user.save(using=self._db)
return user
谢谢!
最佳答案
事实证明,这里的问题实际上与抛出的错误无关。
我意识到我实际上是在打电话
UserObject.objects.get('user@email.com')
代替
UserObject.objects.get(email='user@email.com')
这就是抛出错误的原因。如果查看 Django 源代码,您会发现在为 QuerySet
构建过滤器时,Django 会解压字段名称和数据以供过滤器使用,但由于我没有提供字段名称到objects.get(...)
,解包时出现错误。
为此使用了 Werkzeug 实时浏览器调试器;我强烈推荐它。
关于python - Django:调用 user.objects.get() 时为 "Too many values to unpack",我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/20820830/
我对 Python-Django 和 web 开发还很陌生,我被困在这个使用 POST 创建新资源的特殊问题上。 我正在为 REST API 使用 Django REST 框架,我正在尝试创建一个新资
我已经使用 Django-storages 成功地将 Word 文档存储到 S3。 class Document(TitleSlugDescriptionModel, TimeStampedModel
我有 2 个关于模型代理的问题, 如何从模型对象创建代理对象? 如何从模型查询集创建代理查询集? 例如,假设我们定义了: from django.contrib.auth.models import
我想编写一个直接执行 HTTP 请求的单元测试(而不是使用 django.test.client.Client)。 如果您好奇为什么 - 那是因为我想测试我从 Django 应用程序公开的 Thrif
我为我的个人网站启动了一个 django 项目来学习 django。到目前为止,我已经将我的开发环境设置为我需要的一切,并遵循 this很棒的教程来创建一些基本的数据结构和模板。现在我想开始使用我之前
我已经阅读了很多关于如何在使用 Django 注册时添加额外字段的信息,例如 here 、 here 和 here 。代码片段是: forms.py(来自注册应用程序) class Registrat
我正在编写小型社交应用程序。功能之一是在网站标题中写入用户名。因此,例如,如果我登录并且我的名字是Oleg(用户名),那么我应该看到: Hello, Oleg | Click to edit prof
我有一个使用 Django 和 Django Rest 框架开发的应用程序。我想将 django-reversion 功能添加到我的应用程序中。 我已经尝试过http://django-reversi
我有一个简单的 HTML 表单,我没有使用 Django 表单,但现在我想添加一个选择。 选择最容易创建为 Django ChoiceField (与通过循环等手动创建选择相反),但是,如果没有在 D
我不明白为什么人们以两种方式编写外键,这样做的目的是什么?它们是相同还是不同? 我注意到有些人这样写: author = models.ForeignKey(Author, on_delete=mod
我想在我的 Django 应用程序中获取评论最多的十个帖子,但我做不到,因为我想不出合适的方法。 我目前正在使用 django 评论框架,并且我已经看到使用 aggregate or annotate
这对于 Django 1.2 仍然有效吗? Custom Filter in Django Admin on Django 1.3 or below 我已经尝试过,但管理类中的 list_filter
问题在于,当 django-compressor 编译为 .js 文件的 CoffeeScript 文件中引用 {{ STATIC_URL }} 时,它无法正确加载。 在我的 django 模板中,我
我正在尝试将一些字段从一个 django 模型移动到一个新模型。假设我有一个书籍模型: class Book(models.Model): title = models.CharField(max
我想在我的 Django 应用程序中获取评论最多的十个帖子,但我做不到,因为我想不出合适的方法。 我目前正在使用 django 评论框架,并且我已经看到使用 aggregate or annotate
目前我正在寻找在 Django 中实现访问控制。我已经阅读了有关内置权限的内容,但它并不关心每个对象的基础。例如,我想要“只有创建者可以删除自己的项目”之类的权限。所以我读到了 django-guar
嗨,我正在将我的 Django 模型的一个字段的值设置为其他模型的另一个字段的值。这个值应该是动态变化的。 这是我的第一个模型 class MainModel(AbstractBaseUser, Pe
我正在尝试为我的模型创建一个编辑表单。我没有使用模型表单,因为根据模型类型,用户可以使用不同的表单。 (例如,其中一个表单有 Tinymce 小部件,而另一个没有。) 有没有什么方法可以使用模型设置表
Django 模板中的搜索字段 如何在类似于此图像的 Django 模板中创建搜索字段 http://asciicasts.com/system/photos/1204/original/E354I0
根据 Django documentation ,如果 Django 安装激活了 AuthenticationMiddleware,HttpRequest 对象有一个“user”属性代表当前登录的用户
我是一名优秀的程序员,十分优秀!