稀疏矩阵行中的连续元素

时间:2016-10-17 09:45:27

标签: python python-2.7 matrix scipy sparse-matrix

我正在研究以COO格式存储的稀疏矩阵。获得每行连续元素数量的最快方法是什么。

例如,考虑以下矩阵:

a = [[0,1,2,0],[1,0,0,2],[0,0,0,0],[1,0,1,0]]

其首席运营官代表将是

  (0, 1)    1
  (0, 2)    2
  (1, 0)    1
  (1, 3)    2
  (3, 0)    1
  (3, 2)    1

我需要结果为[1,2,0,2]。第一行包含两个位于附近的非零元素。因此它是一个团体或集合。在第二行,我们有两个非零元素,但它们不在附近,因此我们可以说它形成两个组。第三行没有非零,因此没有组。第四行再次有两个非零,但由零分隔,因此我们认为是两组。这就像每行的簇数。迭代行是一种选择,但前提是没有更快的解决方案。在这方面的任何帮助表示赞赏。

另一个简单示例:考虑以下行:

[1,2,3,0,0,0,2,0,0,8,7,6,0,0]

上面的行应该返回[3]正弦,有三组非零被零分隔。

2 个答案:

答案 0 :(得分:1)

将其转换为密集数组,并逐行应用逻辑。

  • 您想要每行的组数
  • 定义组时的零计数
  • 使用数组
  • 进行行迭代更快

coo格式显示矩阵:

In [623]: M=sparse.coo_matrix(a)
In [624]: M.data
Out[624]: array([1, 2, 1, 2, 1, 1])
In [625]: M.row
Out[625]: array([0, 0, 1, 1, 3, 3], dtype=int32)
In [626]: M.col
Out[626]: array([1, 2, 0, 3, 0, 2], dtype=int32)

此格式不实现行索引; csrlil执行

In [627]: M.tolil().data
Out[627]: array([[1, 2], [1, 2], [], [1, 1]], dtype=object)
In [628]: M.tolil().rows
Out[628]: array([[1, 2], [0, 3], [], [0, 2]], dtype=object)

因此,第1行的稀疏信息是非零数据值列表[1,2]及其列号列表[1,2]。将其与密集阵列的行[0, 1, 2, 0]进行比较。哪个更容易分析?

您的第一个任务是编写一个分析一行的函数。我还没有研究你的逻辑,足以说明密集形式是否比稀疏形式更好。使用M.A[0,:].nonzero()很容易从密集表单中获取列信息。

在上一个例子中,我可以得到非零指数:

In [631]: np.nonzero([1,2,3,0,0,0,2,0,0,8,7,6,0,0])
Out[631]: (array([ 0,  1,  2,  6,  9, 10, 11], dtype=int32),)
In [632]: idx=np.nonzero([1,2,3,0,0,0,2,0,0,8,7,6,0,0])[0]
In [633]: idx
Out[633]: array([ 0,  1,  2,  6,  9, 10, 11], dtype=int32)
In [634]: np.diff(idx)
Out[634]: array([1, 1, 4, 3, 1, 1], dtype=int32)

我们可以从diff>1的数量中获得所需的计数,但我必须查看更多示例来定义详细信息。

将分析扩展到多行取决于首先要彻底了解单行情况。

答案 1 :(得分:0)

@hpaulj 的评论的帮助下,我想出了以下代码片段:

    M = m.tolil()
r = []  
for i in range(M.shape[0]):
   sumx=0
   idx= M.rows[i]
   if (len(idx) > 2):
       tempidx = np.diff(idx)
       if (1 in tempidx):
           temp = filter(lambda a: a != 1, tempidx)
           sumx=1
       counts = len(temp)
       r.append(counts+sumx)
   elif (len(idx) == 2):
       tempidx = np.diff(idx)
       if(tempidx[0]==1):
           counts = 1
           r.append(counts)
       else:
           counts = 2
           r.append(counts)
   elif (len(idx) == 1):
       counts = 1
       r.append(counts) 
   else:
       counts = 0
       r.append(counts)
tempcluster = np.sum(r)/float(M.shape[0])
cluster.append(tempcluster)