我想用近似偶数行来划分矩阵。例如,如果我有一个这些尺寸为 155 x 1000 的矩阵,我如何将它划分为 10,而每个新矩阵的尺寸约为 15 X 1000?
问问题
3762 次
2 回答
0
这是你想要的吗?
%Setup
x = rand(155,4); %4 columns prints on my screen, the second dimension can be any size
n = size(x,1);
step = round(n/15);
%Now loop through the array, creating partitions
% This loop just displays the partition plus a divider
for ixStart = 1:step:n
part = x( ixStart:(min(ixStart+step,end)) , : );
disp(part);
disp('---------')
end
这里唯一的技巧是end
在下标的函数评估中使用关键字。如果不使用关键字,您可以使用size(x,1)
,但这有点难以阅读。
于 2011-11-15T00:22:55.883 回答
0
这个怎么样:
inMatrix = rand(155, 1000);
numRows = size(inMatrix, 1);
numParts = 10;
a = floor(numRows/numParts); % = 15
b = rem(numRows, numParts); % = 5
partition = ones(1, numParts)*a; % = [15 15 15 15 15 15 15 15 15 15]
partition(1:b) = partition(1:b)+1; % = [16 16 16 16 16 15 15 15 15 15]
disp(sum(partition)) % = 155
% Split matrix rows into partition, storing result in a cell array
outMatrices = mat2cell(inMatrix, partition, 1000)
outMatrices =
[16x1000 double]
[16x1000 double]
[16x1000 double]
[16x1000 double]
[16x1000 double]
[15x1000 double]
[15x1000 double]
[15x1000 double]
[15x1000 double]
[15x1000 double]
于 2011-11-15T09:36:39.893 回答