필터 지우기
필터 지우기

LSB code

조회 수: 12 (최근 30일)
Aseel H
Aseel H 2011년 11월 26일
댓글: Image Analyst 2021년 12월 11일
I want hide a text in image using LSB algorithm
for example:
X = image;
S = secret message;
I write:
X2(:)=bitset(X(:),1,S(:));
but when run i have an error
"??? Error using ==> bitset
Inputs must be non-negative integers."
after convert to binary i have another error
??? Undefined function or method 'bitset' for input arguments of type 'char'.
please help me.
  댓글 수: 1
Michael Chan
Michael Chan 2012년 4월 21일
Similar methods are used in Matlab in the following example for static images:
http://www.mathworks.com/matlabcentral/fileexchange/36288-embedding-hiding-image-within-image-with-n-bit-lsb-steganography
http://www.mathworks.com/matlabcentral/fileexchange/36275-image-description-notes-with-n-bit-lsb-steganography

댓글을 달려면 로그인하십시오.

채택된 답변

Image Analyst
Image Analyst 2011년 11월 27일
Well here's my demo. It lets you hide an watermark image, which may be bigger or smaller than a cover image, into a user-specified bitplane of the cover (original) image. If the watermark is bigger than the original image, it scales it down. If the watermark is smaller, it tiles it. The watermark image can be grayscale and you can specify where you want it thresholded at. It uses standard MATLAB demo images. If the images are color, it takes the red channel - I haven't made it to work with color images. At the end it adds noise and recovers the watermark from the noise-free and noisy images, so you can see how lousy this method is as far as being robust to attack.
% Demo to watermark an image by hiding another image in a certain bit
% plane. Sometimes called "LSB Watermarking" or something similar.
% User is asked which bit plane they want to hide the image in.
% By Image Analyst.
clc; % Clear the command window.
close all; % Close all figures (except those of imtool.)
imtool close all; % Close all imtool figures.
clear; % Erase all existing variables.
workspace; % Make sure the workspace panel is showing.
fontSize = 12;
% Read in the image what will have another image hidden into it.
baseFileName='moon.tif';
% baseFileName='cameraman.tif';
folder = fullfile(matlabroot, '\toolbox\images\imdemos');
% Get the full filename, with path prepended.
fullFileName = fullfile(folder, baseFileName);
if ~exist(fullFileName, 'file')
% Didn't find it there. Check the search path for it.
fullFileName = baseFileName; % No path this time.
if ~exist(fullFileName, 'file')
% Still didn't find it. Alert user.
errorMessage = sprintf('Error: %s does not exist.', fullFileName);
uiwait(warndlg(errorMessage));
return;
end
end
originalImage = imread(fullFileName);
% Get the number of rows and columns in the original image.
[visibleRows visibleColumns numberOfColorChannels] = size(originalImage);
if numberOfColorChannels > 1
% If it's color, extract the red channel.
originalImage = originalImage(:,:,1);
end
% Display the original gray scale image.
subplot(3, 3, 4);
imshow(originalImage, []);
title('Original Grayscale Starting Image', 'FontSize', fontSize);
% Enlarge figure to full screen.
set(gcf, 'units','normalized','outerposition',[0 0 1 1]);
set(gcf,'name','Demo by ImageAnalyst','numbertitle','off')
% read the message image you want to hide in the cover image
baseFileName='cameraman.tif';
% baseFileName='moon.tif';
% Get the full filename, with path prepended.
fullFileName = fullfile(folder, baseFileName);
if ~exist(fullFileName, 'file')
% Didn't find it there. Check the search path for it.
fullFileName = baseFileName; % No path this time.
if ~exist(fullFileName, 'file')
% Still didn't find it. Alert user.
errorMessage = sprintf('Error: %s does not exist.', fullFileName);
uiwait(warndlg(errorMessage));
return;
end
end
hiddenImage = imread(fullFileName);
% Get the number of rows and columns in the hidden image.
[hiddenRows hiddenColumns numberOfColorChannels] = size(hiddenImage);
if numberOfColorChannels > 1
% If it's color, extract the red channel.
hiddenImage = hiddenImage(:,:,1);
end
% Display the image.
subplot(3, 3, 1);
imshow(hiddenImage, []);
title('Image to be Hidden', 'FontSize', fontSize);
% Let's compute and display the histogram.
[pixelCount grayLevels] = imhist(hiddenImage);
subplot(3, 3, 2);
bar(pixelCount);
title('Histogram of image to be hidden', 'FontSize', fontSize);
xlim([0 grayLevels(end)]); % Scale x axis manually.
grid on;
thresholdValue = 70;
binaryImage = hiddenImage < thresholdValue;
% Display the image.
subplot(3, 3, 3);
imshow(binaryImage, []);
caption = sprintf('Hidden Image Thresholded at %d', thresholdValue);
title(caption, 'FontSize', fontSize);
% Get the bit plane to hide the image in.
prompt = 'Enter the bit plane you want to hide the image in (1 - 8) ';
dialogTitle = 'Enter Bit Plane to Replace';
numberOfLines = 1;
defaultResponse = {'1'};
bitToSet = str2double(cell2mat(inputdlg(prompt, dialogTitle, numberOfLines, defaultResponse)));
% If image to be hidden is bigger than the original image, scale it down.
if hiddenRows > visibleRows || hiddenColumns > visibleColumns
amountToShrink = min([visibleRows / hiddenRows, visibleColumns / hiddenColumns]);
binaryImage = imresize(binaryImage, amountToShrink);
% Need to update the number of rows and columns.
[hiddenRows hiddenColumns] = size(binaryImage);
end
% Tile the hiddenImage, if it's smaller, so that it will cover the original image.
if hiddenRows < visibleRows || hiddenColumns < visibleColumns
watermark = zeros(size(originalImage), 'uint8');
for column = 1:visibleColumns
for row = 1:visibleRows
watermark(row, column) = binaryImage(mod(row,hiddenRows)+1, mod(column,hiddenColumns)+1);
end
end
% Crop it to the same size as the original image.
watermark = watermark(1:visibleRows, 1:visibleColumns);
else
% Watermark is the same size as the original image.
watermark = binaryImage;
end
% Display the thresholded binary image - the watermark alone.
subplot(3, 3, 5);
imshow(watermark, []);
caption = sprintf('Hidden Image\nto be Inserted into Bit Plane %d', bitToSet);
title(caption, 'FontSize', fontSize);
% Set the bit of originalImage(a copy, actually) to the value of the watermark.
watermarkedImage=originalImage;
for column = 1:visibleColumns
for row = 1:visibleRows
watermarkedImage(row, column)=bitset(originalImage(row, column), bitToSet, watermark(row, column));
end
end
% Display the image.
subplot(3, 3, 6);
imshow(watermarkedImage, []);
caption = sprintf('Final Watermarked Image\nwithout added Noise');
title(caption, 'FontSize', fontSize);
% add noise to watermarked image
noisyWatermarkedImage = imnoise(watermarkedImage,'gaussian');
% Display the image.
subplot(3, 3, 7);
imshow(noisyWatermarkedImage, []);
caption = sprintf('Watermarked Image\nwith added Noise');
title(caption, 'FontSize', fontSize);
%====================================================================================
% Now let's pretend we are starting with the watermarked noisy corrupted image.
% We want to recover the watermark.
% Use the known bitplane of watermarked image to recover the watermark.
recoveredWatermark = zeros(size(noisyWatermarkedImage));
recoveredNoisyWatermark = zeros(size(noisyWatermarkedImage));
for column = 1:visibleColumns
for row = 1:visibleRows
recoveredWatermark(row, column) = bitget(watermarkedImage(row, column), bitToSet);
recoveredNoisyWatermark(row, column) = bitget(noisyWatermarkedImage(row, column), bitToSet);
end
end
% Scale the recovered watermark to 0=255
recoveredWatermark = uint8(255 * recoveredWatermark);
recoveredNoisyWatermark = uint8(255 * recoveredNoisyWatermark);
% Display the images.
subplot(3, 3, 8);
imshow(recoveredWatermark, []);
caption = sprintf('Watermark Recovered\nfrom Bit Plane %d of\nNoise-Free Watermarked Image', bitToSet);
title(caption, 'FontSize', fontSize);
% Display the images.
subplot(3, 3, 9);
imshow(recoveredNoisyWatermark, []);
caption = sprintf('Watermark Recovered\nfrom Bit Plane %d of\nNoisy Watermarked Image', bitToSet);
title(caption, 'FontSize', fontSize);
msgbox('Done with demo!');
  댓글 수: 16
tuan trinh
tuan trinh 2021년 12월 11일
i want to change images but i don't know how to use it
Image Analyst
Image Analyst 2021년 12월 11일
@tuan trinh to change images, look to where I specify baseFileName and folder and change them to be appropriate for your particular images on your computer.

댓글을 달려면 로그인하십시오.

추가 답변 (5개)

Walter Roberson
Walter Roberson 2011년 11월 26일
What data types are X and S? That is, what does class() report for each of them?
Your S must be a vector of values, each 0 or 1. It cannot be '0' or '1', and it cannot be (e.g) 72 (which corresponds to the coding for 'H')
  댓글 수: 1
Aseel H
Aseel H 2011년 11월 27일
X is a variable to identify the image
S is a variable to identify the text that i want hide it in image
please if you have code hide text in image using LSB algorithm send me
thanks

댓글을 달려면 로그인하십시오.


pratiksha patil
pratiksha patil 2012년 3월 4일
But how can I again extract the original message file???????
  댓글 수: 4
Sanjeeb Behera
Sanjeeb Behera 2016년 9월 10일
When I run this code it gives an error in below line bin_vector(idk) = bitget(cover(row,col), 7);
Error - The variable bin_vector appears to change size on every loop iteration (within script). Consider perallocating for speed
Walter Roberson
Walter Roberson 2016년 9월 10일
That would not be an error, it would be a warning given by the editor. It is a matter of efficiency, not a matter of being incorrect MATLAB. If you want to avoid the warning you can use
bin = zeros(cl, 8);
before the "for x = 1 : cl" loop.

댓글을 달려면 로그인하십시오.


sha
sha 2012년 3월 21일
This is my example of extraction..
hopefully you can try..
%determined the size of watermarked image
mw=size(image1,1); %heigth of the watermarked image
nw=size(image1,2); %width of the watermarked image
for ii = 1: mw
for jj = 1 : nw
watermark (ii,jj) = bitget(image1(ii,jj),1);
end
end
figure(2)
imshow(watermark);
title('extracted image'); % watermark image for watermarking
  댓글 수: 1
ghassan78
ghassan78 2014년 1월 27일
ok my bro , but i think this code don't work with color watermark ... just with gray

댓글을 달려면 로그인하십시오.


Swati Nagpal
Swati Nagpal 2018년 7월 21일
I m working on lsb to hide text behind an image I have done the encryption part but I m having problem in decryption of lsb. So j request you to help me in that or pls share code for retrieval of hidden message from the image.
  댓글 수: 1
Image Analyst
Image Analyst 2018년 7월 21일
I believe my answer did that, didn't it? If not, tell me what about it didn't work, and attach your cover image and secret image so that the problem can be demonstrated.

댓글을 달려면 로그인하십시오.


Ariba Tariq
Ariba Tariq 2018년 7월 31일
I am working on LSB to hide parts of one secret image into multiple cover images and then trying to recover secret from all the cover images. It would help me a lot if anybody can guide me through this or share a code of similar concept.
  댓글 수: 1
Image Analyst
Image Analyst 2018년 7월 31일
To process a sequence of files with my code, make my code a function, then put it inside a for loop that you get from the FAQ: https://matlab.wikia.com/wiki/FAQ#How_can_I_process_a_sequence_of_files.3F

댓글을 달려면 로그인하십시오.

Community Treasure Hunt

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

Start Hunting!

Translated by