2

Python 上的这段代码在 .mat 文件中创建单元格“STRINGS”:

data = {"STRINGS": numpy.empty((0),dtype=numpy.object)}
data["STRINGS"] = numpy.append( data["STRINGS"], "Some string" )
scipy.io.savemat( output_mat_file, data )

在matlab中我得到单元格字符串:

>> STRINGS{1}

ans =

Some string

我怎么能得到普通的矩阵?例如:

>> strings(1,:) = char('Some ');
>> strings(1,:)

ans =

Some 

编辑

如果我运行以下代码,我会误解数组重整。

Python:

list = ['hello', 'world!!!']
scipy.io.savemat(output_mat_file, mdict={'list':list})

MATLAB:

>> list
list =
hlo wrd!
4

1 回答 1

3

在 MATLAB 中,元胞数组是异构数据类型的容器,而矩阵不是,它们的所有元素都必须属于同一类型(无论是数字双精度还是字符)

矩阵是矩形的(因此,如果您在每个 2D 矩阵行中存储字符串,它们都必须具有相同的长度,或者用空格填充)。这个概念也适用于多维矩阵。

Python 列表的 MATLAB 等价物是元胞数组:

Python

x = [1, 10.0, 'str']
x[0]

马尔塔布

x = {int32(1), 10, 'str'}
x{1}

编辑:

这是一个显示差异的示例:

Python

import numpy
import scipy.io

list = ['hello', 'world!!!']
scipy.io.savemat('file.mat', mdict={'list':list})

list2 = numpy.array(list, dtype=numpy.object)
scipy.io.savemat('file2.mat', mdict={'list2':list2})

MATLAB

>> load file.mat
>> load file2.mat
>> whos list list2
  Name       Size            Bytes  Class    Attributes

  list       2x8                32  char               
  list2      2x1               146  cell   

现在我们可以访问字符串:

>> list(1,:)
ans =
hello   

>> list2{1}
ans =
hello

请注意,在矩阵情况下,字符串是用空格填充的,因此所有字符串都具有相同的长度(您可以使用 STRTRIM)

于 2011-09-18T22:14:07.713 回答