我在python中有一个CSR稀疏格式的稀疏矩阵,我想将它导入MATLAB。MATLAB没有CSR稀疏格式。对于所有类型的矩阵,它只有一个稀疏格式。由于矩阵是非常大的密集格式,我想知道如何导入它作为一个MATLAB稀疏矩阵?
发布于 2014-09-08 16:39:09
scipy.io.savemat以与MATLAB兼容的格式保存稀疏矩阵:
In [1]: from scipy.io import savemat, loadmat
In [2]: from scipy import sparse
In [3]: M = sparse.csr_matrix(np.arange(12).reshape(3,4))
In [4]: savemat('temp', {'M':M})
In [8]: x=loadmat('temp.mat')
In [9]: x
Out[9]:
{'M': <3x4 sparse matrix of type '<type 'numpy.int32'>'
with 11 stored elements in Compressed Sparse Column format>,
'__globals__': [],
'__header__': 'MATLAB 5.0 MAT-file Platform: posix, Created on: Mon Sep 8 09:34:54 2014',
'__version__': '1.0'}
In [10]: x['M'].A
Out[10]:
array([[ 0, 1, 2, 3],
[ 4, 5, 6, 7],
[ 8, 9, 10, 11]])注意,savemat将其转换为csc。它还透明地处理索引起始点的差异。
在Octave中
octave:4> load temp.mat
octave:5> M
M =
Compressed Column Sparse (rows = 3, cols = 4, nnz = 11 [92%])
(2, 1) -> 4
(3, 1) -> 8
(1, 2) -> 1
(2, 2) -> 5
...
octave:8> full(M)
ans =
0 1 2 3
4 5 6 7
8 9 10 11发布于 2014-09-08 15:38:23
Matlab和西皮稀疏矩阵格式是兼容的。你需要得到数据,指数和矩阵大小的矩阵,并使用它们在Matlab中创建一个稀疏矩阵。下面是一个例子:
from scipy.sparse import csr_matrix
from scipy import array
# create a sparse matrix
row = array([0,0,1,2,2,2])
col = array([0,2,2,0,1,2])
data = array([1,2,3,4,5,6])
mat = csr_matrix( (data,(row,col)), shape=(3,4) )
# get the data, shape and indices
(m,n) = mat.shape
s = mat.data
i = mat.tocoo().row
j = mat.indices
# display the matrix
print mat打印出来:
(0, 0) 1
(0, 2) 2
(1, 2) 3
(2, 0) 4
(2, 1) 5
(2, 2) 6使用Python中的m、n、s、i和j值在Matlab中创建一个矩阵:
m = 3;
n = 4;
s = [1, 2, 3, 4, 5, 6];
% Index from 1 in Matlab.
i = [0, 0, 1, 2, 2, 2] + 1;
j = [0, 2, 2, 0, 1, 2] + 1;
S = sparse(i, j, s, m, n, m*n)它提供相同的矩阵,只从1索引。
(1,1) 1
(3,1) 4
(3,2) 5
(1,3) 2
(2,3) 3
(3,3) 6https://stackoverflow.com/questions/25727051
复制相似问题