我想在我的社交媒体网站的主页上创建一个类似功能。我正在使用ManyToManyField来存储特定帖子上的点赞,如models.py中所示。在我的主页上,我有职位列表,我想检查一下“当前登录用户是否喜欢”中的职位。
在我的views.py中,我正在使用
post = Posts.objects.filter('likes')
if post.likes.filter(id=request.user.id).exists():
models.py
class Posts(models.Model):
title = models.CharField(max_length=250, blank=False)
content = models.CharField(max_length=15000,
help_text="Write Your thought here...")
likes = models.ManyToManyField(User, blank=True)
views.py
def home(request):
post = Posts.objects.filter('likes')
print('Thats just Test', post)
if post.likes.filter(id=request.user.id).exists():
print("Already Exixts")
is_liked = False
context = {
'all_posts': all_posts,
'is_liked': is_liked,
}
return HttpResponse(template.render(context, request))
hometemplte.html :(仅“喜欢”按钮)
<form action="{% url 'like_post' %}" method="POST">
{% csrf_token %}
{% if is_liked %}
<button type="submit" name="like" value="{{ post.id }}" class="btn upvote liked">Liked</button>
{% else %}
<button type="submit" name="like" value="{{ post.id }}" class="btn upvote">Upvote</button>
{% endif %}
</form>
答案 0 :(得分:0)
如果要获取ManyToMany
字段的数据,则为了进行向后映射,需要在声明模型时使用related_name
参数。
因此,您的属性将是:
likes = models.ManyToManyField(User, blank=True, related_name='likes')
用于查询用户是否喜欢特定帖子的查询是:
post.likes.filter(id=request.user.id).exists():
更新
您遇到的问题是您要在一行中检索多个帖子:
Posts.objects.filter('likes')
,它返回一个查询集。
您需要获取特定帖子,然后检查用户是否喜欢该帖子。
post = Posts.objects.all()[0]
不会引发任何错误。