pyspark矩阵累加器
pyspark matrix accumulator
我想使用 pyspark accumulator 从 rdd
推断出的值添加填充矩阵;我发现文档有点不清楚。添加一点背景,以防万一。
我的 rddData
包含索引列表,其中一个计数必须添加到矩阵中。例如,此列表映射到索引:
[1,3,4] -> (11), (13), (14), (33), (34), (44)
现在,这是我的累加器:
from pyspark.accumulators import AccumulatorParam
class MatrixAccumulatorParam(AccumulatorParam):
def zero(self, mInitial):
import numpy as np
aaZeros = np.zeros(mInitial.shape)
return aaZeros
def addInPlace(self, mAdd, lIndex):
mAdd[lIndex[0], lIndex[1]] += 1
return mAdd
所以这是我的映射函数:
def populate_sparse(lIndices):
for i1 in lIndices:
for i2 in lIndices:
oAccumilatorMatrix.add([i1, i2])
然后运行数据:
oAccumilatorMatrix = oSc.accumulator(aaZeros, MatrixAccumulatorParam())
rddData.map(populate_sparse).collect()
现在,当我查看我的数据时:
sum(sum(oAccumilatorMatrix.value))
#= 0.0
这是不应该的。我错过了什么?
编辑
一开始用稀疏矩阵试过这个,得到了不支持稀疏矩阵的回溯。更改了密集 numpy 矩阵的问题:
...
raise IndexError("Indexing with sparse matrices is not supported"
IndexError: Indexing with sparse matrices is not supported except boolean indexing where matrix and index are equal shapes.
啊哈!我想我明白了。在一天结束时,累加器仍然需要将自己的部分添加到自身。因此,将 addInPlace
更改为:
def addInPlace(self, mAdd, lIndex):
if type(lIndex) == list:
mAdd[lIndex[0], lIndex[1]] += 1
else:
mAdd += lIndex
return mAdd
所以现在它在给定列表时添加索引,并在 populate_sparse
函数循环之后添加自身以创建我的最终矩阵。
我想使用 pyspark accumulator 从 rdd
推断出的值添加填充矩阵;我发现文档有点不清楚。添加一点背景,以防万一。
我的 rddData
包含索引列表,其中一个计数必须添加到矩阵中。例如,此列表映射到索引:
[1,3,4] -> (11), (13), (14), (33), (34), (44)
现在,这是我的累加器:
from pyspark.accumulators import AccumulatorParam
class MatrixAccumulatorParam(AccumulatorParam):
def zero(self, mInitial):
import numpy as np
aaZeros = np.zeros(mInitial.shape)
return aaZeros
def addInPlace(self, mAdd, lIndex):
mAdd[lIndex[0], lIndex[1]] += 1
return mAdd
所以这是我的映射函数:
def populate_sparse(lIndices):
for i1 in lIndices:
for i2 in lIndices:
oAccumilatorMatrix.add([i1, i2])
然后运行数据:
oAccumilatorMatrix = oSc.accumulator(aaZeros, MatrixAccumulatorParam())
rddData.map(populate_sparse).collect()
现在,当我查看我的数据时:
sum(sum(oAccumilatorMatrix.value))
#= 0.0
这是不应该的。我错过了什么?
编辑 一开始用稀疏矩阵试过这个,得到了不支持稀疏矩阵的回溯。更改了密集 numpy 矩阵的问题:
...
raise IndexError("Indexing with sparse matrices is not supported"
IndexError: Indexing with sparse matrices is not supported except boolean indexing where matrix and index are equal shapes.
啊哈!我想我明白了。在一天结束时,累加器仍然需要将自己的部分添加到自身。因此,将 addInPlace
更改为:
def addInPlace(self, mAdd, lIndex):
if type(lIndex) == list:
mAdd[lIndex[0], lIndex[1]] += 1
else:
mAdd += lIndex
return mAdd
所以现在它在给定列表时添加索引,并在 populate_sparse
函数循环之后添加自身以创建我的最终矩阵。