我正在学习如何使用Scipy.sparse。我尝试的第一件事是检查对角矩阵的稀疏性。然而,Scipy声称它并不稀疏。这是正确的行为吗?
以下代码返回'False':
import numpy as np
import scipy.sparse as sps
A = np.diag(range(1000))
print sps.issparse(A)
答案 0 :(得分:5)
issparse
不会检查矩阵的密度是否小于某个任意数字,它会检查该参数是否是spmatrix
的实例。
np.diag(range(1000))
返回标准ndarray
:
>>> type(A)
<type 'numpy.ndarray'>
您可以通过多种方式从中制作稀疏矩阵。随机选择一个:
>>> sps.coo_matrix(A)
<1000x1000 sparse matrix of type '<type 'numpy.int32'>'
with 999 stored elements in COOrdinate format>
>>> m = sps.coo_matrix(A)
>>> sps.issparse(m)
True
但请注意,issparse
对关键字的密度关注度较低,只关注它是否是特定稀疏矩阵类型的实例。例如:
>>> m2 = sps.coo_matrix(np.ones((1000,1000)))
>>> m2
<1000x1000 sparse matrix of type '<type 'numpy.float64'>'
with 1000000 stored elements in COOrdinate format>
>>> sps.issparse(m2)
True