Monday 1 December 2014

Applying affine transformation (rotate, scale and translate) to align 2 shapes

s(:,1)=[20 40 40 20]';
s(:,2)=[20 20 40 40]';
plot(s(:,1),s(:,2),'.g');title('Reference Shape');

refv=s(:);
d(:,1)=[30 40 30 20];
d(:,2)=[20 30 40 30];
plot(d(:,1),d(:,2),'.g');title('Shape to be aligned');

v=d(:);
[x, y] = COG( v ); %[x,y]=[30,30]
v = Translate( v, x, y); %v-(x,y)
[x, y] = COG( refv ); % here COG is same for both
refv = Translate( refv, x, y);
vSize = Norm2( v ); %square all of them and then sum and find square root.
refvSize = Norm2( refv );
v = Scale( v, refvSize / vSize ); % refvSize / vSize gives how much reference shape is more in scale %than v and so multiply v with that it is less of .
t=v+30;
plot(t(1:4),t(5:8),'.g');

r=GetRotation( refv, v )
re = Rotate( v, r )
re=re+30;
plot(re(1:4),re(5:8),'.g');
the below figure shows that the 2 shapes are aligned.

===================================================
function [x, y] = COG( v )
n = size(v, 1) / 2;
x = sum(v(1:n, 1)) / n;
y = sum(v(n+1:2*n, 1)) / n;
function r = Translate( v, x, y)
[h, w] = size(v);
n = h / 2;
r = zeros(h, w);
r(1:n, 1) = v(1:n, 1) - x;
r(n+1:2*n, 1) = v(n+1:2*n, 1) - y;
function r = Norm2( v )
r = sqrt(sum(v.^2'));
function r = Scale( v, scale )
r = v.* scale;
====================================================
To filter out rotational effects, the following Singular Value Decomposition is used as suggested by Bookstein [1]:
1. Arrange the size and position of aligned shapes x1 and x2 as n x k matrices.
2. Calculate the SVD, UDVT, of  VUT
3. Then the rotation matrix needed to optimally superimpose x1upon x2 is VUT. In the planar case:
function r = GetRotation( refv, v )
                          
n = size( refv, 1 ) / 2;
refs = reshape( refv, n, 2 );
s = reshape( v, n, 2 );
res = refs' * s; %(reference shape ‘ *shape) we get a 2x2 matrix
[U,S,V] = svd( res );
res = V * U';
cos_theta = res(1,1);
sin_theta = res(2,1);
epsilon = 1e-12;
if 1 - cos_theta < epsilon
   r = 0;
elseif abs(cos_theta) < epsilon
   r = pi / 2;
elseif 1 + cos_theta < epsilon
   r = pi;
else
   a_cos = acos( cos_theta );
   a_sin = asin( sin_theta );
   if a_sin < 0
       r = -a_cos;
   else
       r = a_cos;
   end
end
========================================================
 function r = Rotate( v, theta)
rm = [ cos( theta ) sin( theta ); -sin( theta ) cos( theta ) ];
n = size( v, 1) / 2;
s = reshape( v, n, 2 );
for i = 1 : n
    s(i,:) = s(i,:) * rm;
end
r = reshape( s, n*2, 1 );


[1] M. B. Stegmann, Active Appearance Models: Theory, Extensions and Cases, pp. 262, Informatics and Mathematical Modelling, Technical University of Denmark, DTU, 2000.
All the above functions are written by WANG Lei, CG&CV Lab, Hunan University, Changsha
% $Id: ModelAAM.m, v 1.2 2004-4-16 15:17 Lei$

Sunday 7 September 2014

to print natural numbers repeating each number fixed number of times

To generate output as shown below:
1
1
1
2
2
2
3
3
3

the code is
myfun=[];
for i = 1:3
temp=ones(3,1)*i; %the first parameter in ones function i,e, 3 can be changed to any number, say 6 to print six 1's and then six 2's and so on......
myfun= [myfun;temp];
end

How to draw a circle on detected face using vision toolbox in matlab with center of the circle highlighted

I = imread('KA.SA3.35.png');% this image has been extracted from japanese female expression %database
bb=step(fdetect,I);
c=bb(3)/2;
d=bb(4)/2;
cx=bb(1)+c
cy=bb(2)+d
position=[cx,cy,c];
videoout=insertObjectAnnotation(I,'circle',position,'face');
imshow(videoout);
hold on; plot(cx,cy,'+','MarkerSize',10);
hold off;

Results:


Thursday 17 July 2014

creating simple calculator using guide in MATLAB

Check the example videos that come with MATLAB.
I have also provided links to videos you can look to create simple basic GUIs at the end of this post.
The code in purple is autogenerated by guide in MATLAB.
I have written the code that is in black.
Check this link to understand better after the example videos in MATLAB documentation.
http://blogs.mathworks.com/videos/2013/02/06/introduction-to-gui-building-with-guide-in-matlab/
My calculator looks like this




























function varargout = myCalculator(varargin)
% MYCALCULATOR MATLAB code for myCalculator.fig
%      MYCALCULATOR, by itself, creates a new MYCALCULATOR or raises the existing
%      singleton*.
%
%      H = MYCALCULATOR returns the handle to a new MYCALCULATOR or the handle to
%      the existing singleton*.
%
%      MYCALCULATOR('CALLBACK',hObject,eventData,handles,...) calls the local
%      function named CALLBACK in MYCALCULATOR.M with the given input arguments.
%
%      MYCALCULATOR('Property','Value',...) creates a new MYCALCULATOR or raises the
%      existing singleton*.  Starting from the left, property value pairs are
%      applied to the GUI before myCalculator_OpeningFcn gets called.  An
%      unrecognized property name or invalid value makes property application
%      stop.  All inputs are passed to myCalculator_OpeningFcn via varargin.
%
%      *See GUI Options on GUIDE's Tools menu.  Choose "GUI allows only one
%      instance to run (singleton)".
%
% See also: GUIDE, GUIDATA, GUIHANDLES

% Edit the above text to modify the response to help myCalculator

% Last Modified by GUIDE v2.5 18-Jul-2014 00:14:02

% Begin initialization code - DO NOT EDIT
gui_Singleton = 1;
gui_State = struct('gui_Name',       mfilename, ...
                   'gui_Singleton',  gui_Singleton, ...
                   'gui_OpeningFcn', @myCalculator_OpeningFcn, ...
                   'gui_OutputFcn',  @myCalculator_OutputFcn, ...
                   'gui_LayoutFcn',  [] , ...
                   'gui_Callback',   []);
if nargin && ischar(varargin{1})
    gui_State.gui_Callback = str2func(varargin{1});
end

if nargout
    [varargout{1:nargout}] = gui_mainfcn(gui_State, varargin{:});
else
    gui_mainfcn(gui_State, varargin{:});
end
% End initialization code - DO NOT EDIT


% --- Executes just before myCalculator is made visible.
function myCalculator_OpeningFcn(hObject, eventdata, handles, varargin)
% This function has no output args, see OutputFcn.
% hObject    handle to figure
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    structure with handles and user data (see GUIDATA)
% varargin   command line arguments to myCalculator (see VARARGIN)

% Choose default command line output for myCalculator
handles.output = hObject;

% Update handles structure
guidata(hObject, handles);

% UIWAIT makes myCalculator wait for user response (see UIRESUME)
% uiwait(handles.figure1);


% --- Outputs from this function are returned to the command line.
function varargout = myCalculator_OutputFcn(hObject, eventdata, handles) 
% varargout  cell array for returning output args (see VARARGOUT);
% hObject    handle to figure
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    structure with handles and user data (see GUIDATA)

% Get default command line output from handles structure
varargout{1} = handles.output;


% --- Executes on button press in pushbutton1.
function pushbutton1_Callback(hObject, eventdata, handles)
% hObject    handle to pushbutton1 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    structure with handles and user data (see GUIDATA)
first=get(handles.edit2,'string');
first=str2double(first);
second=get(handles.edit3,'string');
second=str2double(second);
sum=first+second;
set(handles.edit1,'string',sum);


% --- Executes on button press in pushbutton2.
function pushbutton2_Callback(hObject, eventdata, handles)
% hObject    handle to pushbutton2 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    structure with handles and user data (see GUIDATA)
first=get(handles.edit2,'string');
first=str2double(first);
second=get(handles.edit3,'string');
second=str2double(second);
divide=first/second;
set(handles.edit1,'string',divide);


% --- Executes on button press in pushbutton3.
function pushbutton3_Callback(hObject, eventdata, handles)
% hObject    handle to pushbutton3 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    structure with handles and user data (see GUIDATA)
first=get(handles.edit2,'string');
first=str2double(first);
second=get(handles.edit3,'string');
second=str2double(second);
mul=first*second;
set(handles.edit1,'string',mul);


% --- Executes on button press in pushbutton4.
function pushbutton4_Callback(hObject, eventdata, handles)
% hObject    handle to pushbutton4 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    structure with handles and user data (see GUIDATA)
first=get(handles.edit2,'string');
first=str2double(first);
second=get(handles.edit3,'string');
second=str2double(second);
sub=first-second;
set(handles.edit1,'string',sub);


% --- Executes on button press in pushbutton5.
function pushbutton5_Callback(hObject, eventdata, handles)
% hObject    handle to pushbutton5 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    structure with handles and user data (see GUIDATA)
first=get(handles.edit2,'string');
first=str2double(first);
second=get(handles.edit3,'string');
second=str2double(second);
exp=first^second;
set(handles.edit1,'string',exp);


function edit1_Callback(hObject, eventdata, handles)
% hObject    handle to edit1 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    structure with handles and user data (see GUIDATA)

% Hints: get(hObject,'String') returns contents of edit1 as text
%        str2double(get(hObject,'String')) returns contents of edit1 as a double


% --- Executes during object creation, after setting all properties.
function edit1_CreateFcn(hObject, eventdata, handles)
% hObject    handle to edit1 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    empty - handles not created until after all CreateFcns called

% Hint: edit controls usually have a white background on Windows.
%       See ISPC and COMPUTER.
if ispc && isequal(get(hObject,'BackgroundColor'), get(0,'defaultUicontrolBackgroundColor'))
    set(hObject,'BackgroundColor','white');
end



function edit2_Callback(hObject, eventdata, handles)
% hObject    handle to edit2 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    structure with handles and user data (see GUIDATA)

% Hints: get(hObject,'String') returns contents of edit2 as text
%        str2double(get(hObject,'String')) returns contents of edit2 as a double


% --- Executes during object creation, after setting all properties.
function edit2_CreateFcn(hObject, eventdata, handles)
% hObject    handle to edit2 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    empty - handles not created until after all CreateFcns called

% Hint: edit controls usually have a white background on Windows.
%       See ISPC and COMPUTER.
if ispc && isequal(get(hObject,'BackgroundColor'), get(0,'defaultUicontrolBackgroundColor'))
    set(hObject,'BackgroundColor','white');
end



function edit3_Callback(hObject, eventdata, handles)
% hObject    handle to edit3 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    structure with handles and user data (see GUIDATA)

% Hints: get(hObject,'String') returns contents of edit3 as text
%        str2double(get(hObject,'String')) returns contents of edit3 as a double


% --- Executes during object creation, after setting all properties.
function edit3_CreateFcn(hObject, eventdata, handles)
% hObject    handle to edit3 (see GCBO)
% eventdata  reserved - to be defined in a future version of MATLAB
% handles    empty - handles not created until after all CreateFcns called

% Hint: edit controls usually have a white background on Windows.
%       See ISPC and COMPUTER.
if ispc && isequal(get(hObject,'BackgroundColor'), get(0,'defaultUicontrolBackgroundColor'))
    set(hObject,'BackgroundColor','white');
end


Other Links :
http://blogs.mathworks.com/videos/2013/02/06/introduction-to-gui-building-with-guide-in-matlab/
http://blogs.mathworks.com/videos/2008/04/17/advanced-matlab-handles-and-other-inputs-to-guide-callbacks/
http://blogs.mathworks.com/videos/2008/04/08/widgetpalooza-12-widgets-coded-up-in-a-gui/
http://blogs.mathworks.com/videos/2014/05/22/adding-callbacks-to-lines-and-axes-in-matlab/
http://blogs.mathworks.com/videos/2014/05/12/interuptable-callbacks-and-busyaction-in-matlab/
http://blogs.mathworks.com/videos/2008/03/31/puzzler-coin-game/
http://matlabbyexamples.blogspot.in/2011/10/multipages-gui-forms-combining-from.html

Tuesday 15 July 2014

reading inbuilt MATLAB video and saving every fifth frame to C: drive frames folder

reading inbuilt MATLAB video and saving every fifth frame to C: drive frames folder
clear all;
videoObject = mmreader('xylophone.mpg');
nFrames = videoObject.NumberOfFrames;
OutputPath='C:/frames/';
mkdir(OutputPath);
for i=1:nFrames
if(mod(i,5) == 0)

fileName=strcat(OutputPath,int2str(i),'.jpg');
frameRead = read(videoObject, i);  
imwrite(frameRead,fileName);

end
end

Saturday 12 July 2014

making a video out of images in matlab

=====================In older versions of MATLAB========================
samples_dir='C:/data'; % data is folder name that has images
files = dir([samples_dir , '\*.jpg']);
aviObj = avifile('C:\test.avi', 'Compression', 'MSVC'); %test.avi is the name of the video and gets stored
%addframe cannot be used for true color images, so convert to gray scale and then add 
%video quality is not good
for i=1:length(files)
f_bmp=[samples_dir '\' files(i).name];
img=imread(f_bmp);
gr=rgb2gray(img);
aviObj = addframe(aviObj, gr);
end
aviObj=close(aviObj);

===================In newer versions of MATLAB===========================
 clear all;
close all;
samples_dir='C:/data'; % data is folder name that has images

Files = dir([samples_dir , '\*.jpg']);

VideoFile='C:\data\MyVideo'; %path of the video file to be saved
writerObj = VideoWriter(VideoFile);
writerObj.FrameRate =1; %increase the frame rate, here i have used 1 frame per second
open(writerObj);
for t= 1:length(Files)
Frame=imread(strcat('C:\data','\',Files(t).name));
writeVideo(writerObj,im2frame(Frame));
end
close(writerObj);

%To play the video

videoFReader = vision.VideoFileReader('C:\data\MyVideo.avi');
videoPlayer = vision.VideoPlayer;
while ~isDone(videoFReader)
   frame = step(videoFReader);
   step(videoPlayer,frame);
end
release(videoFReader);
release(videoPlayer);
                                                  (or)
implay('C:/data/MyVideo.avi');
=============================================================================
Program to read images in a directory as a video
===========================================================================
samples_dir='C:/data'; % data is folder name that has images
files = dir([samples_dir , '\*.jpg']);
hVPlayer=vision.VideoPlayer;
for i=1:length(files)
f_bmp=[samples_dir '\' files(i).name];
img=imread(f_bmp);
step(hVPlayer,img);
end
release(hVPlayer);

====Reading a 'mpg' video inbuilt in MATLAB and displaying the 36th,72nd,108th and 141th frame.======
clear all;
close all;
videobj=mmreader('xylophone.mpg');
numframes=get(videobj,'numberofframes');

x=read(videobj,36);
y=read(videobj,72);
z=read(videobj,108);
k=read(videobj,141);
subplot(221);imshow(x);title('36th frame');
subplot(222);imshow(y);title('72th frame');
subplot(223);imshow(z);title('108th frame');
subplot(224);imshow(k);title('141th frame');
=====================================================================

Wednesday 7 May 2014

Reading audio file and removing background noise and saving it back using MATLAB

To read an audio file or to make an audio file..
1. Attach ur hands free that comes with ur mobile that has microphone /headset with microphone to the computer
2.In windows 7,  Go to Start->All Programs ->Accessories ->Sound Recorder
On the Floating window of sound recorder, Click on Start Recording
Now speak to the microphone ..Once done click on STOP recording and save the audio file in D: drive as lp.wma

%To read an audio file to matlab use audioread as shown below
y = audioread('d:/lp.wma');

%To remove background noise, use adaptive filter

n=1:length(y);
mtlb_noisy = y;
noise = n;
% Define Adaptive Filter Parameters
filterLength = 32;
weights = zeros(1,filterLength);
step_size = 0.004;
% Initialize Filter's Operational inputs
output = zeros(1,length(mtlb_noisy));
err = zeros(1,length(mtlb_noisy));
input = zeros(1,filterLength);
% For Loop to run through the data and filter out noise
for n = 1: length(mtlb_noisy),
%Get input vector to filter
for k= 1:filterLength
if ((n-k)>0)
input(k) = noise(n-k+1);
end
end
output(n) = weights * input';  %Output of Adaptive Filter
err(n)  = mtlb_noisy(n) - output(n); %Error Computation
weights = weights + step_size * err(n) * input; %Weights Updating
end
yClean = err;

% to save the output to D drive and with name re.mp4

audiowrite('d:/re.mp4',output,44100);

Monday 5 May 2014

WEB TECHNOLOGY RECORD


Chk my other blog http://MTechMessenger.blogspot.in to see the outputs of the programs
AIM: To design a student database using XML and display the content using XSL by validating through XML schema.

PROGRAM:

XML document
<?xml version="1.0"?>
<?xml-stylesheet type="text/xsl" href="cse.xsl"?>
       <studentdata>
            <student>
                        <firstname>Lakshmi</firstname>
                        <lastname>V</lastname>
                        <rollno>CS18</rollno>
                        <dept>CSE</dept>
                        <course>Mtech</course>
            </student>
            <student>
                        <firstname>Sarvani</firstname>
                        <lastname>V</lastname>
                        <rollno>EC18</rollno>
                        <dept>ECE</dept>
                        <course>Mtech</course>
            </student>
       </studentdata>



XMLSchema

<?xml version="1.0"?>
<xs:schema xmlns:xs="http://www.w3.org/2001/XMLSchema">
       <xs:elementType id="studentdata">
            <xs:elementType id="student">
                        <xs:elementType id="name">
                                    <xs:elementType id="firstname" type="#firstname"/>
                                                <xs:elementType id="lastname" type="#lastname"/>
                        </xs:elementType>
                        <xs:elementType id="rollno"/>
                        <xs:elementType id="dept"/>
                        <xs:elementType id="course"/>
            </xs:elementType>
       </xs:elementType>
</xs:schema>




XML Stylesheet :  CSE.xsl

<?xml version="1.0"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
       <xsl:output method="html"/>
       <xsl:template match="/">
                         <html>
                                    <head>
                            <title>details</title>
                                    </head>
                        <body>
                                       <table border="1">
                                <tr>
                                               <th>Firstname</th>
                                               <th>Lastname</th>
                                    <th>Rollno</th>                       
                                               <th>Course</th>
                             </tr>
                             <xsl:for-each select="studentdata/student">
                                    <xsl:if test="dept='CSE'">
                                             <tr style="background-color:teal">
                                                            <td> <xsl:value-of select="firstname"></xsl:value-of></td>
                                                 <td> <xsl:value-of select="lastname"> </xsl:value-of></td>
                                                <td> <xsl:value-of select="rollno">     </xsl:value-of></td>                                            
                                                 <td> <xsl:value-of select="course">    </xsl:value-of></td>
                                             </tr>
                                     </xsl:if>
                                     <xsl:if test="dept='ECE'">
                                             <tr style="background-color:green">
                                                            <td> <xsl:value-of select="firstname"></xsl:value-of></td>
                                                 <td> <xsl:value-of select="lastname"> </xsl:value-of></td>
                                                <td> <xsl:value-of select="rollno">     </xsl:value-of></td>                                            
                                                 <td> <xsl:value-of select="course">    </xsl:value-of></td>
                                             </tr>
                                      </xsl:if>
                                </xsl:for-each>
                                       </table>
                        </body>
            </html>
       </xsl:template>
</xsl:stylesheet>


RESULT: Hence the program to design a student database using XML and display the content using XSL by validating through XML schema have been successfully completed


OUTPUT:




AIM: To design a web application using different types of CSS.

PROGRAM:
<html>
       <head>
            <link rel="stylesheet" type="text/css" href="E.css"/>
            <style type="text/css">
                        .medium {border-width:medium}
                        .thin {border-width:thin}
                        .solid {border-style:solid}
                        .outset {border-style:outset}
                        .red {border-color:red}
                        .blue {border-top-color:blue;border-left-color:red;border-right-color:red;
                                    border-bottom-color:blue;margin-bottom:1em}
            </style>
       </head>   
       <body>
            <p>This text doesnot have style applied</p>

            <p style="font-size:20pt;color:SteelBlue">this text has inline style
                                     <em>font-size</em><em> color</em> applied to it.</p>

            <p>These have embedded styles applied</p>
            <div class="thin red solid">thin red Solid Border</div>
            <hr>
            <div class="medium blue outset ">medium blue outset Border</div>
           
            <p>These have external styles applied</p>
            <div class="section">
                        <div class="floated"> External StyleSheets</div>
                        A style sheet is linked using link element that uses rel attribute="stylesheet"
                        means the linked document is a stylesheet for this document.
            </div>
       </body>                                                                                                               
</html>

E.css:
div.floated      {          background-color:#eeeeee;
                                    font-size:1.5em;
                                    font-family:arial;                      
                                    margin-bottom:.5em;
                                     float:right;
                                     text-align:center;
                                     width:50%;
                        }
div.section       {         
                                     border: 1px solid #bbddff
                         }


RESULT: Hence the design of web application using different types of CSS  has been successfully executed


OUTPUT:




AIM: To write a program in Java Script  for displaying the current date in the following format. FRIDAY, 3-May-2013

PROGRAM:

<html>
       <head>
       <script type="text/javascript">
            var current = new Date();
            var d=["SUNDAY","MONDAY","TUESDAY","WEDNESDAY",
                        "THURSDAY","FRIDAY","SATURDAY"];
            var  m=["January","February","March","April","May","June","July","August",
                          "September","October","November","December"];

            document.writeln("<h1>Today's date is</h1>");
            document.writeln(d[current.getDay()]);
            document.write(","+current.getDate());
            document.write("-"+m[current.getMonth()]);
            document.write("-"+current.getYear());
       </script>
       </head>
       <body>
       </body>
</html>


RESULT: Hence the program that displays the current date in the following format FRIDAY, 3-May-2013 has been successfully executed.

OUTPUT:




AIM: To write a Java Script program that uses onMouseOver and onMouseOut events

PROGRAM:

<html>
       <head>
             <script>
                     function bigImg(x)
                     {
                            x.style.height="256px";
                            x.style.width="256px";
                     }

                     function normalImg(x)
                     {
                            x.style.height="64px";
                            x.style.width="64px";
                     }
             </script>
       </head>
       <body>
             <img onMouseOver="bigImg(this)" onMouseOut="normalImg(this)" border="0"
                     src="p.jpg" alt="Flower" width="32" height="32">

       </body>
</html>


RESULT: Hence the Java Script program that uses onMouseOver and onMouseOut events has been successfully executed.
OUTPUT:








AIM: To write an applet program that implements ItemListener

PROGRAM:

import java.applet.*;
import java.awt.*;
import java.awt.event.*;

/*
<applet code=" ItemListenerDemo " width=200 height=200>
</applet>
*/

public class ItemListenerDemo extends Applet implements ItemListener
{
       Choice c;
       public void init()
       {
             c = new Choice();                                          //create choice or combobox
             c.add("red");                                                  //add items to the choice
             c.add("green");
             c.add("blue");
             c.add("pink");
             add(c);                                                          //add choice or combobox
             c.addItemListener(this);                               //add item listener
       }       
       public void paint(Graphics g)
       {
               // To get selected item, use String getSelectedItem() method of AWT Choice class.
                
                g.drawString(c.getSelectedItem(),10, 70);
        }

        public void itemStateChanged(ItemEvent e)
       {
                repaint();             
       }
}


RESULT: Hence the applet program that implements ItemListener has been successfully executed.



OUTPUT:








AIM:  To design an applet with ‘n’ labels with ‘n’ different colours occupy ‘n’ grids.

PROGRAM:

import java.awt.*;
import java.awt.GridLayout.*;
import java.applet.*;

/*<applet code="GridDemo" width="300" height="200"></applet>*/

public class GridDemo extends Applet
{
       static final int n=4;
       Label l[] = new Label[16];
       Color[] c;
       public void init()
       {
             c= new Color[16];
 Color c[] = { Color.blue,Color.cyan, Color.black,Color.red, Color.gray, Color.green,     
                      Color.lightGray,Color.blue, Color.magenta, Color.orange, Color.pink,
                      Color.cyan,Color.red, Color.white, Color.green, Color.yellow,
                       Color.darkGray };                            
setLayout(new GridLayout(n,n));
         
            for(int i=0;i< n;i++)
             {
                     for(int j=0;j< n;j++)
                     {
                            int k=i*n+j;
                            if(k>0)
                            {
                                    l[k]=new Label(""+k);
                                    l[k].setBackground(c[k]);
                                    add(l[k]);        
                            }
                     }
             }
       }
}


RESULT: Hence the applet program with ‘n’ labels with ‘n’ different colours occupy ‘n’ grids has been successfully executed.



OUTPUT:








AIM: To write an applet program that allows parameter passing.

PROGRAM:

import java.awt.*;
import java.awt.event.*;
import java.applet.*;

/*
<applet code="ParamDemo" width="300" height="200" >
       <param name=w value=100 />
       <param name=h value=50 />
</applet>*/

public class ParamDemo extends Applet implements ActionListener
{
       Button b1;
       int w,h;

       public void init()
       {
             setBackground(Color.YELLOW);
             b1=new Button("Change");
             b1.addActionListener(this);
             add(b1);
       }
      
       public void start()
       {
             setSize(800,800);
             setVisible(true);
             String s1= getParameter("w");
             String s2= getParameter("h");
             w=Integer.parseInt(s1);
             h=Integer.parseInt(s2);
       }
       public void actionPerformed(ActionEvent ac)
       {
             setSize(w,h);
       }
}


RESULT: Hence the  applet program that allows parameter passing has been successfully executed.



OUTPUT:














AIM: To write an applet program that implements AdjustmentListener.

PROGRAM:

import java.awt.*;
import java.awt.event.*;
import java.applet.*;

/*<applet code="AdjDemo" width="300" height="200" >
</applet>*/

public class AdjDemo extends Applet implements AdjustmentListener
{
       Scrollbar s1,s2,s3;
       TextField t1;

       public void init()
       {
             setLayout(new BorderLayout());
             s1 = new  Scrollbar(0,125,15,0,255);
             s2 = new Scrollbar(Scrollbar.VERTICAL, 0, 51, 0, 255);
             s3 = new  Scrollbar(0,205,15,0,255);
             t1 = new TextField(20);
             s1.setBackground(Color.YELLOW);
             s2.setBackground(Color.RED);
             s3.setBackground(Color.blue);
             s1.addAdjustmentListener(this);
             s2.addAdjustmentListener(this);
             s3.addAdjustmentListener(this);
             add(s1,BorderLayout.NORTH);
             add(s2,BorderLayout.WEST);
             add(s3,BorderLayout.SOUTH);
             add(t1,BorderLayout.EAST);
       }
       public void adjustmentValueChanged(AdjustmentEvent e)
       {
             setBackground(new Color(s1.getValue(),s2.getValue(),s3.getValue()));
             t1.setText("value of s1,s2,s3 is"+s1.getValue()+s2.getValue()+s3.getValue());
       }
       public void start()
       {
             setSize(400,400);
             setVisible(true);
       }
}

RESULT: Hence the applet program that implements AdjustmentListener has been successfully executed.
OUTPUT:





AIM: To design an GUI application using Swings that has a button that uses JColorChooser
to change the background of the application to the color choosen in JColorChooser.

PROGRAM:

import java.awt.*;
import java.awt.event.*;
import javax.swing.*;

class J extends JFrame implements ActionListener
{
       private Container p;
       public J()
       {
            super("JC");
            p = getContentPane();
            p.setBackground(Color.WHITE);
            p.setLayout(new FlowLayout(FlowLayout.CENTER));
            JButton btn = new JButton("Select background color");
            btn.addActionListener(this);
            p.add(btn);
            this.setSize(300,100);
       }

       public void actionPerformed(ActionEvent ac)
       {
             Color b= JColorChooser.showDialog(this,"Select Color",this.getBackground());
            if(b != null)
                        p.setBackground(b);
       }
}

public class Ex
{
       public static void main(String a[])
       {
             J cc = new J();
             cc.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            cc.setVisible(true);
       }
}


RESULT: Hence the GUI application using Swings has been successfully executed.
OUTPUT:













AIM: Write a simple Java program to display the details of a particular department from Access database.

PROGRAM:

import java.sql.*;
public class AccessDatabase
{
       public static void main(String[] args)
       {
        try
       {
             Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
            
             Connection con = DriverManager.getConnection("jdbc:odbc:db1");
            
             Statement st=con.createStatement();
            
             ResultSet rs = st.executeQuery("select * from department where deptno='1'");
 
             while (rs.next())
             {
                     System.out.println("Deptno= " + rs.getString(1) + " Deptname= " +
                                                       rs.getString(2)+ " Location = " + rs.getString(3));

             }
       }
       catch(Exception e)
       {
             System.out.println("this is");
            System.out.println(e);
        }
    }
}


RESULT: Hence a simple Java program to display the details of a particular department has been successfully executed.



OUTPUT:







AIM: To write a servlet program that creates a new user entry in the user table in database.

User entry is done through html form and a new user is created on clicking login button on form.html.


PROGRAM:

Form.html

<html>
       <body>
             <form method="post" action="http://localhost/3">
                     Login : &nbsp&nbsp&nbsp&nbsp&nbsp
                     <input type=text name="login">
                     <br>
                     Password : <input type=password name="password">
                     <br>
                     <input type=submit value="login">
                     <input type=reset  value="clear">
             </form>
       </body>
</html>





SERVLET PROGRAM:
import java.io.*;
import javax.servlet.*;
import javax.servlet.http.*;

public class DBServlet extends HttpServlet
{
     public void doPost(HttpServletRequest req, HttpServletResponse res) throws
                                                                                    ServletException, IOException
       {
             String login=req.getParameter("login");
             String pwd=req.getParameter("password");
             try
             {
                     Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
                     Connection con = DriverManager.getConnection("jdbc:odbc:db1");
                    
                     PreparedStatement st=con.prepareStatement("insert into user values (?,?)"); 
                     st.setString(1,login);
                     st.setString(2,pwd);
            
                     int n = st.executeUpdate();
                     con.close();
                    
                     res.setContentType("text/html");
                     PrintWriter out =res.getWriter();
      
                     out.println("<html><body><h1>");
                     if(n >0)
                     {
                            out.println("new user created");
                     }
                     else
                     {
                            out.println("new user not created");
                     }
                    
                     out.println("</h1></body></html>");
                     out.close();
             }

             catch(Exception e)
             {
                     System.out.println("this is");
                     System.out.println(e);
             }
       }
}

RESULT: Hence the servlet program has been successfully executed.
OUTPUT:














Servlet entry in web.xml:

<servlet>
        <servlet-name>DBServlet</servlet-name>
        <servlet-class>DBServlet</servlet-class>
    </servlet>

    <servlet-mapping>
        <servlet-name>DBServlet</servlet-name>
        <url-pattern>/3</url-pattern>
    </servlet-mapping>



AIM: To write a JSP program that displays the data in the user table that exists in database.

PROGRAM:
<html>
       <body>
       <table border="1">
       <%@ page import="javax.sql.*;" %>
       <%
              java.sql.Connection con=null;
              java.sql.Statement s=null;
              java.sql.ResultSet rs=null;
              java.sql.ResultSetMetaData rsmd;
              try
             {
                     Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
                     con = java.sql.DriverManager.getConnection("jdbc:odbc:db1");
                     s = con.createStatement();
                     rs = s.executeQuery("select  * from user");
                     rsmd=rs.getMetaData();
                     int count = rsmd.getColumnCount();
                    
                     out.print("<tr>");
                     for (int i=1; i<=count; i++)
                     {
                            out.print("<th>");
                            out.print(rsmd.getColumnName(i));
                     }
                     out.println("</tr>");
             %>
             <%
                     while( rs.next() )
                     {
             %>
             <tr>
                     <td><center><%= rs.getString("Login") %></center></td>
                     <td><center><%= rs.getString("Password") %></center></td>
             </tr>
             <%
                     }
             %>

       <%
             }
             catch(Exception e)
                     e.printStackTrace();
       %>
       </table>
       </body>
</html>

RESULT: Hence the  JSP program that displays the data in the user table has been successfully executed.


OUTPUT: