3

我有一个大的 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()
4

3 回答 3

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]])
于 2012-12-19T19:47:21.570 回答
1

首先,lil你总结的矩阵可能真的很糟糕,我会尝试COO或者也许CSR/CSS(我不知道哪个会更好,但lil对于许多这些操作来说可能天生就比较慢,甚至切片可能很多较慢,虽然我没有测试)。(除非您知道例如dia非常适合)

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

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)))

(我不能保证我没有在某处混淆行和列,这只适用于方阵......)

于 2012-12-20T10:49:02.640 回答
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.

于 2012-12-19T13:19:48.830 回答