phy*_*ion 5 python sorting sparse-matrix
我通过以下方式制作 csr_matrix:
>>> A = sparse.csr_matrix([[0, 1, 0],
[1, 0, 1],
[0, 1, 0]])
>>> A[2,:] = np.array([-1, -2, -3])
>>> A.indptr
Out[12]: array([0, 1, 3, 6], dtype=int32)
>>> A.indices
Out[13]: array([1, 0, 2, 0, 2, 1], dtype=int32)
>>> A.data
Out[14]: array([ 1, 1, 1, -1, -3, -2], dtype=int64)
Run Code Online (Sandbox Code Playgroud)
现在我想交换indices和data数组中的最后两个元素,所以我尝试:
>>> A.sort_indices()
Run Code Online (Sandbox Code Playgroud)
然而,这对我的矩阵没有任何作用。该函数的手册仅说明它对索引进行排序。
indices和data数组进行排序,以便对每一行的索引进行排序?如文档中所述,A.sort_indices()就地对索引进行排序。但是有一个缓存:如果A.has_sorted_indices为 True,则不会执行任何操作(缓存是在 0.7.0 引入的)。
因此,为了看到差异,您需要手动设置A.has_sorted_indices为 False。
>>> A.has_sorted_indices, A.indices
(True, array([1, 0, 2, 0, 2, 1], dtype=int32))
>>> A.sort_indices()
>>> A.has_sorted_indices, A.indices
(True, array([1, 0, 2, 0, 2, 1], dtype=int32))
>>> A.has_sorted_indices = False
>>> A.sort_indices()
>>> A.has_sorted_indices, A.indices
(True, array([1, 0, 2, 0, 1, 2], dtype=int32))
Run Code Online (Sandbox Code Playgroud)
请注意,与 OP 所指示的不同,从 SciPy 0.19.0 开始运行A[2, :] = [-1, -2, -3]不再产生无序索引(这应该已在 0.14.0 中修复)。另一方面,此操作会产生警告:
SparseEfficiencyWarning:更改 a 的稀疏结构的
csr_matrix成本很高。lil_matrix更有效率。
无论如何,我们可以通过其他方式轻松生成无序索引,例如通过矩阵乘法:
>>> B = scipy.sparse.csr_matrix([[0, 1, 0], [1, 0, 1], [0, 1, 0]])
>>> C = B*B
>>> C.has_sorted_indices, C.indices
(0, array([2, 0, 1, 2, 0], dtype=int32))
>>> C.sort_indices()
>>> C.has_sorted_indices, C.indices
(True, array([0, 2, 1, 0, 2], dtype=int32))
Run Code Online (Sandbox Code Playgroud)