本章主要内容是,如何根据群体偏好来为人们提供推荐,构建一个系统,用来寻找具有相同品味的人,并根据他人的喜好来推荐物品。基于此的应用有很多,比如电商系统的商品推荐、热门网站推荐,以及音乐和电影推荐等等应用。
想要推荐,首先应该知道用户的喜好,最简单的方式莫过于询问,但是随着数据量的增多,这种方式不切实际。因此人们发展了一种称为协同过滤的技术。
基于用户的协同过滤的做法是对一大群人进行搜索,并且从中找出与我们喜好相近的一小群人。然后我们通过某种算法对这些人偏爱的其他内容进行考查,并且将他们组合起来构造出来一个经过排名了的推荐列表。这就是最简单的一个实现。
critics={'Lisa': {'film1':2,'film2':3}}
这样的评分方式,评分从1–5代表喜好程度。#Python
critics = {'Lisa Rose': {'Lady in the Water': 2.5, 'Snakes on a Plane': 3.5,
'Just My Luck': 3.0, 'Superman Returns': 3.5, 'You, Me and Dupree': 2.5,
'The Night Listener': 3.0},
'Gene Seymour': {'Lady in the Water': 3.0, 'Snakes on a Plane': 3.5,
'Just My Luck': 1.5, 'Superman Returns': 5.0, 'The Night Listener': 3.0,
'You, Me and Dupree': 3.5},
'Michael Phillips': {'Lady in the Water': 2.5, 'Snakes on a Plane': 3.0,
'Superman Returns': 3.5, 'The Night Listener': 4.0},
'Claudia Puig': {'Snakes on a Plane': 3.5, 'Just My Luck': 3.0,
'The Night Listener': 4.5, 'Superman Returns': 4.0,
'You, Me and Dupree': 2.5},
'Mick LaSalle': {'Lady in the Water': 3.0, 'Snakes on a Plane': 4.0,
'Just My Luck': 2.0, 'Superman Returns': 3.0, 'The Night Listener': 3.0,
'You, Me and Dupree': 2.0},
'Jack Matthews': {'Lady in the Water': 3.0, 'Snakes on a Plane': 4.0,
'The Night Listener': 3.0, 'Superman Returns': 5.0, 'You, Me and Dupree': 3.5},
'Toby': {'Snakes on a Plane': 4.5, 'You, Me and Dupree': 1.0, 'Superman Returns': 4.0}}
from math import sqrt
def sim_pearson(prefs, p1, p2):
# Get the list of mutually rated items
si = {}
for item in prefs[p1]:
if item in prefs[p2]:
si[item] = 1
# if they are no ratings in common, return 0
if len(si) == 0:
return 0
# Sum calculations
n = len(si)
# Sums of all the preferences
sum1 = sum([prefs[p1][it] for it in si])
sum2 = sum([prefs[p2][it] for it in si])
# Sums of the squares
sum1Sq = sum([pow(prefs[p1][it], 2) for it in si])
sum2Sq = sum([pow(prefs[p2][it], 2) for it in si])
# Sum of the products
pSum = sum([prefs[p1][it] * prefs[p2][it] for it in si])
# Calculate r (Pearson score)
num = pSum - (sum1 * sum2 / n)
den = sqrt((sum1Sq - pow(sum1, 2) / n) * (sum2Sq - pow(sum2, 2) / n))
if den == 0:
return 0
r = num / den
return r
print(sim_pearson(critics,'Lisa Rose','Gene Seymour'))
0.396059017191
用上述计算相似度方法计算得出相似度以后,将所有用户对某一部电影的评分乘以相似度再求和再除以相似度求和,从而得到预测的用户对该部电影的评分,从而决定是否推荐给用户。代码如下:
#Python
见书 P16
基于物品的协同过滤使用的方式是,用户群体对于该物品的评分如果对其他另外一个物品相似,则认为两物品为相似物品。算法跟上述相似度算法相同。
基于用户的协同过滤和物品的协同过滤,在数据集变大的时候,生成推荐列表的速度,很明显是基于物品的协同过滤较快,因为没有冷启动的问题,但是它会有维护相似用户表的空间消耗。
下面说明一下几种常用的相似度计算的方法。
1. 余弦相似性
2. 修正的余弦相似性
3. 相关相似性
4. 欧氏距离