Java Notes - Copy
Java Notes - Copy
Course Objectives:
Describe and Analyze the fundamental features of object oriented language and JAVA.
Develop Java JDK environment to create, debug and run simple Java programs.
Explain object oriented concepts using programming examples.
Illustrate the concepts of importing of packages and exception handling mechanism.
Discuss the String Handling examples with Object Oriented concepts.
Course Outcomes:
MODULE I
08 Hours
MODULE II
Operators: Arithmetic Operators, The Bitwise Operators, Relational Operators, Boolean Logical
Operators, The Assignment Operator, The ? Operator, Operator Precedence, Using Parentheses,
Control Statements: Java’s Selection Statements, Iteration Statements, Jump Statements.
Teaching Methodology: Chalk and talk using PPT and Demo to explain the Concept .
08 Hours
MODULE III
MODULE IV
Packages and Interfaces: Packages, Access Protection, Importing Packages, Interfaces, Exception
Handling: Exception-Handling Fundamentals, Exception Types, Uncaught Exceptions, Using try
and catch, Multiple catch Clauses, Nested try Statements, throw, throws, finally, Java’s Built-in
Exceptions, Creating Your Own Exception Subclasses, Chained Exceptions, Using Exceptions.
Teaching Methodology: Chalk and talk using PPT and Demo to explain the Concept .
08 Hours
MODULE V
Enumerations, Type Wrappers, I/O, Applets, and Other Topics: I/O Basics, Reading Console
Input, Writing Console Output, The PrintWriter Class, Reading and Writing Files, Applet
Fundamentals, The transient and volatile Modifiers, Using instance of, strictfp, Native Methods,
Using assert, Static Import, Invoking Overloaded Constructors Through this( ), String Handling: The
String Constructors, String Length, Special String Operations, Character Extraction, String
Comparison, Searching Strings, Modifying a String, Data Conversion Using valueOf( ), Changing
the Case of Characters Within a String , Additional String Methods, String Buffer, String Builder.
Teaching Methodology: Chalk and talk using PPT and Demo to explain the Concept .
08 Hours
Continuous Internal Assessment (CIA) Method:
Sl. Type of Assessment Mode of Assessment Marks
No.
Solving Challenging Problems/Case
1 Regular mode of Assessment 15
Study
One Open Book written Exam at Regular mode of
2 10
theend of the Module 4 Assessment
Assignments on Advanced
3 Topics(group of size 2)/individual) Regular mode of Assessment 10
2 marks for eachModule
4 MCQ at the end of each module 10
As per the guidelines given in
5 Attendance 5
the regulations
Total 50
TEXT BOOKS:
1. JAVA, The Complete Reference, Herbert Schildt, 7th Edition, Tata McGraw Hill, 2007.
REFERENCE BOOKS:
1. Programming with JAVA, Mahesh Bhave and Sunil Patekar, First Edition, Pearson Education
2008.
2. Object oriented Programming with JAVA, Rajkumar Buyya,S Thamarasi selvi, xingchen
Mode
Ho Text/
of
ur Topic to be covered Reference
Deliv
No. book
ery
Module 1
An Overview of Java:Object oriented Chak Java
1 programming and complete
talk reference
A First Simple Program, A Second Short Java
2 Program, Two Control Statements, ppt complete
reference
Using Blocks of Code, Lexical Issues Java
3 ppt complete
reference
The Java Class Libraries, Data Types, Variables, Java
4 and Arrays ppt complete
reference
Java Is a Strongly Typed Language, The Java
Primitive Types, Integers, Floating-Point Types, complete
5 ppt
Characters reference
TABLE OF CONTENTS
MODULE I
An Overview of Java
Object-Oriented Programming
Object-oriented programming (OOP) is at the core of Java.
In fact, all Java programs are to at least some extent object-oriented.
Two Paradigms
Process-oriented model:
This approach characterizes a program as a series of linear steps.
The process-oriented model can be thought of as code acting on data.
Produral languages such as C employ this model to considerable success
Object-oriented programming:
Object-oriented programming organizes a program around its data (that is objects) and a set of well-
defined interfaces to that data.
Object-oriented program can be characterized as data controlling access to code.
Abstraction
An essential element of object-oriented programming is abstraction.
Humans manage complexity through abstraction.
A powerful way to manage abstraction is through the use of hierarchical classifications.
Example: For example, people do not think of a car as a set of tens of thousands of individual parts. They
think of it as a well-defined object with its own unique behaviour. This abstraction allows people to use a car to
drive to the grocery store without being overwhelmed by the complexity of the parts that form the car. They
can ignore the details of how the engine, transmission, and braking systems work. Instead, they are free to
utilize the object as a whole.
Encapsulation
Encapsulation is the mechanism that binds together code and the data it manipulates, and keeps both safe from
outside interference and misuse. One way to think about
Encapsulation is as a protective wrapper that prevents the code and data from
being arbitrarily accessed by other code defined outside the wrapper.
Access to the code and data inside the wrapper is tightly controlled through a well-defined interface.
i) In Java, the basis of encapsulation is the class.
ii) A class defines the structure and behaviour (data and code) that will be shared by a set of objects.
iii) Each object of a given class contains the structure and behaviour defined by the class, as if it were stamped
out by a mould in the shape of the class.
iv) Objects are sometimes referred to as instances of a class. Thus, a class is a logical construct; an object has
physical reality.
Object oriented programming using java Page 9
SUIET 2022-23 21SCS34
v) Since the purpose of a class is to encapsulate complexity, there are mechanisms for hiding the complexity
of the implementation inside the class.
a) Private: Private members can only be accessed within the class.
b) Public: Public members can access outside of the class.
Inheritance
i) Inheritance is the process by which one object acquires the properties of another object.
ii) It supports the concept of hierarchical classification.
iii) For example, a Golden Retriever is part of the classification dog, which in turn is part of the mammal class,
which is under the larger class animal.
Animal
Mammal
Golden retriever
iv) In the above example Animal Class is a Super class and Mammal and Golden retriever classes are derived
classes.
Polymorphism
i) Polymorphism (from Greek, meaning “many forms”) is a feature that allows one interface to be used for a
general class of actions.
ii) More generally, the concept of polymorphism is often expressed by the phrase “one interface, multiple
methods.” This means that it is possible to design a generic interface to a group of related activities.
iii) An excellent real time example of polymorphism is your Smartphone. The smartphone can act as phone,
camera, music player and what not, taking different forms and hence polymorphism.
class Example {
// Your program begins with a call to main().
The javac compiler creates a file called Example.class that contains the byte code version of the program.
Java bytecode is the intermediate representation of the program that contains instructions the Java Virtual
Machine will execute.
javac is not code that can be directly executed.
To actually run the program, you must use the Java application launcher, called java.
To do so, pass the class name Example as a command-line argument, as shown here:
C:\>java Example
/*
This is a simple Java program.
Call this file "Example.java".
*/
class Example {
This line uses the keyword class to declare that a new class is being defined.
The entire class definition, including all of its member will be between the opening curly brace ({) and
the closing curly brace (}).
iii) The next line in the program is the single-line comment, shown here:
This line begins the main( ) method. As the comment preceding it suggests, this is the line at which the
program will begin executing. All Java applications begin execution by calling main( ). The keyword static
allows main( ) to be called without
having to instantiate a particular instance of the class. This is necessary since main( ) is called by the Java
Virtual Machine before any objects are made. The keyword void simply tells the compiler that main( ) does not
return a value. String args[ ] declares a parameter named args, which is an array of instances of the class
String.
v) The next line of code is shown here. Notice that it occurs inside main( ).
num = num * 2;
System.out.println(num);
}
}
When you run this program, you will see the following output:
This is num: 100
The value of num * 2 is 200
type var-name;
Here, type specifies the type of variable being declared, and var-name is the name of the variable.
The if Statement
The Java if statement works much like the IF statement in any other language.
Syntax:
if(condition)
statement;
Here, condition is a Boolean expression. If condition is true, then the statement is executed. If condition is
false, then the statement is bypassed.
Here is an example:
if(num < 100)
System.out.println("num is less than 100");
In this case, if num contains a value that is less than 100, the conditional expression is true, and println( ) will
execute. If num contains a value greater than or equal to 100, then the println( ) method is bypassed.
Operator using in conditional statement and its
< Less than
> Greater than
== Equal to
The initialization portion of the loop sets a loop control variable to an initial value. The condition is a Boolean
expression that tests the loop control variable. If the outcome of that test is true, the for loop continues to
iterate. If it is false, the loop terminates. The iteration expression determines how the loop control variable is
changed each time the loop iterates.
Here is a short program that illustrates the for loop:
/*
Demonstrate the for loop.
Call this file "ForTest.java".
*/
class ForTest {
public static void main(String args[]) {
int x;
for(x = 0; x<10; x = x+1)
System.out.println("This is x: " + x);
}
}
This program generates the output:
This is x: 0
This is x: 1
This is x: 2
This is x: 3
This is x: 4
This is x: 5
This is x: 6
This is x: 7
This is x: 8
This is x: 9
In this example, x is the loop control variable. It is initialized to zero in the initialization portion of the for. At
the start of each iteration (including the first one), the conditional test x < 10 is performed. If the outcome of
this test is true, the println( ) statement is executed, and then the iteration portion of the loop is executed. This
process continues until the conditional test is false.The increment operator is ++. The increment operator
increases its operand by one. By use of the increment operator, the preceding statement can be written like this:
x++;
Thus, the for in the preceding program will usually be written like this:
for(x = 0; x<10; x++)
Let’s look at another example. The following program uses a block of code as the target of a for loop.
/*
Demonstrate a block of code.
Call this file "BlockTest.java"
*/
class BlockTest {
public static void main(String args[]) {
int x, y;
y = 20;
// the target of this loop is a block
This is y: 4
This is x: 9
This is y: 2
In this case, the target of the for loop is a block of code and not just a single statement.Thus, each time the loop
Lexical Issues
Whitespace
Java is a free-form language. This means that you do not need to follow any special indentation rules. In Java
whitespace is a space, tab, or newline.
Identifiers
Identifiers are used for class names, method names, and variable names. An identifier may be any descriptive
sequence of uppercase and lowercase letters, numbers, or the underscore and dollar-sign characters. They must
not begin with a number, lest they be confused with a numeric literal. Again, Java is case-sensitive, so VALUE
is a different identifier than Value.
Some examples of valid identifiers are-
AvgTemp
count
a4
$test
this_is_ok
Literals
A constant value in Java is created by using a literal representation of it. For example, here are some literals:
100 –integer literal
98.6 – floating-point literal
'X' –character constant
"This is a test"-string
Comments:
Java supports three types of comments
i) Single line comment
ii) Multiline comment
iii) Documentation comment
The third type is called a documentation comment. This type of comment is used to produce an HTML file that
documents your program. The documentation comment begins with a /** and ends with a */.
Separators
In Java, there are a few characters that are used as separators.
There are 50 keywords currently defined in the Java language .These keywords are
combined with the syntax of the operators and separators, form the foundation of the Java language. These
keywords cannot be used as names for a variable, class, or method.
The two of Java’s built-in methods: println( ) and print( ) and these methods are members of the System
class, which is a class predefined by Java that is automatically included in your programs. In the larger view,
the Java environment relies on several built-in class libraries that contain many built-in methods that provide
support for such things as I/O, string handling, networking, and graphics. The standard classes also provide
support for windowed output.
Data Types
Integers
Java defines four integer types: byte, short, int, and long. All of these are signed, positive and negative values.
Java does not support unsigned, positive-only integers.
Example program:
class Light {
public static void main(String args[]) {
int lightspeed;
long days;
long seconds;
long distance;
// approximate speed of light in miles per second
lightspeed = 186000;
days = 1000; // specify number of days here
seconds = days * 24 * 60 * 60; // convert to seconds
distance = lightspeed * seconds; // compute distance
System.out.print("In " + days);
System.out.print(" days light will travel about ");
System.out.println(distance + " miles.");
}
}
Floating-Point Types
Floating-point numbers, also known as real numbers, are used when evaluating expressions that require
fractional precision. There are two types:
Example program:
// Compute the area of a circle.
class Area {
public static void main(String args[]) {
double pi, r, a;
r = 10.8; // radius of circle
pi = 3.1416; // pi, approximately
a = pi * r * r; // compute area
System.out.println("Area of circle is " + a);
}
}
Characters
In Java, the data type used to store characters is char.
Here is a program that demonstrates char variables:
class CharDemo {
public static void main(String args[]) {
char ch1, ch2;
ch1 = 88; // code for X
ch2 = 'Y';
System.out.print("ch1 and ch2: ");
System.out.println(ch1 + " " + ch2);
}
}
Output:
ch1 and ch2: X Y
Boolean
Java has a primitive type, called boolean, for logical values. It can have only one of two possible values, true
or false.
Output:
b is false
b is true
This is executed.
10 > 9 is true
Floating-Point Literals:
Floating-point numbers represent decimal values with a fractional component. They can be expressed in either
standard or scientific notation. Standard notation consists of a whole number component followed by a decimal
point followed by a fractional component.
Boolean Literals
Boolean literals are simple. There are only two logical values that a boolean value can have, true and false.
The values of true and false do not convert into any numerical representation. The true literal in Java does not
equal 1, nor does the false literal equal 0. In Java, they can only be assigned to variables declared as boolean,
or used in expressions with Boolean operators.
Character Literals
Characters in Java are indices into the Unicode character set. They are 16-bit values that can
be converted into integers and manipulated with the integer operators, such as the addition
and subtraction operators.
String Literals
String literals in Java are specified like they are in most other languages—by enclosing
a sequence of characters between a pair of double quotes. Examples of string literals are
“Hello World”
“two\nlines”
“\”This is in quotes\”“
Variables
The variable is the basic unit of storage in a Java program. A variable is defined by the combination of an
identifier, a type, and an optional initializer. In addition, all variables have a scope, which defines their
visibility, and a lifetime.
Declaring a Variable
In Java, all variables must be declared before they can be used. The basic form of a variable declaration is
shown here:
To declare more than one variable of the specified type, use a comma separated list.
Dynamic Initialization
Although the preceding examples have used only constants as initializers, Java allows variables to be initialized
dynamically, using any expression valid at the time the variable is declared.
Example program:
Class DynInit {
public static void main(String args[]) {
double a = 3.0, b = 4.0;
// c is dynamically initialized
double c = Math.sqrt(a * a + b * b);
System.out.println("Hypotenuse is " + c);
}
}
class Scope {
public static void main(String args[]) {
int x; // known to all code within main
x = 10;
if(x == 10) { // start new scope
int y = 20; // known only to this block
// x and y both known here.
System.out.println("x and y: " + x + " " + y);
x = y * 2;
}
// y = 100; // Error! y not known here
// x is still known here.
System.out.println("x is " + x);
}
}
Type conversion
When one type of data is assigned to another type of variable, an automatic type conversion will take place if
the following two conditions are met:
• The two types are compatible.
• The destination type is larger than the source type.
Casting
b = (byte) a;
The following program demonstrates some type conversions that require casts:
// Demonstrate casts.
class Conversion {
public static void main(String args[]) {
byte b;
int i = 257;
double d = 323.142;
System.out.println("\nConversion of int to byte.");
b = (byte) i;
System.out.println("i and b " + i + " " + b);
System.out.println("\nConversion of double to int.");
i = (int) d;
System.out.println("d and i " + d + " " + i);
System.out.println("\nConversion of double to byte.");
b = (byte) d;
System.out.println("d and b " + d + " " + b);
}
}
Output:
Conversion of int to byte.
i and b 257 1
Conversion of double to int.
d and i 323.142 323
Arrays
An array is a group of like-typed variables that are referred to by a common name. Array element is accessed
by its index. Arrays offer a convenient means of grouping related information.
One-Dimensional Arrays
A one-dimensional array is, essentially, a list of like-typed variables. To create an array, you first must create
an array variable of the desired type. The general form of a one-dimensional array declaration is
type var-name[ ];
Example:
int a[];
Example:
a=new int[10];
Example program:
Here is an example that uses a one-dimensional array. It finds the average of a set
of numbers.
// Average an array of values.
class Average {
public static void main(String args[]) {
double nums[] = {10.1, 11.2, 12.3, 13.4, 14.5};
double result = 0;
int i;
for(i=0; i<5; i++)
result = result + nums[i];
System.out.println("Average is " + result / 5);
}
}
Multidimensional Arrays
Multidimensional arrays are arrays of arrays.
Declaring multidimensional array : int twoD [] [] = new int [4] [5];
// Demonstrate a two-dimensional array.
class TwoDArray {
public static void main(String args[]) {
int twoD[][]= new int[4][5];
int i, j, k = 0;
for(i=0; i<4; i++)
for(j=0; j<5; j++) {
twoD[i][j] = k;
k++;
}
output:
01234
56789
10 11 12 13 14
15 16 17 18 19
When you allocate memory for multi-dimensional array, you need to specify the memory for the first
dimension. Remaining dimensions separately
Ex : int twoD[][] = new int[4][];
twoD[0] = new int[5];
twoD[1] = new int[5];
twoD[2] = new int[5];
twoD[3] = new int[5];
type[ ] var-name;
Example:
int[] arr = new int[5];
int arr[] = new int[5];
Object oriented programming using java Page 25
SUIET 2022-23 21SCS34
Here, str is an object of type String. It is assigned the string “this is a test”. This string is
displayed by the println( ) statement.
MODULE II
Operators
Java provides rich set of operators, mainly divided into four groups viz. arithmetic, bitwise, relational and
logical. These operators are discussed here.
Arithmetic Operators
Arithmetic operators are used in mathematical expressions in the same way that they are used in
algebra. The following table lists the arithmetic operators:
Opera Meaning
tor
+ Addition
- Subtraction
* Multiplication
/ Division
% Modulus
++ Increment
-- Decrement
+= Addition assignment
-= Subtraction
assignment
*= Multiplication
assignment
/= Division assignment
%= Modulus assignment
The operands of the arithmetic operators must be of a numeric type. You cannot use them on boolean
types, but you can use them on char types, since the char type in Java is a subset of int.
NOTE that in C/C++, the % operator cannot be used on float or double and should be used only on integer
variable.
Bitwise Operators
Java defines several bitwise operators that can be applied to long, int, short, char, and byte. These operators
act upon the individual bits of their operands. They are summarized in the following table:
Opera Meaning
tor
~ Bitwise unary NOT
& Bitwise AND
| Bitwise OR
^ Bitwise exclusive OR
>> Shift right
>>> Shift right zero fill
<< Shift left
&= Bitwise AND assignment
|= Bitwise OR assignment
^= Bitwise exclusive OR
assignment
>>= Shift right assignment
>>>= Shift right zero fill assignment
<<= Shift left assignment
Since bitwise operators manipulate the bits within the integer, let us first understand the bit- representation of
integer data in Java.
All of the integer types are represented by binary numbers of varying bit widths. For example, the byte value
for 42 in binary is 00101010, where each position represents a power of two, starting with 2 0 at the rightmost
bit. All of the integer types are signed integers. Java uses an encoding known as two’s complement, which
means that negative numbers are represented by inverting (changing 1’s to 0’s and vice versa) all of the bits in
a value, then adding 1 to the result. For example, –42 is represented by inverting all of the bits in 42, or
00101010, which yields 11010101, then adding 1, which results in 11010110, or –42. To decode a negative
number, first invert all of the bits, and then add 1. For example,
–42, or 11010110 inverted, yields 00101001, or 41, so when you add 1 you get 42.
Bitwise NOT
A unary NOT operator ~, also called as bitwise complement inverts all the bits of the operand. For example,
the number 42, which has the following bit pattern: 00101010 becomes 11010101 after the NOT operator is
applied.
Bitwise AND
As the name suggests, initially, operands are converted into binary-format. Then, the AND (&) operation is
performed on the corresponding bits of operands. Consider an example –
x 0000 0101
y 0000 0110
z 0000 0100
Bitwise OR
Here, the OR (|) operations is performed on individual bit of operands. For example –
x 0000 0101
y 0000 0110
z 0000 0111
Bitwise XOR
In XOR operation, if both bits are same (either both are 1 or both 0), then the resulting bit will be 0 (false).
Otherwise, the resulting bit is 1 (true).
For example –
z= x ^ y;
x 0000 0101
y 0000 0110
z 0000 0011
Left Shift
The left shift operator, <<, shifts all of the bits in a value to the left by a specified number of times. It has this
general form:
value << num
For each shift, one higher order bit is shifted out (or lost) and extra zero is appended as the lower order bit.
Thus, for int, after 31 shifts, all the bits will be lost and result will be 0, whereas for long, after 63 shifts,
all bits will be lost.
Java’s automatic type promotions produce unexpected results when you are shifting byte and short values. As
you know, byte and short values are promoted to int when an expression is evaluated. Furthermore, the result
of such an expression is also an int. This means that the outcome of a left shift on a byte or short value will be
an int, and the bits shifted left will not be lost until they shifted for 31 times. To avoid this problem, we should
use type-casting as shown in the following example.
Since a is promoted to int for evaluation, left-shifting the value 64 (0100 0000) twice results in i containing
the value 256 (1 0000 0000). However, the value in b contains 0 because after the shift, the low-order byte is
now zero.
Each left shift can be thought of as multiplying the number by 2. But, one should be careful because once the
number crosses its range during left shift, it will become negative. Consider an illustration –
Program
class ShiftDemo1
{
Right Shift
The right shift operator, >> shifts all of the bits in a value to the right by a specified number of times. It has
this general form:
value >> num
For each shift, one lower order bit is shifted out (or lost) and extra zero is appended as the higher orderbit.
For example,
int a = 35; //00100011 is the binary equivalent
a = a >> 2; // now, a contains 8
Each right shift can be thought of as dividing the number by 2. When you are shifting right, the top (leftmost)
bit is filled with the previous content of the top bit. This is called sign extension and is needed to preserve the
sign of negative numbers when you shift them right. For example, –8 >> 1 is –4, which, inbinary, is
11111000 (–8)
>>1
11111100 (–4)
Relational Operators
The relational operators determine the relationship between two operands. Specifically, they determine equality
and ordering among operands. Following table lists the relational operators supported by Java.
Opera Meaning
tor
== Equal to (or
comparison)
!= Not equal to
> Greater than
< Less than
>= Greater than or equal
to
<= Less than or equal to
The outcome of these operations is a boolean value. Any type in Java, including integers, floating-point
numbers, characters, and Booleans can be compared using the equality test, ==, and the inequality test,
!=. Only numeric types can be compared using the ordering operators. That is, only integer, floating- point, and
character operands may be compared to see which is greater or less than the other. For example, the following
code fragment is perfectly valid:
int a = 4;int b = 1;
boolean c = a < b;
In this case, the result of a<b (which is false) is stored in c.
Operator Meaning
| Logical OR
^ Logical OR
|| Short-circuit AND
&= AND assignment
|= OR assignment
^= XOR assignment
== Equal to
!= Not equal
?: Ternary if-then-else
A B A| A A !A
B & ^B
B
Fa Fa Fa Fa Fa Tr
lse lse lse lse lse ue
Fa Tr Tr Fa Tr Tr
lse ue ue lse ue ue
Tr Fa Tr Fa Tr Fa
ue lse ue lse ue lse
Tr Tr Tr Tr Fa Fa
ue ue ue ue lse lse
{
public static void main(String args[])
{
boolean a = true; boolean b = false;boolean c = a | b;boolean d = a & b;boolean e = a ^ b;
boolean f = (!a & b) | (a & !b);boolean g = !a;
System.out.println(" a = " + a); System.out.println(" b = " + b); System.out.println(" a|b = " + c);
System.out.println(" a&b = " + d); System.out.println(" a^b = " + e); System.out.println("!a&b|a&!b = " + f);
System.out.println(" !a = " + g);
a^b = true
!a&b|a&!b = true
!a = false
b & (a=!a) =falseNew a is false
Note: In C/C++, the logical AND/OR operations never evaluates the second operand if the value of first
operand itself can judge the result. That is, if the first operand is false, then second operand is not evaluated in
AND operation and result will be false. Similarly, if the first operand is true in OR operation, without
evaluating the second operand, it results true. But in Java, Boolean logical operators will not act so. Even if the
first operand is decisive, the second operand is evaluated. This can be observed in the above program while
evaluating h= b& (a= !a). Here, b is false and hence ANDed with anything results false. But, still the second
operand (a= !a) is evaluated resulting a as false.
If we don’t want the second operand to be evaluated, we can use short-circuit logical operators.
Here, the first operand x!= 0 is false. If we use logical AND (&) then the second operand n/x>0 will be
evaluated and we will get DivisionByZero Exception. So, to avoid this problem we use && operator which will
never evaluated second operand if the first operand results into false.
It is standard practice to use the short-circuit forms of AND and OR in cases involving Boolean logic, leaving
the single-character versions exclusively for bitwise operations. However, there are exceptions to this rule. For
example, consider the following statement:
if(c==1 & e++ < 100)d = 100;
Here, using a single & ensures that the increment operation will be applied to e whether c is equal to 1 ornot.
This fragment sets the variables x, y, and z to 100 using a single statement. This works because the = isan
operator that yields the value of the right-hand expression. Thus, the value of z = 100 is 100, which isthen
assigned to y, which in turn is assigned to x. Using a “chain of assignment” is an easy way to set a group of
variables to a common value.
The ?: Operator
Java supports ternary operator which sometimes can be used as an alternative for if-then-else statement. The
general form is –
var = expression1 ? expression2 : expression3;
Here, expression1 is evaluated first and it must return Boolean type. If it results true, then value of
expression2 is assigned to var, otherwise value of expression3 is assigned to var. For example,
int a, b, c ;
……….
c= (a>b)?a:b; //c will be assigned with biggest among a and b
Operator Precedence
Following table describes the precedence of operators. Though parenthesis, square brackets etc. are separators,
they do behave like operators in expressions. Operators at same precedence level will be evaluated from left to
right, whichever comes first.
Highest (), [ ], .
++, --, ~, !
*, /, %
+, -
>>, >>>, <<
>, >=, <, <=
==, !=
&
^
|
&&
||
?:
=, op=
Lowest
Using Parentheses
Parentheses always make the expression within them to execute first. This is necessary sometimes. For
example,
a= b – c * d;
Here, c and d are multiplied first and then the result is subtracted from b. If we want subtraction first, we
should use parenthesis like
a= (b-c)*d;
Sometimes, parenthesis is useful for clarifying the meaning of an expression and for making readers to
understand the code. For example,
a | 4 + c >> b & 7 can be written as (a | (((4 + c) >> b) & 7))
In such situations, though parenthesis seems to be redundant, it existence will not reduce theperformance of
the program.
Control Statements
A programming language uses control statements to cause the flow of execution to advance and branch based
on changes to the state of a program. Java’s program control statements can be put into the following
categories: selection, iteration, and jump. Selection statements allow your program to choose different paths
of execution based upon the outcome of an expression or the state of a variable. Iteration statements enable
program execution to repeat one or more statements (that is, iteration statements form loops). Jump statements
allow your program to execute in a nonlinear fashion. All of Java’s control statements are examined here.
if Statement
The general form is –
if (condition)
{
//true block
}
else
{
//false block
}
If the condition is true, then the statements written within true block will be executed, otherwise false
block will be executed. The condition should result into Boolean type. For example,
int a, b, max;
………… if(a>b)
max=a;
else
Object oriented programming using java Page 36
SUIET 2022-23 21SCS34
max=b;
Nested-if Statement
A nested if is an if statement that is the target of another if or else. For example,
if(i == 10)
{
if(j < 20)
a = b;
if(k > 100)
c = d;
else
a = c;
}
else
a = d;
The if statements are executed from the top down. As soon as one of the conditions controlling the if is true,
the block associated with that if is executed, and the rest of the ladder is bypassed. The final else acts as a
default condition; that is, if all other conditional tests fail, then the last else statement is performed.
switch Statement
The switch statement is Java’s multi-way branch statement. It provides an easy way to dispatch execution to
different parts of your code based on the value of an expression. As such, it often provides a better alternative
than a large series of if-else-if statements. Here is the general form of a switch statement:
switch (expression)
{
case value1:
// statement sequencebreak;
case value2:
// statement sequencebreak;
………….... case valueN:
// statement sequencebreak;
default:
// default statement sequence
Object oriented programming using java Page 37
SUIET 2022-23 21SCS34
}
The expression must be of type byte, short, int, or char; each of the values specified in the case statements
must be of a type compatible with the expression. The switch statement works like this: The value of the
expression is compared with each of the literal values in the case statements. If a match is found, the code
sequence following that case statement is executed. If none of the constants matches the value of the
expression, then the default statement is executed. However, the default statement is optional. If no case
matches and no default is present, then no further action is taken. The break statement is used inside the
switch to terminate a statement sequence. When a break statement is encountered, execution branches to the
first line of code that follows the entire switch statement. This has the effect of “jumping out” of the switch.
The break statement is optional. If you omit the break, execution will continue on into the next case.
NOTE:
We can even nest switch statements one within the other.
The switch differs from the if in that switch can only test for equality, whereas if can evaluate any type
of Boolean expression. That is, the switch looks only for a match between the value ofthe expression and one
of its case constants.
No two case constants in the same switch can have identical values. Of course, a switch
statement and an enclosing outer switch can have case constants in common.
A switch statement is usually more efficient than a set of nested ifs.
The last point is particularly interesting because it gives insight into how the Java compiler works. When it
compiles a switch statement, the Java compiler will inspect each of the case constants and create a “jump
table” that it will use for selecting the path of execution depending on the value of the expression. Therefore,
if you need to select among a large group of values, a switch statement will run much faster than the
equivalent logic coded using a sequence of if-elses. The compiler can do this because it knows that the case
constants are all the same type and simply must be compared for equality with the switch expression. The
compiler has no such knowledge of a long list of if expressions.
Iteration Statements
Java’s iteration statements are for, while, and do-while. These statements create what we commonly call
loops. A loop repeatedly executes the same set of instructions until a termination condition is met.
while Loop
The general form is –
while(condition)
{
//body of the loop
}
The condition can be any Boolean expression. The body of the loop will be executed as long as the
conditional expression is true. When condition becomes false, control passes to the next line of code
immediately following the loop.
Each iteration of the do-while loop first executes the body of the loop and then evaluates the conditional
expression. If this expression is true, the loop will repeat. Otherwise, the loop terminates. As with all of Java’s
loops, condition must be a Boolean expression.
for Loop
The general form is –
for(initialization; condition; updation)
{
// body of loop
}
When the loop first starts, the initialization portion of the loop is executed. Generally, this is an expression that
sets the value of the loop control variable, which acts as a counter that controls the loop. It is important to
understand that the initialization expression is only executed once. Next, condition isevaluated. This must be a
Boolean expression. It usually tests the loop control variable against a target value. If this expression is true,
then the body of the loop is executed. If it is false, the loop terminates. Next, the updation portion of the loop
is executed. This is usually an expression that increments or decrements the loop control variable. The loop
then iterates, first evaluating the conditional expression, then executing the body of the loop, and then
executing the iteration expression with each pass. This process repeats until the controlling expression is false.
for-each Loop
The for-each style of for is also referred to as the enhanced for loop. The general form of the for-each
version of the for is shown here:
for(type itr-var : collection)statement-block
Here, type specifies the type and itr-var specifies the name of an iteration variable that will receive the elements
from a collection, one at a time, from beginning to end. The collection being cycled through is specified by
collection. There are various types of collections that can be used with the for, but the only type used in this
chapter is the array. With each iteration of the loop, the next element in the collection is retrieved and stored in
itr-var. The loop repeats until all elements in the collection have been obtained.
Because the iteration variable receives values from the collection, type must be the same as (orcompatible with)
the elements stored in the collection. Thus, when iterating over arrays, type must be compatible with the base
type of the array.
Consider an example –
int nums[] = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
int sum = 0;
for(int i=0; i < 10; i++)sum += nums[i];
The above set of statements can be optimized as follows –
int nums[] = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
int sum = 0;
for(int x: nums)
sum += x;
With each pass through the loop, x is automatically given a value equal to the next element in nums. Thus, on
the first iteration, x contains 1; on the second iteration, x contains 2; and so on. Not only is the syntax
39
SUIET 2022-23 21SCS34
streamlined, but it also prevents boundary errors.
The for-each version of for has several applications viz. Finding average of numbers, finding minimum and
maximum of a set, checking for duplicate entry in an array, searching for an element in unsorted list etc. The
following program illustrates the sequential (linear) search.
for(int x : nums)
{
if(x == val)
found = true;break;
}
}
if(found)
System.out.println("Value found!");
}
}
Jump Statements
Java supports three jump statements: break, continue, and return. These statements transfer control toanother
part of your program.
Using break
In java, break can be used in 3 different situations:
To terminate statement sequence in switch
To exit from a loop
Can be used as a civilized version of goto
The above code snippet prints values from 0 to 4 and when i become 5, the loop is terminated.
first:
{
second:
{
third:
{
System.out.println("Before the break.");if(t)
break second; // break out of second block
System.out.println("This won't execute");
}
System.out.println("This won't execute");
}
System.out.println("This is after second block.");
}
}
}
As we can see in the above program, the usage of break with a label takes the control out of the secondblock
directly.
Using continue
Sometimes, we may need to proceed towards next iteration in the loop by leaving some statements. Insuch
situations, we can use continue statement within for, while and do-while. For example –
The above code snippet prints only the odd numbers in the range of 1 to 20.
Using return
The return statement is used to explicitly return the method. Based on some condition, we may need togo
back to the calling method sometimes. So, we can use return in such situations.
42
SUIET 2022-23 21SCS34
MODULE III
Class Fundamentals
Class can be thought of as a user-defined data type. We can create variables (objects) of that data type.
So, we can say that class is a template for an object and an object is an instance of a class. Most of the
times, the terms object and instance are used interchangeably.
Here, classname is any valid name given to the class. Variables declared within a class are called as
instance variables because every instance (or object) of a class contains its own copy of these
variables. The code is contained within methods. Methods and instance variables collectively called as
members of the class.
A Simple Class
Here we will consider a simple example for creation of class, creating objects and using members of the
class. One can store the following program in a single file called BoxDemo.java. (Or, two classes can be
saved in two different files with the names Box.java and BoxDemo.java.)
class Box
{
double w, h, d;
}
class BoxDemo
{
public static void main(String args[])
{
Box b1=new Box();
Box b2=new Box();
double vol;
b1.w=2;
b1.h=4;
b1.d=3;
b2.w=5;
b2.h=6;
b2.d=2;
44
SUIET 2022-23 21SCS34
vol=b1.w*b1.h*b1.d;
System.out.println("Volume of Box1 is " + vol);
vol=b2.w*b2.h*b2.d;
System.out.println("Volume of Box2 is " + vol);
}
}
Declaring Objects
Creating a class means having a user-defined data type. To have a variable of this new data type, we should
create an object.
Consider the following declaration:
Box b1;
This statement will not actually create any physical object, but the object name b1 can just refer to the actual
object on the heap after memory allocation as follows –
b1 = new Box ();
We can even declare an object and allocate memory using a single statement –
Box b1=new Box();
Without the usage of new, the object contains null. Once memory is allocated dynamically, the object b1
contains the address of real object created on the heap.
The memory map is as shown in the following diagram –
Statement Effect
b1
45
SUIET 2022-23 21SCS34
d
b1 = new Box();
w b1
h
Closer look at new
The general form for d object creation is –
obj_name = new class_name();
Here, class_name() is actually a constructor call. A constructor is a special type of member function invoked
automatically when the object gets created. The constructor usually contains the code needed for object
initialization. If we do not provide any constructor, then Java supplies a default constructor.
Java treats primitive types like byte, short, int, long, char, float, double and boolean as ordinary variables but
not as an object of any class. This is to avoid extra overhead on the heap memory and also to increase the
efficiency of the program. Java also provides the class-version of these primitive types that
can be used only if necessary. We will study those types later in detail.
With the term dynamic memory allocation, we can understand that the keyword new allocates memory for
the object during runtime. So, depending on the user’s requirement memory will be utilized. This will
avoid the problems with static memory allocation (either shortage or wastage of memory during runtime).
If there is no enough memory in the heap when we use new for memory allocation, it will throw a run-time
exception.
Now both b1 and b2 refer to same object on the heap. The memory representation for two objects can be
shown as –
b1
46
SUIET 2022-23 21SCS34
b2
Thus, any change made for the instance variables of one object affects the other object also. Although b1
and b2 both refer to the same object, they are not linked in any other way. For example, a subsequent
assignment to b1 will simply unhook b1 from the original object without affecting the object or affecting
b2.
For example:
Box b1 = new Box();
Box b2 = b1;
// ...
b1 = null;
Here, b1 has been set to null, but b2 still points to the original object.
NOTE that when you assign one object reference variable to another object reference variable, you are
not creating a copy of the object, you are only making a copy of the reference.
Introducing Methods
A class can consist of instance variables and methods. We have seen declaration and usage of instance
variables in Program 2.1. Now, we will discuss about methods. The general form of a method is –
ret_type method_name(para_list)
{
//body of the method
return value;
}
Here, ret_type specifies the data type of the variable returned by the method. It may be any primitive type or
any other derived type including name of the same class. If the method does not return any value, the ret_type
should be specified as void.
method_name is any valid name given to the method para_list is the list of parameters (along with their
respective types) taken the method. It may be even empty also.
body of method is a code segment written to carry out some process for which the method is meant for.
return is a keyword used to send value to the calling method. This line will be absent if the ret_type is void.
Though it is possible to have classes with only instance variables as we did for Box class of Program ,
it is advisable to have methods to operate on those data. Because, methods acts as interface to the
classes. This allows the class implementer to hide the specific layout of internal data structures behind
cleaner method abstractions. In addition to defining methods that provide access to data, you can also
define methods that are used internally by the class itself.
Consider the following example –
class Box
{
47
SUIET 2022-23 21SCS34
double w, h, d;
void volume()
{
System.out.println("The volume is " + w*h*d);
}
class BoxDemo
{
public static void main(String args[])
{
Box b1=new Box();
Box b2=new Box();
b1.w=2;
b1.h=4;
b1.d=3;
b2.w=5;
b2.h=6;
b2.d=2;
b1.volume();
b2.volume();
}
}
Returning a value
In the previous example, we have seen a method which does not return anything. Now we will modify the
above program so as to return the value of volume to main() method.
class Box
{
double w, h, d;
double volume()
{
return w*h*d;
}
}
48
SUIET 2022-23 21SCS34
class BoxDemo
{
public static void main(String args[])
{
Box b1=new Box();
Box b2=new Box();
double vol;
b1.w=2;
b1.h=4;
b1.d=3;
b2.w=5;
b2.h=6;
b2.d=2;
vol = b1.volume()
System.out.println("The volume is " + vol);
System.out.println("The volume is " + b2.volume());
}
}
class BoxDemo
{
public static void main(String args[])
{
Box b1=new Box();
Box b2=new Box();
b1.set(2,4,3);
b2.set(5,6,2);
System.out.println("The volume of b1 is " + b1.volume());
System.out.println("The volume of b2 is " + b2.volume());
}
}
The output would be –
The volume of b1 is 24.0
The volume of b2 is 60.0
In the above program, the Box class contains a method set() which take 3 parameters. Note that, the variables
wd, ht and dp are termed as formal parameters or just parameters for a method. The values
passed like 2, 4, 3 etc. are called as actual arguments or just arguments passed to the method.
Constructors
Constructor is a special type of member method which is invoked automatically when the object gets
created. Constructors are used for object initialization. They have same name as that of the class. Since
they are called automatically, there is no return type for them. Constructors may or may not take
parameters.
class Box
{
double w, h, d;
double volume()
{
return w*h*d;
}
Box() //ordinary constructor
{
w=h=d=5;
}
Box(double wd, double ht, double dp) //parameterized constructor
{
w=wd;
h=ht;
d=dp;
}
50
SUIET 2022-23 21SCS34
}
class BoxDemo
{
public static void main(String args[])
{
Box b1=new Box();
Box b2=new Box();
Box b3=new Box(2,4,3);
System.out.println("The volumeof b1 is " + b1.volume());
System.out.println("The volumeof b2 is " + b2.volume());
System.out.println("The volumeof b3 is " + b3.volume());
}
}
When we create two objects b1 and b2, the constructor with no arguments will be called and the all the
instance variables w, h and d are set to 5. Hence volume of b1 and b2 will be same (that is 125 in this
example). But, when we create the object b3, the parameterized constructor will be called and hence
volume will be 24.
In the statement
classname ob= new classname();
Here, the keyword protected is a specifier that prevents access to finalize( ) by code defined outside its
class. Note that finalize( ) is only called just prior to garbage collection. It is not called when an object
goes out-of-scope. So, we can not know when finalize() method is called, or we may be sure whether it
is called or not before our program termination. Therefore, if at all our program uses some resources, we
should provide some other means for releasing them and must not depend on finalize() method.
A Stack Class
To summarize the concepts of encapsulation, class, constructor, member initialization etc., we will now
consider a program to implement stack operations.
Concept of Stack: A stack is a Last in First Out (LIFO) data structure. Following figure depicts the basic
Inserting an element into a stack is known as push operation, whereas deleting an element from the
stack is pop operation. An attempt made to push an element into a full stack is stack overflow and an
attempt to delete from empty stack is stack underflow.
class Stack
{
int st[] = new int[5];
int top;
Stack()
{
top = -1;
}
void push(int item)
{
if(top==4)
System.out.println("Stack is full.");
53
SUIET 2022-23 21SCS34
else
st[++top] = item;
}
int pop()
{
if(top==-1)
{
System.out.println("Stack underflow.");
return 0;
}
else
return st[top--];
}
}
class StackDemo
{
public static void main(String args[])
{
Stack mystack1 = new Stack();
Stack mystack2 = new Stack();
for(int i=0; i<5; i++)
mystack1.push(i);
for(int i=5; i<10; i++)
mystack2.push(i);
System.out.println("Contents of mystack1:");
for(int i=0; i<5; i++)
System.out.println(mystack1.pop());
System.out.println("Contents of mystack2:");
for(int i=0; i<5; i++)
System.out.println(mystack2.pop());
}
}
Overloading Methods
Having more than one method with a same name is called as method overloading. To implement this
concept, the constraints are:
1. The number of arguments should be different, and/or
2. Type of the arguments must be different.
NOTE that, only the return type of the method is not sufficient for overloading.
class Overload
{
void test() //method without any arguments
{
System.out.println("No parameters");
}
void test(int a) //method with one integer argument
54
SUIET 2022-23 21SCS34
{
System.out.println("Integer a: " + a);
}
void test(int a, int b) //two arguments
{
System.out.println("With two arguments : " + a + " " + b);
}
void test(double a) //one argument of double type
{
System.out.println("double a: " + a);
}
}
class OverloadDemo
{
public static void main(String args[])
{
Overload ob = new Overload();
ob.test();
ob.test(10);
ob.test(10, 20);
ob.test(123.25);
}
}
Overloading Constructors
One can have more than one constructor for a single class if the number and/or type of arguments are
different. Consider the following code:
class OverloadConstruct
{
int a, b;
OverloadConstruct()
{
System.out.println("Constructor without arguments");
}
OverloadConstruct(int x)
{
a=x;
System.out.println("Constructor with one argument:"+a);
}
OverloadConstruct(int x, int y)
{
a=x;
b=y;
System.out.println("Constructor with two arguments:"+ a +"\t"+ b);
}
}
55
SUIET 2022-23 21SCS34
class OverloadConstructDemo
{
public static void main(String args[])
{
OverloadConstruct ob1= new OverloadConstruct();
OverloadConstruct ob2= new OverloadConstruct(10);
OverloadConstruct ob3= new OverloadConstruct(5,12);
}
}
Output:
Constructor without arguments
Constructor with one argument: 10
Constructor with two arguments: 5 12
void vol()
{
System.out.println("Volume is " + h*w*d);
}
public static void main(String args[])
{
Box b1=new Box(2,3,4);
Box b2=new Box(b1); //initialize b2 using b1
b1.vol();
b2.vol();
}
}
Output
Volume is 24
Volume is 24
57
SUIET 2022-23 21SCS34
In Java, when you pass a primitive type to a method, it is passed by value. When you pass an object to a
method, they are passed by reference. Keep in mind that when you create a variable of a class type, you are
only creating a reference to an object. Thus, when you pass this reference to a method, the parameter that
receives it will refer to the same object as that referred to by the argument.
This effectively means that objects are passed to methods by use of call-by-reference. Changes to the object
inside the method do affect the object used as an argument.
class Test
{
int a, b;
Test(int i, int j)
{
a = i;
b = j;
}
void meth(Test o)
{
o.a *= 2;
o.b /= 2;
}
}
class CallByRef
{
public static void main(String args[])
{
Test ob = new Test(15, 20);
System.out.println("before call: " + ob.a + " " + ob.b);
ob.meth(ob);
System.out.println("after call: " + ob.a + " " + ob.b);
}
}
Output:
before call: 15 20
after call: 30 10
Returning Objects
In Java, a method can return an object of user defined class.
class Test
{
int a;
Test(int i)
{
a = i;
}
Test incrByTen()
{
58
SUIET 2022-23 21SCS34
Test temp = new Test(a+10);
return temp;
}
}
class RetOb
{
public static void main(String args[])
{
Test ob1 = new Test(2);
Test ob2;
ob2 = ob1.incrByTen();
System.out.println("ob1.a: " + ob1.a);
System.out.println("ob2.a: " + ob2.a);
ob2 = ob2.incrByTen();
System.out.println("ob2.a after second increase: " + ob2.a);
}
}
Output:
ob1.a: 2
ob2.a: 12
ob2.a after second increase: 22
Recursion
A method which invokes itself either directly or indirectly is called as recursive method. Every recursive
method should satisfy following constraints:
1. It should have at least one non-recursive terminating condition.
2. In every step, it should be nearer to the solution (that is, problem size must be decreasing)
class Factorial
{
int fact(int n)
{
if (n==0)
return 1;
return n*fact(n-1);
}
}
class FactDemo
{
public static void main(String args[])
{
Factorial f= new Factorial();
System.out.println("Factorial 3 is "+ f.fact(3));
System.out.println("Factorial 8 is "+ f.fact(8));
}
}
59
SUIET 2022-23 21SCS34
Output:
Factorial of 3 is 6
Factorial of 8 is 40320
class AccessTest
{
public static void main(String args[])
{
Test ob = new Test();
60
SUIET 2022-23 21SCS34
ob.a = 10;
ob.b = 20;
ob.setc(100);
System.out.println("a, b, and c: " + ob.a + " " + ob.b + " " + ob.getc());
}
}
Understanding static
When a member is declared static, it can be accessed before any objects of its class are created, and
without reference to any object. Instance variables declared as static are global variables. When objects
of its class are declared, no copy of a static variable is made. Instead, all instances of the class share
the same static variable.
Methods declared as static have several restrictions:
They can only call other static methods.
They must only access static data.
They cannot refer to this or super in any way.
If you need to do computation in order to initialize your static variables, you can declare a static block
that gets executed exactly once, when the class is first loaded.
class UseStatic
{
static int a = 3;
static int b;
static void meth(int x) //static method
{
System.out.println("x = " + x);
System.out.println("a = " + a);
System.out.println("b = " + b);
}
static //static block
{
System.out.println("Static block initialized.");
b = a * 4;
}
public static void main(String args[])
{
meth(42);
}
}
Output:
Static block initialized.
x = 42
a=3
b = 12
Outside of the class in which they are defined, static methods and variables can be used independently
of any object. To do so, you need only specify the name of their class followed by the dot operator. The
general form is –
classname.method();
Consider the following program:
61
SUIET 2022-23 21SCS34
class StaticDemo
{
static int a = 42;
static int b = 99;
static void callme()
{
System.out.println("Inside static method, a = " + a);
}
}
class StaticByName
{
public static void main(String args[])
{
StaticDemo.callme();
System.out.println("Inside main, b = " + StaticDemo.b);
}
}
Output:
Inside static method, a = 42
Inside main, b = 99
Arrays Revisited
Arrays have been discussed earlier. An important point to be noted with arrays is: arrays are
implemented as objects in Java. Because of this, we can use a special instance variable length to know
the size of an array.
class Test
{
public static void main(String args[])
{
int a1[]=new int[10];
int a2[]={1, 2, 3, 4, 5};
int a3[]={3, 8, -2, 45, 9, 0, 23};
System.out.println(“Length of a1 is” + a1.length);
System.out.println(“Length of a2 is” + a2.length);
System.out.println(“Length of a3 is” + a3.length);
}
}
Output:
Length of a1 is 10
Length of a2 is 5
Length of a3 is 7
3.19 Inheritance
Inheritance is one of the building blocks of object oriented programming languages. It allows creation of
classes with hierarchical relationship among them. Using inheritance, one can create a general class that defines
traits common to a set of related items. This class can then be inherited by other, more specific classes, each
adding those things that are unique to it. In the terminology of Java, a class that is inherited is called a
62
SUIET 2022-23 21SCS34
superclass. The class that does the inheriting is called a subclass. Therefore, a subclass is a specialized version
of a superclass. It inherits all of the instance variables and methods defined by the superclass and add its own,
unique elements. Through inheritance, one can achieve re-usability of the code.
class A //super class
{
//members of class A
}
class B extends A //sub class
{
//members of B
}
void sum()
{
System.out.println("i+j+k: " + (i+j+k));
}
}
class SimpleInheritance
{
public static void main(String args[])
{
A superOb = new A();
B subOb = new B();
superOb.i = 10;
superOb.j = 20;
System.out.println("Contents of superOb: ");
superOb.showij();
subOb.i = 7;
subOb.j = 8;
subOb.k = 9;
63
SUIET 2022-23 21SCS34
System.out.println("Contents of subOb: ");
subOb.showij();
subOb.showk();
System.out.println("Sum of i, j and k in subOb:");
subOb.sum();
}
}
Note that, private members of the super class can not be accessed by the sub class. The subclass
contains all non-private members of the super class and also it contains its own set of members to
achieve specialization.
Type of Inheritance
Single Inheritance: If a class is inherited from one parent class, then it is known as single inheritance.
This will be of the form as shown below –
Superclass
Subclass
Multilevel Inheritance: If several classes are inherited one after the other in a hierarchical manner, it is known
as multilevel inheritance, as shown below –
64
SUIET 2022-23 21SCS34
class Demo
{
public static void main(String args[])
{
Base b = new Base();
Derived d=new Derived();
b=d; //superclass reference is holding subclass object
b.dispB();
//b.dispD(); error!!
}
}
Note that, the type of reference variable decides the members that can be accessed, but not the type
of the actual object. That is, when a reference to a subclass object is assigned to a superclass
reference variable, you will have access only to those parts of the object defined by the superclass.
Using super
In Java, the keyword super can be used in following situations:
1. To invoke superclass constructor within the subclass constructor
2. To access superclass member (variable or method) when there is a duplicate member name in
the subclass
Let us discuss each of these situations:
class Box
{
double w, h, b;
Box(double wd, double ht, double br)
{
w=wd; h=ht; b=br;
}
}
class Box
{
double w, h, b;
Box(double wd, double ht, double br)
{
w=wd; h=ht; b=br;
}
}
class Demo
{
public static void main(String args[])
{
ColourBox b=new ColourBox(2,3,4, 5);
}
66
SUIET 2022-23 21SCS34
}
Here, we are creating the object b of the subclass ColourBox . So, the constructor of this class is invoked. As
the first statement within it is super(wd, ht, br), the constructor of superclass Box is invoked, and then the rest
of the statements in subclass constructor ColourBox are executed.
To access superclass member variable when there is a duplicate variable name in the subclass:
This form of super is most applicable to situations in which member names of a subclass hide members by the
same name in the superclass.
class A
{
int a;
}
class B extends A
{
int a; //duplicate variable a
B(int x, int y)
{
super.a=x; //accessing superclass a
a=y; //accessing own member a
}
void disp()
{
System.out.println("super class a: "+ super.a);
System.out.println("sub class a: "+ a);
}
}
class SuperDemo
{
public static void main(String args[])
{
B ob=new B(2,3);
ob.disp();
}
}
class B extends A
67
SUIET 2022-23 21SCS34
{
int b;
}
class C extends B
{
int c;
C(int x, int y, int z)
{
a=x; b=y; c=z;
}
void disp()
{
System.out.println("a= "+a+ " b= "+b+" c="+c);
}
}
class MultiLevel
{
public static void main(String args[])
{
C ob=new C(2,3,4);
ob.disp();
}
}
class A
{
A()
{
System.out.println("A's constructor.");
}
}
class B extends A
{
B()
{
System.out.println("B's constructor.");
}
}
68
SUIET 2022-23 21SCS34
class C extends B
{
C()
{
System.out.println("C's constructor.");
}
}
class CallingCons
{
public static void main(String args[])
{
C c = new C();
}
}
Output:
A's constructor
B's constructor
C's constructor
Method Overriding
In a class hierarchy, when a method in a subclass has the same name and type signature as a method in its
superclass, then the method in the subclass is said to override the method in the superclass. When an
overridden method is called from within a subclass, it will always refer to the version of that method defined by
the subclass. The version of the method defined by the superclass will be hidden.
class A
{
int i, j;
A(int a, int b)
{
i = a;
j = b;
}
void show() //suppressed
{
System.out.println("i and j: " + i + " " + j);
}
}
class B extends A
{
int k;
B(int a, int b, int c)
{
super(a, b);
69
SUIET 2022-23 21SCS34
k = c;
}
void show() //Overridden method
{
System.out.println("k: " + k);
}
}
class Override
{
public static void main(String args[])
{
B subOb = new B(1, 2, 3);
subOb.show();
}
}
Output:
k: 3
Note that, above program, only subclass method show() got called and hence only k got displayed. That
is, the show() method of super class is suppressed. If we want superclass method also to be called, we
can re-write the show() method in subclass as –
void show()
{
super.show(); // this calls A's show()
System.out.println("k: " + k);
}
Method overriding occurs only when the names and the type signatures of the two methods (one in superclass
and the other in subclass) are identical. If two methods (one in superclass and the other in subclass) have same
name, but different signature, then the two methods are simply overloaded.
70
SUIET 2022-23 21SCS34
class A
{
void callme()
{
System.out.println("Inside A");
}
}
class B extends A
{
void callme()
{
System.out.println("Inside B");
}
}
class C extends A
{
void callme()
{
System.out.println("Inside C");
}
}
class Dispatch
{
public static void main(String args[])
{
A a = new A();
B b = new B();
C c = new C();
A r; //Superclass reference
r = a; //holding subclass object
r.callme();
r = b;
r.callme();
r = c;
r.callme();
}
}
A class containing at least one abstract method is called as abstract class. Abstract classes cannot be
instantiated, that is one cannot create an object of abstract class. Whereas, a reference can be created for an
abstract class.
abstract class A
{
abstract void callme();
void callmetoo()
{
System.out.println("This is a concrete method.");
}
}
class B extends A
{
void callme() //overriding abstract method
{
System.out.println("B's implementation of callme.");
}
}
class AbstractDemo
{
public static void main(String args[])
{
B b = new B(); //subclass object
b.callme(); //calling abstract method
b.callmetoo(); //calling concrete meth
}
}
Example: Write an abstract class shape, which has an abstract method area(). Derive three classes
Triangle, Rectangle and Circle from the shape class and to override area(). Implement run-time
polymorphism by creating array of references to superclass. Compute area of different shapes and display the
same.
72
SUIET 2022-23 21SCS34
Solution:
abstract class Shape
{
final double PI= 3.1416;
abstract double area();
}
class AbstractDemo
{
public static void main(String args[])
{
Shape r[]={new Triangle(3,4), new Rectangle(5,6),new Circle(2)};
for(int i=0;i<3;i++)
System.out.println(r[i].area());
}
}
Output:
Area of Triangle is:6.0
Area of Rectangle is:30.0
Area of Circle is:12.5664
Note that, here we have created array r, which is reference to Shape class. But, every element in r is holding
objects of different subclasses. That is, r[0] holds Triangle class object, r[1] holds Rectangle class object and so
on. With the help of array initialization, we are achieving this, and also, we are calling respective constructors.
Later, we use a for-loop to invoke the method area() defined in each of these classes.
Using final
The keyword final can be used in three situations in Java:
1. To create the equivalent of a named constant.
2. To prevent method overriding
3. To prevent Inheritance
To create the equivalent of a named constant: A variable can be declared as final. Doing so prevents
its contents from being modified. This means that you must initialize a final variable when it is declared.
For example:
final int FILE_NEW = 1;
final int FILE_OPEN = 2;
final int FILE_SAVE = 3;
final int FILE_SAVEAS = 4;
final int FILE_QUIT = 5;
It is a common coding convention to choose all uppercase identifiers for final variables. Variables
declared as final do not occupy memory on a per-instance basis. Thus, a final variable is essentially a
constant.
class B extends A
{
void meth() // ERROR! Can't override.
{
System.out.println("Illegal!");
}
}
To prevent Inheritance: As we have discussed earlier, the subclass is treated as a specialized class and
superclass is most generalized class. During multi-level inheritance, the bottom most class will be with all the
features of real-time and hence it should not be inherited further. In such situations, we can prevent a particular
class from inheriting further, using the keyword final. For example –
final class A
{
// ...
}
Note:
Declaring a class as final implicitly declares all of its methods as final, too.
It is illegal to declare a class as both abstract and final since an abstract class is incomplete by itself and
relies upon its subclasses to provide complete implementations
Method Purpose
Object clone( ) Creates a new object that is the same as the object being cloned.
boolean equals(Object object) Determines whether one object is equal to another.
void finalize( ) Called before an unused object is recycled.
Class getClass( ) Obtains the class of an object at run time.
int hashCode( ) Returns the hash code associated with the invoking object.
75
SUIET 2022-23 21SCS34
void notify( ) Resumes execution of a thread waiting on the invoking object.
void notifyAll( ) Resumes execution of all threads waiting on the invoking object.
String toString( ) Returns a string that describes the object.
void wait( )
void wait(long milliseconds)
void wait(long milliseconds,
int nanoseconds)
Waits on another thread of execution.
The methods getClass( ), notify( ), notifyAll( ), and wait( ) are declared as final. You may override
the others. The equals( ) method compares the contents of two objects. It returns true if the objects
are equivalent, and false otherwise. The precise definition of equality can vary, depending on the
type of objects being compared. The toString( ) method returns a string that contains a description of
the object on which it is called. Also, this method is automatically called when an object is output
using println( ). Many classes override this method.
MODULE IV
Packages
When we have more than one class in our program, usually we give unique names to classes. In a real- time
development, as the number of classes increases, giving unique meaningful name for each class will be a
problem. To avoid name-collision in such situations, Java provides a concept of packages. A package is a
collection of classes. The package is both a naming and a visibility control mechanism. You can define classes
inside a package that are not accessible by code outside that package. You can also define class members that
are only exposed to other members of the same package. This allows your classes to have intimate knowledge
of each other, but not expose that knowledge to the rest of the world.
76
SUIET 2022-23 21SCS34
Defining a Package
To create a package, include a package command as the first statement in a Java source file. Any class declared
within that file will belong to the specified package. If you omit the package statement, the class names are put
into the default package, which has no name.
Java uses file system directories to store packages. For example, the .class file for any class you declare to be
part of MyPackage must be stored in a directory called MyPackage. Remember that case is significant, and the
directory name must match the package name exactly. More than one file can include the same package
statement. The package statement simply specifies to which package the classes defined in a file belong. It does
not exclude other class in other files from being part of that same package.
One can create a hierarchy of packages. To do so, simply separate each package name from the one above it by
use of a period. The general form of a multileveled package statement is shown here:
package pkg1[.pkg2[.pkg3]];
A package hierarchy must be reflected in the file system of your Java development system. For example, a
package declared as package java.awt.image; needs to be stored in java\awt\image in a Windows environment.
You cannot rename a package without renaming the directory in which the classes are stored.
By default, Java run-time uses current working directory as a starting point. So, if our packageis in
sub-directory of current working directory, then it will be found.
We can set directory path using CLASSPATH environment variable.
We can use –classpath option with javac and java to specify path of our classes.
Assume that we have created a package MyPackage. When the second two options are used, the class path
must not include MyPackage. It must simply specify the path to MyPackage. For example, in a Windows
environment, if the path to MyPackage is
C:\MyPrograms\Java\MyPackage
package MyPackage;
class Test
{
int a, b; Test(int x, int y)
{
77
SUIET 2022-23 21SCS34
a=x; b=y;
}
void disp()
{
System.out.println("a= "+a+" b= "+b);
}
}
class PackDemo
{
public static void main(String args[])
{
Test t=new Test(2,3);t.disp();
}
}
Access Protection
Java provides many levels of protection to allow fine-grained control over the visibility of variables and
methods within classes, subclasses, and packages. Classes and packages are both means of encapsulating and
containing the name space and scope of variables and methods. Packages act as containers for classes and other
subordinate packages. Classes act as containers for data and code. The class is Java’s smallest unit of
abstraction.
Even a class has accessibility feature. A class can be kept as default or can be declared as public. When a class
is declared as public, it is accessible by any other code. If a class has default access, then it can only be
accessed by other code within its same package. When a class is public, it must be the only public class
declared in the file, and the file must have the same name as the class.
Accessibility of members of the class can be better understood using the following table.
78
SUIET 2022-23 21SCS34
Different No No Yes Yes
packageSubclass
Different No No No Yes
packagenon-
subclass
Importing Packages
Since classes within packages must be fully qualified with their package name or names, it could become
tedious to type in the long dot-separated package path name for every class you want to use. For this reason,
Java includes the import statement to bring certain classes, or entire packages, into visibility. Once imported, a
class can be referred to directly, using only its name.
In a Java source file, import statements occur immediately following the package statement (if it exists) and
before any class definitions. The general form of the import statement is:
import pkg1[.pkg2].(classname|*);
For
example, import java.util.Date;import java.io.*;
The star form may increase compilation time—especially if you import several large packages. For this reason
it is a good idea to explicitly name the classes that you want to use rather than importing whole packages.
However, the star form has absolutely no effect on the run-time performance or size of your classes.
All of the standard Java classes included with Java are stored in a package called java. The basic language
functions are stored in a package inside of the java package called java.lang. Normally, you have to import
every package or class that you want to use, but since Java is useless without much of the functionality in
java.lang, it is implicitly imported by the compiler for all programs. This is equivalent to the following line
being at the top of all of your programs:
import java.lang.*;
If a class with the same name exists in two different packages that you import using the star form, the compiler
will remain silent, unless you try to use one of the classes. In that case, you will get a compile- time error and
have to explicitly name the class specifying its package.
The import statement is optional. Any place you use a class name, you can use its fully qualified name, which
includes its full package hierarchy. For example,
Can be written as –
class MyDate extends java.util.Date
{ …}
Interfaces
Interface is an abstract type that can contain only the declarations of methods and constants. Interfaces are
syntactically similar to classes, but they do not contain instance variables, and their methods are declared
79
SUIET 2022-23 21SCS34
without any body. Any number of classes can implement an interface. One class may implement many
interfaces. By providing the interface keyword, Java allows you to fully utilize the “one interface, multiple
methods” aspect of polymorphism. Interfaces are alternative means for multiple inheritance in Java.
Defining an Interface
An interface is defined much like a class. This is the general form of an interface:
Implementing Interface
To implement an interface, include the implements clause in a class definition, and then create the methods
defined by the interface. The general form of a class that includes the implements clause looks like this:
interface ICallback
{
void callback(int param);
}
class TestIface
{
public static void main(String args[])
{
ICallback c = new Client();c.callback(42);
// c.test() //error!!
}
}
Here, the interface ICallback contains declaration of one method callback(). The class Client implementing
this interface is defining the method declared in interface. Note that, the method callback() is public by default
inside the interface. But, the keyword public must be used while defining it inside the class. Also, the class has
its own method test(). In the main() method, we are creating a reference of
interface pointing to object of Client class. Through this reference, we can call interface method, but not
method of the class.
The true polymorphic nature of interfaces can be found from the following example –
interface ICallback
{
void callback(int param);
}
81
SUIET 2022-23 21SCS34
class TestIface
{
public static void main(String args[])
{
ICallback x[]={new Client(), new Client2()};
Output:
callback called with 5 Another version of ICallBack p squared 25
In this program, we have created array of references to interface, but they are initialized to class objects.Using
the array index, we call respective implementation of callback() method.
Note: Interfaces may look similar to abstract classes. But, there are lot of differences between them as shown
in the following table:
interface SharedConst
82
SUIET 2022-23 21SCS34
{
int FAIL=0; //these are final by default int PASS=1;
}
Result(double m)
{
mr=m;
}
int res()
{
if(mr<40)
return FAIL;else return PASS;
}
}
class Exam extends Result implements SharedConst
{
Exam(double m)
{
super(m);
}
public static void main(String args[])
{
Exam r = new Exam(56);
switch(r.res())
{
case FAIL:
System.out.println("Fail");break;
case PASS:
System.out.println("Pass");break;
}
}
}
interface A
{
void meth1();void meth2();
}
83
SUIET 2022-23 21SCS34
interface B extends A
{
void meth3();
}
Exception Handling
An exception is an abnormal condition that arises in a code sequence at run time. In other words, an exception
is a run-time error. In computer languages that do not support exception handling, errors must be checked and
handled manually—typically through the use of error codes. This approach is as cumbersome as it is
troublesome. Java’s exception handling avoids these problems and, in the process, brings run-time error
management into the object oriented world.
Exceptions can be generated by the Java run-time system, or they can be manually generated by your code.
Exceptions thrown by Java relate to fundamental errors that violate the rules of the Java language or the
84
SUIET 2022-23 21SCS34
constraints of the Java execution environment. Manually generated exceptions are typically used to report
some error condition to the caller of a method.
try
{
Exception Types
All the exceptions are the derived classes of built-in class viz. Throwable. It has two subclasses viz.
Exception and Error.
Throwable
Exception Error
85
Customized Exception
RuntimeException Customized Exception
(User defined class to
(Automatically defined (User defined class to
handle own exception)
for programs) handle own exception)
SUIET 2022-23 21SCS34
Exception class is used for exceptional conditions that user programs should catch. We can inherit from this
class to create our own custom exception types. There is an important subclass of Exception, called
RuntimeException. Exceptions of this type are automatically defined for the programs that you write and
include things such as division by zero and invalid array indexing.
Error class defines exceptions that are not expected to be caught under normal circumstances by our program.
Exceptions of type Error are used by the Java run-time system to indicate errors having to do with the run-time
environment, itself. Stack overflow is an example of such an error.
Uncaught Exceptions
Let us see, what happens if we do not handle exceptions.
class Exc0
{
public static void main(String args[])
{
int d = 0;
int a = 42 / d;
}
}
When the Java run-time system detects the attempt to divide by zero, it constructs a new exception object and
then throws this exception. This causes the execution of Exc0 to stop, because once an exception has been
thrown, it must be caught by an exception handler and dealt with immediately.
Since, in the above program, we have not supplied any exception handlers of our own, so the exception is
caught by the default handler provided by the Java run-time system.
Any un-caught exception is handled by default handler. The default handler displays a string describing the
exception, prints a stack trace from the point at which the exception occurred, and terminates the program. Here
is the exception generated when above example is executed:
The stack trace displays class name, method name, file name and line number causing the exception. Also, the
type of exception thrown viz. ArithmeticException which is the subclass of Exception is displayed. The type of
exception gives more information about what type of error has occurred. The stack trace will always show the
sequence of method invocations that led up to the error.
class Exc1
{
static void subroutine()
{
int d = 0;
int a = 10 / d;
}
public static void main(String args[])
{
86
SUIET 2022-23 21SCS34
Exc1.subroutine();
}
}
The resulting stack trace from the default exception handler shows how the entire call stack is displayed:
java.lang.ArithmeticException: / by zero at Exc1.subroutine(Exc1.java:6)
at Exc1.main(Exc1.java:10)
To handle run-time error, we need to enclose the suspected code within try block.
class Exc2
{
public static void main(String args[])
{
int d, a;
try
{
d = 0;
a = 42 / d;
System.out.println("This will not be printed.");
} catch (ArithmeticException e)
{
System.out.println("Division by zero.");
}
System.out.println("After catch statement.");
}
}
Output:
Division by zero. After catch statement.
The goal of most well-constructed catch clauses should be to resolve the exceptional condition and then
continue on as if the error had never happened.
a = 12345 / (b/c);
a = 12345 / (b/c);
} catch (ArithmeticException e)
{
System.out.println("Division by zero.");a = 0;
}
System.out.println("a: " + a);
}
}
}
The output of above program is not predictable exactly, as we are generating random numbers. But, the loop
will execute 10 times. In each iteration, two random numbers (b and c) will be generated. When their division
results in zero, then exception will be caught. Even after exception, loop will continue to execute.
Displaying a Description of an Exception: We can display this description in a println() statement by simply
passing the exception as an argument. This is possible because Throwable overrides the toString() method
(defined by Object) so that it returns a string containing a description of the exception.
catch (ArithmeticException e)
{
System.out.println("Exception: " + e);
a = 0;
}
class MultiCatch
{
public static void main(String args[])
{
88
SUIET 2022-23 21SCS34
try
{
int a = args.length; System.out.println("a = " + a);
int b = 42 / a;
int c[] = { 1 };
c[42] = 99;
}
catch(ArithmeticException e)
{
System.out.println("Divide by 0: " + e);
}
catch(ArrayIndexOutOfBoundsException e)
{
System.out.println("Array index oob: " + e);
}
System.out.println("After try/catch blocks.");
}
}
class SuperSubCatch
{
public static void main(String args[])
{
try
{
int a = 0;
int b = 42 / a;
} catch(Exception e)
{
System.out.println("Generic Exception catch.");
}
catch(ArithmeticException e) // ERROR - unreachable
{
System.out.println("This is never reached.");
}
}
}
89
SUIET 2022-23 21SCS34
The above program generates error “Unreachable Code”, because ArithmeticException is a subclass of
Exception.
class NestTry
{
public static void main(String args[])
{
try
{
int a = args.length;int b = 42 / a;
try
{
if(a==1)
a = a/(a-a);
if(a==2) int c[] = { 1 };c[10] = 99;
{
}
}catch(ArrayIndexOutOfBoundsException e)
{
System.out.println("Array index out-of-bounds: " + e);
}
}catch(ArithmeticException e)
{
System.out.println("Divide by 0: " + e);
}
}
}
When a method is enclosed within a try block, and a method itself contains a try block, it is considered tobe a
nested try block.
class MethNestTry
{ static void nesttry(int a)
{ try
{
90
SUIET 2022-23 21SCS34
if(a==1)
a = a/(a-a);if(a==2)
{
int c[] = { 1 };c[42] = 99;
}
}catch(ArrayIndexOutOfBoundsException e)
{
System.out.println("Array index out-of-bounds: " + e);
}
}
throw
Till now, we have seen catching the exceptions that are thrown by the Java run-time system. It is possible for
your program to throw an exception explicitly, using the throw statement. The general form of throw is shown
here:
throw ThrowableInstance;
Here, ThrowableInstance must be an object of type Throwable or a subclass of Throwable. Primitive types,
such as int or char, as well as non-Throwable classes, such as String and Object, cannot be used as
exceptions.
class ThrowDemo
{
static void demoproc()
{
try
{
throw new NullPointerException("demo");
91
SUIET 2022-23 21SCS34
} catch(NullPointerException e)
{
System.out.println("Caught inside demoproc: " + e);
}
}
Here, new is used to construct an instance of NullPointerException. Many of Java’s built-in run-time
exceptions have at least two constructors:
one with no parameter and
one that takes a string parameter
When the second form is used, the argument specifies a string that describes the exception. This string is
displayed when the object is used as an argument to print() or println(). It can also be obtained by a call to
getMessage(), which is defined by Throwable.
throws
If a method is capable of causing an exception that it does not handle, it must specify this behavior so that
callers of the method can guard themselves against that exception. You do this by including a throws clause in
the method’s declaration. A throws clause lists the types of exceptions that a method might throw. This is
necessary for all exceptions, except those of type Error or RuntimeException, or any of their subclasses. All
other exceptions that a method can throw must be declared in the throws clause. If they are not, a compile-time
error will result.
Here, exception-list is a comma-separated list of the exceptions that a method can throw.
class ThrowsDemo
{
static void throwOne() throws IllegalAccessException
{
System.out.println("Inside throwOne."); throw new IllegalAccessException("demo");
}
public static void main(String args[])
{
try
92
SUIET 2022-23 21SCS34
{
throwOne();
} catch (IllegalAccessException e)
{
System.out.println("Caught " + e);
}
}
}
finally
When exceptions are thrown, execution in a method takes a rather abrupt, nonlinear path that alters the normal
flow through the method. Sometimes it is even possible for an exception to cause the method to return
prematurely. This could be a problem in some methods. For example, if a method opens a file upon entry and
closes it upon exit, then you will not want the code that closes the file to be bypassed by the exception-handling
mechanism. The finally keyword is designed to address such situations.
The finally clause creates a block of code that will be executed after a try/catch block has completed and
before the next code of try/catch block. The finally block will execute whether or not an exception is thrown.
If an exception is thrown, the finally block will execute even if no catch statement matches the exception. Any
time a method is about to return to the caller from inside a try/catch block, via an uncaught exception or an
explicit return statement, the finally clause is also executed just before the method returns. The finally clause is
optional. However, each try statement requires at least one catch or a finally clause.
class FinallyDemo
{
static void procA()
{
try
{
}
}
System.out.ptintln("procA's finally");
static void procB()
{
try
{
} finally
93
SUIET 2022-23 21SCS34
{
}
}
System.out.println("inside procB");return;
System.out.println("procB's finally");
}
}
}
}
Output:
inside procA procA’s finally Exception caught inside procB procB’s finally inside procC procC’s finally
94
Java’s Built-in Exceptions
Inside the standard package java.lang, Java defines several exception classes. The most general of these
exceptions are subclasses of the standard type RuntimeException. These exceptions need not be included in
any method’s throws list. Such exceptions are called as unchecked exceptions because the compiler does not
check to see if a method handles or throws these exceptions. Java.lang defines few checked exceptions which
needs to be listed out by a method using throws list if that method generate one of these exceptions and does
not handle it itself. Java defines several other types of exceptions that relate to its various class libraries.
Method Description
Throwable fillInStackTrace( ) Returns a Throwable object that contains a completed
stack trace. This object can be re-thrown.
Throwable getCause( ) Returns the exception that underlies the current
exception. If there is no underlying exception, null is
returned.
String getLocalizedMessage( ) Returns a localized description of the exception.
String getMessage() Returns a description of the exception.
StackTraceElement[] Returns an array that contains the stack trace, one
getStackTrace() element at a time, as an array of StackTraceElement.
The method at the top of the stack is the last method
called before the exception was thrown. This method is
found in the first element of the array. The
StackTraceElement class gives your program access to
information about each element in the trace, such as its
method name.
Throwable initCause(Throwable Associates causeExc with the invoking exception as a
causeExc) cause of the invoking exception. Returns a reference to
the exception.
void printStackTrace( ) Displays the stack trace.
We may wish to override one or more of these methods in exception classes that we create. Two of the
constructors of Exception are:
Exception( ) Exception(String msg)
Though specifying a description when an exception is created is often useful, sometimes it is better to override
toString( ). The version of toString( ) defined by Throwable (and inherited by Exception) first displays the
name of the exception followed by a colon, which is then followed by your description. By overriding
toString( ), you can prevent the exception name and colon from being displayed. This makes for a cleaner
output, which is desirable in some cases.
class MyException extends Exception
{
int marks;
MyException (int m)
{
marks=m;
}
System.out.println("Normal exit");
}
public static void main(String args[])
{
try{
test(45);
test(-2);
}
catch (MyException e)
{
System.out.println("Caught " + e);
}
}
}
Chained Exceptions
The concept of chained exception allows you to associate another exception with an exception. This second
exception describes the cause of the first exception. For example, imagine a situation in which a method throws
an ArithmeticException because of an attempt to divide by zero. However, the actual cause of the problem was
that an I/O error occurred, which caused the divisor to be set improperly. Although the method must certainly
throw an ArithmeticException, since that is the error that occurred, you might also want to let the calling code
know that the underlying cause was an I/O error. Chained exceptions let you handle this, and any other
situation in which layers of exceptions exist.
To allow chained exceptions, two constructors and two methods were added to Throwable. The constructors
are shown here:
Throwable(Throwable causeExc)
Throwable(String msg, Throwable causeExc)
In the first form, causeExc is the exception that causes the current exception. That is, causeExc is the
underlying reason that an exception occurred. The second form allows you to specify a description at the same
time that you specify a cause exception. These two constructors have also been added to the Error, Exception,
and RuntimeException classes.
Chained exceptions can be carried on to whatever depth is necessary. Thus, the cause exception can, itself, have
a cause. Be aware that overly long chains of exceptions may indicate poor design. Chained exceptions are not
something that every program will need. However, in cases in which knowledge of an underlying cause is
useful, they offer an elegant solution.
Using Exceptions
Exception handling provides a powerful mechanism for controlling complex programs that have many dynamic
run-time characteristics. It is important to think of try, throw, and catch as clean ways to handle errors and
unusual boundary conditions in your program’s logic. Unlike some other languages in which error return codes
are used to indicate failure, Java uses exceptions. Thus, when a method can fail, have it throw an exception.
This is a cleaner way to handle failure modes.
Note that Java’s exception-handling statements should not be considered a general mechanism for
nonlocal branching. If you do so, it will only confuse your code and make it hard to maintain.
MODULE V
Enumerations
An enumeration is a list of named constants. In Java, enumerations define class types. That is, in Java,
enumerations can have constructors, methods and variables. An enumeration is created using the keyword
enum. Following is an example –
enum Person
{
Married, Unmarried, Divorced, Widowed
}
The identifiers like Married, Unmarried etc. are called as enumeration Constants. Each such constant is
implicitly considered as a public static final member of Person.
After defining enumeration, we can create a variable of that type. Though enumeration is a class type, we need
not use new keyword for variable creation, rather we can declare it just like any primitive data type. For
example,
Person p= Person.Married;
We can use == operator for comparing two enumeration variables. They can be used in switch-case
also. Printing an enumeration variable will print the constant name. That is,
System.out.println(p); // prints as Married
enum Person
{
Married, Unmarried, Divorced, Widowed
}
class EnumDemo
{
public static void main(String args[])
{
Person p1;
switch(p1)
{
case Married: System.out.println("p1 is Married");break;
case Unmarried: System.out.println("p1 is Unmarried");
break;
case Divorced: System.out.println("p1 is Divorced");break;
case Widowed: System.out.println("p1 is Widowed");
break;
}
}
}
The values() method returns an array of enumeration constants. The valueOf() method returns theenumeration
constant whose value corresponds to the string passed in str.
enum Person
{
Married, Unmarried, Divorced, Widowed
}
class EnumDemo
{ public static void main(String args[])
{ Person p;
for(Person p1:all)
System.out.println(p1);
Output:
Following are Person constants:
Married UnmarriedDivorced Widowed
p contains Married
enum Apple
{
Jonathan(10), GoldenDel(9), RedDel(12), Winesap(15), Cortland(8);private int price;
Apple(int p)
{
price = p;
}
int getPrice()
{
return price;
}
}
class EnumDemo
{
public static void main(String args[])
{
Apple ap;
System.out.println("Winesap costs " + Apple.Winesap.getPrice());System.out.println("All apple prices:");
for(Apple a : Apple.values())
System.out.println(a + " costs " + a.getPrice() + " cents.");
}
}
Output:
Winesap costs 15All apple prices:
Jonathan costs 10 cents.
GoldenDel costs 9 cents.RedDel costs 12 cents. Winesap costs 15 cents. Cortland costs 8 cents.
Here, we have member variable price, a constructor and a member method. When the variable ap is
declared in main( ), the constructor for Apple is called once for each constant that is specified.
Although the preceding example contains only one constructor, an enum can offer two or moreoverloaded
forms, just as can any other class. Two restrictions that apply to enumerations:
an enumeration can’t inherit another class.
an enum cannot be a superclass.
It returns the ordinal value of the invoking constant. Ordinal values begin at zero. We can compare the
ordinal value of two constants of the same enumeration by using the compareTo() method. It has this general
form:
final int compareTo(enum-type e)
We can compare for equality an enumeration constant with any other object by using equals( ), which
overrides the equals( ) method defined by Object.
enum Person
{
Married, Unmarried, Divorced, Widowed
}
enum MStatus
{
Married, Divorced
}
class EnumDemo
{
public static void main(String args[])
{
Person p1, p2, p3;
MStatus m=MStatus.Married; System.out.println("Ordinal values are: ");
for(Person p:Person.values())
System.out.println(p + " has a value " + p.ordinal());
p1=Person.Married; p2=Person.Divorced;p3=Person.Married;
if(p1.compareTo(p2)<0)
System.out.println(p1 + " comes before "+p2);else if(p1.compareTo(p2)==0)
System.out.println(p1 + " is same as "+p2);
else
System.out.println(p1 + " comes after "+p2);
if(p1.equals(p3))
System.out.println("p1 & p3 are same");
if(p1==p3)
System.out.println("p1 & p3 are same");
if(p1.equals(m))
System.out.println("p1 & m are same");
else
System.out.println("p1 & m are not same");
The type wrappers are Double, Float, Long, Integer, Short, Byte, Character, and Boolean. These classes
offer a wide array of methods that allow you to fully integrate the primitive types into Java’s object hierarchy.
Primi Wrapper
tive
boole java.lang.Boolea
an n
byte java.lang.Byte
char java.lang.Charac
ter
doubl java.lang.Doubl
e e
float java.lang.Float
int java.lang.Integer
long java.lang.Long
short java.lang.Short
void java.lang.Void
Character Wrappers: Character is a wrapper around a char. The constructor for Character is Character(char
ch)
Here, ch specifies the character that will be wrapped by the Character object being created. Toobtain the
char value contained in a Character object, call charValue(), shown here:
char charValue( )
Boolean Wrappers: Boolean is a wrapper around boolean values. It defines these constructors:
Boolean(boolean boolValue)
Boolean(String boolString)
In the first version, boolValue must be either true or false. In the second version, if boolString
contains the string “true” (in uppercase or lowercase), then the new Boolean object will be true.
Otherwise, it will be false. To obtain a boolean value from a Boolean object, useboolean booleanValue( )
It return the boolean equivalent of the invoking object.
The Numeric Type Wrappers: The most commonly used type wrappers are those that represent numeric
values. All of the numeric type wrappers inherit the abstract class Number. Number declares methods that
return the value of an object in each of the different number formats. These methods are shown here:
byte byteValue( ) double doubleValue( ) float floatValue( ) int intValue( )
long longValue( ) short shortValue( )
For example, doubleValue( ) returns the value of an object as a double, floatValue( ) returns the value as a
float, and so on. These methods are implemented by each of the numeric type wrappers.
All of the numeric type wrappers define constructors that allow an object to be constructed from a given value,
or a string representation of that value. For example, here are the constructors defined for Integer:
Integer(int num) Integer(String str)
If str does not contain a valid numeric value, then a NumberFormatException is thrown. All of the type
wrappers override toString(). It returns the human-readable form of the value contained within the wrapper.
This allows you to output the value by passing a type wrapper object to println(), for example, without having
to convert it into its primitive type.
Ex:
class TypeWrap
{
Output:
Character is # Boolean is true Boolean is false 12 is same as 12
x is 21
s is 25
I/O Basics
Java programs perform I/O through streams. A stream is a logical device that either produces or consumes
information. A stream is linked to a physical device by the Java I/O system. All streams behave in the same
manner, even if the actual physical devices to which they are linked differ. Thus, the same I/O classes and
methods can be applied to any type of device. Java defines two types of streams: byte and character. Byte
streams are used for reading or writing binary data. Character streams provide a convenient means for
handling input and output of characters.
Here, inputReader is the stream that is linked to the instance of BufferedReader that is being created. To
obtain an InputStreamReader object that is linked to System.in, use the following constructor:
InputStreamReader(InputStream inputStream)
Because System.in refers to an object of type InputStream, it can be used for inputStream.
Putting it all together, the following line of code creates a BufferedReader that is connected to the keyboard:
After this statement executes, br is a character-based stream that is linked to the console through System.in. To
read a character from a BufferedReader , we use read() method. Each time that read( ) is called, it reads a
character from the input stream and returns it as an integer value. It returns –1 when the end of the stream is
encountered.
do
{
c = (char) br.read(); System.out.println(c);
} while(c != 'q');
}
}
Sample Output:
Enter characters, 'q' to quit. abcdjqmn
abcdj q
The above program allows reading any number of characters and stores them in buffer. Then, all the characters
are read from the buffer till the ‘q’ is found and are displayed.
In Java, the data read from the console are treated as strings (or sequence of characters). So, if we need to read
numeric data, we need to parse the string to respective numeric type and use them later in the program.
Following is a program to read an integer value.
number:"); x=Integer.parseInt((br.readLine()).toString());
x=x+5; System.out.println(x);
}
}
Ex:
int b; b = 'A';
System.out.write(b); System.out.write('\n');
PrintWriter Class
PrintWriter is one of the character-based classes. System.out is used to write stream of bytes. As there is a
limitation for size of bytes, for most generic program (that supports various languages in the world), it is better
to use PrintWriter class object to display the output. We can decide whether to flush the stream from the buffer
after every newline by setting 2nd argument of the PrintWriter class constructor as true.
import java.io.*;
public class PrintWriterDemo
{
public static void main(String args[])
{
PrintWriter pw = new PrintWriter(System.out, true);pw.println("This is a string");
To open a file, you simply create an object of one of these classes, specifying the name of the file as an
argument to the constructor. Two constructors are of the form:
FileInputStream(String fileName) throws FileNotFoundException
FileOutputStream(String fileName) throws FileNotFoundException
Here, fileName specifies the name of the file that you want to open. When you create an input stream, if the file
does not exist, then FileNotFoundException is thrown. For output streams, if the file cannot be created, then
FileNotFoundException is thrown. When an output file is opened, any preexisting file by the same name is
destroyed. When you are done with a file, you should close it by calling close( ). To read from a file, you can
use a version of read( ) that is defined within FileInputStream. To write data into a file, you can use the write(
) method defined by FileOutputStream.
try
{
f = new FileInputStream("test.txt");
} catch(FileNotFoundException e)
{
System.out.println("File Not Found");return;
}
do
{
i = f.read();
if(i != -1) System.out.print((char) i);
} while(i != -1);
f.close();
}
}
When you run above program, contents of the “test.txt” file will be displayed. If you have not created the
test.txt file before running the program, then “File Not Found” exception will be caught.
try
{
fout = new FileOutputStream("test1.txt");
} catch(FileNotFoundException e)
{
System.out.println("Error Opening Output File");
return;
do
{
c = (char) br.read();
fout.write((int)c);
} while(c != 'q');
}
}
When you run above program, it will ask you to enter few characters. Give some random characters as an
input and provide ‘q’ to quit. The program will read all these characters from the buffer and write into the file
“test1.txt”. Go the folder where you have saved this program and check for a text file “test1.txt”. Open the file
manually (by double clicking on it) and see that all characters that you have entered are stored in this file.
Applets
Using Java, we can write either Application or Applet. Applets are small applications that are accessed on an
Internet server, transported over the Internet, automatically installed, and run as part of a web document. After
an applet arrives on the client, it has limited access to resources so that it can produce a graphical user interface
and run complex computations without introducing the risk of viruses or breaching data integrity.
To write an applet, we need to import Abstract Window Toolkit (AWT) classes. Applets interact with the user
(either directly or indirectly) through the AWT. The AWT contains support for a window-based, graphical user
interface. We also need to import applet package, which contains the class Applet. Every applet that you create
must be a subclass of Applet. Consider the below given program:
/*
<applet code="SimpleApplet" width=200 height=60>
</applet>
*/
The class SimpleApplet must be declared as public, because it will be accessed by code that is outside the
program. The paint() method is defined by AWT and must be overridden by the applet. paint( ) is called each
time that the applet must redisplay its output. This situation can occur for several reasons:
– the window in which the applet is running can be overwritten by another window and then uncovered.
– the applet window can be minimized and then restored.
– when the applet begins execution.
The paint( ) method has one parameter of type Graphics. This parameter contains the graphics context, which
describes the graphics environment in which the applet is running. This context is used whenever output to the
applet is required. drawString( ) is a member of the Graphics class used to output a string beginning at the
specified X,Y location. (Upper left corner is 0,0)
The compilation of the applet is same as any normal Java program. But, to run the applet, we need some HTML
(HyperText Markup Language) support. <applet> tag is used for this purpose with the attributes code which is
assigned with name of the class file, and size of the applet window in terms of width and height. The HTML
script must be written as comment lines. Use the following statements:
When you run above program, you will get an applet window as shown below –
Applet Life Cycle: Applet class has five important methods, and any class extending Applet class may
override these methods. The order in which these methods are executed is known as applet life cycle as
explained below:
init(): This is the first method to be called. This is where you should initialize variables. This method is
called only once during the run time of your applet.
start( ) : It is called after init(). It is also called to restart an applet after it has been stopped. start() is called
each time an applet’s HTML document is displayed onscreen. So, if a user leaves a web page and comes
back, the applet resumes execution at start().
paint( ): This is called each time your applet’s output must be redrawn.
stop( ) : This method is called when a web browser leaves the HTML document containing the applet—
when it goes to another page, for example. When stop() is called, the applet is probably running. You
should use stop() to suspend threads that don’t need to run when the applet is not visible. You can restart
them when start() is called if the user returns to the page.
destroy( ) : This method is called when the environment determines that your applet needs to be removed
completely from memory. At this point, you should free up any resources the applet may be using. The
stop() method is always called before destroy().
Diagrammatic representation of applet life-cycle is shown in figure given below:
In case, we need a modifiable string, we should use StringBuffer or StringBuilder classes. String,
StringBuffer and StringBuilder classes are in java.lang and are final classes. Thus, no class can inherit these
classes. All these classes implement CharSequence interface.
3. To create a string object that contains same characters as another string object:
String(String strObj);
For example,
String s= new String(“Hello”);String s1= new String(s);
For example,
char ch[]={‘h’, ‘e’, ‘l’, ‘l’, ‘o’};
String s= new String(ch); //s contains hello
For example,
char ch[]={‘a’, ‘b’, ‘c’, ‘d’, ‘e’, ‘f’’, ‘g’};
String s= new String(ch, 2, 3); //Now, s contains cde
Even though Java’s char type uses 16 bits to represent the basic Unicode character set, the typical format for
strings on the Internet uses arrays of 8-bit bytes constructed from the ASCII character set. Because 8-bit ASCII
strings are common, the String class provides constructors that initialize a string when given a byte array.
For example,
byte ascii[] = {65, 66, 67, 68, 69, 70 };
String s1 = new String(ascii); // s1 contains ABCDEF
String s2 = new String(ascii, 2, 3); // s2 contains CDE
JDK 5 and higher versions have two more constructors. The first one supports the extended Unicode character
set.
String Length
The length of a string is the number of characters that it contains. To obtain this value, call the length()
method. For example,
String s=new String(“Hello”); System.out.println(s.length()); //prints 5
String Literals: Instead of using character arrays and new operator for creating string instance, we can use
string literal directly. For example,
char ch[]={‘H’, ‘e’, ‘l’, ‘l’, ‘o’};String s1=new String(ch);
or
String s2= new String (“Hello”);
Can be re-written, for simplicity, as –
String s3=“Hello”; //usage of string literal
A String object will be created for every string literal and hence, we can even use,
System.out.println(“Hello”.length()); //prints 5
String Concatenation: Java does not allow any other operator than + on strings. Concatenationof two or
more String objects can be achieved using + operator. For example,
String age = “9”;
String s = "He is " + age + " years old."; System.out.println(s); //prints He is 9 years old.
One practical use of string concatenation is found when you are creating very long strings. Instead of letting
long strings wrap around within your source code, you can break them into smaller pieces, using the + to
concatenate them.
String longStr = "This could have been " +
"a very long line that would have " + "wrapped around. But string concatenation " +"prevents this.";
System.out.println(longStr);
String Concatenation with Other Data Types: We can concatenate String with other data types. For example,
int age = 9;
String s = "He is " + age + " years old."; System.out.println(s); //prints He is 9 years old.
Here, the int value in age is automatically converted into its string representation within a String object. The
compiler will convert an operand to its string equivalent whenever the other operandof the + is an instance of
String. But, we should be careful while mixing data types:
String s= “Four : ” + 2 + 2; System.out.println(s); //prints Four : 22
This is because, “Four :” is concatenated with 2 first, then the resulting string is again concatenated with 2. We
can prevent this by using brackets:
String s = “Four : ” + (2+2); System.out.println(s); //prints Four : 4
String Conversion and toString(): Java uses valueOf( ) method for converting data into its string
representation during concatenation. valueOf( ) is a string conversion method defined by String. valueOf( ) is
overloaded for all the primitive types and for type Object. For the primitive types, valueOf( ) returns a string
that contains the human-readable equivalent of the value with which it is called. For objects, valueOf( ) calls
the toString( ) method on the object. Every class implements toString( ) because it is defined by Object.
However, the default implementation of toString( ) is seldom sufficient. For our own classes, we may need to
override toString() to give our own string representation for user-defined class objects. The toString( ) method
has this general form:
String toString( )
To implement toString( ), simply return a String object that contains the human-readable stringthat
appropriately describes an object of our class.
class Box
{
double width, height, depth;
class StringDemo
{
public static void main(String args[])
{
Box b = new Box(10, 12, 14);
String s = "Box b: " + b; // concatenate Box object
System.out.println(s); // convert Box to string System.out.println(b);
}
}
Output:
Box b: Dimensions are 10.0 by 14.0 by 12.0
Dimensions are 10.0 by 14.0 by 12.0
Note: Observe that, Box’s toString( ) method is automatically invoked when a Box object isused in a
concatenation expression or in a call to println( ).
Character Extraction Methods
The String class provides different ways for extracting characters from a string object. Though a String object
is not a character array, many of the String methods use an index into a string object for their operation.
charAt() : This method is used to extract a single character from a String. It has this generalform:
char charAt(int where)
Here, where is the index of the character that you want to obtain. The value of where must benonnegative
and specify a location within the string. For example,
char ch;
ch= “Hello”.charAt(1); //ch now contains e
getChars() : If you need to extract more than one character at a time, you can use this method. It has the
following general form:
Care must be taken to assure that the target array is large enough to hold the number ofcharacters in
the specified substring.
class StringDemo1
{
public static void main(String args[])
{
}
}
Output:
demo
String s = "This is a demo of the getChars method."; int start = 10;
int end = 14;
char buf[] = new char[end - start];s.getChars(start, end, buf, 0); System.out.println(buf);
getBytes() : It is an alternative to getChars() that stores the characters in an array of bytes. Ituses the
default character-to-byte conversions provided by the platform. Here is its simplest form:
byte[ ] getBytes( )
Other forms of getBytes( ) are also available. getBytes( ) is most useful when you are exportinga String value
into an environment that does not support 16-bit Unicode characters. For example, most Internet protocols and
text file formats use 8-bit ASCII for all text interchange.
toCharArray() : If you want to convert all the characters in a String object into a character array, the easiest
way is to call toCharArray( ). It returns an array of characters for the entire string. It has this general form:
char[ ] toCharArray( )
This function is provided as a convenience, since it is possible to use getChars( ) to achieve the same result.
String s1="hello";
char[] ch=s1.toCharArray();
• equals() and equalsIgnoreCase(): To compare two strings for equality, we have two methods:
boolean equals(Object str)
boolean equalsIgnoreCase(String str)
Here, str is the String object being compared with the invoking String object. The first method is case
sensitive and returns true, if two strings are equal. The second method returns true if two strings are same,
whatever may be their case.
String s1 = "Hello"; String s2 = "Hello"; String s3 = "Good-bye";String s4 = "HELLO";
System.out.println(s1.equals(s2)); //true System.out.println(s1.equals(s3));
//false System.out.println(s1.equals(s4));
//false
System.out.println(s1.equalsIgnoreCase(s4)); //true
• regionMatches(): The regionMatches( ) method compares a specific region inside a string with another
specific region in another string. There is an overloaded form that allows you to ignore case in such
comparisons. Here are the general forms for these two methods:
startIndex specifies the index at which the region begins within the invoking String.
str2 the String being compared.
str2StartIndex The index at which the comparison will start within str2. numChars The
length of the substring being compared.
ignoreCase used in second version. If it is true, the case of the characters is ignored.
Otherwise, case is significant.
Here, the statement s1.regionMatches(6,s2,0,3) will check whether 3 characters of s2 starting from 0th position
will match 3 characters of s1 starting from 6th position. Note that, 3 characters starting from 6 th position in s1
are “How”. And, s2 is “how”. These two do not match. If we take another argument true for regionMatches()
method, then case is ignored, and hence it willreturn true.
• startsWith( ) and endsWith(): These are the specialized versions of the regionMatches() method. The
startsWith() method determines whether a given String begins with a specified string. The endsWith()
method determines whether the String in question ends with a specified string. They have the following
general forms:
boolean startsWith(String str)boolean endsWith(String str)
Ex:
"Foobar".endsWith("bar") //true"Foobar".startsWith("Foo") //true
Here, startIndex specifies the index into the invoking string at which point the search will begin.
"Foobar".startsWith("bar", 3) //returns true.
• equals( ) v/s == : The equals( ) method compares the characters inside a String object. The ==
operator compares two object references to see whether they refer to the same instance.
String s1 = "Hello";
String s2 = new String(s1); System.out.println(s1.equals(s2)); //true System.out.println((s1 == s2)); //false
• compareTo(): This method is used to check whether a string is less than, greater than or equal to the other
string. The meaning of less than, greater than refers to the dictionary order (based on Unicode). It has this
general form:
int compareTo(String str)
This method will return 0, if both the strings are same. Otherwise, it will return the difference between the
ASCII values of first non-matching character. If you want to ignore case differences when comparing two
strings, use compareToIgnoreCase(), as shown here:
int compareToIgnoreCase(String str)
Ex:
String str1 = "String method tutorial"; String str2 = "compareTo method example";String str3 = "String method
tutorial";
int var2 = str1.compareTo( str3 ); System.out.println("str1 & str3 comparison: "+var2); //0
Searching Strings
The String class provides two methods indexOf() and lastIndexOf() that allow you to search a string for a
specified character or substring. Both these methods are overloaded to take different types of arguments for
doing specific tasks as listed in the table given below –
Method Purpose
int indexOf(int ch) To search for the first occurrence
of acharacter
int lastIndexOf(int ch) To search for the last occurrence of
acharacter,
class Demo
{
public static void main(String args[])
{
String s = "Now is the time for all good men to come to the aid of their
country.";
System.out.println(s.indexOf('t')); //7 System.out.println(s.lastIndexOf('t'));
//65System.out.println(s.indexOf("the"));
//7 System.out.println(s.lastIndexOf("the"));
//55System.out.println(s.indexOf('t', 10));
//11
System.out.println(s.lastIndexOf('t', 60)); //55
System.out.println(s.indexOf("the", 10)); //44
System.out.println(s.lastIndexOf("the", 60)); //55
}
}
Modifying a String
Since String objects cannot be changed, whenever we want to modify a String, we must either copy it into a
StringBuffer or StringBuilder, or use one of the following String methods, which will construct a new copy
of the string with our modifications complete.
substring(): Used to extract a substring from a given string. It has two formats:
String substring(int startIndex): Here, startIndex specifies the index at which the substring will begin. This
form returns a copy of the substring that begins at startIndex and runs to the end of the invoking string.
String substring(int startIndex, int endIndex): Here, startIndex specifies the beginning index, and endIndex
specifies the stopping point. The string returned contains all the characters from the beginning index, up to, but
not including, the ending index.
Ex:
String org = "This is a test. This is, too.";String result ;
result=org.substring(5);
System.out.println(result); //is a test. This is, too.
concat(): This method can be used to concatenate two strings: String concat(String str)
This method creates a new object that contains the invoking string with the contents of str
appended to the end. concat( ) performs the same function as +.
String s1 = "one";
String s2 = s1.concat("two");
is same as
String s1 = "one"; String s2 = s1 + "two";
replace():The first form of this method replaces all occurrences of one character in the invokingstring with
another character.
String replace(char original, char replacement)
Here, original specifies the character to be replaced by the character specified by replacement. For example,
String s = "Hello".replace('l', 'w');puts the string “Hewwo” into s.
The second form of replace( ) replaces one character sequence with another. String replace(CharSequence
original, CharSequence replacement)
trim():The trim( ) method returns a copy of the invoking string from which any leading and trailingwhite-
space has been removed. It has this general form:
String trim()
Here is an example:
String s = “ Hello World ".trim();
This puts the string “Hello World” into s by eliminating white-spaces at the beginning and at theend.
Example,
int value=30;
String s1=String.valueOf(value);
System.out.println(s1+10); //prints 3010
Method Description
int codePointAt(int i) Returns the Unicode code point at the location
specified by i.
int codePointBefore(int i) Returns the Unicode code point at the location that
precedes that specified by i.
int codePointCount(int start, int end) Returns the number of code points in the portion of
the invoking String that is between start and end–1.
boolean contains(CharSequence str) Returns true if the invoking object contains the string
specified by str. Returns false, otherwise.
boolean contentEquals(CharSequence Returns true if the invoking string contains the same
str) string as str. Otherwise, returns false.
boolean contentEquals(StringBuffer Returns true if the invoking string contains the same
str) string as str. Otherwise, returns false.
static String format(String fmtstr, Returns a string formatted as specified by fmtstr.
Object ... args)
static String format(Locale loc, String Returns a string formatted as specified by fmtstr.
fmtstr, Object ... args) Formatting is governed by the locale specified by loc.
boolean matches(string regExp) Returns true if the invoking string matches the
regular expression passed in regExp. Otherwise,
returns false.
int offsetByCodePoints(int start, int Returns the index with the invoking string that is num
num) code pointsbeyond the starting index specified by start.
String replaceFirst(String regExp, Returns a string in which the first substring that
String newStr) matches the regular expression specified by regExp is
replaced by newStr.
String replaceAll(String regExp, Returns a string in which all substrings that match the
String newStr) regular expression specified by regExp are replaced by
newStr.
String[ ] split(String regExp) Decomposes the invoking string into parts and returns
an array that contains the result. Each part is delimited
by the regular expression passed in regExp.
String[ ] split(String regExp, Decomposes the invoking string into parts and returns
int max) an array that contains the result. Each part is delimited
by the regular expression passed in regExp. The
number of pieces is specified by max. If max is
negative, then the invoking string is fully decomposed.
Otherwise, if max contains a nonzero value, the last
entry in the returned array contains the remainder of
the invoking string. If max is zero, the invoking string
is fully decomposed.
CharSequence subSequence(int Returns a substring of the invoking string, beginning
startIndex, at startIndex and stopping at stopIndex. This method
int stopIndex) is required by the CharSequence interface, which is
now implemented by String.
StringBuffer Class
We know that, String represents fixed-length, immutable character sequences. In contrast, StringBuffer
represents growable and writeable character sequences. We can insert characters in the middle or append at the
end using this class. StringBuffer will automatically grow to make room for such additions and often has more
characters pre-allocated than are actually needed, to allow room for growth.
StringBuffer class provides various methods to perform certain tasks, which are mainly focused on changing
the content of the string (Remember, String class is immutable – means content of the String class objects
cannot be modified). Some of them are discussed hereunder:
length() and capacity(): These two methods can be used to find the length and total allocated capacity of
StringBuffer object. As an empty object of StringBuffer class gets 16 character space, the capacity of the object
will be sum of 16 and the length of string value allocated to that object. Example:
ensureCapacity(): If you want to preallocate room for a certain number of characters after a StringBuffer has
been constructed, you can use this method to set the size of the buffer. This is useful if you know in advance
that you will be appending a large number of small strings to a StringBuffer. The method ensureCapacity()
has this general form:
void ensureCapacity(int capacity)Here, capacity specifies the size of the buffer.
charAt() and setCharAt(): The value of a single character can be obtained from a StringBuffer via the
charAt() method. You can set the value of a character within a StringBuffer using setCharAt(). Their general
forms are shown here:
char charAt(int where)
void setCharAt(int where, char ch)
For charAt(), where specifies the index of the character being obtained. For setCharAt(), where specifies the
index of the character being set, and ch specifies the new value of that character. Example:
Output would be –
buffer before = Hello charAt(1) before = ebuffer after = Hi charAt(1) after = i
getChars(): To copy a substring of a StringBuffer into an array, use the getChars( ) method. It has this
general form:
void getChars(int sourceStart, int sourceEnd, char target[ ], int targetStart)
Here, sourceStart specifies the index of the beginning of the substring, and sourceEnd specifies an index that is
one past the end of the desired substring. This means that the substring contains the characters from sourceStart
through sourceEnd–1. The array that will receive the characters is specified by target. The index within target
at which the substring will be copied is passed in targetStart. Care must be taken to assure that the target array
is large enough to hold the number of characters in the specified substring.
append(): The append() method concatenates the string representation of any other type of data to the end of
the invoking StringBuffer object. It has several overloaded versions. Here are a few of its forms:
StringBuffer append(String str) StringBuffer append(int num) StringBuffer append(Object obj)
String.valueOf() is called for each parameter to obtain its string representation. The result is appended to the
current StringBuffer object. The buffer itself is returned by each version of append( ) to allow subsequent
calls.
insert(): The insert() method inserts one string into another. It is overloaded to accept values ofall the simple
types, plus Strings, Objects, and CharSequences. Like append(), it calls String.valueOf( ) to obtain the
string representation of the value it is called with. This string is then inserted into the invoking StringBuffer
object. Few forms are:
– StringBuffer insert(int index, String str)
– StringBuffer insert(int index, char ch)
– StringBuffer insert(int index, Object obj)
Here, index specifies the index at which point the string will be inserted into the invoking
StringBuffer object. Example:
StringBuffer sb = new StringBuffer("I Java!");sb.insert(2, "like "); System.out.println(sb); //I like Java
reverse(): Used to reverse the characters within a string. StringBuffer s = new StringBuffer("abcdef");
System.out.println(s); //abcdef s.reverse();
System.out.println(s); //fedcba
delete() and deleteCharAt(): You can delete characters within a StringBuffer by using the methods
delete() and deleteCharAt(). These methods are shown here:
StringBuffer delete(int startIndex, int endIndex)
It deletes a sequence of characters from the invoking object. Here, startIndex specifies the indexof the first
character to remove, and endIndex specifies an index one past the last character to
remove. Thus, the substring deleted runs from startIndex to endIndex–1.The resulting
StringBuffer object is returned.
StringBuffer deleteCharAt(int loc)
It deletes the character at the index specified by loc. It returns the resulting StringBuffer object.Example:
replace(): You can replace one set of characters with another set inside a StringBuffer object by calling
replace( ). Its signature is shown here:
StringBuffer replace(int startIndex, int endIndex, String str)
The substring being replaced is specified by the indexes startIndex and endIndex. Thus, the substring at
startIndex through endIndex–1 is replaced. The replacement string is passed in str. The resulting StringBuffer
object is returned.
substring() : You can obtain a portion of a StringBuffer by calling substring(). It has the following two
forms:
String substring(int startIndex)
String substring(int startIndex, int endIndex)
The first form returns the substring that starts at startIndex and runs to the end of the invoking StringBuffer
object. The second form returns the substring that starts at startIndex and runs through endIndex–1. These
methods work just like those defined for String that were described earlier.
int codePointAt(int i) Returns the Unicode code point at the location specified by i.
int codePointBefore(int i) Returns the Unicode code point at the location that
precedesthat specified by i.
int codePointCount(int start, int Returns the number of code points in the portion of the
end) invoking String that is between start and end–1.
int indexOf(String str) Searches the invoking StringBuffer for the first
occurrence ofstr. Returns the index of the match, or –1 if no
match is found.
int indexOf(String str, Searches the invoking StringBuffer for the first
intstartIndex) occurrence ofstr, beginning at startIndex. Returns the index
of the match, or
–1 if no match is found.
int lastIndexOf(String str) Searches the invoking StringBuffer for the last occurrence
ofstr. Returns the index of the match, or –1 if no match is
found.
int lastIndexOf(String str, Searches the invoking StringBuffer for the last occurrence
intstartIndex) ofstr, beginning at startIndex. Returns the index of the
match, or
–1 if no match is found.
int offsetByCodePoints(int Returns the index with the invoking string that is num code
start, int num) points beyond the starting index specified by start.
void trimToSize( ) Reduces the size of the character buffer for the invoking
objectto exactly fit the current contents.
StringBuilder Class
J2SE 5 adds a new string class to Java’s already powerful string handling capabilities. This new class is called
StringBuilder. It is identical to StringBuffer except for one important difference: it is not synchronized, which
means that it is not thread-safe. The advantage of StringBuilder is faster performance. However, in cases in
which you are using multithreading, you must use StringBuffer rather than StringBuilder.
Other Topics
Using instanceof
Sometimes, we need to check type of the object during runtime of the program. We may create multiple classes
and objects to these classes in a program. In such situations, the instanceof operator is useful The instanceof
operator will return Boolean value – true or false.
class A
{
int i, j;
}
class B
{
int i, j;
}
class C extends A
{
int k;
}
class InstanceOfEx
{
public static void main(String args[])
{
A a = new A();
B b = new B();
C c = new C();
Static Import
The statement static import expands the capabilities of the import keyword. By following import with the
keyword static, an import statement can be used to import the static members of a class or interface. When
using static import, it is possible to refer to static members directly by their names, without having to qualify
them with the name of their class. This simplifies and shortens the syntax required to use a static member.
We have observed earlier that when we need to use some Math functions, we need to use Math.sqrt(),
Math.pow() etc. Using static import feature, we can just use sqrt(), pow() etc. as shown below –
class Hypot
{
public static void main(String args[])
{
double side1, side2;double hypot;
side1 = 3.0;
side2 = 4.0;
hypot = sqrt(pow(side1, 2) + pow(side2, 2)); System.out.println(" the hypotenuse is " + hypot);
}
}
this(arg-list)
When this() is executed, the overloaded constructor that matches the parameter list specified by arg-list is
executed first. Then, if there are any statements inside the original constructor, they are executed. The call to
this() must be the first statement within the constructor.
class MyClass
{
int a, b;
MyClass(int i, int j)
{
a = i;
b = j;
}
MyClass(int i)
{
this(i, i); // invokes MyClass(i, i)
}
MyClass( )
{
this(0); // invokes MyClass(0)
}
void disp()
{
System.out.println(“a=”+a + “ b=”+b);
}
}
class thisDemo
{
public static void main(String args[])
{
MyClass m1 = new MyClass();m1.disp();
Output:
a= 0 b=0
a= 8 b=8
a= 2 b=3
SUIET 2022-23 21SCS34
QUESTION BANK
MODULE I
MCQ
1) What does JVM stands for?
A) Java Variable Machine
B) Java Virtual Machine
C) Java Virtual Mechanism
D) None of the above
Answer [B]
2) What is JVM ?
A) JVM is the confined memory area
B) All java programs run inside JVM memory
C) JVM provides security to the computer by giving controlled access to Files and Memory on a computer
D) All the above
Answer [D]
3) When was first Version of Java i.e Java 1.0 was released?
A) 1991
B) 1994
C) 1996
D) 1999
Answer [C]
4) What is Portability offered by Java language?
A) Small code size easy to carry occupying less disk space
B) Generating suitable Byte Code for each machine by the Compiler
C) Ability to run the Byte on different machines producing the same behaviour and output
D) Java does not actually provide portability
Answer [C]
5) What is JIT in Java?
A) Java In Timer
B) Java In Time Thread
C) Just In Time Compiler
D) Just In Time Runnable
Answer [C]
6) Choose the correct statement about Java?
A) JIT Compiler produces Byte Code from Java file.
B) JIT Compiler takes chunks of Byte Code as input and produces Executable code on that particular machine.
C) JIT Compiler assists the actual JAVAC compiler to compile fast
D) None of the above
Answer [B]
7) What happens in the absence of JIT Compiler in Java?
A) Byte code is produced slowly
B) Executable Code is produced slowly because of line by line Interpreting
C) Executable Code is produced without portability
D) None of the above
Answer [B]
MODULE II
1. What are different types of operators in Java? Explain any two of them.
2. Discuss ternary operator with examples.
3. Differentiate >> and >>> with suitable examples.
4. Briefly explain short-circuit logical operators with examples.
5. Explain different types of iteration statements with examples.
6. Discuss various selective control structures.
7. Write a note on jump statements in Java.
8. Discuss different versions of for - loop with examples.
9. Write a program to illustrate break statement with labels.
MODULE III
8) State TRUE or FALSE. A WHILE loop in Java executes the statements at least once even the condition is
not satisfied.
A) FALSE
B) TRUE
C) -
D) -
Answer [=]
9) A BREAK statement inside a Loop like WHILE, FOR, DO WHILE and Enhanced-FOR causes the
program execution ___ Loop.
A) Exit
B) Continuation with next iteration
C) Never exit
D) None
Answer [=]
10) A CONTINUE statement inside a Loop like WHILE, FOR, DO-WHILE and Enhanced-FOR causes the
program execution ___ the loop.
A) Skip
B) Skip present iteration and continue with next iteration of the loop
C) Exit
D) None
Answer [=]
1) Java is a ___ programming language.
A) Functional
B) Object-Oriented
C) Theoretical
D) All the above
Answer [=]
}
B)
CLASSNAME class
{
}
C)
class CLASSNAME;
{
}
D)
Class CLASSNAME
{
}
Answer [=]
20) Choose the correct way of creating an object of the below class.
class Table
{
MODULE 1V
TestingConstructor()
{
System.out.println("Antarctica");
}
8) In Java, a constructor with one or more arguments or parameters is called a ___ constructor.
A) Default constructor
B) User-defined constructor or Non-default constructor
C) -
D) -
Answer [=]
9) The compiler adds a default no-argument constructor to a class if it ___.
A) does not define a constructor at all.
B) defines at least one constructor with arguments
C) -
D) -
Answer [=]
10) Overloading of constructors in Java means adding more than ___ constructors with the different
argument list.
A) 1
B) 2
C) 3
OBJECT ORIENTED PROGRAMMING USING JAVA Page 143
SUIET 2022-23 21SCS34
D) 8
Answer [=]
11) What is the output of the below Java program with constructors?
public class Constructor2
{
int count=10;
Constructor2(int count)
{
System.out.println("Count=" + count);
}
15) Choose the correct way of calling the second constructor from the first constructor in the below code
options.
A)
Constructor5()
{
int a=30;
this('A');
}
Constructor5(char c)
{
//
}
B)
Constructor5()
What do you mean by a package? How do you use it in a Java program? Explain with a program.
1. How do you import a package? Explain.
2. Write a note on access protection in Java.
3. Define an interface. Explain how to define and implement an interface with an example.
4. Differentiate abstract base class and an interface.
5. How do you define variables inside interface? List out the the characteristics of such variables.
6. Define an exception. What are the key terms used in exception handling? Explain.
7. Demonstrate working of nest try block with an example.
}
A) Yes
B) No
C) -
D) -
Answer [=]
6) The name of a package is the name of the ___ in Java.
A) folder
B) All parent folders separated by DOT symbols
C) All parent packages separated by DOT symbols
D) All the above
Answer [=]
7) It is possible to declare a package and import another package within the same Java class file. State TRUE
or FALSE.
A) TRUE
B) FALSE
C) -
D) -
Answer [=]
8) The keyword used to import a package into Java class or Interface is ___.
A) import
B) download
C) use
D) None of the above
Answer [=]
9) Which is the correct syntax to import a Java package below?
A)
import PACKAGE1.*;
B)
import PACKAGE1.CLASS1;
C)
import PACKAGE1.PACKAGE2.PACKAGE3.*;
D) All the above
Answer [=]
10) Choose correct declaration and importing of packages in Java.
15) The package declaration statement should be the first statement in a Java file. State TRUE or FALSE.
A) TRUE
B) FALSE
C) -
D) -
13. Explain various forms of indexOf() and lastIndexOf() methods with a code snippet.
14. Differentiate StringBuffer class methods length() and capacity().
15. Write a note on StringBuffer class methods:
(i) setCharAt()
(ii) append()
(iii) insert()
(iv) reverse()
(v) delete()
(vi) deleteCharAt()
16. Write a note on
(i) instanceof Operator
(ii) static import
(iii) this()