Java Programming Notes
Java Programming Notes
JAVA PROGRAMMING
Lecture: 4 Hrs/week
Practical: 3 Hrs/week
1. Java Fundamentals
Features of Java
OOPs concepts
Java virtual machine
Reflection byte codes
Byte code interpretation
Data types, variable, arrays, expressions, operators, and control
structures
Objects and classes
2. Java Classes
Abstract classes
Static classes
Inner classes
Packages
Wrapper classes
Interfaces
This
Super
Access control
2
3. Exception handling
Exception as objects
Exception hierarchy
Try catch finally
Throw, throws
4. IO package
Input streams
Output streams
Object serialization
Deserialization
Sample programs on IO files
Filter and pipe streams
5. Multi threading
Thread Life cycle
Multi threading advantages and issues
Simple thread program
Thread synchronization
6. GUI
Introduction to AWT programming
Layout and component managers
Event handling
Applet class
Applet life-cycle
Passing parameters embedding in HTML
3
Swing components JApplet, JButton, JFrame, etc.
Sample swing programs
7. Database Connectivity
JDBC architecture
Establishing connectivity and working with connection interface
Working with statements
References:
1. Programming with Java A Primer, E. Balaguruswamy Tata McGraw
Hill Companies.
2. Java Programming John P. Flynt Thomson 2nd.
3. Java Programming Language Ken Arnold Pearson.
4. The complete reference JAVA2, Hervert schildt. TMH.
5. Big Java, Cay Horstmann 2nd edition, Wiley India Edition.
6. Core Java, Dietel and Dietel.
7. Java Balaguruswamy.
8. Java server programming, Ivan Bayross SPD.
4
2. Creation of classes and use of different types of functions.
3. Count the number of objects created for a class using static member
function.
4. Write programs on interfaces.
5. Write programs on packages.
6. Write programs using function overloading.
7. Programs using inheritance.
8. Programs using IO streams.
9. Programs using files.
10. Write a program using exception handling mechanism.
11. Programs using AWT
12. Programs on swing.
13. Programs using JDBC.
1
INTRODUCTION TO JAVA
Unit Structure
1.1
1.2
1.3
1.4
1.5
1.6
1.7
1.8
1.9
Introduction
Basic concepts of OOPs
Java History
Java Feature
Comparison in Java and C++
Java Virtual Machine
Java Environment
Program
Summary
1.1 INTRODUCTION:
Java is a high-level, third generation programming language,
like C, FORTRAN, Smalltalk, Perl, and many others. You can use
Java to write computer applications that play games, store data or
do any of the thousands of other things computer software can do.
Compared to other programming languages, Java is most similar to
C. However although Java shares much of C's syntax, it is not C.
Knowing how to program in C or, better yet, C++, will certainly help
you to learn Java more quickly, but you don't need to know C to
learn Java. A Java compiler won't compile C code, and most large
C programs need to be changed substantially before they can
become Java programs. What's most special about Java in relation
to other programming languages is that it lets you write special
programs called applets that can be downloaded from the Internet
and played safely within a web browser. Java language is called as
an Object-Oriented Programming language and before begining for
Java, we have to learn the concept of OOPs(Object-Oriented
Programming).
6
4.
5.
6.
7.
Data encapsulation
Inheritance
Polymorphism
Dynamic binding
1. Object
Objects are important runtime entities in object oriented
method. They may characterize a location, a bank account, and a
table of data or any entry that the program must handle.
For example:
Object: STUDENT
DATA
Name
Address
Marks
METHODS
Total ()
Average ()
Fig.1.1 Representation of an object STUDENT
Each object holds data and code to operate the data. Object can
interact without having to identify the details of each others data or
code. It is sufficient to identify the type of message received and
the type of reply returned by the objects.
Another example of object is CAR
Object: CAR
DATA
Colour
Cost
METHODS
LockIt ()
DriveIt ()
Fig.1.2 Representation of object CAR
Fig.1.1 and Fig.1.2 shows actual representation of object.
2. Classes
A class is a set of objects with similar properties (attributes),
common behaviour (operations), and common link to other objects.
7
The complete set of data and code of an object can be made a user
defined data type with the help of class.
The objects are variable of type class. A class is a collection
of objects of similar type. Classes are user defined data types and
work like the build in type of the programming language. Once the
class has been defined, we can make any number of objects
belonging to that class. Each object is related with the data of type
class with which they are formed.
As we learned that, the classification of objects into various
classes is based on its properties (States) and behaviour
(methods). Classes are used to distinguish are type of object from
another. The important thing about the class is to identify the
properties and procedures and applicability to its instances.
Vehicle
Car
MH-01 1234
COST= 4,00,000
COLOUR=Red
8
Classes use the concepts of data abstraction and it is called as
Abstract Data Type (ADT).
4. Data Encapsulation
Data Encapsulation means wrapping of data and functions
into a single unit (i.e. class). It is most useful feature of class. The
data is not easy to get to the outside world and only those functions
which are enclosed in the class can access it.
These functions provide the boundary between Objects data
and program. This insulation of data from direct access by the
program is called as Data hiding.
For example:
Information in
Data, process/Functions
Information out
Fig 1.4: Encapsulation
5. Inheritance
Inheritance is the process by which objects of one class can
get the properties of objects of another class. Inheritance means
one class of objects inherits the data and behaviours from another
class. Inheritance maintains the hierarchical classification in which
a class inherits from its parents.
Inheritance provides the important feature of OOP that is
reusability. That means we can include additional characteristics to
an existing class without modification. This is possible deriving a
new class from existing one.
In other words, it is property of object-oriented systems that
allow objects to be built from other objects. Inheritance allows
openly taking help of the commonality of objects when constructing
new classes. Inheritance is a relationship between classes where
one class is the parent class of another (derived) class. The derived
class holds the properties and behaviour of base class in addition
to the properties and behaviour of derived class.
For Example:
Vehicle
Car
Hyundai
Santro
Accent
Fig.1.5 Inheritance
In Fig.1.5, the Santro is a part of the class Hyundai which is again
part of the class car and car is the part of the class vehicle. That
means vehicle class is the parent class.
6. Polymorphism
(Poly means many and morph means form).
Polymorphism means the ability to take more than one form.
Polymorphism plays a main role in allocate objects having different
internal structures to share the same external interface. This means
that a general class of operations may be accessed in the same
manner even though specific activities associated with each
operation may differ. Polymorphism is broadly used in
implementing inheritance.
It means objects that can take on or assume many different
forms. Polymorphism means that the same operations may behave
differently on different classes. Booch defines polymorphism as the
relationship of objects many different classes by some common
super class. Polymorphism allows us to write generic, reusable
code more easily, because we can specify general instructions and
delegate the implementation detail to the objects involved.
For Example:
In a pay roll system, manager, office staff and production
worker objects all will respond to the compute payroll message, but
the real operations performed are object particular.
10
Shape
Draw()
Rectangle Object
Draw (Rectangle)
Square Object
Draw (Square)
Circle Object
Draw (Circle)
Fig.1.6 Polymorphism
7. Dynamic Binding
Binding refers to the linking of a procedure call to the code to be
executed in response to the call. Dynamic binding means that the
code related with a given procedure call is not known until the time
of the call at run time.
Dynamic binding is associated polymorphism and inheritance.
Progress
1990
1991
1992
1993
1994
11
Java to locate and run Applets.
1995
1996
1997
1998
2000
2002
2004
1999
1.4
JAVA FEATURES:
12
Java compiler translates Java code to Bytecode instructions
and Java Interpreter generate machine code that can be directly
executed by machine that is running the Java program.
2. Platform Independent and portable
Java supports the feature portability. Java programs can be
easily moved from one computer system to another and anywhere.
Changes and upgrades in operating systems, processors and
system resources will not force any alteration in Java programs.
This is reason why Java has become a trendy language for
programming on Internet which interconnects different kind of
systems worldwide. Java certifies portability in two ways.
First way is, Java compiler generates the bytecode and that can be
executed on any machine. Second way is, size of primitive data
types are machine independent.
3. Object- oriented
Java is truly object-oriented language. In Java, almost
everything is an Object. All program code and data exist in objects
and classes. Java comes with an extensive set of classes; organize
in packages that can be used in program by Inheritance. The object
model in Java is trouble-free and easy to enlarge.
4. Robust and secure
Java is a most strong language which provides many
securities to make certain reliable code. It is design as garbage
collected language, which helps the programmers virtually from all
memory management problems. Java also includes the concept of
exception handling, which detain serious errors and reduces all
kind of threat of crashing the system.
Security is an important feature of Java and this is the strong
reason that programmer use this language for programming on
Internet.
The absence of pointers in Java ensures that programs
cannot get right of entry to memory location without proper
approval.
5. Distributed
Java is called as Distributed language for construct
applications on networks which can contribute both data and
programs. Java applications can open and access remote objects
on Internet easily. That means multiple programmers at multiple
remote locations to work together on single task.
6. Simple and small
Java is very small and simple language. Java does not use
pointer and header files, goto statements, etc. It eliminates operator
overloading and multiple inheritance.
13
7. Multithreaded and Interactive
Multithreaded
means
managing
multiple
tasks
simultaneously. Java maintains multithreaded programs. That
means we need not wait for the application to complete one task
before starting next task. This feature is helpful for graphic
applications.
8. High performance
Java performance is very extraordinary for an interpreted
language, majorly due to the use of intermediate bytecode. Java
architecture is also designed to reduce overheads during runtime.
The incorporation of multithreading improves the execution speed
of program.
9. Dynamic and Extensible
Java is also dynamic language. Java is capable of
dynamically linking in new class, libraries, methods and objects.
Java can also establish the type of class through the query building
it possible to either dynamically link or abort the program,
depending on the reply.
Java program is support functions written in other language
such as C and C++, known as native methods.
C++
operator
14
10
programming
paradigm.
11
global
oriented programming.
Source Code
Java
Compiler
Virtual
Machine
Byte Code
15
Byte
Code
Java
Interpreter
Virtual machine
Machine code
Code
Real Machine
User
Fig: Layers of Interaction for Java programs
1.7
JAVA ENVIRONMENT:
16
For compiling and running the program we have to use following
commands:
a) javac (Java compiler)
In java, we can use any text editor for writing program and
then save that program with .java extension. Java compiler
convert the source code or program in bytecode and
interpreter convert .java file in .class file.
Syntax:
C:\javac filename.java
If my filename is abc.java then the syntax will be
C:\javac abc.java
b) java(Java Interpreter)
As we learn that, we can use any text editor for writing
program and then save that program with .java extension.
Java compiler convert the source code or program in
bytecode and interpreter convert .java file in .class file.
Syntax:
C:\java filename
If my filename is abc.java then the syntax will be
C:\java abc
17
1.
2.
3.
4.
1.9 SUMMARY :
In this unit, we learn the concept of Object Oriented
Programming, Introduction of Java, History of Java, Features of
Java, Comparison between C++ and Java, Java virtual Machine
and Java Environment.
Questions and Answers:
Q.1) Explain the concept of OOPs.
Ans: refer 1.2
Q.2) Explain JVM?
Ans: refer 1.6
Q.3)Explain the features of JAVA?
Ans: refer 1.4
Q.4) Explain Difference between C++ and JAVA?
Ans: refer 1.5
18
2
DATA TYPES, VARIABLES AND
CONSTANTS
Unit Structure
2.1
Datatypes
2.1.1 Integer data type
2.1.2 Floating point data type
2.1.3 Character data type
2.1.4 Boolean data type
Mixing Data types
Variables
2.3.1 Variable name
Constants
2.4.1 Integer Constant
2.4.2 Real Constant
2.4.3 Character Constant
2.4.4 String Constant
2.4.5 Symbolic constant
2.4.6 Backslash character constant
Comments
Command line arguments
Summary
Questions
2.2
2.3
2.4
2.5
2.6
2.7
2.8
2.1
DATA TYPES:
A data type is a scheme for representing values. An
example is int which is the Integer, a data type.
Values are not just numbers, but any manner of data that a
computer can process.
The data type defines the kind of data that is represented by
a variable.
As with the keyword class, Java data types are case
sensitive.
19
There are two types of data types
primitive data type
non-pimitive data type
In primitive data types, there are two categories
numeric means Integer, Floating points
Non-numeric means Character and Boolean
In non-pimitive types, there are three categories
classes
arrays
interface
Following table shows the datatypes with their size and ranges.
Data type
byte
boolean
char
short
Int
long
float
double
Size (byte)
1
1
2
2
4
8
4
8
Range
-128 to 127
True or false
A-Z,a-z,0-9,etc.
-32768 to 32767
(about) -2 million to 2 million
(about) -10E18 to 10E18
-3.4E38 to 3.4E18
-1.7E308 to 1.7E308
20
space. It is very useful when we require accuracy with small degree
of precision. But in double type, it is used for double precision and
uses 8 bytes of starage space. It is useful for large degree of
precision.
2.1.3 Character data type:
It is used to store single character in memory. It uses 2 bytes
storage space.
2.1.4 Boolean data type:
It is used when we want to test a particular condition during
the excution of the program. There are only two values that a
boolean type can hold: true and false.
Boolean type is denoted by the keyword boolean and uses only one
bit of storage.
Following program shows the use of datatypes.
Program:
import java.io.DataInputStream;
class cc2
{
public static void main(String args[]) throws Exception
{
DataInputStream s1=new DataInputStream(System.in);
byte rollno;
int marks1,marks2,marks3;
float avg;
System.out.println("Enter roll number:");
rollno=Byte.parseByte(s1.readLine());
System.out.println("Enter marks m1, m2,m3:");
marks1=Integer.parseInt(s1.readLine());
marks2=Integer.parseInt(s1.readLine());
marks3=Integer.parseInt(s1.readLine());
avg = (marks1+marks2+marks3)/3;
System.out.println("Roll number is="+rollno);
System.out.println("Average is="+avg);
}
}
Output:
C:\cc>java cc2
Enter roll number:
07
Enter marks m1, m2,m3:
66
21
77
88
Roll number is=7
Average is=77.0
Char
Byte
Short
Int
Long
Float
doubl
e
char
byte
short
int
long
float
int
int
int
int
long
float
doubl
e
int
int
int
int
long
float
doubl
e
int
int
int
int
long
float
doubl
e
int
int
int
int
long
float
doubl
e
long
long
long
long
long
float
doubl
e
float
float
float
float
float
float
doubl
e
doubl
e
double
double
double
double
double
double
double
2.3 VARIABLES:
Variables are labels that express a particular position in
memory and connect it with a data type.
The first way to declare a variable: This specifies its data
type, and reserves memory for it. It assigns zero to primitive types
and null to objects.
dataType variableName;
The second way to declare a variable: This specifies its data
type, reserves memory for it, and puts an initial value into that
memory. The initial
value must be of the correct data type.
dataType variableName = initialValue;
The first way to declare two variables: all of the same data
type, reserves memory for each.
22
dataType variableNameOne, variableNameTwo;
The second way to declare two variables: both of the same
data type, reserves memory, and puts an initial value in each
variable.
dataType
variableNameI
variableNameII=initialValueII;
initialValueI,
2.4
CONSTANT :
23
For example:
011
00
0425
c) Hexadecimal integer
It allows the sequence which is preceded by 0X or 0x and it also
allows alphabets from A to F or a to f (A to F stands for
the numbers 10 to 15) it is called as Hexadecimal integer.
For example:
0x7
00X
0A2B
2.4.2 Real Constant
It allows us fractional data and it is also called as folating point
constant.
It is used for percentage, height and so on.
For example:
0.0234
0.777
-1.23
2.4.3 Character Constant
It allows us single character within pair of single coute.
For example:
A
7
\
2.4.4 String Constant
It allows us the series of characters within pair of double coute.
For example:
WELCOME
END OF PROGRAM
BYE BYE
A
2.4.5 Symbolic constant:
In Java program, there are many things which is requires
repeatedly and if we want to make changes then we have to make
these changes in whole program where this variable is used. For
this purpose, Java provides final keyword to declare the value of
variable as follows:
Syntax:
final type Symbolic_name=value;
24
For example:
If I want to declare the value of PI then:
final float PI=3.1459
the condition is, Symbolic_name will be in capital letter( it shows
the difference between normal variable and symblic name) and do
not declare in method.
2.4.6 Backslash character constant:
Java support some special character constant which are given in
following table.
Constant Importance
\b
Back space
\t
Tab
\n
New line
\\
Backslash
\
Single coute
\
Double coute
2.5 Comments:
A comment is a note written to a human reader of a
program. The program compiles and runs exactly the same with or
without comments. Comments start with the two characters //
(slash slash). Those characters and everything that follows them on
the same line are ignored by the java compiler. everything between
the two characters /*and the two characters */ are unobserved
by the compiler. There can be many lines of comments between
the /* and the */.
25
For example:
class Add
{
public static void main(String args[])
{
int a=Integer.parseInt(args[0]);
int b=Integer.parseInt(args[1]);
int c=a+b;
System.out.println(Addition is=+c);
}
}
output:
c:\javac Add.java
c:\java Add 5 2
7
2.7
SUMMARY:
2.8
QUESTION:
26
3
TOKENS IN JAVA
Unit Structure
3.1 Introduction
3.2 Tokens in Java
3.2.1 Identifiers
3.2.2 Litrals
3.2.3 Keywords
3.2.4 Operator
3.2.4.1 Arithmetic operators
3.2.4.2 Logical operators
3.2.4.3 Relational operators
3.2.4.4 Assignment operators
3.2.4.5 Conditional operators
3.2.4.6 Increment and decrement operators
3.2.4.7 Bit-wise operator
3.2.5 Separators
3.3 Operator Precedence in Java
3.4 Summary
3.1
INTRODUCTION:
3.2
TOKENS IN JAVA:
27
3.2.1 Literals:
Literals in Java are a sequence of characters (digits, letters
and other characters) that characterize constant values to be stored
in variables. Java language specifies five major types of literals are
as follows:
1.
2.
3.
4.
5.
Integer literals
Floating point literals
Character literals
String literals
Boolean literals
3.2.2 Identifiers:
Identifiers are programmer-created tokens. They are used
for naming classes, methods, variables, objects, labels, packages
and interfaces in a program. Java identifiers follow the following
rules:
1. They can have alphabets, digits, and the underscore and
dollar sign characters.
2. They must not start with a digit.
3. Uppercase and lowercase letters are individual.
4. They can be of any length.
Identifier must
descriptive.
be
meaningful,
easily
understandable
and
For example:
Private and local variables like length.
Name of public methods and instance variables begin with
lowercase letter like addition
3.2.3 Keywords:
Keywords are important part of Java. Java language has
reserved 50 words as keywords. Keywords have specific meaning
in Java. We cannot use them as variable, classes and method.
Following table shows keywords.
abstract
default
if
package
this
class
float
native
int
return
char
finally
long
static
volatile
throws
final
instanceof
null
try
catch
do
throw
break
import
byte
public
case
const
for
boolean
implements
private
double
protected
else
transient
extends
new
switch
28
interface
short
assert
void
continue
const
while
goto
synchronized
super
3.2.4 Operator:
Java carries a broad range of operators. An operator is
symbols that specify operation to be performed may be certain
mathematical and logical operation. Operators are used in
programs to operate data and variables. They frequently form a
part of mathematical or logical expressions.
Categories of operators are as follows:
1.
2.
3.
4.
5.
6.
7.
Arithmetic operators
Logical operators
Relational operators
Assignment operators
Conditional operators
Increment and decrement operators
Bit wise operators
Importance/ significance
Addition
Subtraction
Division
Multiplication
Modulo division or remainder
29
int b = 3;
System.out.println("a = " + a);
System.out.println("b =" + b);
int c = a + b;
System.out.println("Addition = " + c);
}
}
Output:
a= 6
b= 3
Addition=9
- operator in Java:
class SubstractionInt
{
public static void main (String args[])
{
int a = 6;
int b = 3;
System.out.println("a = " + a);
System.out.println("b =" + b);
int c = a - b;
System.out.println("Subtraction= " + c);
}
}
Output:
a=6
b=3
Subtraction=3
* operator in Java:
Class MultiplicationInt
{
public static void main (String args[])
{
int a = 6;
int b = 3;
System.out.println("a = " + a);
30
System.out.println("b =" + b);
int c = a * b;
System.out.println("Multiplication= " + c);
}
}
Output:
a=6
b=3
Multiplication=18
/ operator in Java:
Class DivisionInt
{
public static void main (String args[])
{
int a = 6;
int b = 3;
System.out.println("a = " + a);
System.out.println("b =" + b);
c = a / b;
System.out.println("division=" + c);
}
}
Output:
a=6
b=3
Division=3
Remainder or modulus operator (%) in Java:
Class Remainderoptr
{
public static void main (String args[])
{
int a = 6;
int b = 3;
System.out.println("a = " + a);
System.out.println("b =" + b);
c = a % b;
System.out.println("remainder=" + c);
}
}
31
Output:
a=6
b=3
Remainder= 0
Logical operators:
Importance/ significance
Logical OR
Logical AND
Logical NOT
32
The logical expression defer a value of true or false.
Following table shows the truth table of Logical OR and Logical
AND.
Truth table for Logical OR operator:
Operand1
T
T
F
F
Operand3
T
F
T
F
Operand1 || Operand3
T
T
T
F
T - True
F - False
Truth table for Logical AND operator:
Operand1 Operand3 Operand1 && Operand3
T
T
T
T
F
F
F
T
F
F
F
F
T True
F False
Now the following program shows the use of Logical operators.
class LogicalOptr
{
public static void main (String args[])
{
boolean a = true;
boolean b = false;
System.out.println("a||b = " +(a||b));
System.out.println("a&&b = "+(a&&b));
System.out.println("a! = "+(!a));
}
}
Output:
a||b = true
a&&b = false
a! = false
33
3.2.4.3 Relational Operators:
When evaluation of two numbers is performed depending
upon their relation, assured decisions are made.
The value of relational expression is either true or false.
If A=7 and A < 10 is true while 10 < A is false.
Following table shows the details of operators.
Operator
>
<
!=
>=
<=
Importance/ significance
Greater than
Less than
Not equal to
Greater than or equal to
Less than or equal to
34
int a = 10;
int b = 30;
int c = 30;
System.out.println("a>b = " +(a>b));
System.out.println("a<b = "+(a<b));
System.out.println("a<=c = "+(a<=c));
System.out.println("c>b = " +(c>b));
System.out.println("a<c = "+(a<c));
System.out.println("b<=c = "+(b<=c));
}
}
Output:
a>b = false
a<b = true
a<=c = true
c>b = true
a<c = true
b<=c = true
3.2.4.4 Assignment Operators:
Assignment Operators is used to assign the value of an
expression to a variable and is also called as Shorthand operators.
Variable_name binary_operator = expression
Following table show the use of assignment operators.
Simple
Operator
A=A+1
A=A-1
A=A/(B+1)
A=A*(B+1)
A=A/C
A=A%C
Assignment Statement
Operators
A+=1
A-=1
A/=(B+1)
A*=(B+1)
A/=C
A%=C
with
shorthand
35
int a = 10;
int b = 30;
int c = 30;
a+=1;
b-=3;
c*=7;
System.out.println("a = " +a);
System.out.println("b = "+b);
System.out.println("c = "+c);
}
}
Output:
a = 11
b = 18
c = 310
3.2.4.5 Conditional Operators:
The character pair ?: is a ternary operator of Java, which
is used to construct conditional expressions of the following form:
Expression1 ? Expression3 : Expression3
The operator ? : works as follows:
Expression1 is evaluated if it is true then Expression3 is
evaluated and becomes the value of the conditional
expression. If Expression1 is false then Expression3 is
evaluated and its value becomes the conditional expression.
For example:
A=3;
B=4;
C=(A<B)?A:B;
C=(3<4)?3:4;
C=4
Now the following program shows the use of operators.
class Coptr
{
public static void main (String args[])
{
int a = 10;
int b = 30;
int c;
c=(a>b)?a:b;
System.out.println("c = " +c);
36
c=(a<b)?a:b;
System.out.println("c = " +c);
}
}
Output:
c = 30
c = 10
program3: Write a program to check whether number is positive or
negative.
class PosNeg
{
public static void main(String args[])
{
int a=10;
int flag=(a<0)?0:1;
if(flag==1)
System.out.println(Number is positive);
else
System.out.println(Number is negative);
}
}
Output:
Number is positive
3.2.4.6 Increment and Decrement Operators:
The increment operator ++ adds 1 to a variable. Usually the
variable is an integer type, but it can be a floating point type. The
two plus signs must not be split by any character. Usually they are
written immediately next to the variable.
Following table shows the use of operators.
Expression
A++
++A
A---A
Process
Add 1 to a variable
after use.
Add 1 to a variable
before use.
Subtract 1 from a
variable after use.
Subtract 1 from a
variable before use.
Example
int A=10,B;
B=A++;
int A=10,B;
B=++A;
int A=10,B;
B=A--;
int A=10,B;
B=--A;
end result
A=11
B=10
A=11
B=11
A=9
B=10
A=9
B=9
37
Now the following program shows the use of operators.
class IncDecOp
{
public static void main(String args[])
{
int x=1;
int y=3;
int u;
int z;
u=++y;
z=x++;
System.out.println(x);
System.out.println(y);
System.out.println(u);
System.out.println(z);
}
}
Output:
3
4
4
1
3.2.4.7
Importance/ significance
Bitwise OR
Bitwise AND
Bitwise AND assignment
Bitwise OR assignment
Bitwise Exclusive OR
Left shift
Right shift
Ones complement
38
System.out.println("a = " +a);
System.out.println("b = " +b);
}
}
Output:
a =4
b =16
(2) Program 3
Class Boptr3
{
public static void main (String args[])
{
int a = 16;
int b = a>>3;
System.out.println("a = " +a);
System.out.println("b = " +b);
}
}
Output:
a = 16
b=3
(Please refer following table)
356
38
138
37
64
36
33
35
16
34
8
33
4
33
3
31
1
30
3.2.5
Separator:
Separators are symbols. It shows the separated code.they
describe function of our code.
Name
()
{}
[]
;
,
.
use
Parameter in method definition, containing statements
for conditions,etc.
It is used for define a code for method and classes
It is used for declaration of array
It is used to show the separate statement
It is used to show the separation in identifier in variable
declarartion
It is used to show the separate package name from subpackages and classes, separate variable and method
from reference variable.
39
Associativity
Left to right
Left to right
Left to right
Right to left
Right to left
Right to left
Right to left
Right to left
Right to left
Left to right
Left to right
Left to right
Left to right
Left to right
Left to right
Left to right
Left to right
Rank
1
3
4
5
40
<
<=
>
>=
Instanceof
==
!=
&
^
|
&&
||
?:
=
Left to right
Left to right
Left to right
Left to right
Left to right
Left to right
Left to right
Left to right
Left to right
Left to right
Left to right
Left to right
Right to left
Right to left
7
8
9
10
11
13
13
14
3.4 SUMMARY:
In this unit, we learn the cocept of tokens in java.There are
4 types of tokens as we learn:
1. Literals
2. Identifiers
3. Operators
Types of operators are:
1.
2.
3.
4.
5.
6.
Arithmetic operators
Logical operators
Relational operators
Assignment operators
Conditional operators
Increment and decrement operators
separator
41
4
CONTROL STRUCTURE
Unit Structure
4.1
4.2
4.3
Introduction
Control structure
4.2.1 Selection Statement
4.2.1.1
if statement
4.2.1.1.1 Simple if statement
4.2.1.1.2 The ifelse statement
4.2.1.1.3 Nesting of if-else statement
4.2.1.2
switch statement
4.2.2 Iteration Statement
4.2.2.1 for loop
4.2.2.2 while loop
4.2.2.3 do-while loop
4.2.3 Jump in Statement
Summary
4.1 INTRODUCTION:
In Java, program is a set of statements and which are
executed sequentially in order in which they appear. In that
statements, some calculation have need of executing with some
conditions and for that we have to provide control to that
statements. In other words, Control statements are used to provide
the flow of execution with condition.
In this unit, we will learn the control structure in detail.
42
In selection statement, there are two types:
if statement
switch statement
43
Following figure shows the if statement
Condition
?
true
False
44
Following figure shows the flow of statement.
false
Condition?
True
Statement Block
Statement a
45
Statement-a;
If the condition is true then True - statement block will be executed.
If the condition is false then False - statement block will be
executed. In both cases the statement-a will always executed.
Following figure shows the flow of statement.
Condition?
True
Statement
Block
False
Statement
Block
Statement a
Following program shows the use of if statement.
Program: write a program to check whether the number is positive
or negative.
import java.io.*;
class NumTest
{
public static void main (String[] args) throws IOException
{
int Result=11;
System.out.println("Number is"+Result);
if ( Result < 0 )
{
46
System.out.println("The number "+ Result +" is negative");
}
else
{
System.out.println("The number "+ Result +" is positive");
}
System.out.println("------- * ---------");
}
}
Output:
C:\MCA>java NumTest
Number is 11
The number 11 is positive
------- * --------(All conditional statements in Java require boolean values, and
that's what the ==, <, >, <=, and >= operators all return. A boolean
is a value that is either true or false. If you need to set a boolean
variable in a Java program, you have to use the constants true and
false. Boolean values are no more integers than are strings).
For example: write a program to check whether the number is
divisible by 2 or not.
import java.io.*;
class divisorDemo
{
public static void main(String[ ] args)
{
int a =11;
if(a%2==0)
47
{
System.out.println(a +" is divisible by 2");
}
else
{
System.out.println(a+" is not divisible by 2");
}
}
}
Output:
C:\MCA>java divisorDemo
11 is not divisible by 2
4.2.1.1.3 Nesting of if-else statement:
Syntax:
if (condition1)
{
If(condition2)
{
Statement block1;
}
else
{
Statement block2;
}
}
else
48
{
Statement block3;
}
Statement 4:
If the condition1 is true then it will be goes for condition2. If
the condition2 is true then statement block1 will be executed
otherwise statement2 will be executed. If the condition1 is false
then statement block3 will be executed. In both cases the
statement4 will always executed.
false
true
Condition1
false
true
Condition2
Statement3
Statement2
Statement1
Statement4
49
int c=3;
if(a>b)
{
if(a>c)
{
System.out.println("a is greater number");
}
else
{
System.out.println("c is greater number");
}
}
else
{
if(c>b)
{
System.out.println("c is greater number");
}
else
{
System.out.println("b is greater number");
}
}
}
}
Output:
C:\MCA>java greatest
b is greater number
50
4.2.1.2 switch statement:
In Java, switch statement check the value of given variable
or statement against a list of case values and when the match is
found a statement-block of that case is executed. Switch statement
is also called as multiway decision statement.
Syntax:
switch(condition)// condition means case value
{
case value-1:statement block1;break;
case value-2:statement block2;break;
case value-3:statement block3;break;
default:statement block-default;break;
}
statement a;
The condition is byte, short, character or an integer. value1,value-2,value-3,are constant and is called as labels. Each of
these values be matchless or unique with the statement. Statement
block1, Statement block2, Statement block3,..are list of statements
which contain one statement or more than one statements. Case
label is always end with : (colon).
Program: write a program for bank account to perform following
operations.
-Check balance
-withdraw amount
-deposit amount
For example:
import java.io.*;
class bankac
{
public static void main(String args[]) throws Exception
51
{
int bal=20000;
int ch=Integer.parseInt(args[0]);
System.out.println("Menu");
System.out.println("1:check balance");
System.out.println("2:withdraw amount... plz enter choice
and amount");
System.out.println("3:deposit amount... plz enter choice
and amount");
System.out.println("4:exit");
switch(ch)
{
case 1:System.out.println("Balance is:"+bal);
break;
52
default:break;
}
}
}
Output:
C:\MCA>javac bankac.java
C:\MCA>java bankac 1
Menu
1:check balance
2:withdraw amount... plz enter choice and amount
3:deposit amount... plz enter choice and amount
4:exit
Balance is:20000
53
3:deposit amount... plz enter choice and amount
4:exit
Balance is22000
C:\MCA>java bankac 4
Menu
1:check balance
2:withdraw amount... plz enter choice and amount
3:deposit amount... plz enter choice and amount
4:exit
C:\MCA>java bankac
4.2.2 Iteration Statement:
The process of repeatedly executing a statements and is
called as looping. The statements may be executed multiple times
(from zero to infinite number). If a loop executing continuous then it
is called as Infinite loop. Looping is also called as iterations.
In Iteration statement, there are three types of operation:
for loop
while loop
do-while loop
means
increment/
54
When the loop is starts, first part(i.e. initialization) is execute.
It is just like a counter and provides the initial value of loop. But the
thing is, I nitialization is executed only once. The next part( i.e.
condition) is executed after the initialization. The important thing is,
this part provide the condition for looping. If the condition will
satisfying then loop will execute otherwise it will terminate.
Third part(i.e. iteration) is executed after the condition. The
statements that incremented or decremented the loop control
variables.
For example:
import java.io.*;
class number
{
public static void main(String args[]) throws Exception
{
int i;
System.out.println("list of 1 to 10 numbers");
for(i=1;i<=10;i++)
{
System.out.println(i);
}
}
}
Output:
C:\MCA>javac number.java
C:\MCA>java number
list of 1 to 10 numbers
1
2
55
3
4
5
6
7
8
9
10
Here we declare i=1 and then it check the condition that if
i<10 then only loop will be executed. After first iteration the value of
i will print and it will incremented by 1. Now the value of i=2 and
again we have to check the condition and value of i will print and
then increment I by 1 and so on.
4.2.2.2 while loop:
The while loop is entry controlled loop statement. The
condition is evaluated, if the condition is true then the block of
statements or statement block is executed otherwise the block of
statement is not executed.
Syntax:
While(condition)
{
Statement block;
}
For example: Write a program to display 1 to 10 numbers using
while loop.
import java.io.*;
class number
{
public static void main(String args[]) throws Exception
{
56
int i=1;
System.out.println("list of 1 to 10 numbers");
while(i<=10)
{
System.out.println(i);
i++;
}
}
}
Output:
C:\MCA>javac number.java
C:\MCA>java number
list of 1 to 10 numbers
1
2
3
4
5
6
7
8
9
10
4.2.2.3 do-while loop:
In do-while loop, first attempt of loop should be execute then
it check the condition.
57
The benefit of do-while loop/statement is that we get entry in
loop and then condition will check for very first time. In while loop,
condition will check first and if condition will not satisfied then the
loop will not execute.
Syntax:
do
{
Statement block;
}
While(condition);
In program,when we use the do-while loop, then in very first
attempt, it allows us to get enter in loop and execute that loop and
then check the condition.
Following program show the use of do-while loop.
For example: Write a program to display 1 to 10 numbers using dowhile loop.
import java.io.*;
class number
{
public static void main(String args[]) throws Exception
{
int i=1;
System.out.println("list of 1 to 10 numbers");
do
{
System.out.println(i);
i++;
}while(i<=10);
}
58
}
Output:
list of 1 to 10 numbers
1
2
3
4
5
6
7
8
9
10
4.2.3 Jumps in statement:
Statements or loops perform a set of operartions continually
until the control variable will not satisfy the condition. but if we want
to break the loop when condition will satisy then Java give a
permission to jump from one statement to end of loop or beginning
of loop as well as jump out of a loop.
break keyword use for exiting from loop and continue
keyword use for continuing the loop.
Following statements shows the exiting from loop by using break
statement.
do-while loop:
do
{
if(condition)
59
{
break;//exit from if loop and do-while loop
}
..
..
}
While(condition);
..
..
For loop:
for()
{
..
if(..)
break; ;//exit from if loop and for loop
..
While loop:
while()
{
60
..
if(..)
break; ;//exit from if loop and while loop
}
Following statements shows the continuing the loop by using
continue statement.
do-while loop:
do
{
if(condition)
{
continue;//continue the do-while loop
}
..
..
}
While(condition);
..
..
For loop:
for()
61
{
..
if(..)
continue ;// continue the for loop
..
While loop:
while()
{
..
if(..)
continue ;// continue the while loop
}
.
.
Labelled loop:
We can give label to a block of statements with any valid
name.following example shows the use of label, break and
continue.
62
For example:
Import java.io.*;
class Demo
{
public static void main(String args[]) throws Exception
{
int j,i;
LOOP1: for(i=1;i<100;i++)
{
System.out.println();
if(i>=10)
{
break;
}
for(j=1;j<100;j++)
{
System.out.println($ );
if(i==j)
{
continue LOOP1;
}
}
}
System.out.println( End of program );
}
}
63
Output:
$
$ $
$ $ $
$ $ $ $
$ $ $ $ $
$ $ $ $ $ $
$ $ $ $ $ $ $
$ $ $ $ $ $ $ $
$ $ $ $ $ $ $ $ $
End of program
4.3 SUMMARY:
In this unit, we covered Selection Statement, Iteration
Statement and Jump in Statement.
64
5
CLASSES
Unit Structure
5.1
5.2
5.3
5.4
5.5
5.6
Objective
class
5.2.1 Creating main in a separate class
5.2.2 Methods with parameters
5.2.3 Methods with a Return Type
5.2.4 Method Overloading
5.2.5 Passing Objects as Parameters
5.2.6 Passing Values to methods and Constructor:
5.2.7 Abstract Classes
5.2.8 Extending the class:
Summary:
List of references
Bibliography
Model answers
5.1 OBJECTIVE :
In this lesson of Java Tutorial, you will learn...
5.2 CLASS
Definition: A class is a collection of objects of similar type. Once a
class is defined, any number of objects can be produced which
belong to that class.
Class Declaration
class classname
{
ClassBody
65
Objects are instances of the Class. Classes and Objects are very
much related to each other. Without objects you can't use a class.
A general class declaration:
class name1
{
//public variable declaration
void methodname()
{
//body of method
//Anything
}
}
Now following example shows the use of method.
class Demo
{
private int x,y,z;
public void input()
{
x=10;
y=15;
}
public void sum()
{
z=x+y;
}
public void print_data()
{
System.out.println(Answer is = +z);
}
public static void main(String args[])
{
Demo object=new Demo();
object.input();
object.sum();
object.print_data();
}
}
66
In program,
Demo object=new Demo();
object.input();
object.sum();
object.print_data();
In the first line we created an object.
The three methods are called by using the dot operator. When we
call a method the code inside its block is executed.
The dot operator is used to call methods or access them.
5.2.1 Creating main in a separate class
We can create the main method in a separate class, but
during compilation you need to make sure that you compile the
class with the main method.
class Demo
{
private int x,y,z;
public void input() {
x=10;
y=15;
}
public void sum()
{
z=x+y;
}
public void print_data()
{
System.out.println(Answer is = +z);
}
}
class SumDemo
{
public static void main(String args[])
{
Demo object=new Demo();
object.input();
object.sum();
object.print_data();
}
}
67
Use of dot operator
We can access the variables by using dot operator.
Following program shows the use of dot operator.
class DotDemo
{
int x,y,z;
public void sum(){
z=x+y;
}
public void show(){
System.out.println("The Answer is "+z);
}
}
class Demo1
{
public static void main(String args[]){
DotDemo object=new DotDemo();
DotDemo object2=new DotDemo();
object.x=10;
object.y=15;
object2.x=5;
object2.y=10;
object.sum();
object.show();
object2.sum();
object2.show();
}}
output :
C:\cc>javac Demo1.java
C:\cc>java Demo1
The Answer is 25
The Answer is 15
Instance Variable
All variables are also known as instance variable. This is because
of the fact that each instance or object has its own copy of values
for the variables. Hence other use of the dot operator is to
initialize the value of variable for that instance.
68
5.2.2 Methods with parameters
Following program shows the method with passing parameter.
class prg
{
int n,n2,sum;
public void take(int x,int y)
{
n=x;
n2=y;
}
public void sum()
{
sum=n+n2;
}
public void print()
{
System.out.println("The Sum is"+sum);
}
}
class prg1
{
public static void main(String args[])
{
prg obj=new prg();
obj.take(10,15);
obj.sum();
obj.print();
}
}
5.2.3 Methods with a Return Type
When method return some value that is the type of that
method.
For Example: some methods are with parameter but that method
did not return any value that means type of method is void. And if
method return integer value then the type of method is an integer.
69
Following program shows the method with their return type.
class Demo1
{
int n,n2;
public void take( int x,int y)
{
n=x;
n=y;
}
public int process()
{
return (n+n2);
}
}
class prg
{
public static void main(String args[])
{
int sum;
Demo1 obj=new Demo1();
obj.take(15,25);
sum=obj.process();
System.out.println("The sum is"+sum);
}
}
Output:
The sum is25
5.2.4 Method Overloading
Method overloading means method name will be same but
each method should be different parameter list.
class prg1
{
int x=5,y=5,z=0;
public void sum()
{
z=x+y;
System.out.println("Sum is "+z);
}
70
public void sum(int a,int b)
{
x=a;
y=b;
z=x+y;
System.out.println("Sum is "+z);
}
public int sum(int a)
{
x=a;
z=x+y;
return z;
}
}
class Demo
{
public static void main(String args[])
{
prg1 obj=new prg1();
obj.sum();
obj.sum(10,12);
System.out.println(+obj.sum(15));
}
}
Output:
sum is 10
sum is 22
27
5.2.5 Passing Objects as Parameters
Objects can even be passed as parameters.
class para123
{
int n,n2,sum,mul;
public void take(int x,int y)
{
n=x;
n2=y;
}
71
public void sum()
{
sum=n+n2;
System.out.println("The Sum is"+sum);
}
public void take2(para123 obj)
{
n=obj.n;
n2=obj.n2;
}
public void multi()
{
mul=n*n2;
System.out.println("Product is"+mul);
}
}
class DemoPara
{
public static void main(String args[])
{
para123 ob=new para123();
ob.take(3,7);
ob.sum();
ob.take2(ob);
ob.multi();
}
}
Output:
C:\cc>javac DemoPara.java
C:\cc>java DemoPara
The Sum is10
Product is21
We have defined a method take2 that declares an object named
obj as parameter. We have passed ob to our method. The method
take2 automatically gets 3,7 as values for n and n2.
72
5.2.6 Passing Values to methods and Constructor:
These are two different ways of supplying values to
methods.
Classified under these two titles 1.Pass by Value
2.Pass by Address or Reference
class Demopbv
{
int n,n2;
public void get(int x,int y)
{
x=x*x; //Changing the values of passed arguments
y=y*y; //Changing the values of passed arguments
}
}
class Demo345
{
public static void main(String args[])
{
int a,b;
a=1;
b=2;
System.out.println("Initial Values of a & b "+a+" "+b);
Demopbv obj=new Demopbv();
obj.get(a,b);
System.out.println("Final Values "+a+" "+b);
}
}
Output:
C:\cc>javac Demo345.java
73
C:\cc>java Demo345
Initial Values of a & b 1 2
Final Values 1 2
Pass by Reference
Objects are always passed by reference. When we pass a value by
reference, the reference or the memory address of the variables is
passed. Thus any changes made to the argument causes a change
in the values which we pass.
Demonstrating Pass by Reference--class pass_by_ref
{
int n,n2;
public void get(int a,int b)
{
n=a;
n2=b;
}
public void doubleit(pass_by_ref temp)
{
temp.n=temp.n*2;
temp.n2=temp.n2*2;
}
}
class apply7
{
public static void main(String args[])
{
int x=5,y=10;
pass_by_ref obj=new pass_by_ref();
obj.get(x,y); //Pass by Value
System.out.println("Initial Values are-- ");
System.out.println(+obj.n);
System.out.println(+obj.n2);
obj.doubleit(obj); //Pass by Reference
System.out.println("Final Values are");
System.out.println(+obj.n);
System.out.println(+obj.n2);
}
}
74
5.2.7 Abstract Classes
Definition: An abstract class is a class that is declared as abstract.
It may or may not include abstract methods. Abstract classes
cannot be instantiated, but they can be subclass.
An abstract method is a method that is declared without an
implementation (without braces, and followed by a semicolon), like
this:
abstract void studtest(int rollno, double testfees);
If a class includes abstract methods, the class itself must be
declared abstract, as in:
public abstract class GraphicObject
{
// declare fields
// declare non-abstract methods
abstract void draw();
}
When an abstract class is subclass, the subclass usually
provides implementations for all of the abstract methods in its
parent class. However, if it does not, the subclass must also be
declared abstract.
For example: In an object-oriented drawing application, you can
draw circles, rectangles, lines, Bezier curves, and many other
graphic objects. These objects all have certain states (for example:
position, orientation, line color, fill color) and behaviors (for
example: moveTo, rotate, resize, draw) in common. Some of these
states and behaviors are the same for all graphic objectsfor
example: position, fill color, and moveTo. Others require different
implementationsfor example, resize or draw. All GraphicObjects
must know how to draw or resize themselves; they just differ in how
they do it. This is a perfect situation for an abstract superclass. You
can take advantage of the similarities and declare all the graphic
objects to inherit from the same abstract parent objectfor
example, GraphicObject, as shown in the following figure.
75
76
class Rectangle extends GraphicObject {
void draw() {
...
}
void resize() {
...
}
}
Abstract classes are those which can be used for creation of
objects. However their methods and constructors can be used by
the child or extended class. The need for abstract classes is that
you can generalize the super class from which child classes can
share its methods. The subclass of an abstract class which can
create an object is called as "concrete class".
For example:
Abstract class A
{
abstract void method1();
void method2()
{
System.out.println("this is real method");
}
}
class B extends A
{
void method1()
{
System.out.println("B is execution of method1");
}
}
class demo
{
public static void main(String arg[])
{
B b=new B();
b.method1();
b.method2();
}
}
77
5.2.8 Extending the class:
Inheritance allows to subclass or child class to access all
methods and variables of parent class.
Syntax:
class subclassname extends superclassname
{
Varables;
Methods;
..
}
For example: calculate area and volume by using Inhertance.
class data
{
int l;
int b;
data(int c, int d)
{
l=c;
b=d;
}
int area( )
{
return(l*b);
}
}
class data2 extends data
{
int h;
data2(int c,int d, int a)
{
super(c,d);
h=a;
}
int volume()
{
return(l*b*h);
}
}
78
class dataDemo
{
public static void main(String args[])
{
data2 d1=new data2(10,20,30);
int area1=d1.area(); //superclass method
int volume1=d1.volume( );// subclass method
System.out.println("Area="+area1);
System.out.println("Volume="+volume1);
}
}
Output:
C:\cc>javac dataDemo.java
C:\cc>java dataDemo
Area=200
Volume=6000
"Is A" - is a subclass of a superclass (ex:
"Has A" - has a reference to (ex: variable, ref to object).
extends)
o Access Control
Away to limit the access others have to your code.
79
5.3
SUMMARY:
5.5 BIBLIOGRAPHY
http://www.michael-homas.com/tech/java/javacert/JCP_Access.htm
http://en.wikipedia.org/wiki/Class_%28computer_science%29#Seal
ed_classes
http://www.javabeginner.com/learn-java/java-abstract-class-andinterface
80
6
INTERFACES
Unit Structure
6.1
6.2
6.3
6.4
6.5
6.6
6.7
Introduction
More about interface
Access
Multiple Inheritance
Interfaces and Abstract Classes
Inheritance within interfaces
Summary
6.1
INTRODUCTION
81
6.2
Class1
Class2
Class3
e.g.
void on()
void off()
MP3Player
implements
MP3Player
void on()
void off()
Similarly, you could have other classes inherit from the same
interface MusicPlayer. Examples
MusicPlayer
Interface
implements
MP3Player
iPod
CDPlayer
Classes
82
Syntax of Interface
To define an interface, use the interface keyword instead of the
class keyword.
SYNTAX:
package xxx.xxx;
interface MusicPlayer{
// Cannot have method implementations:
void on();
void off();
void play();
void stop();
}
Points to note above:
6.3
ACCESS
83
System.out.println(the MP3 Player is ON);
}
public void off(){
System.out.println(the MP3 Player is OFF);
}
public void play(){
System.out.println(the MP3 Player is playing);
}
public void stop(){
System.out.println(the MP3 Player is off);
}
}
6.4
MULTIPLE INHERITANCE
MusicPlayer
MP3Player
iPod
// Multiple interfaces.
interface MusicPlayer {
void on();
void off();
void play();
VideoPlayer
CDPlayer
84
void stop();
}
}
interface VideoPlayer{
void on();
void off();
void play();
void stop();
void changeContrast(int x);
void changeBrightness(int x);
}
}
class iPod implements MusicPlayer, VideoPlayer{
public void on(){
System.out.println(the MP3 Player is ON);
}
public void off(){
System.out.println(the MP3 Player is OFF);
}
public void play(){
System.out.println(the MP3 Player is playing);
}
public void stop(){
System.out.println(the MP3 Player is off);
85
}
public void changeContrast(int x){
System.out.println(Constrast Changed by + x);
}
public void changeBrightness(int x){
System.out.println(Brightnesss Changed by + x);
}
}
6.5
86
6.6
interface
extends
interface
MusicPlayer
VideoPlayer
implements
Class
iPod
ElectronicDevices is an interface.
MusicPlayer and VideoPlayer are interfaces which extend
ElectronicDevices
iPod is a class which implements MusicPlayer and
VideoPlayer
87
public CharSequenceDemo(String s) {
//It would be much more efficient to just reverse the string
//in the constructor.
this.s = s;
}
private int fromEnd(int i) {
return s.length() - 1 - i;
}
public char charAt(int i) {
if ((i < 0) || (i >= s.length())) {
throw new StringIndexOutOfBoundsException(i);
}
return s.charAt(fromEnd(i));
}
public int length() {
return s.length();
}
public CharSequence subSequence(int start, int end) {
if (start < 0) {
throw new StringIndexOutOfBoundsException(start);
}
if (end > s.length()) {
throw new StringIndexOutOfBoundsException(end);
}
if (start > end) {
throw new StringIndexOutOfBoundsException(start - end);
88
}
StringBuilder sub =
new StringBuilder(s.subSequence (from End(end),from End
(start)));
return sub.reverse();
}
public String toString() {
StringBuilder s = new StringBuilder(this.s);
return s.reverse().toString();
}
//Random int from 0 to max.
private static int random(int max) {
return (int) Math.round(Math.random() * max + 0.5);
}
public static void main(String[] args) {
CharSequenceDemo s =
new CharSequenceDemo("Write a class that implements
the CharSequence interface found in the java.lang package.");
//exercise charAt() and length()
for (int i = 0; i < s.length(); i++) {
System.out.println(s.charAt(i));
}
//exercise subSequence() and length();
int start = random(s.length() - 1);
int end = random(s.length() - 1 - start) + start;
System.out.println(s.subSequence(start, end));
89
//exercise toString();
System.out.println(s);
}
}
6.7
SUMMARY:
90
7
EXCEPTION HANDLING
Unit Structure
7.1
7.2
7.3
7.4
Objective
Introduction
Overview
What is Exceptions and handling exception?
7.4.1 Compile time errors
7.4.2 Run time errors
7.4.3 trycatch:
7.4.4 Using Multiple catch Blocks
7.4.5 finally Block
7.4.6 Throwing an Exception
7.4.6.1 Using the throw Statement
7.4.6.2 Using the throws Statement
7.4.7 Creating and Using Your Own Exception Classes
Summary:
List of references
Bibilography
7.5
7.6
7.7
7.1 OBJECTIVE
In this lesson of Java Tutorial, you will learn...
1.
2.
3.
4.
7.2 INTRODUCTION
An exception is an event, which occurs during the execution of
the program, that an interrupt the normal flow of the programs
instruction. In other words, Exceptions are generated when a
recognized condition, usually an error condition, arises during the
execution of a method. Java includes a system for running
exceptions, by tracking the potential for each method to throw
specific exceptions. For each method that could throw an
91
exception, your code must report to the Java compiler that it could
throw that exact exception. The compiler marks that method as
potentially throwing that exception, and then need any code calling
the method to handle the possible exception. Exception handling is
basically use five keyword as follows:
try
catch
throw
throws
finally
7.3 OVERVIEW
Exceptions are generated when an error condition occur
during the execution of a method. It is possible that a statement
might throw more than one kind of exception. Exception can be
generated by Java-runtime system or they can be manually
generated by code. Error-Handling becomes a necessary while
developing an application to account for exceptional situations that
may occur during the program execution, such as
7.4
WHAT IS EXCEPTIONS
EXCEPTION?
AND
HANDLING
92
There are two ways to handle an exception:
you can try the "risky" code, catch the exception, and do
something about it, after which the transmission of the
exception come to an end
Error
Compile-time
errors
RuntimeException
Exception
IOException
SQLException
Run-time errors
ArithmeticException
NullPointerException
93
compiler creates .class file of the program and then we can run the
program.
The common problems are:
Missing braces
Missing semicolon
Missing double quote in string
= instead of == operator
And so on.
For example:
class Try1
{
public static void main(String args[])
{
int a=12;
int b=0;
int c=a/b
System.out.println("Division is+c);
}
}
Output:
C:\cc>javac Try1.java
Try1.java:8: ';' expected
System.out.println("Division is+c);
^
Try1.java:8: unclosed string literal
System.out.println("Division is+c);
^
2 errors
7.3.2 Run time errors
Several time program may compile successfully and
compiler creates the .class file of the program but when the time of
running the program, it shows the error and that type of error called
run time error.
The common problems are:
Divide by zero
Conversion of invalid string to number
access the element that is out of bound of an array
Passing the parameters with invalid range.
And so on.
94
For example:
write a program to find out division of two numbers.
class Try1
{
public static void main(String args[])
{
int a=12;
int b=0;
int c=a/b;
System.out.println("Division is"+c);
}
}
Output:
C:\cc>javac Try1.java
C:\cc>java Try1
Exception in thread "main" java.lang.ArithmeticException: /
by zero at Try1.main(Try1.java:7)
7.3.3 trycatch:
If a method is going to resolve potential exception internally, the
line of code that could generate the exception is placed inside a try
block
there may be other code inside the try block, before and/or
after the risky line(s) - any code that depends upon the risky
code's success should be in the try block, since it will
automatically be skipped if the exception occurs
Syntax
try
{
code
risky/unsafe code
code that depends on the risky code succeeding
}
There is usually at least one catch block immediately after the try
block
95
Syntax
catch (ExceptionClassName exceptionObjectName)
{
code using methods from exceptionObjectName
}
there can be more than one catch block, each one marked
for a correct exception class
96
try
{
ans1 = a/b;
System.out.println("a/b = " + ans1);
ans2 = a/c;
System.out.println("a/c = " + ans2);
}
catch(ArithmeticException e)
{
System.out.println("Arithmetic
Exception!");
}
System.out.println("demo is over");
}
}
Output:
C:\>set path=C:\Java\jdk1.5.0_01\bin
C:\>javac demo.java
C:\>java demo
a/b = 1
Arithmetic Exception!
demo is over
Code Explanation
The program will print the first result, and then not succeed
while performing the division for the second equation. Execution will
step to the catch block to print our message on the screen
97
Example The prior example used a RuntimeException, which your
code is not obligated to handle. Most methods in the I/O classes
throw IOException, which is an exception that you must handle.
Following program shows the use of IOException.
import java.io.IOException;
public class demo
{
public static void main(String[] args)
{
int num = 0;
num = System.in.read();
try
{
num = System.in.read();
System.out.println("You entered " + (char) num);
}
catch (IOException e)
{
System.out.println("IO Exception occurred");
}
}
}
Output:
C:\>javac demo.java
demo.java:11: unreported exception java.io.IOException; must be
caught or declared to be thrown
98
num = System.in.read(); // comment out this line
^
1 error
Code Explanation:
The line marked to comment out throws IOException, but is not
in a try block, so the compiler rejects it. The second read attempt is
within a try block, as it should be.
class demo
{
public static void main (String args [])
{
int A[ ] = new int [5];
try
{
for (int c = 0; c <5; c++)
{
//do nothing
}
for (int c = 0; c <5; c++)
{
A[c] = c/ c;
99
}
}
catch (ArrayIndexOutOfBoundsException e)
{
System.out.println ("Array out of bound ");
}
catch (ArithmeticException e)
{
System.out.println ("Zero divide error");
}
}
}
Output:
C:\>javac demo.java
C:\>java demo
Zero divide error
C:\>
7.3.5 Finally Block
To guarantee that a line of code runs, whether an exception
occurs or not, use a finally block after the try and catch blocks
The code in the finally block will almost always execute,
even if an unhandled exception occurs; in fact, even if a return
statement is encountered
100
Syntax
try
{
risky code/ unsafe code block
}
catch (ExceptionClassName exceptionObjectName)
{
code to resolve problem
}
finally
{
code that will always execute
}
In summary:
There may one finally block as the last block in the structure.
Example:
public class demo
{
public static void main(String args[])
{
try
{
System.out.println("Try Block before the error.");
System.out.println(1/0);
System.out.println("Try Block after the error.");
}
catch(java.lang.ArithmeticException e)
{
System.out.println("Catch Block");
101
System.out.println("A Stack Trace of the Error:");
e.printStackTrace();
//e.getMessage();
System.out.println("The operation is not possible.");
}
finally
{
System.out.println("Finally Block");
}
System.out.println("demo is over");
}
}
Output:
C:\>javac demo.java
C:\>java demo
Try Block before the error.
Catch Block
A Stack Trace of the Error:
java.lang.ArithmeticException: / by zero
at demo.main(demo.java:8)
The operation is not possible.
Finally Block
demo is over
102
2. The throw clause convey the control to the nearest catch
block handling the type of exception object throws.
3. If no such catch block exists, the program terminates.
The throw statement accepts a single argument, which is an object
of the Exception class.
Syntax
throw ThrowableObj
You can use the following code to throw the IllegalStateException
exception:
class demo
{
static void tdemo()
{
try
{
throw new IllegalStateException ();
}
catch (NullPointerException e)
{
System.out.println ("Not Caught by the catch block inside tdemo
().");
}
}
public static void main (String args[ ])
{
try
{
tdemo();
}
catch(IllegalStateException e)
{
System.out.println("Exception Caught in:"+e);
}
}
}
103
Output
C:\>javac demo.java
C:\>java demo
Exception Caught in:java.lang.IllegalStateException
C:\>
7.3.6.2 Using the throws Statement
The throws statement is used by a method to specify the
types of exceptions the method throws. If a method is capable of
raising an exception that it does not handle, the method must
specify that the exception have to be handled by the calling
method.
This is done using the throws statement. The throws clause lists the
types of exceptions that a method might throw.
Syntax
[< access specifier >] [< modifier >] < return type > < method name
> [< arg list >] [ throws <exception list >]
Example:
You can use the following code to use the throws statement:
class demo
{
static void throwMethod ( ) throws ClassNotFoundException
{
System.out.println ("In throwMethod ");
throw new ClassNotFoundException ( );
}
public static void main (String args [ ])
{
try
{
throwMethod ( );
}
catch ( ClassNotFoundException e)
{
104
System.out.println (" throwMethod has thrown an Exception :" +e);
}
}
}
Output
C:\>javac demo.java
C:\>java demo
In throwMethod
throw Method has thrown an Exception :java.lang.Class Not Found
Exception
7.3.9 Creating and Using Your Own Exception Classes
You can create your own exception class by extending an existing
exception class
Syntax
[modifiers] New Exception Class Name extends
ExceptionClassName
{
create constructors that usually delegate to super-constructors
}
You could then add any fields or methods that you wish,
although often that is not required. You must, however, override
any constructors you wish to use: Exception ( ), Exception(String
message), Exception(String message, Throwable cause),
Exception (Throwable cause). Usually you can just call the
equivalent super-constructor. If you extend RuntimeException or
one of its subclasses, your exception will be treated as a runtime
exception.
When a situation arises for which you would like to throw the
exception, use the throw keyword with a new object from your
exception class, for example:
Syntax
throw new ExceptionClassName(messageString);
105
7.4 SUMMARY :
In this lesson of the Java tutorial you have learned:
7.6 BIBILOGRAPHY
http://java.sun.com/docs/books/tutorial/essential/exceptions/
Model Answers :
Q.1) What is exception in Java?
Ans: Refer 7.3
Q.2) What is exception and gives the list of common exception in
java.
Ans: Refer 7.3 and
Q.3) What is the finally block?
Ans: refer
Q.4) how try-catch is works?
Ans: refer
106
8
I/O PACKAGES
Unit Structure
8.1
8.2
8.9
8.10
Introduction
Stream
8.2.1 Byte Streams
8.2.1.1 InputStream
8.2.1.2 OutputStream
8.2.2 Character Streams
8.2.2.1 Reader
8.2.2.2 Writer
How Files and Streams Work
Classes
Exceptions Classes
Standard Streams
Working with Reader classes
8.7.1 InputStreamReader
8.7.2 BufferedReader
I/O Streams
8.8.1 FileInputstream
8.8.2 FileOutputStream
8.8.3 DataInputStream
Finding a File
Summary
8.1
INTRODUCTION
8.3
8.4
8.5
8.6
8.7
8.8
8.2
STREAM:
107
that support input and output operations. The classes in the
package are primarily abstract classes and stream-oriented that
define methods and subclasses which allow bytes to be read from
and written to files or other input and output sources.
For reading the stream:
Open the stream
Read information
Close the stream
For writing in stream:
Open the stream
Write information
Close the stream
There are two types of stream as follows:
o
Byte stream
Character stream
8.2.1
Byte Streams:
InputStream
OutputStream
108
Input Stream
-
ByteArrayInputStream
FileInputStream
ObjectInputStream
FilterInputStream
PipedInputStream
StringBufferInputStream
FilterInputStream
8.2.1.2
BufferedInputStream
DataInputStream
LineNumberInputStream
PushbackInputStream
OutputStream:
ByteArrayOutputStream
FileOutputStream
ObjectOutputStream
FilterInputStream
PipedOutputStream
StringBufferInputStream
FilterOutputStream
o BufferedOutputStream
o DataOutputStream
o PrintStream
109
OutputStream is also inherited from the Object class. Each
class of the OutputStream provided by the java.io package is
intended for a different purpose.
8.2.2 Character Streams:
It supports 16-bit Unicode character input and output. There
are two classes of character stream as follows:
o Reader
o Writer
These classes allow internationalization of Java I/O and also allow
text to be stored using international character encoding.
8.2.2.1 Reader:
BufferedReader
o
-
CharAraayReader
PipedReader
StringReader
FilterReader
o
LineNumberReader
PushbackReader
InputStreamReader
FileReader
8.2.2.2 Writer:
-
BufferedWriter
CharAraayWriter
FileWriter
PipedWriter
PrintWriter
String Writer
OutputStreamWriter
o
FileWriter
110
memory and an OutputStream can flow the data from the internal
memory to a disk file. The disk-file may be a text file or a binary file.
When we work with a text file, we use a character stream where
one character is treated as per byte on disk. When we work with a
binary file, we use a binary stream.
The working process of the I/O streams can be shown in the given
diagram.
INPUT STREAM
READ DATA
FLOW OF DATA
DISK- FILE
INTERNAL MEMORY
FLOW OF DATA
WRITE DATA
OUTPUT STREAM
8.4 CLASSES:
The following lists of classes are provided by the java.io
package shown in the table:
Class
Description
It used for creating an internal buffer array.
BufferedInputStream
Buffered Output
Stream
Buffered Reader
Buffered Writer
ByteArrayInput
Stream
111
ByteArrayOutput
Stream
CharArrayReader
CharArrayWriter
DataInput Stream
DataOutputStream
File
File Descriptor
FileInputStream
FileOutputStream
FilePermission
FileReader
FileWriter
InputStream
InputStreamReader
LineNumberReader
ObjectInputStream
ObjectInputStream.
GetField
112
This class used for writing the primitive data types
ObjectOutputStream and also to write the object to read by the
ObjectInputStream.
ObjectStreamClass
ObjectStreamField
OutputStream
OutputStreamWriter
StringReader
StringWriter
Writer
8.5
EXCEPTIONS CLASSES:
Description
Char Conversion
Exception
EOF Exception
FileNotFound
Exception
InterruptedIO
Exception
113
InvalidObject
Exception
IOException
NotActive Exception
The
Serialization
or
deserialization
operations are not active then it occurs.
NotSerializable
Exception
ObjectStream
Exception
WriteAborted
Exception
114
System.in is a byte stream that has no character stream
features. To use Standard Input as a character stream, wrap
System.in within the InputStreamReader as an argument.
InputStreamReader inp= new InputStreamReader (System.in);
8.7
Java provides the standard I/O facilities for reading text from
either the file or the keyboard on the command line. The Reader
class is used for this purpose that is available in the java.io
package. It acts as an abstract class for reading character streams.
The only methods that a subclass must implement are read(char[],
int, int) and close(). The Reader class is further categorized into
the subclasses.
The following diagram
java.io.Reader class.
shows
class-hierarchy
of
the
new
InputStreamReader
8.7.2 BufferedReader:
The BufferedReader class is the subclass of the Reader
class. It reads character-input stream data from a memory area
known as a buffer maintains state. The buffer size may be
specified, or the default size may be used that is large enough for
text reading purposes.
BufferedReader converts an unbuffered stream into a
buffered stream using the wrapping expression, where the
unbuffered stream object is passed to the constructor for a buffered
stream class.
115
For example the constructors of the BufferedReader class shown
as:
BufferedReader (Reader in): Creates a buffering character-input
stream that uses a default-sized input buffer.
BufferedReader (Reader in, int sz): Creates a buffering characterinput stream that uses an input buffer of the specified size.
BufferedReader class provides some standard methods to perform
specific reading operations shown in the table. All methods throw
an IOException, if an I/O error occurs.
Method
Return
Type
Description
read( )
int
read(char[ ] cbuf,
int off, int len)
int
readLine( )
close( )
String
void
is
116
System.out.println("You entered String : ");
System.out.println(str);
}
}
Output of the Program:
C:\>javac ReadStandardIO.java
C:\>java ReadStandardIO
Enter text:
this is an Input Stream
You entered String:
this is an Input Stream
C:\>
The streams provide a simple model for reading and writing
data. However, streams don't support all the operations that are
common with a disk file. Now, we will learn how to work with a file
using the non-stream file I/O.
The File class deals with the machine dependent files in a
machine-independent manner i.e. it is easier to write platformindependent code that examines and manipulates files using the
File class. This class is available in the java.lang package.
The java.io.File is the central class that works with files and
directories. The instance of this class represents the name of a file
or directory on the host file system.
When a File object is created, the system doesn't check to
the existence of a corresponding file/directory. If the files exist, a
program can examine its attributes and perform various operations
on the file, such as renaming it, deleting it, reading from or writing
to it.
The constructors of the File class are shown in the table:
Constructor
File(path)
File(dirpath,fname)
File(dir, fname)
Description
Create File object for default directory
(usually where program is located).
Create File object for directory path given as
string.
Create File object for directory.
117
Thus the statement can be written as:
File f = new File (<filename>);
The methods that are used with the file object to get the
attribute of a corresponding file shown in the table.
Method
Description
f.exists()
f.isFile()
f.isDirectory()
f.getName()
f.isHidden()
f.lastModified()
f.length()
f.getPath()
Path name.
f.delete()
f.renameTo(f2)
f.createNewFile()
Creates a
IOException.
file
and
may
throw
118
Lets see an example that checks the existence of a specified file.
import java.io.*;
public class CreateFile1
{
public static void main(String[] args) throws IOException
{
File f;
f=new File ("myfile.txt");
if(!f.exists()){
f.createNewFile();
System.out.println("New file \"myfile.txt\" has been created
to the current directory");
}
}
}
First, this program checks, the specified file "myfile.txt" is
exist or not. If it does not exist then a new file is created with same
name to the current location.
Output of the Program
C:\>javac CreateFile1.java
C:\>java CreateFile1
New file "myfile.txt" has been created to the current directory
C:\>
If you try to run this program again then after checking the
existence of the file, it will not be created and you will see a
message as shown in the output.
C:\>javac CreateFile1.java
C:\>java CreateFile1
the specified file is already exist
C:\>
In Java, it is possible to set dynamic path, which is helpful for
mapping local file name with the actual path of the file using the
constructing filename path technique.
119
As seen, how a file is created to the current directory where
the program is run. Now we will see how the same program
constructs a File object from a more complicated file name, using
the static constant File.separator or File.separatorCharto specify
the file name in a platform-independent way. If we are using
Windows platform then the value of this separator is ' \ '.
Lets see an example to create a file to the specified location.
import java.io.*;
public class PathFile
{
public static void main(String[] args) throws IOException
{
File f;
f=new File ("example" + File.separator + "myfile.txt");
f.createNewFile ();
System.out.println
("New file \"myfile.txt\" has been created
to the specified location");
System.out.println ("The absolute path of the file is: "
+f.getAbsolutePath ());
}
}
Output of the program:
C:\>javac PathFile.java
C:\>java PathFile
New file "myfile.txt" has been created to the specified location
the absolute path of the file is: C:\Shubh\example\myfile.txt
C:\>
FileInputstream
FileOutputStream
120
8.8.1 FileInputstream:
This class is a subclass of Inputstream class that reads
bytes from a specified file name. The read () method of this class
reads a byte or array of bytes from the file. It returns -1 when the
end-of-file has been reached. We typically use this class in
conjunction with a BufferedInputStream and DataInputstream class
to read binary data. To read text data, this class is used with an
InputStreamReader and BufferedReader class. This class throws
FileNotFoundException, if the specified file is not exist. You can
use the constructor of this stream as:
FileInputstream (File filename);
121
{
File f;
f=new File("myfile.txt");
if(!f.exists()&& f.length()<0)
System.out.println("The specified file is not exist");
else{
FileInputStream finp=new FileInputStream(f);
byte b;
do{
b=(byte)finp.read();
System.out.print((char)b);
}
while(b!=-1);
finp.close();
}
}
Output of the Program:
C:\>javac ReadFile.java
C:\>java ReadFile
this is a text file?
C:\>
This program reads the bytes from file and displays it to the user.
Now we will learn how to write data to a file. As discussed, the
FileOutputStream class is used to write data to a file.
Lets see an example that writes the data to a file converting into
the bytes.
This program first checks the existence of the specified file. If the
file exists, the data is written to the file through the object
of the FileOutputStream class.
import java.io.*;
public class WriteFile
{
public static void main(String[] args) throws IOException
122
{
File f=new File ("textfile1.txt");
FileOutputStream fop=new FileOutputStream (f);
if (f.exists ())
{
String str="This data is written through the program";
fop.write (str.getBytes ());
fop.flush ();
fop.close ();
System.out.println ("The data has been written");
}
else
System.out.println ("This file is not exist");
}
123
FileNumberReader ():
This is the constructor of FileNumberReader class. It
constructs a new line-numbering reader. It reads characters and
puts into buffer. By default the numbering of line begins from '0'.
Here is the code of program:
import java.io.*;
public class NumberOfLine{
public static void main(String[] args) {
try{
System.out.println("Getting line number of a particular file exam
ple!");
BufferedReader bf = new BufferedReader(new InputStreamRea
der(System.in));
System.out.println("Please enter file name with extension:");
String str = bf.readLine();
File file = new File(str);
if (file.exists()){
FileReader fr = new FileReader(file);
LineNumberReader ln = new LineNumberReader(fr);
int count = 0;
while (ln.readLine() != null){
count++;
}
System.out.println("Total line no: " + count);
ln.close();
}
else{
System.out.println("File does not exists!");
124
}
}
catch(IOException e){
e.printStackTrace();
}
}
}
Output of program:
Getting line number of a particular file example!
Please enter file name with extension:
AddTwoBigNumbers.shtml
Total line no: 58
Java provides the facility for changing a file timestamp according to
the user reliability.
Description of program:
This program helps you in changing a file timestamp or
modification time in Java. After running this program it will take a
file name and its modification date in 'dd-mm-yyyy' format. Then it
will check the given file is exist or not using exists () method. When
the file exists, this program will change the date of given file and it
will display a message "Modification is successfully!" otherwise it
will show File does not exists!
Description of code:
setLastModified(long time):
This is the method that sets the last modification time of a file
or directory and returns Boolean types values either 'true' or 'false'.
If it will return a 'true' only when the modification is completely
successfully otherwise, it will return 'false'. This method takes
following long type data:
time:
getTime ():
125
Here is the code of program:
import java.io.*;
import java.util.*;
import java.text.*;
public class ChangeFileDate{
public static void main(String[] args) {
try{
System.out.println("Change file timestamp example!");
BufferedReader bf = new BufferedReader(new InputStreamRea
der(System.in));
System.out.println("Enter file name with extension:");
String str = bf.readLine();
System.out.println("Enter last modified date in 'dd-mmyyyy' format:");
String strDate = bf.readLine();
SimpleDateFormat sdf= new SimpleDateFormat("dd-MM-yyyy");
Date date = sdf.parse(strDate);
File file = new File(str);
if (file.exists()){
file.setLastModified(date.getTime());
System.out.println("Modification is successfully!");
}
else{
System.out.println("File does not exists!");
}
}
126
catch(Exception e){
e.printStackTrace();
}
}
Output of program:
Change file timestamp example!
Enter file name with extension:
StrStartWith.shtml
Enter last modified date in 'dd-mm-yyyy' format:
23-04-2007
Modification is successfully
127
Code of the program is given below:
import java.io.*;
public class GetAbsolutePath
{
public static void main(String[ ] args)
{
String str = args[0];
8.10 SUMMARY:
In this unit, we learn that what is stream and types of stream.
We also learn the concept of input and output stream (The Java
Input/Output (I/O) is a part of java.io package). The java.io package
contains a relatively large number of classes that support input and
output operations.
128
9
MULTI THREADING
Unit Structure
9.1
9.2
9.3
9.4
9.5
9.6
9.7
9.8
9.1 OBJECTIVE:
In this lesson of Java Tutorial, you will learn...
9.2 INTRODUCTION
A thread is defined as a separate stream of implementation
that takes place simultaneously with and independently of
everything else that might be happening. It does not have an event
loop. A thread runs autonomously of anything else happening in the
computer. With threads the other tasks that don't get stuck in the
loop can continue processing without waiting for the stuck task to
terminate. A thread is a coding that doesn't affect the architecture
of an application. Threading is equally separate the computer's
power among different tasks.
9.3 OVERVIEW:
Threading concept is very important in Java Programing
language. A thread is a sequential path of code execution within a
129
program. And each thread has its own local variables, program
counter and lifetime.
In Java, an object of the Thread class can represent a
thread. Thread can be implemented through any one of two ways:
Using threads in Java will enable greater flexibility to
programmers looking for that extra edge in their programs. The
simplicity of creating, configuring and running threads lets Java
programmers devise portable and powerful applets/applications
that cannot be made in other third-generation languages. Threads
allow any program to perform multiple tasks at once. In an Internetaware language such as Java, this is a very important tool.
Scheduler
Thread
Runnable
Newly
Created
Running
Start
Thread
Dead
Blocked
130
1. New state After the construction of Thread instance the
thread is in this state but before the start() method
invocation. At this point, the thread is considered not alive.
2. Runnable (Ready-to-run) state A thread start its life from
Runnable state. A thread first enters runnable state after the
invoking of start() method but a thread can come again to
this state after either running, waiting, sleeping or coming
back from blocked state also. On this state a thread is
waiting
for
a
turn
on
the
processor.
3. Running state A thread is in running state that means the
thread is presently executing. There are numerous ways to
enter in Runnable state but there is only one way to enter in
Running state: the scheduler select a thread from runnable
pool.
4. Dead state A thread can be considered dead when its
run() method completes. If any thread comes on this state
that means it cannot ever run again.
5. Blocked - A thread can enter in this state because of waiting
the resources that are hold by another thread.
9.4.1 Advantages of multithreading over multi-tasking:
1.
2.
3.
4.
5.
131
Extends
Thread
(class)
Thread
Implements
Override
Runnable
(interface)
run( )
method
132
The following program demonstrates a single thread creation
extending the "Thread" Class:
class MyThread extends Thread
{
String s=null;
MyThread(String s1)
{
s=s1;
start();
}
public void run()
{
System.out.println(s);
}
}
public class RunThread
{
public static void main(String args[])
{
MyThread m1=new MyThread("Thread started....");
}
}
Output of the Program is:
C:\>javac RunThread.java
C:\>java RunThread
Thread started....
133
II. Implementing the java.lang.Runnable Interface
The procedure for creating threads by implementing the Runnable
Interface is as follows:
1. A Class implements the Runnable Interface, override the
run() method to define the code executed by thread. An
object of this class is Runnable Object.
2. Create an object of Thread Class by passing a Runnable
object as argument.
3. Invoke the start( ) method on the instance of the Thread
class.
The following program demonstrates the thread creation implenting
the Runnable interface:
class Thr1 implements Runnable{
Thread t;
String s=null;
Thr1(String s1){
s=s1;
t=new Thread(this);
t.start();
}
public void run(){
System.out.println(s);
}
}
public class RunableThread{
public static void main(String args[]){
Thr1 m1=new Thr1("Thread started....");
}
}
Output:
C:\>javac RunableThread.java
C:\>java RunableThread
Thread started....
However, this program returns the output same as of the output
generated through the previous program.
134
There are two reasons for implementing a Runnable interface
preferable to extending the Thread Class:
1. If you extend the Thread Class, that means that subclass
cannot extend any other Class, but if you implement
Runnable interface then you can do this.
2. The class implementing the Runnable interface can avoid
the full overhead of Thread class which can be excessive.
join() & isAlive() methods:
The following program demonstrates the join() & isAlive() methods:
class DemoAlive extends Thread {
int value;
public DemoAlive(String str)
{
super(str);
value=0;
start();
}
public void run()
{
try
{
while (value < 5) {
System.out.println(getName() + ": " + (value++));
Thread.sleep(250);
}
} catch (Exception e) {}
System.out.println("Exit from thread: " + getName());
}
}
public class DemoJoin
{
public static void main(String[] args)
{
DemoAlive da = new DemoAlive("Thread a");
135
DemoAlive db = new DemoAlive("Thread b");
try
{
System.out.println("Wait for the child threads to finish.");
da.join();
if (!da.isAlive())
System.out.println("Thread A not alive.");
db.join();
if (!db.isAlive())
System.out.println("Thread B not alive.");
} catch (Exception e) { }
System.out.println("Exit from Main Thread.");
}
}
Output:
C:\>javac DemoJoin.java
C:\>java DemoJoin
Wait for the child threads to finish.
Thread a: 0
Thread b: 0
Thread a: 1
Thread b: 1
Thread a: 2
Thread b: 2
Thread a: 3
Thread b: 3
Thread a: 4
Thread b: 4
Exit from thread: Thread a
Thread A not alive.
Exit from thread: Thread b
Thread B not alive.
Exit from Main Thread.
136
9.4.3 Synchronized threads:
In Java, the threads are executed separately to each other.
These types of threads are called as asynchronous threads. But
there are two problems may be occurs with asynchronous threads.
If the producer and the consumer are sharing the same kind
of data in a program then either producer may make the data
faster or consumer may retrieve an order of data and
process it without its existing.
Thread 1
Thread 2
Shared
Variable or method
137
one thread is in a critical region. Critical region is a lock area where
only one thread is run (or lock) at a time. Once the thread is in its
critical section, no other thread can enter to that critical region. In
that case, another thread will has to wait until the current thread
leaves its critical section.
General form of the synchronized statement is as:
synchronized(object) {
// statements to be synchronized
}
Lock:
Lock term refers to the access approved to a particular
thread that can access the shared resources. At any given time,
only one thread can hold the lock and thereby have access to the
shared resource. Every object in Java has build-in lock that only
comes in action when the object has synchronized method code.
By associating a shared resource with a Java object and its lock,
the object can act as a guard, ensuring synchronized access to the
resource. Only one thread at a time can access the shared
resource
guarded
by
the
object
lock.
Since there is one lock per object, if one thread has
acquired the lock, no other thread can acquire the lock until the lock
is not released by first thread. Acquire the lock means the thread
currently in synchronized method and released the lock means
exits the synchronized method.
Remember the following points related to lock and synchronization:
138
access the data you're trying to protect, then you don't need
to synchronize them. Synchronization can cause a hit in
several cases (or even deadlock if used incorrectly), so you
should
be
careful
not
to
overuse
it.
139
System.out.println(threadN+msg[i]);
try{
this.sleep(1000);
}catch(Exception e){}
}
}
public class SynThread1 {
public static void main(String[] args) {
Share t1=new Share("Thread One: ");
t1.start();
Share t2=new Share("Thread Two: ");
t2.start();
}
}
Output of the program is:
Thread One: variable
Thread Two: This
Thread Two: is
Thread two: a
Thread Two: synchronized
Thread Two: variable
C:\nisha>javac SynThread.java
C:\nisha>java SynThread
Thread One: This
Thread One: is
Thread One: a
Thread One: synchronized
Thread One: variable
Thread Two: This
Thread Two: is
Thread two: a
Thread Two: synchronized
Thread Two: variable
9.5 SUMMARY:
A thread executes a series of instructions. Every line of code
that is executed is done so by a thread. In Java, the threads are
executed independently to each other. Multithreading is vital to
Java for two main reasons. First, multithreading enables you to
write very efficient programs because it lets you utilize the idle time
that is present in most programs. Most I/O devices, whether they be
network ports, disk drives, or the keyboard, are much slower than
the CPU. Thus, a program will often use a majority of its execution
time waiting to send or receive information to or from a device. By
using multithreading, your program can execute another task during
140
this idle time. For example, while one part of your program is
sending a file over the Internet, another part can be
handling user interaction (such as mouse clicks or button presses),
and still another can be buffering the next block of data to send.
The second reason that multithreading is important to Java
relates to Javas eventhandling model. A program (such as an
applet) must respond speedily to an event and then return. An
event handler must not retain control of the CPU for an extended
period of time.
9.7 BIBILOGRAPHY
http://www.javaworld.com/javaworld/jw-04-1996/jw-04threads.html?page=3
http://www.janeg.ca/scjp/threads/overview.html
What
are
the
two
ways
to
create
the
thread?
141
3) What are synchronized methods and synchronized statements?
Ans : Synchronized methods are methods that are used to control
access to an object. A thread only executes a synchronized method
after it has acquired the lock for the method's object or class.
Synchronized statements are similar to synchronized methods. A
synchronized statement can only be executed after a thread has
acquired the lock for the object or class referenced in the
synchronized statement.
4) Explain the states of a tread?
Ans : There are five states:
01New state After the construction of Thread instance the thread
is in this state but before the start() method invocation. At this point,
the thread is considered not alive.
1
5) What is a thread?
Ans: In Java the Thread class represents a single independent path
of execution in a Java Virtual Machine. When you run a Java
program it implicitly starts a single thread of execution. The Thread
class enables programmers to create additional threads and set
them running. A number of threads may run in parallel, but only one
is actively executed at a given moment.
The Java runtime system uses fairly complex thread
scheduling mechanisms to coordinate the execution of threads, but
142
this does not require privileged knowledge or detail level
intervention by programmers. Programmers can manage the high
level creation, initiation and distribution of tasks amongst threads
through simple API methods.
The example below shows the simplest approach to thread creation
and task execution; construct a new Thread with a Runnable
argument and start it.
6) How to create one or more threads in Java?
Ans: program
public class Demo implements Runnable
{
public static void main(String args[]) throws Throwable
{
Demo obj1 = new Demo();
Demo obj2 = new Demo();
new Thread(obj1).start();
new Thread(obj2).start();
// main thread is ending here,
// Thread-0 and Thread-1 continue to run.
}
public void run()
{
try {
for (int i=0; i<5; i++) {
System.out.println("thread "
+Thread.currentThread().getName()+" step "+i);
Thread.sleep(500);
143
}
} catch (Throwable t) { }
}
}
Output:
C:\Java\jdk1.5.0_01\bin>java Demo
thread Thread-0 step 0
thread Thread-1 step 0
thread Thread-0 step 1
thread Thread-1 step 1
thread Thread-0 step 2
thread Thread-1 step 2
thread Thread-0 step 3
thread Thread-1 step 3
thread Thread-0 step 4
thread Thread-1 step 4
C:\Java\jdk1.5.0_01\bin>
7) Implementation of the multithreads by extending Thread Class.
Ans :
class Thr1 extends Thread{
Thr1(String s){
super(s);
start();
}
public void run(){
144
for(int i=0;i<7;i++){
System.out.println("Name of thread:"
+Thread.currentThread().getName());
try{
Thread.sleep(1000);
}catch(Exception e){}
}
}
}
public class Demo{
public static void main(String args[]){
System.out.println("Thread Name :"
+Thread.currentThread().getName());
Thr1 m1=new Thr1("Thread 1");
Thr1 m2=new Thr1("Thread 2");
}
}
Output:
C:\Java\jdk1.5.0_01\bin>java Demo
Thread Name :main
Name of thread:Thread 1
Name of thread:Thread 2
Name of thread:Thread 1
Name of thread:Thread 2
Name of thread:Thread 1
145
Name of thread:Thread 2
Name of thread:Thread 1
Name of thread:Thread 2
Name of thread:Thread 1
Name of thread:Thread 2
Name of thread:Thread 1
Name of thread:Thread 2
Name of thread:Thread 1
Name of thread:Thread 2
146
10
APPLETS
Unit Structure
10.1
10.2
10.3
10.4
10.5
10.6
10.7
10.8
10.9
10.10
Introduction to Applet
Applet vs Application
Applet class
Advantages of Applet
Applet Lifecycle
My First Applet
Applet tag
Passing Parameters to Applet
Types of Applets
Examples
147
148
It can move the work from the server to the client, making a
web solution more scalable with the number of users/clients.
Applets improves with use: after a first applet is run, the JVM
is already running and starts quickly.
149
2) Running State:
Once the initialization is complete, the web browser will call
the start() method in the applet. This method must called atleat
once in the Applets lifecycle as the start() method can also be
called if the Applet is in Stoped state. At this point the user can
begin interacting with the applet.
Eg.
3) Stopped State:
The web browser will call the Applets stop() method, if the
user moved to another web page while the applet was executing.
So that the applet can take a breather while the user goes off and
explores the web some more. The stop() method is called atleast
once in Applets Lifecycle.
Eg.
4) Dead State:
Finally, if the user decides to quit the web browser, the web
browser will free up system resources by killing the applet before it
closes. To do so, it will call the applets destroy() method. One can
override destroy() to perform one-time tasks upon program
completion. for example, cleaning up threads which were started in
the init() method.
Eg.
Note: If the user returns to the applet, the web browser will simply
call the applet's start() method again and the user will be back into
the program.
5) Display State :
Applet moves to the display state whenever it has to perform
the output operations on the screen. This happens immediately
150
after the applet enters into the running state. The paint() method is
called to accomplish this task.
Eg.
Initialisatoin
sate
Start
start()
stop()
Running state
Stopped State
start()
destroy()
Dead State
151
Here is the illustration of the above example,
152
<body>
<applet code="SimpleApplet.class" width=200 height=100>
</applet>
</body>
</html>
Insted of creating different text file for html code one can write
above program as follows
import java.awt.*;
import java.applet.*;
/* <applet code="SimpleApplet" width=200 height=100>
</applet>
*/
public class SimpleApplet extends Applet
{
public void paint(Graphics g)
{
g.drawString("My First Applet",40,40);
}
}
153
154
Internet Explorer and HotJava will allow many applets in a single
page.
The <applet....> tag included in the body section of HTML file
supplies the name of the applet to be loaded and tells the browser
how much space the applet ruquires
The synatax for the standard Applet tag is as follows
<applet[codebase=codebaseURL] code=Applet file
[ALT=alternative text]
[name=AppletInstanceName]
Width=pixels height= pixels
[align= alignment]
>
[<param name=Attributename value =Attribute value]
[<param name=Attributename value =Attribute value]
........
[HTML displayed in the absence of java]
</applet>
Here is meaning of each peice of above code
155
<param.....>
tags
in
the
HTML
156
A remote applte is that which is developed by some one
else and stored on a remote computer connected to the internet. If
our system is connected to the internet then we can download it
from remote computer and run it. In order to locate and load a
remote applet, we must know the applets address on the web. This
address is known as Uniform Resourse locator(URL) and must be
specified in applets document.
10.10 EXAMPLES
Example 1 // Example to illustrate Applet Lifecycle
import java.awt.*;
import java.applet.*;
/* <applet code="AppletTest" width=200 height= 100>
</applet>
*/
public class AppletTest extends Applet
{
public void init()
{
System.out.println("Applet Initialised...");
setBackground(Color.cyan);
}
public void start()
{
System.out.println("Applet Started....");
}
public void stop()
{
System.out.println("Applet Stoppen....");
}
public void destroy()
{
System.out.println("Applet Destryoed....");
}
public void paint(Graphics g)
{
g.drawString("Applet Text",200,400);
showStatus("This is shown in Status.");
}
}
file
using
157
The output appers as shown in following figure :
the
file
using
158
The output appers as shown in following figure :
159
else
fontSize=0;
}
catch(NumberFormatException e)
{
fontSize=-1;
}
param=getParameter("leading");
try
{
if(param!=null)
leading=Float.valueOf(param).floatValue();
else
leading=0;
}
catch(NumberFormatException e)
{
leading=0;
}
param=getParameter("accountEnabled");
if (param!=null)
active =Boolean.valueOf(param).booleanValue();
}
public void paint(Graphics g)
{
g.drawString("Font Name." + fontName,0,10);
g.drawString("Font Size." + fontSize,0,26);
g.drawString("Leading." + leading,0,42);
g.drawString("Account Active." + active,0,58);
}
}
the
file
using
160
The output appers as shown in following figure :
On successful compilation,
appletviewer Bases.java
execute
the
file
using
161
The output appers as shown in following figure :
162
11
GRAPHICAL USER INTERFACE (GUI)
Unit Structure
11.1
11.2
11.3
11.4
11.5
Introduction
GUI Components
Interface and Classes of AWT Package
11.3.1 Labels
11.3.2 Buttons
11.3.3 Check Boxes
11.3.4 Radio Button
11.3.5 Text Area
11.3.6 Text Field
11.3.7 Scrollbar
11.3.8 Panels
Layout managers
Methods of AWT
11.1 INTRODUCTION
A type of user interface item that allows people to interact
with programs in more ways than typing such as computers and
many hand-held devices such as mobile phones is called a
graphical user interface (GUI) . A GUI offers graphical icons, and
visual indicators, as opposed to text-based interfaces. This helps to
develop more efficient programs that are easy to work with. The
user can interact with the application without any problem.
The GUI application is created in three steps. These are:
Add components to Container objects to make your GUI.
Then you need to setup event handlers for the user
interaction with GUI.
Explicitly display the GUI for application.
163
on the screen, such as, buttons, labels etc. Any operation that is
common to all GUI components are found in class Component.
Different components are available in the Java AWT (Abstract
Window Toolkit )package for developing user interface for your
program.
A class library is provided by the Java programming
language which is known as Abstract Window Toolkit (AWT). The
Abstract Window Toolkit (AWT) contains several graphical widgets
which can be added and positioned to the display area with a layout
manager.
AWT is a powerful concept in JAVA. AWT is basically used to
develop for GUI application building. AWT is platform dependant.
That means your .class file after the program compilation is
platform independent but the look of your GUI application is
platform dependant. AWT copies GUI component from local
macines operating system. That means your applications look will
differ in MAC operating system, as you have seen in WINDOWS
operating system.
Descriptions
ActionEvent
Adjustable
Composite
CompositeContext
ItemSelectable
164
KeyEventDispatcher
KeyEventPostProcessor
LayoutManager
LayoutManager2
MenuContainer
Paint
PaintContext
PaintGraphics
Shape
Stroke
Transparency
165
Class hierarchy of AWT classes can be given as follows.
Object
compone
nt
Button
Canvas
CheckBox
Choice
Container
Label
List
Scrollbar
Text
Compontent
Text Area
Panel
Applet
Scroll
Pane
Window
Dialog
Text Field
Frame
File
Dialog
166
Syntax
only and
with justification:
file
using
167
11.3.2
Buttons:
file
using
168
11.3.3 Check Boxes:
This component of Java AWT allows you to create check boxes in
your applications. The syntax of the definition of Checkbox is as
follows:
Checkbox checkbox_name = new Checkbox ("Optional check box
1", false);
Above code constructs the unchecked Checkbox by passing the
boolean valued argument false with the Checkbox label through the
Checkbox() constructor. Defined Checkbox is added to its container
using add (checkbox_name) method. You can change and get the
checkbox's label using the setLabel (String) and getLabel ()
method. You can also set and get the state of the checkbox using
the setState (boolean) and getState () method provided by the
Checkbox class.
Example for Check Boxes:import java.awt.*;
import java.applet.Applet;
/*<applet code="CheckboxTest" width=200 height=100>
</applet>
*
public class CheckboxTest extends Applet
{
public void init()
{
Checkbox m = new Checkbox ("Allow Mixed Case");
add (m);
}
}
using
169
11.3.4 Radio Button:
Radio buttons are a bunch of option boxes in a group. Only
one of then can be checked at a time. This is useful if you need to
give the user a few options where only one will apply. This is the
special case of the Checkbox component of Java AWT package.
This is used as a group of checkboxes whos group name is same.
Only one Checkbox from a Checkbox Group can be selected at a
time.
Syntax
for
creating
radio
buttons
is
as
follows:
CheckboxGroup
chkboxgp
=
new
CheckboxGroup
add (new Checkbox ("chkboxname", chkboxgp, value);
();
file
using
170
The output appers as shown in following figure :
file
using
171
The output appers as shown in following figure :
172
file
using
11.3.7 Scrollbar
Scrollbar is represented by a "slider" widget. The characteristics
of it are specified by integer values which are being set at the time
of scrollbar construction. Both the types of Sliders are available i.e.
horizontal and vertical.
The example below shows the code for the scrollbar construction.
The subtraction of scrollbar width from the maximum setting gives
the maximum value of the Scrollbar. In the program code, '0' is the
<<<<<<< scrollbar.shtml initial value of the scrollbar, '8' is the width
of the scrollbar.
Example for Scrollbar
import java.awt.*;
import java.applet.Applet;
/*<applet code="ScrollbarDemo" width=200 height=100>
</applet>
*/
public class ScrollbarDemo extends Applet
{
public void init()
{
Scrollbar sb = new Scrollbar
(Scrollbar.VERTICAL, 0, 8, -100, 100);
add(sb);
}
}
173
using
11.3.8 Panels
A panel is an object which holds other objects. Its just a
container to organize and arrange your GUI better. Once, you learn
about Layout Managers youll see why panels are a useful tool. For
now, just know that theyre useful. Heres an example of a set of
buttons added into a panel:
Panel myPanel = new Panel();
myPanel.add(helloButton);
myPanel.add(goodbyeButton);
add(myPanel);
It looks no different than if you just added the buttons
regularly, but youll see why you might want to use panels later on...
This is what it looks like:
174
The basic layout managers includes:
1) FlowLayout : It is a simple layout manager that works like a
word processor. It is also the default Layout manager for the
panel. The flow layout lays out components linewise from left
to right.
FlowLaout can be created using following constructors
a. FlowLaout() : Constructs a new layout with centered
alignment, leaving a vertical and horizontal gap.
b. FlowLayout(int aling, int vgap, int hgap) : Constructs a
new flowlayout with the alignment specified, leaving a
vertical and horizontal gap as specified.
Various methods can be used alog with the flow layout. For eg.
getAlignment(), getHgap(), getAlignment(int align) etc.
Example for Flow Layout
import java.awt.*;
import java.awt.event.*;
class FlowDemo extends Frame
{
Button b1 = new Button("one");
Button b2 = new Button("two");
public FlowDemo(String s)
{
super(s);
setSize(400,400);
setLayout(new FlowLayout(FlowLayout.LEFT));
addWindowListener(new WindowAdapter()
{
public void windowClosing(WindowEvent e)
{
System.exit(0);
}
});
add(b1);
add(b2);
}
public static void main(String arg[])
{
175
Frame f=new Frame();
f.show();
}
}
Save the file as FlowDemo. Java
Compile the file using javac FlowDemo.java
On successful compilation, execute the file using java
FlowDemo.java
2) Grid Layout : It lays out components in a way very similar
to spred sheet (rows and columns). Specifying the number
of rows and columns in grid creates the Grid layout.
Grid Layout can be created using following constructors
a. GridLayout() : Creates a grid layout with a default of one
column per component in a single row.
b. GridLayout(int rows, int cols, int hgap, int vgap) :
Creates a grid layout with the specified rows and
columns and specified horizontal and vertical gaps.
Various methods can be used alog with the Grid layout. For eg.
getColumns(), getRows(), geHgap(), getVgap() etc.
Example for Grid Layout
import java.applet.Applet;
import java.awt.*;
public class Grid1 extends Applet {
LayoutManager Layout;
Button [ ] Buttons;
public Grid1 () {
int i;
Layout = new GridLayout (3, 2);
setLayout (Layout);
Buttons = new Button [5];
for (i = 0; i < 5; ++i) {
Buttons[i] = new Button ();
Buttons[i].setLabel ("Button " + (i + 1));
add (Buttons[i]);
}
}
}
176
the
file
using
177
public class BorderDemo extends Applet
{
public void init()
{
setLayout(new BorderLayout());
add(new Button("This across the top"),BorderLayout.NORTH);
add(new
Button("The
Footer
here"),BorderLayout.SOUTH);
message
might
go
add(new Button("Right"),BorderLayout.EAST);
add(new Button("Left"),BorderLayout.WEST);
String msg=" This is border layout";
add(new TextArea(msg),BorderLayout.CENTER);
add(new Button("new"),BorderLayout.CENTER);
}
}
file
using
178
Point p = someComponent.getLocation ();
int x = p.x;
int y = p.y;
the x and y parts of the location can be easily accessed by using
getX () and getY (). It is always efficient to use getX () and getY ()
methods.
For example,
int x = someComponent.getX();
int y = someComponent.getY();
getLocationOnScreen () - This method is used to get the position
of the upper-left corner of the screen of the component, as a Point.
The usage of the method is shown below.
Point p = someComponent.getLocationOnScreen ();
int x = p.x;
int y = p.y;
It is always advisable to use getLocation () method (if working on
Java 2 platform).
getBounds () - This method is used to get the current bounding
Rectangle of component. The usage of the method is shown below.
Rectangle r = someComponent.getBounds ();
int height = r.height;
int width = r.width;
int x = r.x;
int y = r.y;
if you need a Rectangle object then the efficient way is to use getX
(), getY(), getWidth(), and getHeight() methods.
getSize () - This method is used to get the current size of
component, as a Dimension. The usage of the method is shown
below.
Dimension d = someComponent.getSize ();
int height = d.height;
int width = d.width;
use getWidth () and getHeight () methods to directly access the
width and height. You can also use getSize () if you require a
Dimension object.
179
For Example,int height = someComponent.getHeight();
int width = someComponent.getWidth();
setBackground(Color)/setForeground(Color) - This method is
used to change the background/foreground colors of the
component
setFont (Font) - This method is used to change the font of text
within a component.
setVisible (boolean) - This method is used for the visibility state of
the component. The component appears on the screen if setVisible
() is set to true and if its set to false then the component will not
appear on the screen. Furthermore, if we mark the component as
not visible then the component will disappear while reserving its
space in the GUI.
setEnabled (boolean) - This method is used to toggle the state of
the component. The component will appear if set to true and it will
also react to the user. ON the contrary, if set to false then the
component will not appear hence no user interaction will be there.
As discussed earlier a container is a component that can be
nested. The most widely used Panel is the Class Panel which can
be extended further to partition GUIs. There is a Panel which is
used for running the programs. This Panel is known as Class
Applet which is used for running the programs within the Browser.
Common Container Methods:All the subclasses of the Container class inherit the behavior
of more than 50 common methods of Container. These subclasses
of the container mostly override the method of component. Some of
the methods of container which are most widely used are as follow:
getComponents ();
add();
getComponentCount();
getComponent(int);
180
because only a single object exists within it. However, the
mechanism of Event Handling is being managed for scrolling.
The example below shows the Scrollpane. This scrollpane
demonstrates the scrolling of the large image. In the program code
below, first of all we have created a scrollpane by creating its
object, and then we have passed the parameter of image in it. We
have also set the border layout as centre, as shown.
Example for Scroll Pane
import java.awt.*;
import java.applet.*;
/*<applet code="ScrollingImageDemo" width=200 height=100>
</applet>
*/
class Scrollpane extends Component {
private Image image;
public Scrollpane(Image m)
{
image = m;
}
public void paint(Graphics g)
{
if (image != null)
g.drawImage(image, 0, 0, this);
}
}
public class ScrollingImageDemo extends Applet
{
public void init()
{
setLayout(new BorderLayout());
ScrollPane SC = new ScrollPane(ScrollPane.SCROLLBARS_AL
WAYS);
Image mg = getImage(getCodeBase(), "cute-puppy.gif");
SC.add(new Scrollpane(mg));
add(SC, BorderLayout.CENTER);
}
}
181
the
file
using
182
12
EVENT HANDLING
Unit Structure
12.1
12.2
12.3
12.4
12.5
12.6
12.7
12.8
Introduction
Event
Event Source
Event Classes
Event Listener
Examples
Handling Windows Events
Adapter Classes
12.1 INTRODUCTION
Writing an applet that responds to user input, introduces us
to event handling. We can make our applet respond to user input
by overriding event handler methods in our applet. There are a
variety of event handler methods which we will see further.
Each event must return a Boolean value (true or false),
indicating whether the event should be made available to other
event handlers. If you've processed an event (for example,
keyDown) you might record the value, and return true to show that
no other handlers should receive the event. If, however, your
custom edit box can't process the character, it may want to return
false to signal that other components (the panel or applet in which
the component is hosted) should process it.
12.2 EVENT:
An Event is an object that describes a state change in a
source. It can be generated as a consequence of a person
interacting with the elements in a GUI. Some of the activities that
cause events to be generated are pressing a button, entering a
character via the keyboard, selecting an item in a list, and clicking
the mouse.
Events may also occur that are not directly caused by
interactions with user interface. For e.g. an event may be generated
when a timer expires, a counter exceeds a value, a software or
hardware failure occurs, or an operation is completed.
183
Description
Button
Checkbox
List
Choice
MenuItem
Scrollbar
Text components
Window
184
Discription
ActionEvent
AdjustmentEvent
ComponentEvent
ContainerEvent
InputEvent
ItemEvent
KeyEvent
MouseEvent
MouseWheelEvent
PaintEvent
TextEvent
WindowEvent
The adjustment
Adjustable objects.
event
emitted
by
185
II.
III.
Interface
Description
ActionListener
AdjustmentListener
ComponentListener
ContainerListener
Focus Listener
ItemListener
KeyListener
to
receive
186
MouseListener
MouseMotionListener
MouseWheelListener
TextListener
WindowFocusListener
WindowListner
12.6 EXAMPLES
1) Example for MouseEvents & MouseListener
import java.awt.*;
import java.awt.event.*;
import java.applet.*;
/*<applet code= "mouseEvent" width=400 height=300>
</applet?
*/
public class mouseEvent extends Applet implements
MouseListener, MouseMotionListener
{
public void init ()
{
addMouseListener (this);
addMouseMotionListener (this);
}
public void mouseClicked(MouseEvent e)
{
showStatus ("Mouse has been clicked at " +
e.getX()+ "," + e.getY());
}
public void mouseEntered (MouseEvent e)
{
187
showStatus ("Mouse has been Entered at " + e.getX()+ "," +
e.getY());
// For loop: to make sure mouse entered is on status bar for
a few sec for (int i= 0; i<1000000; i++);
}
public void mouseExited (MouseEvent e)
{
showStatus ("Mouse has been Exited at " + e.getX()+
"," + e.getY());
}
public void mousePressed (MouseEvent e)
{
showStatus ("Mouse pressed at " + e.getX()+ "," +
e.getY());
}
public void mouseReleased (MouseEvent e)
{
showStatus ("Mouse released at " + e.getX()+ "," +
e.getY());
}
public void mouseDragged (MouseEvent e)
{
showStatus ("Mouse dragged at " + e.getX()+ "," +
e.getY());
}
public void mouseMoved(MouseEvent e)
{
showStatus ("Mouse moved at " + e.getX()+ "," +
e.getY());
}
//public void paint(Graphics g)
//
{
//g.drawString(msg, e.getX(), e.getY());
//
}
}
the
file
using
188
The output appers as shown in following figure :
189
showStatus("key Up");
}
public void keyTyped(KeyEvent e)
{
showStatus(" Recently typed characters are : " +
e.getKeyChar());
}
}
Save the file as keyTest. Java
Compile the file using javac keyTest.java
On successful compilation, execute the file using
appletviewer keyTest.java
The output appers as shown in following figure :
190
b = new Button("Click me");
b.addActionListener(this);
add (b);
}
public void actionPerformed (ActionEvent e)
{
// If the target of the event was our //Button
// In this example, the check is not
// Truly necessary as we only listen//to
// A single button
if(e.getSource () == b)
{
getGraphics().drawString("OUCH Buddy",20,20);
}
}
}
file
using
191
interface contains a set of methods that are used to handle window
events.
Category
Event
Windows Events
Method
is void
windowDeactivated
(WindowEvent e)
void windowActivated
(WindowEvent e)
void
windowClosed
(WindowEvent e)
is void windowIconified
(WindowEvent e)
void
windowDeiconified
(WindowEvent e)
192
public void windowOpened (windowEvent we)
{
}
public void windowActivated (windowEvent we)
{
}
public void windowDeactivated (windowEvent we)
{
}
public void windowIconified (windowEvent we)
{
}
public void windowDeiconified (windowEvent we)
{
}
}
public class MyFrame extends Frame
{
Button b1;
// Main Method
public static void main (String arg[])
{
MyFrame f = new MyFrame();
}
//Constructor for the event derived class
public MyFrame()
{
Super (Windows Events-Title);
b1 = new button(Click Me);
//place the button object on the window
add(center,b1);
//Register the listener for the button
193
ButtonListener listen = new ButtonListener();
b1.addActionListener(listen);
//Register a listener for the window.
OurWindowListener wlisten = new OurWindowListener();
addWindowListener(wlisten);
//display the window in a specific size
setVisible(true);
setSize(200,200);
}//end of frame class
//The Listener Class
Class ButtonListener implements ActionListener
{
//Definition for ActionPerformed() method
public void ActionPerformed(ActionEvent evt)
{
Button source = (Button)evt.getSource();
Source.setLabel(Button Clicked, Buddy!);
}
}
}
In the above example MyFrame class makes a call to the
addWindowListener() method, which registers object for the
window. This enables the application to handle all the windowrelated events. When the user interacts with the application by
clicking close button, maximizing or minimizing a WindowEvent
object is created and delegated to the pre-registered listener of the
window. Subsequently the designated event-handler is called.
In the above example, the class OurWindowListener has
methods that do not contain any code. This is because the
windowListener interface contains declarations for all these
methods forcing you to override them.
194
195
f = (MyFrames)we.getSource();
f.dispose();
System.exit(0);
}
}
The Following is a list of Adapter classes and Listener Interfaces In
Java:
Event Category
Interface Name
Adapter Name
Method
Window
Window Listener
Window
Adapter
Void
windowClosing
(WindowEvent e)
Void
windowOpened
(WindowEvent e)
Void windowActivated
(WindowEvent e)
Void
windowDeactivated
(WindowEvent e)
Void
windowClosed
(WindowEvent e)
Void
windowIconified
(WindowEvent e)
Void windowDeiconified
(WindowEvent e)
Action
ActionListener
Void actionPerformed
(ActionEvent e)
Item
ItemListener
Void itemStateChanged
(ItemEvent e)
Mouse Motion
MouseMotion
Listener
MouseMotion
Adapter
Void
mouseDragged
(MouseEvent e)
Void
mouseMoved
(MouseEvent e)
Mouse Button
MouseListener
MouseAdapter
Void
mousePressed
(MouseEvent e)
Void mouseReleased
(MouseEvent e)
196
Void
mouseEntered
(MouseEvent e)
Void
mouseClicked
(MouseEvent e)
Void
mouseExited
(MouseEvent e)
Key
KeyListener
KeyAdapter
Void
keyPressed
(KeyEvent e)
Void
keyReleased
(KeyEvent e)
Void
keyTyped(KeyEvent e)
Focus
FocusListener
Void
focusGained
(FocusEvent e)
Void
focusLost
(FocusEvent e)
Component
ComponentListener
Component
Void componentMoved
(ComponentEvent e)
Adapter
Void
componentResized(Co
mponentEvent e)
Void componentHidden
(ComponentEvent e)
Void componentShown
(ComponentEvent e)
197
Syntax:
class
{
class
{
}
//other attributes and methods
}
Example: Save as MyFrame.java then compile and excute the
program.
import java.awt.*;
import java.awt.event.*;
Class MyFrame extends Frame
{
//inner class declaration
class MyWindowListener extends MyAdapter
{
//event handler for windows closing event
public void windowClosing(WindowEvent w)
{
MyFrame frm;
frm = (MyFrames)w.getSource();
frm.dispose();
System.exit(0);
}
public static void main(String arg[])
{
MyFrame frm = new MyFrame();
}
//constructor of the Frame class
public MyFrames
{
//Register the Listener for the window
super(Illustration For Inner or Nested Classes);
//creating an object of inner class
198
MyWindowListener wlisten = new MyWindowListener();
addWindowListener(wlisten);
setVisible(true);
setSize(100,100);
}
}
The above example code declares an object of the inner
class in the constructor of an outer class. To create an object of the
inner class from an unrelated class, you can use the new operator
as if it were a member of the outer class.
Example:
MyFrame frame = new MyFrame(Title);
Frame.MyWindowsListener listen = new
MyFrame().MyWindowListener();
You can create a class inside a method. The methods of the
inner class can have access to the variables define in the method
containing them. Inner class must be declared after the declaration
of the variables of the method so those variables are accessible to
the inner class.
Example: Save As RadioTest.java, Compile And View Using
Appletviewer
In this Applet example we examine MouseAdapters, and its
methods like mouseClicked(). Plus ItemListener interface
implementation and itemStateChanged() method and use getItem()
method to display the item the user as selected in the Applets
status bar using the showStatus()method. We will use interface
components like checkbox, which are of two types-exclusive
checkboxes (which means only one among the group can be
selected) also called Radio Buttons. We also use non-inclusive
checkboxes, which can be selected independently. The Choice
class implements the pop-up menu that allows users to select items
from a menu. This UI component dispalys the currently selected
item with a arrow to its right.
/*
<applet code = "RadioTest.class" height = 300 width = 300 >
</applet>
*/
import java.awt.*;
import java.awt.event.*;
import java.applet.*;
199
public class RadioTest extends Applet
{
public void init()
{
CheckboxGroup cbg = new CheckboxGroup();
// Checkbox(label, specific checkgroup,checked:boolean)
Checkbox c1 = new Checkbox("Black and
White",cbg,false);
Checkbox c2 = new Checkbox("Color",cbg,false);
200
Class check1 extends MouseAdapter
{
Public void mouseClicked(MouseEvent e)
{
showStatus("You have selected Black & White TV
option");
}
}
Class check2 extends MouseAdapter
{
Public void mouseClicked(MouseEvent e)
{
showStatus("You have selected Color TV option");
}
}
Class Ch implements ItemListener
{
Public void itemStateChanged(ItemEvent e)
{
String s =(String)e.getItem();
showStatus("You have selected" + s + " brand for
your TV");
}
}
}
201
13
SWING
Unit Structure
13.1
13.2
13.3
13.4
13.5
13.6
13.7
13.8
13.2 SWING
Swing components facilitate efficient graphical user interface
(GUI) development. These components are a collection of
lightweight visual components. Swing components contain a
replacement for the heavyweight AWT components as well as
complex user-interface components such as trees and tables.
202
Swing components contain a pluggable look and feel(PL&F).
This allows all applications to run with the native look and feel on
different platforms. PL&F allows applications to have the same
behavior on various platforms. JFC contains operating systems
neutral look and feel. Swing components do not contain peers.
Swing components allow mixing AWT heavyweight and swing
lightweight components in an application. The major difference
between lightweight and heavyweight components is that
lightweight components can have transparent pixels while
heavyweight components are always opaque. Lightweight
components can be non-regular while heavyweight components are
always rectangular.
Swing components are JavaBean compliant. This allows
components to be used easily in a Bean aware applications
building program. The root of the majority of the swing hierarchy is
the Jcomponent class. The class is an extension of the AWT
container class.
Difference between Swing and AWT
Swing
AWT
be
JFC
Java 2D
Swing
Application code
AWT
Accessibility
203
Swing components comprises of a large percentage of the
JFC release. The swing component toolkit consists of over 250
pure java classes and 75 interfaces contained in about 10
packages. They are used to build lightweight user interface. Swing
consists of user interface(UI) classes and non user interface
classes. The non-UI classes provide services and other operations
for the UI classes.
Swing packages:
Some of the Swing packages are given below.
Javax.swing. event:
Define events
specific to swing
components.
MVC Architecture: The user can provide his own datamodel for a component by subclassing the Model class or by
implementing the appropriate interface. The Model-ViewController (MVC) architecture is used consistently
throughout the swing component set. The view and
controller parts of the architecture are combined in the
component.
204
Pluggable look and feel: The user can select a look and
feel and this can be plugged in. An interface made of Swing
components can look like a Win32 app, a Motif app. It can
use the new Metal look and feel.
13.4 J COMPONENT
The JComponent class is the root of the visual component
class hierarchy in the JFC. The visual components are known as
the J classes. The functionality contained in the JComponent
205
class is available to all the visual components contained in the JFC.
The JComponent class is repository of functionality for all visual
components.
The JComponent class is at the top of the hierarchy of all
visual components contained in the JFC. The hierarchy is shown in
the following figure.
JComponent
J Color
Chooser
Abstract
Button
J File
Chooser
J Combo Box
J Menu
Bar
J List
J Internal Frame
J Toggle Button
J Radio Button
J Lable
J Button
J Menu Item
J Check Box
Menu Item
J Check Box
J Radio Button
Menu Item
J Menu
Window
Applet
Dialog
Frame
J Window
J Applet
J Dialog
J Frame
13.5 JAPPLET
The JApplet class is an extended version of the AWT applet
class that adds support for root panes and other panes.. This class
is the preferred entry point when creating applets that contain JFC
components. The components are added to the ContentPane.
The constructor that can be used to create a JApplet are listed
below:
206
13.6 J FRAME
Frame windows: A frame is a top-level window that contains a
title, border, minimize and maximize buttons. JFC provides the
JFrame class. This is used as a top-level-frame.
JFrame : A Swing frame is represented by the class Jframe, is an
extension of the AWT Frame classes. It is the part of javax.swing
package. A Swing frame is a container that functions as the main
window for programs that use Swing components. An instance of
the JFrame Class is a heavyweight component.
The JFrame can be created using the constructors mentioned
below:
207
13.7 J PANNEL
JPanel is a Swing lightweight container that is often used for
grouping components within one of an applet or a frame. It can also
be used to group other panels. The primary purpose of the class is
to provide a concrete container for the JFC. The JPanel class is
provided to gibve a concrete container class. Being an extennsion
of the Jcpmponent class, JPanel is a container and inherits the
features contained in that class.
The various constructros that can be used to create a JPanel
are as given below.
getAccessibleContext() : Gets
associated with this JComponent.
the
AccessibleContext
208
13.8
JBUTTONS,
CHECK
RADIOBUTTONS
BOXES
AND
Right-clicks on a Button
The default action of a JButton is to receive a left mouse
click. The button could be programmed to receive a right mouse
click also. There are ways in which this can be achived.
209
JCheckBox: A JCheckBox is a control that may be turned on and
off by the user to designate some kind of property being selected or
not selected. It consist of a background rectangle, and a text string
and/or icon. The JCheckBox normally shows its current state
visually. This is done by placing a check mark in a box, or by
changing the icon.
A JCheckbox generates item events when its state changes.
The checkbox can be created by using any one of the constructors
mentioned below:
210
Programs:
Followig is the programm to display an Applet.
import java.awt.event.*;
import java.awt.*;
import javax.swing.*;
/*
<applet code = "Applets.class" width = 250 height = 250 >
</applet>
*/
public class Applets extends JApplet
{
JButton B1;
public void init()
{
JPanel contentpane = (JPanel)getContentPane();
B1= new JButton("My First Applet");
contentpane.add(B1);
}
}
On successful compilation,
appletviewer Applets.java
execute
the
file
using
211
The output appers as shown in following figure :
212
mtextbtn1.setEnabled(true);
myadapter myapp = new myadapter();
addWindowListener(myapp);
}
class myadapter extends WindowAdapter
{
public void windowclosing(WindowEvent e)
{
System.exit(0);
}
}
public void actionPerformed(ActionEvent e)
{
if (e.getSource() == mtextbtn1)
{
setTitle("First button clicked");
}
else if ( e.getSource() == mtextbtn2)
{
setTitle("Second button clicked");
}
}
public static void main(String args[])
{
Button1 b = new Button1();
b.setSize(100,100);
b.setVisible(true);
}
}
Save the file as Button1.java
Compile the program using javac Button1.java
Execute the program using java Button1
The output appears as shown in following figure.
213
Example program for JCheckBoxes/JFrame.
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class checkbox1 extends JFrame implements ItemListener
{
JCheckBox checkbox;
public checkbox1()
{
setTitle("Check box Example");
JPanel contentpane = (JPanel)getContentPane();
contentpane.setLayout(new GridLayout(2,2));
checkbox = new JCheckBox("Toggle");
checkbox.addItemListener(this);
contentpane.add(checkbox);
myadapter myapp = new myadapter();
addWindowListener(myapp);
}
class myadapter extends WindowAdapter
{
public void windowclosing(WindowEvent e)
{
System.exit(0);
}
}
public void itemStateChanged(ItemEvent e)
{
if (e.getStateChange() == ItemEvent.SELECTED)
{
setTitle("Checkbox selected");
}
else
{
setTitle("Checkbox unselected");
}
}
214
public static void main(String args[])
{
checkbox1 c = new checkbox1();
c.setSize(250,250);
c.setVisible(true);
}
}
Save the file as checkbox1.java
Compile the file using javac checkbox1.java
Execute the file using java checkbox
The output appears as shown in the follwing figure;
215
JPanel contentpane = (JPanel)getContentPane();
contentpane.setLayout(new FlowLayout());
rb1 = new JRadioButton("Enabled");
rb1.addItemListener(this);
rb1.setEnabled(true);
contentpane.add(rb1);
rb2 = new JRadioButton("Disabled");
rb2.addItemListener(this); //rb2.setActionCommand("Two
Activated");
contentpane.add(rb2);
rb2.setEnabled(false);
grp.add(rb1);
grp.add(rb2);
myadapter myapp = new myadapter();
addWindowListener(myapp);
}
class myadapter extends WindowAdapter
{
public void windowClosing(WindowEvent e)
{
System.exit(0);
}
}
public void itemStateChanged(ItemEvent e)
{
if (e.getSource()==rb1)
{
setTitle("First radio button enabled");
rb1.setEnabled(false);
rb2.setEnabled(true);
}
else if(e.getSource()==rb2)
{
setTitle("Second radio button enabled");
216
rb1.setEnabled(true);
rb2.setEnabled(false);
}
}
public static void main(String args[])
{
Radiobuttons rb = new Radiobuttons();
rb.setSize(300,300);
rb.setVisible(true);
}
}
217
14
JDBC ARCHITECTURE
Unit Structure
14.1
14.2
14.3
14.4
14.5
14.6
14.7
14.8
14.9
Introduction to JDBC
Java and JDBC
JDBC VS ODBC
JDBC DRIVER MODEL
JDBC Driver Types
Two-tier Architecture for Data Access
Three-tier Architecture for Data Access
SQL CONFORMANCE
Types of Driver Managers
218
219
one program that take care of connecting to the respective
database.
220
class and each column value corresponds to an attribute of that
instance. Mapping is being provided that makes rows of multiple
tables to form a java class.
CallableStatement
Connection
DatabaseMetaData
Driver
PreparedStatement
ResultSet
ResultSetMetaData
Statement
221
Classes:
Date
DriverManager
DriverPropertyInfo
Time
Timestamp
Types
Exceptions:
DataTruncation
SQLException
SQLWarning
JDBC Type 2 Driver - They mainly use native API for data
access ie. Converts JDBC to data base vendors native SQL
calls and provide Java wrapper classes to be able to be
222
invoked using JDBC drivers like Type 1 drivers; requires
installation of binaries on each client.
Java Application
Client Machine
DBMS
223
14.7
THREE-TIER
ACCESS
Client Machine
ARCHITECTURE
FOR
DATA
Java Applet \
HTML Browser
(GUI)
Java Application
Server
Calls by HTTP,CORBA etc.
Sever Machine
DBMS
224
225
2. Native-API partly-Java driver :
Native-API partly-Java driver converts JDBC calls into calls
on the client API for Oracle, Sybase, Informix or other DBMS. But
some binary code has to be loaded on all client like the bridge
driver and hence is not suitable for large networks.
3.JDBC-Net pure Java driver:
JDBC-Net pure Java driver translates JDBC calls into DBMS
independent net protocol. A server again translates this protocol to
a DBMS protocol. The net server middleware connects its pure
Java clients to many different databases. The type of protocol in
this middleware depends on the vendor.
4. Native-protocol pure Java driver :
Native-protocol pure Java driver convert JDBC calls to
network protocols used by the DBMSs directly. Requests from
client machines are made directly to the DBMS server.
Drivers 3 and 4 are the most preferred ways to access
databases from JDBC drivers.
226
15
DATABASE CONNECTIVITY
Unit Structure
15.1
15.2
15.3
15.4
Introduction
A connection can be open with the help of following steps
Connecting to an ODBC Data Source
JDBC Programs
15.1 INTRODUCTION :
A Database connection is a facility in computer science that
allows client software to communicate with database server
software, whether on the same machine or not. A connection is
required to send commands and receive answers.
Connections are built by supplying an underlying driver or
provider with a connection string, which is a way of addressing a
specific database or server and instance as well as user
authentication credentials (for example, Server=sql_box;Database
=Common;User ID=uid;Pwd=password;). Once a connection has
been built it can be opened and closed at will, and properties (such
as the command time-out length, or transaction, if one exists) can
be set. The Connection String is composed of a set of key/value
pairs as dictated by the data access interface and data provider
being used.
227
Step 1. Importing Packages
The following JDBC packages will be imported for creating
connection.
java.sql.
java.math.
java.io.
oracle.jdbc.driver.
Step 2. Registering the JDBC Drivers
Following four parameters are required to register JDBC Drivers.
o Database URL
o JDBC Driver name
o User Name
o Password
JDBC Drivers can be register using following methods.
o Class drvClass=Class.forName(m_driverName);
o DriverManager.registerDriver((Driver)drvClass.newInstance
());
Step 3 : Opening a Connection to a Database
Connection to the underlying database can be opened using
Connection
m_con=DriverManager.getConnection(m_url,m_userName,m_pass
word) ;
Step 4 : Creating a Statement Object
SQL Statements
Once a connection is established, It is used to pass SQL
statements to its underlying database. JDBC provides three classes
for sending SQL Statements to the database, where
PreparedStatement
extends
from
Statement,
and
CallableStatement extends from PreparedStatement:
o Statement
parameter )
o PreparedStatement
o CallableStatement
228
The statement interface provides three different methods for
executing SQL statements :
o executeQuery
o executeUpdate
o execute
resultSetType,
int
PreparedStatement
PreparedStatement pstmt=m_con.prepareStatement(String sql);
PreparedStatement pstmt=m_con.prepareStatement(String sql, int
resultSetType,int resultSetConcurrency),
Note:
The SQL parameter could contain one or more ? in it.
Before a PreparedStatement object is executed, the value of each
? parameter must be set by calling a setXXX method, where XXX
stands for appropriate type for the parameter. For ex. If the
parameter has a java type of String, the method to use is setString.
CallableStatement
CallableStatemet csmt=m_con.prepareCall(String sql);
CallableStatemet
csmt=m_con.prepareCall(String
resultSetType, int resultSetConcurrency),);
sql,
int
Note :
The sql parameter is in the form of {call
<stored_procedure_name>[(arg1, arg2,...)]} or { ?=call
<stored_procedure_name>[(arg1,arg2...)]}. It could contain one or
more ?s in it, which indiacates IN, OUT or INOUT parameters. The
value of each IN parameter is set by calling a setXXX mehod, while
each OUT parameter should be registered by calling a
registerOutParameter method.
229
Step 5: Executing a Query and Returning a Result Set Object
AND
Step 6: Processing the Result set
Execute the Statement
Statement :
ResultSet res=stmt.executeQuery(String sql);
int rowCount=stmt.executeUpdate(String sql);
boolean result=stmt.execute(String sql);
PrepaedStatement :
ResultSet res=pstmt.executeQuery();
int rowCount=pstmt.executeUpdate();
boolean result=pstmt.execute();
CallableStatement :
ResultSet res=cstmt.executeQuery();
int rowCount=cstmt.executeUpdate();
boolean result=cstmt.execute();
230
Resultset
Statement
PrepaedStatement
CallableStatement
: rset.close();
: stmt.close();
: pstmt.close();
: cstmt.close();
1.
231
2.
3.
232
4.
Select the MS-ODBC for oracle or any other driver that
felt it required.
233
234
}
Catch(SQLExecution e 1)
{
System.out.println(Errors + e 1);
}
Catch(ClassNotFoundException e 2)
{
System.out.println(Errors + e 2);
}
}
}
2.Example for inserting records into a Table
// Insert into table
import java.sql.*;
public class InsertTab
{
public static void main(String args[])
{
ResultSet result;
try
{
Class.forName(sun.jdbc.odbc.JdbcOdbcDriver);
Connectioncon= DriverManager.getConnection
(jdbc:odbc:nitin ,scott,tiger);
Statement stat= con.createStatement();
Stat.executeUpdate(Insert into T1 values(20,Smith));
Stat.executeUpdate(Insert into T1 values(21,John));
Stat.executeUpdate(Insert into T1 values(22,Kate));
Stat.executeUpdate(Insert into T1 values(23,Stive));
System.out.println(Rows Inserted successfully);
result=stat.executeQuery(Select * from T1);
while(result.next())
{
System.out.println(result.getInt(I)+result.getString(2));
}
}
235
catch(Exception e)
{
System.out.println(Errors+e);
}
}
}
3.Example for viewing rows from a table
// viwing from emp table
import java.sql.*;
public class SelectEmp
{
public stativ void main(String args[])
{
String url=jdbc:odbc:nitin;
Connection con;
String s= select ename from emp 1;
Statement stmt;
try
{
Class.forName(sun.jdbc.odbc.JdbcOdbcDriver);
}
catch(java.lang.ClassNotFoundException e)
{
System.err.println(ClassNotFoundException:);
System.err.println(e.getMessage());
}
try
{
con=DriverManager.getConnection(url,Scott,Tiger);
stmt=con.createStatement();
resultSet rs=stmt.executeQuery(s);
while(rs.next())
{
String s1=rs.getString(ename);
System.out.println(Employee name: +s1);
}
stmt.close();
con.close();
}
catch(SQLException ex)
{
236
System.err.println(SQLException:+ex.getMessage());
}
}
}
4. Example using prepared statements
import java.sql.*;
public class PreStExample
{
public static void main(String[] args)
{
Connection con = null;
PreparedStatement prest;
try{
Class.forName(sun.jdbc.odbc.JdbcOdbcDriver);
Connectioncon=
DriverManager.getConnection(jdbc:odbc:nitin ,scott,tiger);
try{
String sql = "SELECT stdname FROM T1 WHERE Rno = ?";
prest = con.prepareStatement(sql);
prest.setInt(1,21);
ResultSet rs1 = prest.executeQuery();
while (rs1.next())
{
String stname = rs1.getString(1);
System.out.println("student name is: "+stname);
}
prest.setInt(1,23);
ResultSet rs2 = prest.executeQuery();
while (rs2.next())
{
String stname1 = rs2.getString(1);
System.out.println("student name is: "+stname1);
}
}
catch (SQLException s){
System.out.println("SQL statement is not executed!");
}
}
catch (Exception e){
e.printStackTrace();
}
}
}