如何从较大稀疏矩阵的块总和中有效地制作新矩阵

时间:2012-12-19 10:50:19

标签: python matrix scipy sparse-matrix

我有一个大的scipy稀疏对称矩阵,我需要通过取块的总和来缩小,以制作一个新的更小的矩阵。

例如,对于4x4稀疏矩阵,AI想要制作2x2矩阵B,其中B [i,j] = sum(A [i:i + 2,j:j + 2])。

目前,我只是逐块地重新创建压缩矩阵,但这很慢。关于如何优化这个的任何想法?

更新:这是一个工作正常的示例代码,但对于我想在10.000x10.000中缩小的50.000x50.000的稀疏矩阵来说速度很慢:

>>> A = (rand(4,4)<0.3)*rand(4,4)
>>> A = scipy.sparse.lil_matrix(A + A.T) # make the matrix symmetric

>>> B = scipy.sparse.lil_matrix((2,2))
>>> for i in range(B.shape[0]):
...     for j in range(B.shape[0]):
...         B[i,j] = A[i:i+2,j:j+2].sum()

3 个答案:

答案 0 :(得分:1)

给定一个大小为 N 的方形矩阵和 d 的分割大小(因此矩阵将被分割为 N / d * N / d 大小为 d 的子矩阵,您可以使用numpy.split几次来构建这些子矩阵的集合,对每个子矩阵求和,并且把它们放回去了?

这应该被视为伪代码而不是有效的实现,但它表达了我的想法:

    def chunk(matrix, size):
        row_wise = []
        for hchunk in np.split(matrix, size):
            row_wise.append(np.split(hchunk, size, 1))
        return row_wise

    def sum_chunks(chunks):
        sum_rows = []
        for row in chunks:
            sum_rows.append([np.sum(col) for col in row])
        return np.array(sum_rows)

或者更紧凑

    def sum_in_place(matrix, size):
        return np.array([[np.sum(vchunk) for vchunk in np.split(hchunk, size, 1)]
                         for hchunk in np.split(matrix, size)])

这给你以下内容:

    In [16]: a
    Out[16]: 
    array([[ 0,  1,  2,  3],
           [ 4,  5,  6,  7],
           [ 8,  9, 10, 11],
           [12, 13, 14, 15]])

    In [17]: chunk.sum_in_place(a, 2)
    Out[17]: 
    array([[10, 18],
           [42, 50]])

答案 1 :(得分:1)

首先,你总结的lil矩阵可能非常糟糕,我会尝试COOCSR/CSS(我不知道哪个更好,但lil对于许多这些操作来说可能本来就慢,即使切片可能要慢得多,尽管我没有测试)。 (除非你知道例如dia非常适合)

基于COO我可以想象做一些欺骗。由于COOrowcol数组可以给出确切的位置:

matrix = A.tocoo()

new_row = matrix.row // 5
new_col = matrix.col // 5
bin = (matrix.shape[0] // 5) * new_col + new_row
# Now do a little dance because this is sparse,
# and most of the possible bin should not be in new_row/new_col
# also need to group the bins:
unique, bin = np.unique(bin, return_inverse=True)
sum = np.bincount(bin, weights=matrix.data)
new_col = unique // (matrix.shape[0] // 5)
new_row = unique - new_col * (matrix.shape[0] // 5)

result = scipy.sparse.coo_matrix((sum, (new_row, new_col)))

(我不保证我不会在某处混淆行和列,这只适用于方形矩阵......)

答案 2 :(得分:0)

对于4x4示例,您可以执行以下操作:

In [43]: a = np.arange(16.).reshape((4, 4))
In [44]: a 
Out[44]: 
array([[  0.,   1.,   2.,   3.],
       [  4.,   5.,   6.,   7.],
       [  8.,   9.,  10.,  11.],
       [ 12.,  13.,  14.,  15.]])
In [45]: u = np.array([a[:2, :2], a[:2, 2:], a[2:,:2], a[2:, 2:]])
In [46]: u
Out[46]: 
array([[[  0.,   1.],
        [  4.,   5.]],

       [[  2.,   3.],
        [  6.,   7.]],

       [[  8.,   9.],
        [ 12.,  13.]],

       [[ 10.,  11.],
        [ 14.,  15.]]])

In [47]: u.sum(1).sum(1).reshape(2, 2)
Out[47]: 
array([[ 10.,  18.],
       [ 42.,  50.]])

使用类似itertools的内容,应该可以自动化和推广u的表达式。