フィルターのクリア

Is there an efficient way to set some of the Least Significant Bits (LSBs) to zero in RGB image with less computation speed?

15 ビュー (過去 30 日間)
Suppose, I have a image, A, and I have to set some of the LSBs to zero.
Say, Bit 0 to Bit 3 is set to zero. To do so, I have implemented the following code:
%%
A = imread('image.jpg'); % Reading a RGB image
tic;
I = dec2bin(A); %converting the image into binary
I(:, 5:8) = '0'; % replacing the 4 LSB bits (Bit 0 to Bit 3) to zero
J = bin2dec(I); % converting back to the original format
J = uint8(reshape(J, size(A))); %reshaping the output image to the input image size
toc;
%%%%%
This code performs the required task. However, it takes around 4.2 seconds for a single image. I need to perform this on more than 200 images.
So, is there any other efficient way to perform above said task?
Any support will be much appreciated. Thank you in advance.

採用された回答

Walter Roberson
Walter Roberson 2021 年 1 月 30 日
A = imread('flamingos.jpg');
tic;
I = dec2bin(A);
I(:,5:8) = '0';
J = reshape(uint8(bin2dec(I)), size(A));
toc
Elapsed time is 5.740375 seconds.
tic;
J = bitand(A, 0xf0u8);
toc
Elapsed time is 0.003683 seconds.
tic
J = A - mod(A, uint8(16));
toc
Elapsed time is 0.005185 seconds.
tic
J = uint8(floor(double(A)/16)*16);
toc
Elapsed time is 0.020407 seconds.
tic
J = bitshift(bitshift(A, 4), -4);
toc
Elapsed time is 0.003269 seconds.
So bitshifts is fastest of the methods tried, then bitand(), then subtracting the mod, and the classic approach of division and multiplication is slowest of the mathematical transforms. Relative timings of bitshift compared to bitand is inconsistent; some of the measurements showed bitand to be faster than the bitshift approach, but more of the time bitshift was slightly faster.
Note: you might be tempted to try just plain A/16*16 but that will not work. Division in integer data types is defined to round not to truncate, so for example uint8(3)/2 would be 2 (1.5 rounded) not 1 (1.5 truncated)
I would be more likely to use the bitand() approach rather than the double bit-shift: it provides more flexibility with less thought.
  3 件のコメント
Walter Roberson
Walter Roberson 2021 年 1 月 30 日
Odd, that is surprisingly slow.
A = imread('flamingos.jpg');
tic;
J = idivide(A,16,'floor')*16;
toc
Elapsed time is 0.045668 seconds.
Manisha N
Manisha N 2021 年 1 月 30 日
Thank you very much! I am able to execute this much faster now.
In the case of bitshift, shouldn't it be bitshift(bitshift(A, -4), 4) instead of bitshift(bitshift(103, 4), -4)?

サインインしてコメントする。

その他の回答 (0 件)

Community Treasure Hunt

Find the treasures in MATLAB Central and discover how the community can help you!

Start Hunting!

Translated by