2015-02-11 106 views

回答

2

假設A是輸入的圖像數據,這可能是一個辦法 -

%// Initialize vectors for old and new pixels tuplets 
oldval = [140,50,61] 
newval = [150,57,80] 

%// Reshape the input array to a 2D array, so that each column would 
%// reprsent one pixel color information. 
B = reshape(permute(A,[3 1 2]),3,[]) 

%// Find out which columns match up with the oldval [3x1] values 
matches = all(bsxfun(@eq,B,oldval(:)),1) 
%// OR matches = matches = ismember(B',oldval(:)','rows') 

%// Replace all those columns with the replicated versions of oldval 
B(:,matches) = repmat(newval(:),1,sum(matches)) 

%// Reshape the 2D array back to the same size as input array 
out = reshape(permute(B,[3 2 1]),size(A)) 

採樣運行 -

>> A 
A(:,:,1) = 
    140 140 140 
    40 140 140 
A(:,:,2) = 
    50 20 50 
    50 50 50 
A(:,:,3) = 
    61 65 61 
    61 61 61 
>> out 
out(:,:,1) = 
    150 140 150 
    40 150 150 
out(:,:,2) = 
    57 20 57 
    50 57 57 
out(:,:,3) = 
    80 65 80 
    61 80 80 
+0

你能告訴我怎麼用替換'OLDVAL(:)'?舊的顏色是RGB(140,50,61) – Tak 2015-02-11 04:30:07

+1

@shepherd檢查編輯? – Divakar 2015-02-11 04:30:35

+0

謝謝:)。是否可以寫一些解釋你寫的代碼行的註釋? :) – Tak 2015-02-11 04:32:25

1

bsxfun是我會解決它的辦法。但是,如果您不熟悉它,則可以從圖像中提取每個通道,爲每個通道使用三個邏輯模板,然後使用logical AND進行組合。做和會發現你的圖像中的像素,尋找特定的RGB三重。

因此,我們相應地設置每個通道的輸出並重構圖像以產生輸出。

因此,鑑於你的輸入圖像A,一個可以這樣做:

red = A(:,:,1); green = A(:,:,2); blue = A(:,:,3); 
mred = red == 140; mgreen = green == 50; mblue = blue == 61; 
final_mask = mred & mgreen & mblue; 
red(final_mask) = 150; green(final_mask) = 57; blue(final_mask) = 80; 
out = cat(3, red, green, blue); 
相關問題