中所有向量之间的自定义距离

中所有向量之间的自定义距离

本文介绍了Pyspark 计算 RDD 中所有向量之间的自定义距离的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

我有一个由密集向量组成的RDD,其中包含如下概率分布

I have a RDD consisting of dense vectors which contain probability distribution like below

[DenseVector([0.0806, 0.0751, 0.0786, 0.0753, 0.077, 0.0753, 0.0753, 0.0777, 0.0801, 0.0748, 0.0768, 0.0764, 0.0773]),
 DenseVector([0.2252, 0.0422, 0.0864, 0.0441, 0.0592, 0.0439, 0.0433, 0.071, 0.1644, 0.0405, 0.0581, 0.0528, 0.0691]),
 DenseVector([0.0806, 0.0751, 0.0786, 0.0753, 0.077, 0.0753, 0.0753, 0.0777, 0.0801, 0.0748, 0.0768, 0.0764, 0.0773]),
 DenseVector([0.0924, 0.0699, 0.083, 0.0706, 0.0766, 0.0708, 0.0705, 0.0793, 0.09, 0.0689, 0.0758, 0.0743, 0.0779]),
 DenseVector([0.0806, 0.0751, 0.0785, 0.0753, 0.077, 0.0753, 0.0753, 0.0777, 0.0801, 0.0748, 0.0768, 0.0764, 0.0773]),
 DenseVector([0.0806, 0.0751, 0.0786, 0.0753, 0.077, 0.0753, 0.0753, 0.0777, 0.0801, 0.0748, 0.0768, 0.0764, 0.0773])

我想计算一个向量和所有其他向量之间的相似度,并将结果存储在一个矩阵中.

I want to calculate similarities between a vector and all the other vectors and store the result in a matrix.

我可以将完整的 RDD 转换为矩阵,然后取出每一行并计算与所有其他行的距离.我想知道是否有更有效的方法来使用 pyspark RDD 方法来做到这一点.

I could convert the full RDD into a matrix and then take each row and calculate the distance against all the other rows. I was wondering if there is a more efficient way to do this using pyspark RDD methods.

推荐答案

据我所知,没有一个函数可以在行之间做余弦相似度.所以你必须有点棘手才能到达你想要的地方.

As far as I know there isn't a function for doing cosine similarities between rows. So you will have to be a little tricky to get where you want.

首先使用 rdd.cartesian(rdd),这会将所有行相互配对.接下来,您需要定义一个余弦相似度函数并将其映射到 rdd 上.最后,将结果转换为 np.array 并重塑为 6x6.

First create pairs of rows in a column format by using rdd.cartesian(rdd), this will match up all of the rows with each other in pairs. Next you will need to define a cosine similarity function and map it over the rdd. Finally, cast the result to a np.array and reshape to 6x6.

示例:

def cos_sim(row):
    dot_product = row[0].dot(row[1])
    norm_a = np.sqrt(np.sum(row[0] * row[0]))
    norm_b = np.sqrt(np.sum(row[1] * row[1]))
    sim = dot_product / (norm_a * norm_b)
    return sim

rdd2 = rdd.cartesian(rdd)
cosine_similarities = rdd2.map(lambda x: cos_sim(x)).collect()
cosine_similariteis = np.array(cosine_similarities).reshape((6,6))

这篇关于Pyspark 计算 RDD 中所有向量之间的自定义距离的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!

09-06 05:47