我有两个模型:用户(由Django预定义)和通过外键连接的UserProfile。
class UserProfile(models.Model):
user = models.OneToOneField(User, related_name="connect")
location = models.CharField(max_length=20, choices=LOCATION_CHOICES)
gender = models.CharField(max_length=20, choices=GENDER_CHOICES)
User模型包含username,first_name,last_name和password等字段。
在我看来,我想使用位于用户对象中的用户名字段找到UserProfile对象。要使用用户名字段过滤/获取UserProfile对象,我需要通过外键“旅行”以访问用户模型。
然而,我在尝试这样做时遇到了一些错误。有谁知道我怎么做到这一点?
这是我到目前为止所做的:
def edit(request):
#the line below is where I am facing troubles.
#The error I'm getting is SyntaxError: keyword can't be an expression
user = UserProfile.objects.filter(user.username=request.user.username)
form1 = UserEditForm()
form2 = UserProfileEditForm()
c = RequestContext(request, {
'action': 'update/',
'button': 'Update',
'form1': form1,
'form2': form2,
})
return render_to_response('registration/user_profile.html', c)
有谁知道如何解决这个问题?谢谢!
答案 0 :(得分:2)
使用双下划线(__
)来遍历关系。 E.g:
user = UserProfile.objects.filter(user__username=request.user.username)
但是,在您的情况下,您不需要这样做。 request.user
是一个User
对象,所以要让他们UserProfile
做:
user = request.user.get_profile()
甚至:
UserProfile.objects.get(user=request.user)
请注意,您的第一个示例应返回带有1个结果的QuerySet
,而第二个示例返回单个对象。换句话说:
request.user.get_profile() ==
UserProfile.objects.filter(user__username=request.user.username)[0]