0

我在将数据存储在 for 和 if 循环中的矩阵中时遇到问题,

结果只给了我最后一次迭代的最后一个值。我想要所有的

将所有迭代的结果存储在一个矩阵中。

这是我的代码示例:

clear all

clc

%%%%%%%%%%%%%%

 for M=1:3;

    for D=1:5;

%%%%%%%%%%%%%%

    if ((M == 1) && (D <= 3)) || ((M == 3) && (2 <= D  && D <= 5))

        U1=[5 6];

    else

        U1=[0 0];

    end

    % desired output: 

    % U1=[5 6 5 6 5 6 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 5 6 5 6 5 6 5 6]

%%%%%%%%%%%%%%

    if (M == 1) && (D==4) || ((M == 3) && (D == 1))

        U2=[8 9];

    else

        U2=[0 0];

    end

    % desired output: 

    % U2=[0 0 0 0 0 0 8 9 0 0 0 0 0 0 0 0 0 0 0 0 8 9 0 0 0 0 0 0 0 0]

%%%%%%%%%%%%%%

    if ((M == 1) && (D == 5)) || ((M == 2) && (1 <= D  && D <= 5)) 

        U3=[2 6];

    else

        U3=[0 0];

    end

    % desired output:

    % U3=[0 0 0 0 0 0 0 0 2 6 2 6 2 6 2 6 2 6 2 6 0 0 0 0 0 0 0 0 0 0]

 %%%%%%%%%%%%%%

    end
end
4

2 回答 2

3

每次写入时,您都在覆盖您的矩阵UX=[X Y];

如果要追加数据,请预先分配矩阵并在每次分配新值时指定矩阵索引,或者UX=[UX X Y];直接在矩阵末尾追加数据。

clear all
clc
U1=[];
U2=[];
U3=[];
for M=1:3
    for D=1:5
        if ((M == 1) && (D <= 3)) || ((M == 3) && (2 <= D  && D <= 5))
            U1=[U1 5 6]; 
        else
            U1=[U1 0 0];
        end
        % desired output: 
        % U1=[5 6 5 6 5 6 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 5 6 5 6 5 6 5 6]
        if (M == 1) && (D==4) || ((M == 3) && (D == 1))
            U2=[U2 8 9];
        else
            U2=[U2 0 0];
        end
        % desired output: 
        % U2=[0 0 0 0 0 0 8 9 0 0 0 0 0 0 0 0 0 0 0 0 8 9 0 0 0 0 0 0 0 0]
        if ((M == 1) && (D == 5)) || ((M == 2) && (1 <= D  && D <= 5)) 
            U3=[U3 2 6];
        else
            U3=[U3 0 0];
        end
        % desired output:
        % U3=[0 0 0 0 0 0 0 0 2 6 2 6 2 6 2 6 2 6 2 6 0 0 0 0 0 0 0 0 0 0]
    end
end
于 2011-09-22T16:25:55.740 回答
1

您可以完全避免循环:

[M,D] = meshgrid(1:3,1:5);
M = M(:)'; D = D(:)';

idx1 = ( M==1 & D<=3 ) | ( M== 3 & 2<=D & D<=5 );
idx2 = ( M==1 & D==4) | ( M==3 & D==1 );
idx3 = ( M==1 & D==5 ) | ( M==2 & 1<=D & D<=5 );

U1 = bsxfun(@times, idx1, [5;6]); U1 = U1(:)';
U2 = bsxfun(@times, idx2, [8;9]); U2 = U2(:)';
U3 = bsxfun(@times, idx3, [2;6]); U3 = U3(:)';
于 2011-09-22T23:50:21.460 回答