1

私はFreeMatを使用しています。3D マトリックスであるRGB画像には、画像の列と行、および各ピクセルの RGB 値が含まれています。

RGB画像をYIQに変換する組み込み関数がないため、実装しました。私はこのコードを思いつきました:

3D 配列があるとしimage_rgbます。

matrix = [0.299 0.587 0.114;
0.596 -0.274 -0.322;
0.211 -0.523 0.312];
row = 1:length(image_rgb(:,1,1));
col = 1:length(image_rgb(1,:,1));
p = image_rgb(row,col,:);

%Here I have the problem
mage_yiq(row,col,:) = matrix*image_rgb(row,col,:);

max_y = max (max(image_yiq(:,:,1)));
max_i = max (max(image_yiq(:,:,2)));
max_q = max (max(image_yiq(:,:,3)));

%Renormalize the image again after the multipication
% to [0,1].
image_yiq(:,:,1) = image_yiq(:,:,1)/max_y;
image_yiq(:,:,2) = image_yiq(:,:,2)/max_i;
image_yiq(:,:,3) = image_yiq(:,:,3)/max_q;

行列の乗算が失敗する理由がわかりません。行列を手で掛けるだけでなく、コードを素敵にしたい...

4

2 に答える 2

2

作成した3D配列を乗算しようとしmatrixましたが、これは適切な行列の乗算ではありません。画像データを3xm * nの行列に展開し、カスタム行列と乗算する必要があります。

これは、カスタム色空間変換をRGB画像に適用するためのソリューションです。ご提供いただいたマトリックスを使用して、組み込みのYIQ変換と比較しました。

%# Define the conversion matrix
matrix = [0.299  0.587  0.114;
          0.596 -0.274 -0.322;
          0.211 -0.523  0.312];

%# Read your image here
rgb = im2double(imread('peppers.png'));
subplot(1,3,1), imshow(rgb)
title('RGB')


%# Convert using unfolding and folding
[m n k] = size(rgb);

%# Unfold the 3D array to 3-by-m*n matrix
A = permute(rgb, [3 1 2]);
A = reshape(A, [k m*n]);

%# Apply the transform
yiq = matrix * A;

%# Ensure the bounds
yiq(yiq > 1) = 1;
yiq(yiq < 0) = 0;

%# Fold the matrix to a 3D array
yiq = reshape(yiq, [k m n]);
yiq = permute(yiq, [2 3 1]);

subplot(1,3,2), imshow(yiq)
title('YIQ (with custom matrix)')


%# Convert using the rgb2ntsc method
yiq2 = rgb2ntsc(rgb);
subplot(1,3,3), imshow(yiq2)
title('YIQ (built-in)')

YIQの結果

kRGB画像の場合は3になることに注意してください。各ステートメントの後の行列のサイズを参照してください。また、画像をに変換することを忘れないでくださいdouble

于 2011-11-14T15:03:48.943 に答える