将Python稀疏矩阵导入MATLAB

8

我有一个以CSR稀疏格式表示的Python稀疏矩阵,我想将其导入MATLAB。MATLAB没有CSR稀疏格式,它只有一种适用于所有矩阵类型的稀疏格式。由于在密集格式下矩阵非常大,我想知道如何将其导入为MATLAB稀疏矩阵。

2个回答

6

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

谢谢。这是直接的方法。 - user3821329

4

MatlabScipy的稀疏矩阵格式是兼容的。您需要获取Scipy矩阵中的数据、索引和矩阵大小,然后使用它们在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)        6

谢谢。只是一个小建议修改。对于稀疏命令的最后(第六个)参数,我们可以使用nnz方法的结果而不是m*n来节省空间(或者简单地省略它并传递5个参数,这将产生相同的效果)。 - user3821329

网页内容由stack overflow 提供, 点击上面的
可以查看英文原文,
原文链接