0

在 MATLAB 中使用该函数regionprops时,可以选择提取每个连通分量的二进制图像。二值图像的大小减小到连通分量的大小。我不希望二进制图像的大小减小。我希望二进制图像的大小保持其原始大小,同时仅在原始图像大小的相应位置显示选定的连接组件。如何提取原始图像大小的连通分量?

4

1 回答 1

2

只需创建一个与原始图像大小相同的空白图像,而不是提取每个 blob 的图像,而是参考每个 blob 的原始图像提取实际像素位置,然后通过true在此空白中将这些位置设置为二进制来填充空白图像图片。使用PixelIdxList属性 fromregionprops获取所需组件的列主要位置,然后使用它们将这些相同位置的输出图像设置为true.

假设您的regionprops结构存储在S并且您想要提取k第 th 分量并且原始图像存储在 中A,请执行以下操作:

% Allocate blank image
out = false(size(A, 1), size(A, 2));

% Run regionprops
S = regionprops(A, 'PixelIdxList');

% Determine which object to extract
k = ...; % Fill in ID here

% Obtain the indices
idx = S(k).PixelIdxList;

% Create the mask to be the same size as the original image
out(idx) = true;

imshow(out); % Show the final mask

如果您有多个对象,并且想要为每个对象分别创建图像的原始大小的蒙版,则可以使用for循环为您执行此操作:

% Run regionprops
S = regionprops(A, 'PixelIdxList');

% For each blob... 
for k = 1 : numel(S)
    out = false(size(A, 1), size(A, 2)); % Allocate blank image

    % Extract out the kth object's indices
    idx = S(k).PixelIdxList;

    % Create the mask
    out(idx) = true;

    % Do your processing with out ...
    % ...
end 
于 2016-08-15T21:06:52.987 回答