KEMBAR78
Java II | PDF | Software Engineering | Computer Data
0% found this document useful (0 votes)
33 views68 pages

Java II

Uploaded by

Rutuja Kadam
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
33 views68 pages

Java II

Uploaded by

Rutuja Kadam
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 68

Object Oriented Programming using Java – II

T. Y. B. Sc. (Computer Science)


SEMESTER VI
………………………………………………………..
Set A

a)

Write a java program to accept names of ‘n’ cities, insert same into array list collection and
display the contents of same array list, also remove all these elements.

import java.io.*;

import java.util.*;

public class ArrayListExample {

public static void main(String[] args)

Scanner sc = new Scanner(System.in);

System.out.print("Please enter the number of cities you want to enter: ");

//takes an string input

ArrayList<String> ar=new ArrayList<String>();

String[] string = new String [sc.nextInt()];

//consuming the <enter> from input above

sc.nextLine();

for (int i = 0; i < string.length; i++)

string[i] = sc.nextLine();

System.out.println("\nYou have entered: ");

//for-each loop to print the string


Prof.Taware P
for(String str: string)

ar.add(str);

//System.out.println(str);

System.out.println(ar);

Prof.Taware P
b)

Write a java program to read ‘n’ names of your friends, store it into linked list, also display
contents of the same.

import java.io.*;

import java.util.ArrayList;

import java.util.LinkedList;

import java.util.Scanner;

public class SetALinkedList {

public static void main(String[] args)

Scanner sc = new Scanner(System.in);

System.out.print("Please enter your friends name: ");

//takes an string input

LinkedList<String> ll=new LinkedList<String>();

String[] string = new String [sc.nextInt()];

//consuming the <enter> from input above

sc.nextLine();

for (int i = 0; i < string.length; i++)

string[i] = sc.nextLine();

System.out.println("\n Friends Name List: ");

//for-each loop to print the string

for(String str: string)

Prof.Taware P
ll.add(str);

//System.out.println(str);

System.out.println(ll);

Prof.Taware P
c) Write a program to create a new tree set, add some colors (string) and print out the tree set.

package ty;

import java.util.TreeSet;

public class SetATreeSet {

public static void main(String[] args) {

TreeSet<String> tree_set = new TreeSet<String>();

tree_set.add("Red");

tree_set.add("Green");

tree_set.add("Orange");

tree_set.add("White");

tree_set.add("Black");

System.out.println("Tree set: ");

System.out.println(tree_set);

Prof.Taware P
d) Create the hash table that will maintain the mobile number and student name. Display the
contact list.

import java.util.*;

import java.io.*;

public class hashtabledemo {

public static void main(String args[]) throws IOException

String str;

Hashtable<String,Integer> stud = new Hashtable<String,Integer>();

Enumeration<String> names;

BufferedReader br=new BufferedReader(new InputStreamReader(System.in));

System.out.println("Enter How many Records ");

int n=Integer.parseInt(br.readLine());

for (int i=1;i<=n;i++)

System.out.println("Enter Name Of "+ i+" Student");

str=br.readLine();

System.out.println("Enter Mobile Number Of "+ i+" Student");

int marks=Integer.parseInt(br.readLine());

stud.put(str, marks);

names = stud.keys();

System.out.println("Display Contact List");

while(names.hasMoreElements())

Prof.Taware P
str = (String) names.nextElement();

System.out.println(str + ": " + stud.get(str));

Prof.Taware P
Set B

a. Accept ‘n’ integers from the user. Store and display integers in sorted order having proper
collection class. The collection should not accept duplicate elements.

import java.util.*;

import java.io.*;

class user

public static void main(String[] args) throws Exception

int no,element,i;

BufferedReader br=new BufferedReader(new InputStreamReader(System.in));

TreeSet ts=new TreeSet();

System.out.println("Enter the of elements :");

no=Integer.parseInt(br.readLine());

for(i=0;i<no;i++)

System.out.println("Enter the element : ");

element=Integer.parseInt(br.readLine());

ts.add(element);

System.out.println("The elements in sorted order :"+ts);

System.out.println("Enter element to be serach : ");

element = Integer.parseInt(br.readLine());

if(ts.contains(element))

Prof.Taware P
System.out.println("Element is found");

else

System.out.println("Element is NOT found");

Prof.Taware P
b.

Write a program to sort HashMap by keys and display the details before sorting and after sorting.

import java.util.Map;

import java.util.HashMap;

import java.util.TreeMap;

import java.util.Iterator;

public class SortHashMapByKeys {

public static void main(String args[])

//implementation of HashMap

HashMap<Integer, String> hm=new HashMap<Integer, String>();

//addding keys and values to HashMap

hm.put(4, "Ram");

hm.put(3, "Shyam");

hm.put(1, "Anil");

hm.put(2, "Sunil");

Iterator <Integer> it = hm.keySet().iterator();

System.out.println("Before Sorting");

while(it.hasNext())

int key=(int)it.next();

System.out.println("Roll no: "+key+" name: "+hm.get(key));

System.out.println("\n");

Map<Integer, String> map=new HashMap<Integer, String>();

Prof.Taware P
System.out.println("After Sorting");

//using TreeMap constructor to sort the HashMap

TreeMap<Integer,String> tm=new TreeMap<Integer,String> (hm);

Iterator itr=tm.keySet().iterator();

while(itr.hasNext())

int key=(int)itr.next();

System.out.println("Roll no: "+key+" name: "+hm.get(key));

Prof.Taware P
c. Write a program that loads names and phone numbers from a text file where the data is
organized as one line per record and each field in a record are separated by a tab (\t).it takes a
name or phone number as input and prints the corresponding other value from the hash table
(hint: use hash tables)

import java.io.*;

import java.util.*;

public class Phonebook

public static void main(String args[])

Try

FileInputStream fis=new FileInputStream("//home/gcet/Desktop/myfile.txt");

Scanner sc=new Scanner(fis).useDelimiter("\t");

Hashtable<String,String> ht=new Hashtable<String,String> ();

String[] strarray;

String a,str;

while(sc.hasNext())

a=sc.nextLine();

strarray=a.split("\t");

ht.put(strarray[0],strarray[1]);

System.out.println("hash table values are"+strarray[0]+":"+strarray[1]);

Scanner s=new Scanner(System.in);

System.out.println("Enter the name as given in the phone book");

Prof.Taware P
str=s.next();

if(ht.containsKey(str))

System.out.println("phone no is"+ht.get(str));

else

System.out.println("Name is not matched");

catch(Exception e)

System.out.println(e);

Prof.Taware P
Set c

a. Create a java application to store city names and their STD codes using an appropriate
collection. The GUI should allow the following operations: i. Add a new city and its code (No
duplicates) ii. Remove a city from the collection iii. Search for a city name and display the code

import java.awt.*;

import java.awt.event.*;

import javax.swing.*;

import java.util.*;

class City1 extends JFrame implements ActionListener

JTextField t1,t2,t3;

JButton b1,b2,b3;

JTextArea t;

JPanel p1,p2;

Hashtable ts;

City1

ts=new Hashtable();

t1=new JTextField(10);

t2=new JTextField(10);

t3=new JTextField(10);

b1=new JButton("Add");

b2=new JButton("Search");

Prof.Taware P
b3=new JButton("Remove");

t=new JTextArea(20,20);

p1=new JPanel();

p1.add(t);

p2= new JPanel();

p2.setLayout(new GridLayout(2,3));

p2.add(t1);

p2.add(t2);

p2.add(b1);

p2.add(t3);

p2.add(b2);

p2.add(b3);

add(p1);

add(p2);

b1.addActionListener(this);

b2.addActionListener(this);

b3.addActionListener(this);

setLayout(new FlowLayout());

setSize(500,500);

setVisible(true);

Prof.Taware P
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

public void actionPerformed(ActionEvent e)

if(b1==e.getSource())

String name = t1.getText();

int code = Integer.parseInt(t2.getText());

ts.put(name,code);

Enumeration k=ts.keys();

Enumeration v=ts.elements();

String msg="";

while(k.hasMoreElements())

msg=msg+k.nextElement()+" = "+v.nextElement()+"\n";

t.setText(msg);

t1.setText("");

t2.setText("");

else if(b2==e.getSource())

String name = t3.getText();

if(ts.containsKey(name))

Prof.Taware P
{

t.setText(ts.get(name).toString());

else

JOptionPane.showMessageDialog(null,"City not found ...");

else if(b3==e.getSource())

String name = t3.getText();

if(ts.containsKey(name))

ts.remove(name);

JOptionPane.showMessageDialog(null,"City Deleted ...");

else

JOptionPane.showMessageDialog(null,"City not found ...");

public static void main(String a[])

new City1();

Prof.Taware P
Assignment 2: Multithreading

Set A

a.

Program to define a thread for printing text on output screen for ‘n’ number of times. Create 3
threads and run them. Pass the text ‘n’ parameters to the thread constructor. Example:

i. First thread prints “COVID19” 10 times.

ii. Second thread prints “LOCKDOWN2020” 20 times

iii. Third thread prints “VACCINATED2021” 30 times

import java.io.*;
import java.lang.String.*;

class Covid extends Thread


{
String msg="";
int n;
Covid (String msg,int n)
{
this.msg=msg;
this.n=n;
}
public void run()
{
try
{ for(int i=1;i<=n;i++)
{
System.out.println(msg+" "+i+" times");
}
}
catch(Exception e){}
}
}
public class seta3
{
public static void main(String a[])
{
int n=Integer.parseInt(a[0]);
Covid c1=new Covid ("COVID 19",n);
c1.start();
Covid c2=new Covid ("LOCKDOWN2020",n+10);
Prof.Taware P
c2.start();
Covid c3=new Covid ("VACCINATED2021",n+20);
c3.start();
}
}

Prof.Taware P
b) Write a program in which thread sleep for 6 sec in the loop in reverse order from 100 to
1 and change the name of thread.

Class MythreadDemo
{
public static void main(String args[])
{
Thread t=Thread.currentThread();
System.out.println(“After changing the name thread is : “ + t);
Try
{
for(int n=100; n>0; n--)
{
System.out.println(n);
Thread.sleep(1000);
}
}
catch(InterruptedException e)
{
System.out.println(“Thread Interrupted);
}
}

Prof.Taware P
c. Write a program to solve producer consumer problem in which a producer produces a value
and consumer consume the value before producer generate the next value. (Hint: use thread
synchronization)

package ty;

import java.util.LinkedList;

public class Threadexample

public static void main(String[] args)

throws InterruptedException

// Object of a class that has both produce()

// and consume() methods

final PC pc = new PC();

// Create producer thread

Thread t1 = new Thread(new Runnable() {

@Override

public void run()

try {

pc.produce();

catch (InterruptedException e) {

e.printStackTrace();

});

Prof.Taware P
// Create consumer thread

Thread t2 = new Thread(new Runnable() {

@Override

public void run()

try {

pc.consume();

catch (InterruptedException e) {

e.printStackTrace();

});

// Start both threads

t1.start();

t2.start();

// t1 finishes before t2

t1.join();

t2.join();

// This class has a list, producer (adds items to list

// and consumer (removes items).

public static class PC

Prof.Taware P
// Create a list shared by producer and consumer

// Size of list is 2.

LinkedList<Integer> list = new LinkedList<>();

int capacity = 2;

// Function called by producer thread

public void produce() throws InterruptedException

int value = 0;

while (true) {

synchronized (this)

// producer thread waits while list

// is full

while (list.size() == capacity)

wait();

System.out.println("Producer produced-"

+ value);

// to insert the jobs in the list

list.add(value++);

// notifies the consumer thread that

Prof.Taware P
// now it can start consuming

notify();

// makes the working of program easier

// to understand

Thread.sleep(1000);

public void consume() throws InterruptedException

while (true) {

synchronized (this)

// consumer thread waits while list

// is empty

while (list.size() == 0)

wait();

// to retrieve the ifrst job in the list

int val = list.removeFirst();

System.out.println("Consumer consumed-"+ val);

// Wake up producer thread

notify();

Prof.Taware P
// and sleep

Thread.sleep(1000);

Output:

Producer produced-0

Producer produced-1

Consumer consumed-0

Consumer consumed-1

Producer produced-2

Set B

Prof.Taware P
a. Write a program to calculate the sum and average of an array of 1000 integers (generated
randomly) using 10 threads. Each thread calculates the sum of 100 integers. Use these values to
calculate average. [Use join method ].

import java.util.*;

public class CalculateThread extends Thread {

int array[];

int sum=0;

public int getSum() {

return sum;

public CalculateThread() {

// TODO Auto-generated constructor stub

Random r=new Random();

array=new int[100];

for(int i=0;i<array.length;i++)array[i]=r.nextInt(1000);

/**

* @param args

*/

public static void main(String[] args) {

// TODO Auto-generated method stub

CalculateThread t[]=new CalculateThread[10];

Prof.Taware P
int sum=0;

for(int i=0;i<t.length;i++){

t[i]=new CalculateThread();

t[i].start();

for(int i=0;i<t.length;i++){

sum+=t[i].getSum();

System.out.println("Sum of 1000 integer is:\t"+sum);

float f=sum/100;

System.out.println("Avarage of 1000 integer is:\t"+f);

@Override

public void run() {

// TODO Auto-generated method stub

int i=0;

while(i<array.length){

sum+=array[i];

i++;

c.

Prof.Taware P
Write a program that implements a multi-thread application that has three threads. First thread
generates random integer every 1 second and if the value is even, second thread computes the
square of the number and prints. If the value is odd, the third thread will print the value of cube
of the number

import java.util.Random;

class RandomNumberThread extends Thread {

public void run() {

Random random = new Random();

for (int i = 0; i < 10; i++) {

int randomInteger = random.nextInt(100);

System.out.println("Random Integer generated : " + randomInteger);

if((randomInteger%2) == 0) {

SquareThread sThread = new SquareThread(randomInteger);

sThread.start();

else {

CubeThread cThread = new CubeThread(randomInteger);

cThread.start();

try {

Thread.sleep(1000);

catch (InterruptedException ex) {

System.out.println(ex);

Prof.Taware P
}

class SquareThread extends Thread {

int number;

SquareThread(int randomNumbern) {

number = randomNumbern;

public void run() {

System.out.println("Square of " + number + " = " + (number * number));

class CubeThread extends Thread {

int number;

CubeThread(int randomNumber) {

number = randomNumber;

public void run() {

System.out.println("Cube of " + number + " = " + number * number * number);

Prof.Taware P
}

public class MultiThreadingTest {

public static void main(String args[]) {

RandomNumberThread rnThread = new RandomNumberThread();

rnThread.start();

Prof.Taware P
/* 3b. Write a Java program that implements a multi-thread application that has three threads.
First thread generates a random integer for every 1 second; second thread computes the square of
the number and prints; third thread will print the value of cube of the number.

*/

import java.util.Random;

class SquareThread implements Runnable {

int x;

SquareThread(int x) {

this.x = x;

public void run() {

System.out.println("Thread Name:Square Thread and Square of " + x + " is: " + x * x);

class CubeThread implements Runnable {

int x;

CubeThread(int x) {

this.x = x;

public void run() {

Prof.Taware P
System.out.println("Thread Name:Cube Thread and Cube of " + x + " is: " + x * x * x);

class RandomThread implements Runnable {

Random r;

Thread t2, t3;

public void run() {

int num;

r = new Random();

try {

while (true) {

num = r.nextInt(100);

System.out.println("Main Thread and Generated Number is " + num);

t2 = new Thread(new SquareThread(num));

t2.start();

t3 = new Thread(new CubeThread(num));

t3.start();

Thread.sleep(1000);

System.out.println("--------------------------------------");

Prof.Taware P
} catch (Exception ex) {

System.out.println("Interrupted Exception");

public class MainThread {

public static void main(String[] args) {

RandomThread thread_obj = new RandomThread();

Thread t1 = new Thread(thread_obj);

t1.start();

Prof.Taware P
Set c

a.

Write a program that simulates a traffic light. The program lets the user select one of three lights:
red, yellow, or green with radio buttons. On selecting a button, an appropriate message with
“stop” or “ready” or “go”should appear above the buttons in a selected color. Initially there is no
message shown

import java.awt.Color;

import java.awt.*;

import java.awt.event.ItemEvent;

import java.awt.event.ItemListener;

import javax.swing.*;

class App extends JFrame implements ItemListener{

JFrame actualWindow;

JPanel messageContainer, lightsContainer;

JLabel message;

ButtonGroup btn_group;

JRadioButton rb_red, rb_yellow, rb_green;

App() {

Font myFont = new Font("Verdana",Font.BOLD, 30);

actualWindow = new JFrame("Traffic Lights");

messageContainer = new JPanel();

lightsContainer = new JPanel();

message = new JLabel("Select Light");

Prof.Taware P
btn_group = new ButtonGroup();

rb_red = new JRadioButton("Red");

rb_yellow = new JRadioButton("Yellow");

rb_green = new JRadioButton("Green");

actualWindow.setLayout(new GridLayout(2, 1));

message.setFont(myFont);

rb_red.setForeground(Color.RED);

rb_yellow.setForeground(Color.YELLOW);

rb_green.setForeground(Color.GREEN);

btn_group.add(rb_red);

btn_group.add(rb_yellow);

btn_group.add(rb_green);

rb_red.addItemListener(this);

rb_yellow.addItemListener(this);

rb_green.addItemListener(this);

messageContainer.add(message);

lightsContainer.add(rb_red);

lightsContainer.add(rb_yellow);

lightsContainer.add(rb_green);

Prof.Taware P
actualWindow.add(messageContainer);

actualWindow.add(lightsContainer);

actualWindow.setSize(300, 200);

actualWindow.setVisible(true);

@Override

public void itemStateChanged(ItemEvent ie) {

JRadioButton selected = (JRadioButton) ie.getSource();

String textOnButton = selected.getText();

if(textOnButton.equals("Red")) {

message.setForeground(Color.RED);

message.setText("STOP");

} else if(textOnButton.equals("Yellow")) {

message.setForeground(Color.YELLOW);

message.setText("READY");

} else {

message.setForeground(Color.GREEN);

message.setText("GO");

public class TrafficLight {

Prof.Taware P
public static void main(String[] args) {

new App();

Prof.Taware P
B.

Write a program to create a thread for moving a ball inside a panel vertically. The ball should be
created when the user clicks on the start button.

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

class boucingthread extends JFrame implements Runnable


{
Thread t;
int x,y;

boucingthread()
{
super();
t= new Thread(this);
x=10;
y=10;
t.start();
setSize(1000,200);
setVisible(true);
setTitle("BOUNCEING BOLL WINDOW");
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
}
public void run()
{
try
{
while(true)
{
x+=10;
y+=10;
repaint();
Thread.sleep(1000);
}
}catch(Exception e)
{

}
}

public void paint(Graphics g)


{

Prof.Taware P
g.drawOval(x,y,7,7);

public static void main(String a[])throws Exception


{
boucingthread t=new boucingthread();
Thread.sleep(1000);
}
}

Prof.Taware P
Assignment 3: Database Programming
Set A:

a) Create a PROJECT table with fields project_id, Project_name, Project_description,


Project_Status. etc. Insert values in the table. Display all the details of the PROJECT table in a
tabular format on the screen.(using swing).

import java.sql.*;

import java.awt.*;

import java.awt.event.*;

import javax.swing.*;

import java.util.*;

class Slip13_2 extends JFrame implements ActionListener

JLabel l1,l2,l3;

JTextField t1,t2,t3;

JButton b1,b2,b3;

String sql;

JPanel p,p1;

Connection con;

PreparedStatement ps;

JTable t;

Prof.Taware P
JScrollPane js;

Statement stmt ;

ResultSet rs ;

ResultSetMetaData rsmd ;

int columns;

Vector columnNames = new Vector();

Vector data = new Vector();

Slip13_2()

l1 = new JLabel("Enter no :");

l2 = new JLabel("Enter name :");

l3 = new JLabel("percentage :");

t1 = new JTextField(20);

t2 = new JTextField(20);

t3 = new JTextField(20);

b1 = new JButton("Save");

b2 = new JButton("Display");

b3 = new JButton("Clear");

b1.addActionListener(this);

b2.addActionListener(this);

Prof.Taware P
b3.addActionListener(this);

p=new JPanel();

p1=new JPanel();

p.add(l1);

p.add(t1);

p.add(l2);

p.add(t2);

p.add(l3);

p.add(t3);

p.add(b1);

p.add(b2);

p.add(b3);

add(p);

setLayout(new GridLayout(2,1));

setSize(600,800);

setVisible(true);

setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

public void actionPerformed(ActionEvent e)

Prof.Taware P
{

if((JButton)b1==e.getSource())

int no = Integer.parseInt(t1.getText());

String name = t2.getText();

int p = Integer.parseInt(t3.getText());

System.out.println("Accept Values");

try

Class.forName(“org.postgresql.Driver”);

con=DriverManager.getConnection(“jdbc:postgresql:dbstud”,”student”,”student”);

sql = "insert into stud values(?,?,?)";

ps = con.prepareStatement(sql);

ps.setInt(1,no);

ps.setString(2, name);

ps.setInt(3,p);

System.out.println("values set");

int n=ps.executeUpdate();

if(n!=0)

JOptionPane.showMessageDialog(null,"Record….Insered");

else

Prof.Taware P
JOptionPane.showMessageDialog(null,"Record NOT inserted ");

}//end of try

catch(Exception ex)

System.out.println(ex);

//ex.printStackTrace();

}//end of if

else if((JButton)b2==e.getSource())

try

Class.forName(“org.postgresql.Driver”);

con=DriverManager.getConnection(“jdbc:postgresql:dbname”,”student”,” student”);

System.out.println("Connected");

stmt=con.createStatement();

rs = stmt.executeQuery("select * from stud");

rsmd = rs.getMetaData();

columns = rsmd.getColumnCount();

//Get Columns name

for(int i = 1; i <= columns; i++)

Prof.Taware P
columnNames.addElement(rsmd.getColumnName(i));

//Get row data

while(rs.next())

Vector row = new Vector(columns);

for(int i = 1; i <= columns; i++)

row.addElement(rs.getObject(i));

data.addElement(row);

t = new JTable(data, columnNames);

js = new JScrollPane(t);

p1.add(js);

add(p1);

setSize(600, 600);

setVisible(true);

catch(Exception e1)

Prof.Taware P
System.out.println(e1);

else

t1.setText(" ");

t2.setText(" ");

t3.setText(" ");

}//end of method

public static void main(String a[])

Slip13_2 ob = new Slip13_2();

Prof.Taware P
b.

Write a program to display information about the database and list all the tables in the database.
(Use DatabaseMetaData).

import java.sql.*;

import java.io.*;

public class DBMetaData

public static void main(String[] args) throws Exception

ResultSet rs = null;

Class.forName("org.postgresql.Driver");

Connection conn = DriverManager.getConnection("jdbc:postgresql://localhost/dbtry","student","


student ");

DatabaseMetaData dbmd = conn.getMetaData();

System.out.println("Database Product name = " + dbmd.getDatabaseProductName());

System.out.println("User name = " + dbmd.getUserName());

System.out.println("Database driver name= " + dbmd.getDriverName());

System.out.println("Database driver version = "+ dbmd.getDriverVersion());

System.out.println("Database product name = " + dbmd.getDatabaseProductName());

Prof.Taware P
System.out.println("Database Version = " + dbmd.getDriverMajorVersion());

rs = dbmd.getTables(null,null,null, new String[]{"TABLE"});

System.out.println("List of tables...");

while(rs.next())

String tblName = rs.getString("TABLE_NAME");

System.out.println("Table : "+ tblName);

conn.close();

Prof.Taware P
C. Write a program to display information about all columns in the DONAR table using
ResultSetMetaData.

import java.sql.*;

import java.io.*;

public class ResultSetMetaData

public static void main(String[] args) throws Exception

Statement stmt;

Class.forName("org.postgresql.Driver");

Connection conn = DriverManager.getConnection("jdbc:postgresql://localhost/stud","student","


student ");

stmt = conn.createStatement();

ResultSet rs = stmt.executeQuery("Select * from student");

java.sql.ResultSetMetaData rsmd = rs.getMetaData();

int noOfColumns = rsmd.getColumnCount();

System.out.println("Number of columns = " + noOfColumns);

for(int i=1; i<=noOfColumns; i++)

System.out.println("Column No : " + i);

System.out.println("Column Name : " + rsmd.getColumnName(i));

System.out.println("Column Type : " + rsmd.getColumnTypeName(i));

System.out.println("Column display size : " + rsmd.getColumnDisplaySize(i));

conn.close();

} }

Prof.Taware P
Set B

a) Create a MOBILE table with fields Model_Number, Model_Name, Model_Color, Sim_Type,


NetworkType, BatteryCapacity, InternalStorage, RAM and ProcessorType. Insert values in the
table. Write a menu driven program to pass the input using Command line argument to perform
the following operations on MOBILE table.

1. Insert 2. Modify 3. Delete 4. Search 5. View All 6. Exit

import java.sql.*;

import java.io.*;

class JDBCMenu

public static void main(String[] args) throws Exception

Statement stmt = null;

ResultSet rs = null;

PreparedStatement ps1 = null, ps2=null;

BufferedReader br = new BufferedReader(new InputStreamReader(System.in));

String name;

int r,choice;

float per;

Class.forName("org.postgresql.Driver");

Connection conn =
DriverManager.getConnection("jdbc:postgresql://localhost/stud","postgres","password");

stmt = conn.createStatement();

if(conn!=null)

System.out.println("Connection successful..");

do

Prof.Taware P
System.out.println("1: View Records");

System.out.println("2: Insert Record");

System.out.println("3: Delete Record");

System.out.println("4: Modify Record");

System.out.println("5: Search Record");

System.out.println("6: Exit");

System.out.println("\nEnter your choice : ");

choice = Integer.parseInt(br.readLine());

switch(choice)

case 1:

rs = stmt.executeQuery("Select * from student");

while(rs.next())

System.out.print("Roll Number = " + rs.getInt(1));

System.out.println("Name = " + rs.getString(2));

break;

case 2:

System.out.println("Enter the roll number");

r = Integer.parseInt(br.readLine());

System.out.println("Enter Name:");

name = br.readLine();

System.out.println("Enter Percentage:");

per = Float.parseFloat(br.readLine());

Prof.Taware P
ps1 = conn.prepareStatement("Insert into student values(?,?,?)");

ps1.setInt(1,r);

ps1.setString(2,name);

ps1.setFloat(3, per);

ps1.executeUpdate();

System.out.println("record inserted successfully");

break;

case 3:

System.out.println("Enter the roll number to be deleted ");

r = Integer.parseInt(br.readLine());

stmt.executeUpdate("Delete from student where rollno = " + r);

System.out.println("record deleted successfully");

break;

case 4:

System.out.println("Enter the roll number to be modified ");

r = Integer.parseInt(br.readLine());

System.out.println("Enter new name");

name = br.readLine();

System.out.println("Enter new perctentage");

per = Float.parseFloat(br.readLine());

ps2 = conn.prepareStatement("Update student set name = ?,percentage=? where rollno = ?");

ps2.setString(1,name);

ps2.setFloat(2,per);

ps2.setInt(3,r);

ps2.executeUpdate();

Prof.Taware P
System.out.println("record modified successfully");

break;

case 5:

System.out.println("Enter the roll number to be searched ");

r = Integer.parseInt(br.readLine());

rs = stmt.executeQuery("Select * from student where rollno = " + r);

if(rs.next())

System.out.print("Roll Number = " + rs.getInt(1));

System.out.println("Name = " + rs.getString(2));

System.out.println("Percentage = " + rs.getFloat(3));

else

System.out.println("Student not found");

break;

} while(choice != 6);

Prof.Taware P
Assignment 4: Servlets and JSP

a) Design a servlet that provides information about a HTTP request from a client, such
as IP address and browser type. The servlet also provides information about the server
on which the servlet is running, such as the operating system type, and the names of
currently loaded servlets.

Java Code:
import java.io.*;
import javax.servlet.*;
import javax.servlet.http.*;

public class NewServlet extends HttpServlet


{
public void doGet(HttpServletRequest req,HttpServletResponse resp)throws
IOException,ServletException
{
resp.setContentType("text/html");
String userinfo=req.getHeader("User-Agent");

PrintWriter p=resp.getWriter();
}
}

……………………………………………………………………………………………………

Prof.Taware P
<html>
<body>
<form action="http://localhost:8080/serv/NewServlet" method="get">
Username:<input type="text" name="t1">
<input type="submit" >
</form>
</body>
</html>

Prof.Taware P
// servlet
import java.io.*;
import javax.servlet.*;
import javax.servlet.http.*;

public class Slip4_2 extends HttpServlet


{
public void service(HttpServletRequest req, HttpServletResponse rs) throws ServletException,
IOException
{
String ip=req.getRemoteAddr();
rs.setContentType("text/html");
PrintWriter pw=rs.getWriter();
pw.println("<html>");
pw.println("<body>");
pw.println("<B>Hello, Welcome To Java Servlet's");
pw.println("<Br><B>Your IP address is " + ip);
String name=req.getServerName();
pw.println("<Br><B>Server name is " + name);
String name1=req.getRemoteHost();
pw.println("<Br><B>Client name is " + name1);
int port=req.getServerPort();
pw.println("<Br><B>Your port number is " + port);
String name2=this.getServletName();
pw.println("<Br><B>Currently loaded Servlet is " + name2);
pw.println("</body>");
pw.println("</html>");
pw.close();

} }

Prof.Taware P
Q3)Design the table Login(login_name, password) using Postgresql. Also design an

HTML login screen accepting the login name and password from the user. Write a
servlet program that validates accepted login name and password entered by user
from the login table you have created. The servlet sends back an appropriate
response.
--->
import java.io.*;
import javax.servlet.*;
import javax.servlet.http.*;
public class validateServlet extends HttpServlet
{
public void doGet(HttpServletRequest req, HttpServletResponse res)
throws ServletException,IOException
{
Class.forName("com.mysql.jdbc.Driver");
java.sql.Connection con =
DriverManager.getConnection("jdbc:mysql://localhost:3306/slip17","root","123456");
Statement st= con.createStatement();
ResultSet rs=st.executeQuery("SELECT * FROM Login");
String name=req.getParameter("uname");
String password=req.getParameter("pass");
res.setContentType("text/html");

while(rs.next())
{
if(name.equals(rs.getString(1)) && password.equals(rs.getString(2)))
res.sendRedirect("Welcome.html");
}
res.sendRedirect("error.html");
}
}

Prof.Taware P
Q4)Write a program to create a shopping mall. User must be allowed to do purchase
from two pages. Each page should have a page total. The third page should display
a bill, which consists of page total of whatever the purchase has been done and print
the total. (Use HttpSession).
---->
import java.io.*;
import javax.servlet.*;
import javax.servlet.http.*;
public class shop1Servlet extends HttpServlet
{
public void doGet(HttpServletRequest req, HttpServletResponse res)
throws ServletException,IOException
{
int s=0;
String values[]=req.getParameterValues("prod");
if(values!=null)
{
for(int i=0;i<values.length;i++)
{
s=s+Integer.parseInt(values[i]);
}
}
HttpSession ss=req.getSession(true);
ss.setAttribute("page",s);
res.sendRedirect("shop2Servlet.html");
}
}

Prof.Taware P
Set B
a) Design an HTML page which passes customer number to a search servlet. The servlet
searches for the customer number in a database (customer table) and returns customer
details if found the number otherwise display error message.

Java Code:

import java.io.*;
import javax.servlet.*;
import javax.servlet.http.*;
import java.sql.*;
public class servletDatabase extends HttpServlet
{
Connection cn;
public void init()
{
try
{
Class.forName("org.gjt.mm.mysql.Driver");
cn=DriverManager.getConnection("jdbc:mysql://localhost/stud","root","password");
System.out.println("Hii");
}
catch(Exception ce)
{
System.out.println("Error"+ce.getMessage());
}

}
public void doGet(HttpServletRequest req, HttpServletResponse resp)
throws ServletException, IOException
{
resp.setContentType("text/html");

Prof.Taware P
PrintWriter pw=resp.getWriter();
try
{
int rno=Integer.parseInt(req.getParameter("t1"));
String qry="Select * from student where rollno="+rno;
Statement st=cn.createStatement();
ResultSet rs=st.executeQuery(qry);
while(rs.next())
{
pw.print("<table border=1>");
pw.print("<tr>");
pw.print("<td>" + rs.getInt(1) + "</td>");
pw.print("<td>" + rs.getString(2) + "</td>");
pw.print("<td>" + rs.getFloat(3) + "</td>");
pw.print("</tr>");
pw.print("</table>");
}
}
catch(Exception se){}
pw.close();
}
}

Prof.Taware P
HTML File:

<html>
<body>
<form action="http://localhost:8080/servDb/servletDatabase" method="get">

Enter Roll No:<input type="text" name="t1">

<input type="submit">
</form>
</body>
</html>

Prof.Taware P
Set C
a) Create a JSP page for an online multiple choice test. The questions are randomly
selected from a database and displayed on the screen. The choices are displayed using radio
buttons. When the user clicks on next, the next question is displayed.
When the user clicks on submit, display the total score on the screen.

Java Code:

<%@page import="java.sql.*,java.util.*"%>
<%
Class.forName("org.postgresql.Driver");

Connection con = DriverManager.getConnection(


"jdbc:postgresql:ty1","postgres","");

Set s = new TreeSet();

while(true){
int n = (int)(Math.random()*11+1);

s.add(n);

if(s.size()==5) break;
}

PreparedStatement ps = con.prepareStatement("select * from questions where qid=?");


%>
<form method='post' action='accept_ans.jsp'>
<table width='70%' align='center'>
<%
int i=0;
Vector v = new Vector(s);

Prof.Taware P
session.setAttribute("qids",v);

int qid = Integer.parseInt(v.get(i).toString());


ps.setInt(1,qid);
ResultSet rs = ps.executeQuery();
rs.next();
%>
<tr>
<td><b>Question:<%=i+1%></b></td>
</tr>
<tr>
<td><pre><b><%=rs.getString(2)%></pre></b></td>
</tr>
<tr>
<td>
<b>
<input type='radio' name='op' value=1><%=rs.getString(3)%><br>
<input type='radio' name='op' value=2><%=rs.getString(4)%><br>
<input type='radio' name='op' value=3><%=rs.getString(5)%><br>
<input type='radio' name='op' value=4><%=rs.getString(6)%><br><br>
</b>
</td>
</tr>
<tr>
<td align='center'>
<input type='submit' value='Next' name='ok'>
<input type='submit' value='Submit' name='ok'>
</td>
</tr>
</table>
<input type='hidden' name='qno' value=<%=qid%>>

Prof.Taware P
<input type='hidden' name='qid' value=<%=i+1%>>
</form>
</body>

acceptans.jsp:

<%@page import="java.sql.*,java.util.*"%>
<%
Class.forName("org.postgresql.Driver");

Connection con = DriverManager.getConnection(


"jdbc:postgresql:ty1","postgres","");

Vector answers = (Vector)session.getAttribute("answers");

if(answers==null)
answers = new Vector();

int qno = Integer.parseInt(request.getParameter("qno"));


int ans = Integer.parseInt(request.getParameter("op"));
int i = Integer.parseInt(request.getParameter("qid"));

answers.add(qno+" "+ans);

session.setAttribute("answers",answers);

String ok = request.getParameter("ok");

if(ok.equals("Submit") || i==5){

Prof.Taware P
response.sendRedirect("result.jsp");
return;
}

PreparedStatement ps = con.prepareStatement("select * from questions where qid=?");


%>
<form method='post' action='accept_ans.jsp'>
<table width='70%' align='center'>
<%
Vector v = (Vector)session.getAttribute("qids");

int qid = Integer.parseInt(v.get(i).toString());


ps.setInt(1,qid);
ResultSet rs = ps.executeQuery();
rs.next();
%>
<tr>
<td><b>Question:<%=i+1%></b></td>
</tr>
<tr>
<td><pre><b><%=rs.getString(2)%></pre></b></td>
</tr>
<tr>
<td>
<b>
<input type='radio' name='op' value=1><%=rs.getString(3)%><br>
<input type='radio' name='op' value=2><%=rs.getString(4)%><br>
<input type='radio' name='op' value=3><%=rs.getString(5)%><br>
<input type='radio' name='op' value=4><%=rs.getString(6)%><br><br>
</b>
</td>

Prof.Taware P
</tr>
<tr>
<td align='center'>
<input type='submit' value='Next' name='ok'>
<input type='submit' value='Submit' name='ok'>
</td>
</tr>
</table>
<input type='hidden' name='qno' value=<%=qid%>>
<input type='hidden' name='qid' value=<%=i+1%>>
</form>
</body>

result.jsp:

<%@page import="java.sql.*,java.util.*,java.text.*"%>
<%
Class.forName("org.postgresql.Driver");

Connection con = DriverManager.getConnection(


"jdbc:postgresql:ty1","postgres","");

Vector v = (Vector)session.getAttribute("answers");
if(v==null){
%>
<h1>No questions answered</h1>
<%
return;

Prof.Taware P
}

PreparedStatement ps = con.prepareStatement("select ans from questions where qid=?");

int tot=0;

for(int i=0;i<v.size();i++){
String str = v.get(i).toString();
int j = str.indexOf(' ');
int qno = Integer.parseInt(str.substring(0,j));
int gans = Integer.parseInt(str.substring(j+1));

ps.setInt(1,qno);

ResultSet rs = ps.executeQuery();
rs.next();

int cans = rs.getInt(1);

if(gans==cans) tot++;
}

session.removeAttribute("qids");
session.removeAttribute("answers");
session.removeAttribute("qid");
%>
<h3>Score:<%=tot%></h1>
<center><a href='exam.jsp'>Restart</a></center>
</body>

Prof.Taware P
SQL File:

create table questions(qid serial primary key, question text, option1 text, option2 text, option3
text, option4 text, ans int);

Prof.Taware P

You might also like