请帮我分配比非单身人士更多的非单人rhs尺寸

时间:2010-05-14 20:26:08

标签: matlab variable-assignment

我的代码中出现以下错误

  

分配有更多的非单身rhs   尺寸比非单件

这是代码:

 string =['d:\face\face\ffw' int2str(r) '_' int2str(Sel(nSelRow,t)) '.bmp'];
 A = imread(string);
 B = im2double(A);
 Train_Dat(:,:,s)=B;

更新1:

当我更新代码时,我们在下一行中遇到了新错误

我的代码

for r=1:Class_Num
    for t=1:Class_Train_Num
        %string=['e:\face_lib\feret_80\ff' int2str(r) '_' int2str(t) '.tif'];
        string =['d:\face\face\ffw' int2str(r) '_' int2str(Sel(nSelRow,t)) '.bmp'];
        A=imread(string);
        B=im2double(A);
        Train_Dat(:,:,:,s)=B;
        Train_Dat_Vector(:,s)=B(:); %here new error Subscripted assignment dimension mismatch.
        s=s+1;
    end

更新2:

my define for 
nImgW = 40;
nImgH = 40;
nImgSize = nImgW*nImgH;
Train_Dat_Vector = zeros( nImgSize, Train_Num );
            A=imread(string);
            B=im2double(A);
            Train_Dat(:,:,:,s)=B;
            Train_Dat_Vector(:,s)=B(:);%here i want convert matrix to 40x40,Train_Num
            s=s+1;

1 个答案:

答案 0 :(得分:4)

我认为问题在于B很可能是3-D RGB image,而您正试图将其分配到3-D矩阵Train_Dat的单个2-D平面上。如果您正在尝试收集一组3-D图像以用作训练数据,则必须使Train_Dat成为4-D矩阵(如果所有图像具有完全相同的尺寸)或者单元格数组(每个单元格有一个图像):

示例#1:4-D矩阵......

nRows = 100;  %# The number of rows in the images
nCols = 100;  %# The number of columns in the images
nDepth = 3;   %# The depth of the images (3 color planes for RGB images)
nImages = 5;  %# The number of images you will use
Train_Dat = zeros(nRows,nCols,nDepth,nImages);  %# Initialize to zeros
Train_Dat(:,:,:,1) = B;                         %# Assign B as the first image

如果您想使用此选项,但所有图片不是相同的尺寸,则必须将它们全部调整为给定尺寸。如果你有Image Processing Toolbox,一种方法是使用函数IMRESIZE

newSize = [40 40];        %# The new size the image will be
C = imresize(B,newSize);  %# Resize image B

如果您无权访问图像处理工具箱,则可以使用函数INTERP2来调整图像大小。以下是调整3-D RGB image类型UINT8大小的一个示例:

B = double(B);                   %# Convert B to double (needed to use INTERP2)
[nRows,nCols,nDepth] = size(B);  %# Get the old image size
C = zeros(40,40,3,'uint8');      %# Initialize the new 3-D 40-by-40 uint8 image
xi = linspace(1,nCols,40);       %# Create a down-sampled set of x points
yi = linspace(1,nRows,40);       %# Create a down-sampled set of y points
[X,Y] = meshgrid(xi,yi);         %# Create 40-by-40 grids of x and y points
C(:,:,1) = interp2(B(:,:,1),X,Y,'spline');  %# Interpolate the red color plane
C(:,:,2) = interp2(B(:,:,2),X,Y,'spline');  %# Interpolate the green color plane
C(:,:,3) = interp2(B(:,:,3),X,Y,'spline');  %# Interpolate the blue color plane

图片C现在将是B的40 x 40版本的下采样。<​​/ p>

示例#2:单元阵列......

nImages = 5;  %# The number of images you will use
Train_Dat = cell(1,nImages);  %# Initialize the cell array
Train_Dat{1} = B;             %# Assign B as the first image

在这种情况下,您添加到每个单元格的图像可以是不同的大小和类型,因此不需要调整大小。