我正在使用django-follow来允许用户“关注”对象——在这个例子中,电影中的演员。
我正在撤回使用的电影演员名单
actors_user_is_following = Follow.objects.get_follows(Actor).filter(user=request.user.id)
但我还想做的是根据用户关注的演员向用户推荐电影。这不需要是他们已经喜欢什么和推荐相关电影的复杂算法,只是一个简单的“因为你关注这个演员并且这个演员在这部电影中,所以推荐给用户”
我现在有这种相当笨拙的方法......
context['follows'] = {
'actors': Follow.objects.get_follows(Actor).filter(user=request.user.id),
'genres': Follow.objects.get_follows(Genre).filter(user=request.user.id),
}
actor_ids = []
for actor in context['follows']['actors']:
actor_ids.append(actor.target_artist_id)
genre_ids = []
for artist in context['follows']['genres']:
genre_ids.append(artist.genre_ids)
context['suggested'] = {
'films': Listing.objects.filter(Q(actors__in=actor_ids) | Q(genres__in=genre_ids))
}
哪个有效,但我确定有更好的方法吗?
最重要的是,我还想通过显示用户关注的演员或类型来向用户展示为什么推荐该电影,因此最终结果可能类似于...
film = {
title: 'Dodgeball'
image: '/images/films/dodgeball.jpg'
followed_actors: ['Ben Stiller', 'Vince Vaughn'] #could be multiple
followed_genres: ['Comedy'] #could be multiple
}
注意我想退回多部电影。
这是我的模型的编码方式:
电影模型定义如下:
from django.db import models
from app.actors.models import Actor
from app.genres.models import Genre
class Film(models.Model):
title = models.CharField(max_length=255)
strapline = models.CharField(max_length=255)
slug = models.SlugField(max_length=100)
image_url = models.CharField(max_length=255)
pub_date = models.DateTimeField('date published')
actors = models.ManyToManyField(Actor)
genres = models.ManyToManyField(Genre)
def __unicode__(self):
return self.title
和演员模型:
from django.db import models
from follow import utils
class Actor(models.Model):
title = models.CharField(max_length=255)
strapline = models.CharField(max_length=255)
image = models.CharField(max_length=255)
image_hero = models.CharField(max_length=255)
bio = models.TextField()
def __unicode__(self):
return self.title
#followable
utils.register(Actor)