我目前正在尝试使用Django框架,并且制作了一个包含2个模型的应用程序。第一个是用户模型,其中包含用户以及有关他们的一些基本信息。第二个模型是图像模型,该模型具有作者(使用外键链接用户模型)和文件名。
应用名称:Sc
型号:用户,图片
我的模型的代码:
from django.db import models
class User(models.Model):
username = models.CharField(max_length=128, default='')
password = models.CharField(max_length=512, default='')
ip_address = models.CharField(max_length=32, default='')
def __str__(self):
return f"{self.id} - {self.username}"
class Image(models.Model):
author = models.ForeignKey(User, on_delete=models.DO_NOTHING)
filename = models.CharField(max_length=512)
def __str__(self):
return f"{User.objects.filter(id=self.author)} - {self.filename}"
我可以使用Django的管理面板(localhost / admin)添加用户,但不能添加任何图像。
我选择了想要作为图像作者的用户,并添加了一个随机文件名,但是在尝试添加新图像时出现以下错误:
TypeError at /adminsc/image/add/
int() argument must be a string, a bytes-like object or a number, not 'User'
Request Method: POST
Request URL: http://localhost/adminsc/image/add/
Django Version: 2.0.7
Exception Type: TypeError
Exception Value:
int() argument must be a string, a bytes-like object or a number, not 'User'
Exception Location: C:\Python37\lib\site-packages\django\db\models\fields__init__.py in get_prep_value, line 947
Python Executable: C:\Python37\python.exe
Python Version: 3.7.0
Python Path:
['G:\smiley\Websites\local',
'C:\Python37\python37.zip',
'C:\Python37\DLLs',
'C:\Python37\lib',
'C:\Python37',
'C:\Python37\lib\site-packages']
Server time: Tue, 21 Aug 2018 00:05:30 +0000
我已经尝试删除包括迁移文件夹的数据库并从头开始重新启动,但是我总是遇到相同的错误。看起来当它实际上期望其主键时会尝试传递用户对象。使用ForeignKey(User)作为Image的属性/列,我做错什么了吗?
答案 0 :(得分:2)
错误消息说明了一切:
int() argument must be a string, a bytes-like object or a number, not 'User'
您正在传递User
对象,该对象将在id
调用中用作.filter()
,这是无效的。
您在这里遇到多个问题:
{User.objects.filter(id=self.author.id)}
。User
对象(由于进行filter()
调用),但是返回一个大小为1的User
个列表。您可能应该更改到{User.objects.get(id=self.author.id)}
上面的方法可以工作,但是没有意义,因为这是获取{self.author}
的昂贵方法:
return f"{self.author) - {self.filename}"