Oop With Java Notes
Oop With Java Notes
1
Object Oriented Programming with JAVA Lecture notes
Java Overview
Java programming language was originally developed by Sun Microsystems
which was initiated by James Gosling and released in 1995 as core component
of Sun Microsystems‘ Java platform (Java 1.0 [J2SE]). As of December 2008,
the latest release of the Java Standard Edition is 6 (J2SE). With the
advancement of Java and its widespread popularity, multiple configurations
were built to suite various types of platforms. Ex: J2EE for Enterprise
Applications, J2ME for Mobile Applications. Sun Microsystems has renamed
the new J2 versions as Java SE, Java EE and Java ME, respectively. Java is
guaranteed to be Write Once, Run Anywhere. Java is:
Object Oriented: In Java, everything is an Object. Java can be easily extended
since it is based on the Object model.
2
Object Oriented Programming with JAVA Lecture notes
aspects of the specification makes Java portable. Compiler in Java is written in
ANSI C with a clean portability boundary which is a POSIX subset.
High Performance: With the use of Just-In-Time compilers, Java enables high
performance.
History of Java:
James Gosling initiated the Java language project in June 1991 for use in one
of his many set-top box projects. The language, initially called Oak after an oak
tree that stood outside Gosling's office, also went by the name Green and ended
up later being renamed as Java, from a list of random words. Sun released the
first public implementation as Java 1.0 in 1995. It promised Write Once, Run
3
Object Oriented Programming with JAVA Lecture notes
Anywhere (WORA), providing no-cost run-times on popular platforms. On 13
November 2006, Sun released much of Java as free and open source software
under the terms of the GNU General Public License (GPL). On 8 May 2007, Sun
finished the process, making all of Java's core code free and open-source, aside
from a small portion of code to which Sun did not hold the copyright.
Tools you will need:
For performing the examples discussed in this tutorial, you will need a Pentium
200-MHz computer with a minimum of 64 MB of RAM (128 MB of RAM
recommended). You also will need the following software:
Linux 7.1 or Windows 95/98/2000/XP operating system.
Java JDK 5
Notepad: On Windows machine, you can use any simple text editor like
Notepad.
Netbeans:Is a Java IDE that is open-source and free which can be downloaded
fromhttp://www.netbeans.org/index.html.
Basic Syntax
When we consider a Java program, it can be defined as a collection of objects
that communicate via invoking each other's methods. Let us now briefly look
4
Object Oriented Programming with JAVA Lecture notes
into what do class, object, methods and instance variables mean.
Object - Objects have states and behaviors. Example: A dog has states-color,
name, breed as well as behaviors -wagging, barking, eating. An object is an
instance of a class.
Class - A class can be defined as a template/blue print that describes the
behaviors/states that object of its type support.
Methods - A method is basically a behavior. A class can contain many
methods. It is in methods where the logics are written, data is manipulated and
all the actions are executed.
Instance Variables - Each object has its unique set of instance variables. An
object's state is created by the values assigned to these instance variables.
System.out.println("Hello World");
// prints Hello World
}
}
Let's look at how to save the file, compile and run the program. Please follow
the steps given below:
Open notepad and add the code as above.
Open a command prompt window and go o the directory where you saved the
class. Assume it's C:\.
Type ' javac MyFirstJavaProgram.java ' and press enter to compile your code. If
5
Object Oriented Programming with JAVA Lecture notes
there are no errors in your code, the command prompt will take you to the next
line (Assumption: The path variable is set).
You will be able to see ' Hello World ' printed on the window.
Case Sensitivity - Java is case sensitive, which means identifier Hello and
hello would have different meaning in Java.
Class Names - For all class names, the first letter should be in Upper Case. If
several words are used to form a name of the class, each inner word's first
letter should be in Upper Case. Example class MyFirstJavaClass
Method Names - All method names should start with a Lower Case letter. If
several words are used to form the name of the method, then each inner word's
first letter should be in Upper Case. Example public void myMethodName()
Program File Name - Name of the program file should exactly match the class
name. When saving the file, you should save it using the class name
(Remember Java is case sensitive) and append '.java' to the end of the name (if
the file name and the class name do not match your program will not compile).
Example : Assume 'MyFirstJavaProgram' is the class name, then the file should
be saved as'MyFirstJavaProgram.java'
public static void main(String args[]) - Java program processing starts from
the main() method, which is a mandatory part of every Java program.
6
Object Oriented Programming with JAVA Lecture notes
Java Identifiers:
All Java components require names. Names used for classes, variables and
methods are called identifiers. In Java, there are
several points to remember about identifiers. They are as follows:
All identifiers should begin with a letter (A to Z or a to z), currency character ($)
or an underscore (_).
After the first character, identifiers can have any combination of characters.
A keyword cannot be used as an identifier.
Most importantly identifiers are case sensitive.
Examples of legal identifiers: age, $salary, _value, 1_value
Java Modifiers:
Like other languages, it is possible to modify classes, methods, etc., by using
modifiers. There are two categories of modifiers:
We will be looking into more details about modifiers in the next section.
Java Variables:
Java Arrays:
Arrays are objects that store multiple variables of the same type. However, an
7
Object Oriented Programming with JAVA Lecture notes
array itself is an object on the heap. We will look into how to declare, construct
and initialize in the upcoming chapters.
Java Enums:
Enums were introduced in java 5.0. Enums restrict a variable to have one of
only a few predefined values. The values in this enumerated list are called
enums. With the use of enums, it is possible to reduce the number of bugs in
your code. For example, if we consider an application for a fresh juice shop, it
would be possible to restrict the glass size to small, medium and large. This
would make sure that it would not allow anyone to order any size other than
the small, medium or large.
Example:
Class FreshJuice{
enum FreshJuiceSize{ SMALL, MEDUIM, LARGE }
FreshJuiceSize size;
}
public class FreshJuiceTest{
public static void main(String args[]){
FreshJuice juice =new FreshJuice();
juice.size =FreshJuice.FreshJuiceSize.MEDUIM ;
}
}
Note: enums can be declared as their own or inside a class. Methods,
variables, constructors can be defined inside enums as well.
Java Keywords:
The following list shows the reserved words in Java. These reserved words may
not be used as constant or variable or any other identifier names.
8
Object Oriented Programming with JAVA Lecture notes
enum extends final finally float
for goto if implements import
instanceof int interface long native
new package private protected public
return short static strictfp super
switch synchronized this throw throws
transient try void volatile while
Comments in Java
Java supports single-line and multi-line comments very similar to c and c++.
All characters available inside any comment are ignored by Java compiler.
/* This is my first java program. * This will print 'Hello World' as the
output * This is an example of multi-line comments. */ public static void
main(String[]args) {
System.out.println("Hello World");
}
}
byte:
Byte data type is an 8-bit signed two's complement integer.
Default value is 0
Byte data type is used to save space in large arrays, mainly in place of
integers, since a byte is four times smaller than an int.
short:
Short data type is a 16-bit signed two's complement integer.
Short data type can also be used to save memory as byte data type. A
short is 2 times smaller than an int
10
Object Oriented Programming with JAVA Lecture notes
Default value is 0.
int:
int data type is a 32-bit signed two's complement integer.
Int is generally used as the default data type for integral values unless
there is a concern about memory.
long:
Long data type is a 64-bit signed two's complement integer.
float:
Float data type is a single-precision 32-bit IEEE 754 floating point.
Float data type is never used for precise values such as currency.
double:
This data type is generally used as the default data type for decimal
values, generally the default choice.
Double data type should never be used for precise values such as
currency.
boolean:
boolean data type represents one bit of information.
This data type is used for simple flags that track true/false conditions.
char:
char data type is a single 16-bit Unicode character.
12
Object Oriented Programming with JAVA Lecture notes
Class objects and various types of array variables come under reference
data type.
Java Literals:
A literal is a source code representation of a fixed value. They are represented
directly in the code without any computation. Literals can be assigned to any
primitive type variable. For example:
byte a =68;
char a ='A'
int decimal=100;
String and char types of literals can contain any Unicode characters. For
example:
char a ='\u0001';
String a ="\u0001";
Java language supports few special escape sequences for String and char
literals as well. They are:
Variable Types
A variable provides us with named storage that our programs can manipulate.
Each variable in Java has a specific type, which determines the size and layout
of the variable's memory; the range of values that can be stored within that
memory; and the set of operations that can be applied to the variable. You
must declare all variables before they can be used. The basic form of a variable
declaration is shown here:
Here data type is one of Java's datatypes and variable is the name of the
variable. To declare more than one variable of the specified type, you can use a
comma-separated list. Following are valid examples of variable declaration and
initialization in Java:
This chapter will explain various variable types available in Java Language.
There are three kinds of variables in Java:
Local variables
Instance variables
Class/static variables
15
Object Oriented Programming with JAVA Lecture notes
Local variables:
Local variables are declared in methods, constructors, or blocks.
Local variables are visible only within the declared method, constructor
or block.
Example:
Here, age is a local variable. This is defined inside pupAge() method and
its scope is limited to this method only.
public class Test{
public void pupAge() {
int age = 0;
age = age + 7;
System.out.println("Puppy age is : " + age);
}
16
Object Oriented Programming with JAVA Lecture notes
Example:
Following example uses age without initializing it, so it would give an error at
the time of compilation.
int age;
age = age + 7;
test.pupAge();
17
Object Oriented Programming with JAVA Lecture notes
System.out.println("y is: " + y); // this always prints -1
y = 100;
System.out.println("y is now: " + y);
}
}
}
Instance variables:
Instance variables are declared in a class, but outside a method,
constructor or any block.
When a space is allocated for an object in the heap, a slot for each
instance variable value is created.
Instance variables are created when an object is created with the use of
the keyword 'new' and destroyed when the object is destroyed.
Instance variables hold values that must be referenced by more than
one method, constructor or block, or essential parts of an object's state
that must be present throughout the class.
Instance variables can be declared in class level before or after use.
Access modifiers can be given for instance variables.
The instance variables are visible for all methods, constructors and block
in the class. Normally, it is recommended to make these variables private
(access level). However visibility for subclasses can be given for these
variables with the use of access modifiers.
Instance variables have default values. For numbers the default value is
0, for Booleans it is false and for object references it is null. Values can
be assigned during the declaration or within the constructor.
Instance variables can be accessed directly by calling the variable name
inside the class. However within static methods and different class (
when instance variables are given accessibility) should be called using
the fully qualified name . ObjectReference.VariableName.
Example:
18
Object Oriented Programming with JAVA Lecture notes
import java.io.*;
public class Employee{
// this instance variable is visible for any child class.
public String name;
// salary variable is visible in Employee class only.
private double salary;
// The name variable is assigned in the constructor.
public Employee (String empName){
name = empName;
}
// The salary variable is assigned a value.
public void setSalary(double empSal){
salary = empSal;
}
// This method prints the employee details.
public void printEmp(){
System.out.println("name : " + name );
System.out.println("salary :" + salary);
}
public static void main(String args[]){
Employee empOne = new Employee("Ransika");
empOne.setSalary(1000); empOne.printEmp();
}
}
19
Object Oriented Programming with JAVA Lecture notes
Class/static variables:
Class variables also known as static variables are declared with the static
keyword in a class, but outside a method, constructor or a block.
There would only be one copy of each class variable per class, regardless
of how many objects are created from it.
Static variables are rarely used other than being declared as constants.
Constants are variables that are declared as public/private, final and
static. Constant variables never change from their initial value.
Static variables are created when the program starts and destroyed when
the program stops.
Default values are same as instance variables. For numbers, the default
value is 0; for Booleans, it is false; and for object references, it is null.
Values can be assigned during the declaration or within the constructor.
Additionally values can be assigned in special static initializer blocks.
20
Object Oriented Programming with JAVA Lecture notes
public and final the naming syntax is the same as instance and local
variables.
Example:
import java.io.*;
public class Employee{
// salary variable is a private static variable
private static double salary;
// DEPARTMENT is a constant
public static final String DEPARTMENT = "Development ";
public static void main(String args[]){
salary = 1000;
System.out.println(DEPARTMENT+"average salary:"+salary);
}
}
This would produce the following result:
Development average salary:1000
Note: If the variables are access from an outside class the constant should be
accessed as Employee.DEPARTMENT
Basic Operators
Java provides a rich set of operators to manipulate variables. We can divide all
the Java operators into the following groups:
Arithmetic Operators
Relational Operators
Bitwise Operators
Logical Operators
Assignment Operators
21
Object Oriented Programming with JAVA Lecture notes
Misc Operators
Example
The following simple example program demonstrates the arithmetic operators.
Copy and paste the following Java program in Test.java file and compile and
run this program:
public class Test{
public static void main(String args[]){
22
Object Oriented Programming with JAVA Lecture notes
int a =10;
int b =20;
int c =25;
int d =25;
System.out.println("a + b = "+(a + b));
System.out.println("a - b = "+(a - b));
System.out.println("a * b = "+(a * b));
System.out.println("b / a = "+(b / a));
System.out.println("b % a = "+(b % a));
System.out.println("c % a = "+(c % a));
System.out.println("a++ = "+(a++));
System.out.println("b-- = "+(a--));
// Check the difference in d++ and ++d
System.out.println("d++ = "+(d++));
System.out.println("++d = "+(++d));
}
}
a + b =30
a - b =-10
a * b =200
b / a =2
b % a =0
c % a =5
a++=10
b--=11
d++=25
++d =27
23
Object Oriented Programming with JAVA Lecture notes
The Relational Operators:
There are following relational operators supported by Java language:
Assume variable A holds 10 and variable B holds 20, then:
Example
The following simple example program demonstrates the relational operators.
Copy and paste the following Java program in Test.java file and compile and
run this program. :
24
Object Oriented Programming with JAVA Lecture notes
public static void main(String args[]){
int a =10; int b =20;
System.out.println("a == b = "+(a == b));
System.out.println("a != b = "+(a != b));
System.out.println("a > b = "+(a > b));
System.out.println("a < b = "+(a < b));
System.out.println("b >= a = "+(b >= a));
System.out.println("b <= a = "+(b <= a));
}
}
This would produce the following result:
a == b =false
a != b =true
a > b =false
a < b =true
b >= a =true
b <= a =false
25
Object Oriented Programming with JAVA Lecture notes
The following table lists the bitwise operators:
Assume integer variable A holds 60 and variable B holds 13, then:
26
Object Oriented Programming with JAVA Lecture notes
27
Object Oriented Programming with JAVA Lecture notes
Example
The following simple example program demonstrates the logical operators.
Copy and paste the following Java program in Test.java file and compile and
run this program:
public class Test{
public static void main(String args[]){
boolean a =true;
boolean b =false;
System.out.println("a && b = "+(a&&b));
System.out.println("a || b = "+(a||b));
System.out.println("!(a && b) = "+!(a && b));
}
}
This would produce the following result:
a && b =false
28
Object Oriented Programming with JAVA Lecture notes
a || b =true
!(a && b)=true
29
Object Oriented Programming with JAVA Lecture notes
Example:
The following simple example program demonstrates the assignment operators.
Copy and paste the following Java program in Test.java file and compile and
run this program:
public class Test{
public static void main(String args[]){
int a =10;
int b =20;
int c =0;
c = a + b;
System.out.println("c = a + b = "+ c );
c += a ;
System.out.println("c += a = "+ c );
c -= a ;
System.out.println("c -= a = "+ c );
c *= a ;
System.out.println("c *= a = "+ c );
a =10;
c =15;
30
Object Oriented Programming with JAVA Lecture notes
c /= a ;
System.out.println("c /= a = "+ c );
a =10;
c =15;
c %= a ;
System.out.println("c %= a = "+ c );
c <<=2;
System.out.println("c <<= 2 = "+ c );
c >>=2;
System.out.println("c >>= 2 = "+ c );
c >>=2;
System.out.println("c >>= a = "+ c );
c &= a ;
System.out.println("c &= 2 = "+ c );
c ^= a ;
System.out.println("c ^= a = "+ c );
c |= a ;
System.out.println("c |= a = "+ c );
}
}
This would produce the following result:
c = a + b =30
c += a =40
c -= a =30
c *= a =300
c /= a =1
c %= a =5
c <<=2=20
c >>=2=5
c >>=2=1
31
Object Oriented Programming with JAVA Lecture notes
c &= a =0
c ^= a =10
c |= a =10
Misc Operators
There are few other operators supported by Java Language.
Conditional Operator (?:):
Conditional operator is also known as the ternary operator. This operator
consists of three operands and is used to evaluate Boolean expressions. The
goal of the operator is to decide which value should be assigned to the variable.
The operator is written as:
32
Object Oriented Programming with JAVA Lecture notes
instanceof Operator:
This operator is used only for object reference variables. The operator checks
whether the object is of a particular type(class type or interface type).
instanceof operator is written as:
(Object reference variable ) instanceof (class/interface type)
If the object referred by the variable on the left side of the operator passes the
IS-A check for the class/interface type on the right side, then the result will be
true. Following is the example:
String name = ―James‖;
boolean result = name instanceof String; // This will return true since name is
type of String
This operator will still return true if the object being compared is the
assignment compatible with the type on the right. Following is one more
Example:
Class Vehicle{
} public class Car extends Vehicle{
public static void main(String args[]){
Vehicle ab =newCar();
boolean result = ab instanceof Car;
System.out.println(result);
}
}
This would produce the following result:
True
33
Object Oriented Programming with JAVA Lecture notes
34
Lecture notes
Loop Control
There may be a situation when we need to execute a block of code several
number of times and is often referred to as a loop. Java has very flexible three
looping mechanisms. You can use one of the following three loops:
while Loop
do...while Loop
for Loop
As of Java 5, the enhanced for loop was introduced. This is mainly used for
Arrays.
The while Loop:
A while loop is a control structure that allows you to repeat a task a certain
number of times.
Syntax:
The syntax of a while loop is:
while(Boolean_expression) {
//Statements
}
Example:
public class Test{
public static void main(String args[]){
35
Lecture notes
int x =10;
while( x <20){
System.out.print("value of x : "+ x );
x++;
System.out.print("\n");
}
}
}
value of x :10
value of x :11
value of x :12
value of x :13
value of x :14
value of x :15
value of x :16
value of x :17
value of x :18
value of x :19
Syntax:
The syntax of a do...while loop is:
do {
//Statements }
while(Boolean_expression);
Notice that the Boolean expression appears at the end of the loop, so the
36
Lecture notes
statements in the loop execute once before the Boolean is tested. If the Boolean
expression is true, the flow of control jumps back up to do, and the statements
in the loop execute again. This process repeats until the Boolean expression is
false.
Example:
public class Test{
public static void main(String args[]){
int x =10;
do{
System.out.print("value of x : "+ x );
x++;
System.out.print("\n");
}while( x <20);
}
}
37
Lecture notes
loop that needs to execute a specific number of times. A for loop is useful when
you know how many times a task is to be repeated.
Syntax:
The syntax of a for loop is:
for(initialization;Boolean_expression; update) {
//Statements
}
Here is the flow of control in a for loop:
The initialization step is executed first, and only once. This step allows
you to declare and initialize any loop control variables. You are not
required to put a statement here, as long as a semicolon appears.
Next, the Boolean expression is evaluated. If it is true, the body of the
loop is executed. If it is false, the body of the loop does not execute and
flow of control jumps to the next statement past the for loop.
After the body of the for loop executes, the flow of control jumps back up
to the update statement. This statement allows you to update any loop
control variables. This statement can be left blank, as long as a
semicolon appears after the Boolean expression.
The Boolean expression is now evaluated again. If it is true, the loop
executes and the process repeats itself (body of loop, then update step,
then Boolean expression). After the Boolean expression is false, the for
loop terminates.
Example:
public class Test{
public static void main(String args[]){
for(int x =10; x <20; x = x+1){
System.out.print("value of x : "+ x );
System.out.print("\n");
}
}
}
38
Lecture notes
for(declaration : expression) {
//Statements
}
Example:
39
Lecture notes
public class Test{
public static void main(String args[]){
int[] numbers ={10,20,30,40,50};
for(int x : numbers ){
System.out.print(x);
System.out.print(",");
}
System.out.print("\n");
String[] names ={"swapna","balu","kiran","ramu"};
for(String name : names ){
System.out.print( name );
System.out.print(",");
}
}
}
This would produce the following result:
10,20,30,40,50,
swapna,balu,kiran,ramu,
break;
Example:
40
Lecture notes
public class Test{
public static void main(String args[]){
int[] numbers ={10,20,30,40,50};
for(int x : numbers){
if(x ==30){ break;
}
System.out.print( x );
System.out.print("\n");
}
}
}
This would produce the following result:
10
20
Syntax:
The syntax of a continue is a single statement inside any loop:
continue;
Example:
41
Lecture notes
Decision making
There are two types of decision making statements in Java. They are:
if statements
switch statements
The if Statement:
Syntax:
42
Lecture notes
The syntax of an if statement is:
if(Boolean_expression) {
//Statements will execute if the Boolean expression is true
}
If the Boolean expression evaluates to true, then the block of code inside the if
statement will be executed. If not, the first set of code after the end of the if
statement (after the closing curly brace) will be executed.
Example:
This is if statement
if(Boolean_expression){
//Executes when the Boolean expression is true
}else
{
//Executes when the Boolean expression is false}
43
Lecture notes
Example:
public class Test{
44
Lecture notes
Example:
Value of X is 30
45
Lecture notes
46
Lecture notes
You can have any number of case statements within a switch. Each case
is followed by the value to be compared to and a colon.
The value for a case must be the same data type as the variable in the
switch and it must be a constant or a literal.
47
Lecture notes
When a break statement is reached, the switch terminates, and the flow
of control jumps to the next line following the switch statement.
Not every case needs to contain a break. If no break appears, the flow of
control will fall through to subsequent cases until a break is reached.
48
Lecture notes
D>java Test a
Invalid grade
Your grade is a a
D> java Test A
Excellent!
Your grade is a A
D>java Test C
Welldone
Your grade is a C
49
Lecture notes
String handling
Strings:
Java string is a sequence of characters. They are objects of type String.
Once a String object is created it cannot be changed. Stings are
Immutable.
To get changeable strings use the class called StringBuffer.
String and StringBuffer classes are declared final, so there cannot be
subclasses of these classes.
The default constructor creates an empty string.
String s = new String();
Creating Strings :
String str = "abc"; is equivalent to:
char data[] = {'a', 'b', 'c'};
String str = new String(data);
If data array in the above example is modified after the string object str is
created, then str remains unchanged.
Construct a string object by passing another string object.
String str2 = new String(str);
50
Lecture notes
String Operations :
The length() method returns the length of the string.
51
Lecture notes
startsWith() -Tests if this string starts with the specified prefix beginning at a
specified index.
public boolean startsWith(String prefix, int toffset)
prefix - the prefix.
toffset - where to begin looking in the string.
―figure‖.startsWith(―gure‖, 2); // true
compareTo() - Compares two strings lexicographically.
– The result is a negative integer if this String object
lexicographically precedes the argument string.
– The result is a positive integer if this String object lexicographically
follows the argument string.
– The result is zero if the strings are equal.
– compareTo returns 0 exactly when the equals(Object) method
would return true.
public int compareTo(String anotherString)
public int compareToIgnoreCase(String str)
52
Lecture notes
public int indexOf(String str) - Returns the index within this string of the
first occurrence of the specified substring.
String str = ―How was your day today?‖;
str.indexof(‗t‘);
str(―was‖);
public int indexOf(int ch, int fromIndex)- Returns the index within this string of
the first occurrence of the specified character, starting the search at the
specified index.
public int indexOf(String str, int fromIndex) - Returns the index within this
string of the first occurrence of the specified substring, starting at the specified
index.
String str = ―How was your day today?‖;
str.indexof(‗a‘, 6);
str(―was‖, 2);
53
Lecture notes
trim() - Returns a copy of the string, with leading and trailing whitespace
omitted.
public String trim()
String s = ― Hi Mom! ―.trim();
S = ―Hi Mom!‖
54
Lecture notes
StringBuffer - class
The length and content of the StringBuffer sequence can be changed through
certain method calls.
• StringBuffer defines three constructors:
– StringBuffer()
– StringBuffer(int size)
– StringBuffer(String str)
StringBuffer operations:
• The principal operations on a StringBuffer are the append and insert
methods, which are overloaded so as to accept data of any type.
Here are few append methods:
StringBuffer append(String str)
StringBuffer append(int num)
• The append method always adds these characters at the end of the
buffer.
• The insert method adds the characters at a specified point.
Here are few insert methods:
55
Lecture notes
Index specifies at which point the string will be inserted into the invoking
StringBuffer object.
delete() - Removes the characters in a substring of this StringBuffer. The
substring begins at the specified start and extends to the character at index
end - 1 or to the end of the StringBuffer if no such character exists. If start is
equal to end, no changes are made.
56
Lecture notes
capacity() - Returns the current capacity of the String buffer. The capacity is
the amount of storage available for newly inserted characters.
public int capacity()
getChars() - Characters are copied from this string buffer into the destination
character array dst. The first character to be copied is at index srcBegin; the
last character to be copied is at index srcEnd-1.
public void getChars(int srcBegin, int srcEnd, char[] dst, int dstBegin)
Examples: StringBuffer
StringBuffer sb = new StringBuffer(―Hello‖);
sb.length(); // 5
sb.capacity(); // 21 (16 characters room is added
if no size is specified)
sb.charAt(1); // e
sb.setCharAt(1,‘i‘); // Hillo
sb.setLength(2); // Hi
sb.append(―l‖).append(―l‖); // Hill
sb.insert(0, ―Big ―); // Big Hill
sb.replace(3, 11, ―‖); // Big
sb.reverse(); // gib
57
Lecture notes
In this chapter, we will look into the concepts Classes and Objects.
Object - Objects have states and behaviors. Example: A dog has states-
color, name, breed as well as behaviors -wagging, barking, eating. An
object is an instance of a class.
Class - A class can be defined as a template/blue print that describes
the behaviors/states that object of its type support.
Objects in Java:
Let us now look deep into what are objects. If we consider the real-world we
can find many objects around us, Cars, Dogs, Humans, etc. All these objects
have a state and behavior. If we consider a dog, then its state is - name, breed,
color, and the behavior is - barking, wagging, running If you compare the
software object with a real world object, they have very similar characteristics.
Software objects also have a state and behavior. A software object's state is
stored in fields and behavior is shown via methods. So in software
development, methods operate on the internal state of an object and the object-
to-object communication is done via methods.
58
Lecture notes
Classes in Java:
A class is a blue print from which individual objects are created. A sample of a
class is given below:
public class Dog{
String breed;
int age;
String color;
void barking(){
}
void hungry(){
}
void sleeping(){
}
}
A class can contain any of the following variable types.
Local variables: Variables defined inside methods, constructors or
blocks are called local variables. The variable will be declared and
initialized within the method and the variable will be destroyed when the
method has completed.
Instance variables: Instance variables are variables within a class but
outside any method. These variables are instantiated when the class is
loaded. Instance variables can be accessed from inside any method,
constructor or blocks of that particular class.
Class variables: Class variables are variables declared within a class,
outside any method, with the static keyword.
A class can have any number of methods to access the value of various kinds
of methods. In the above example, barking(), hungry() and sleeping() are
methods. Below mentioned are some of the important topics that need to be
discussed when looking into classes of the Java Language.
59
Lecture notes
Constructors:
When discussing about classes, one of the most important subtopic would be
constructors. Every class has a constructor. If we do not explicitly write a
constructor for a class the Java compiler builds a default constructor for that
class. Each time a new object is created, at least one constructor will be
invoked. The main rule of constructors is that they should have the same name
as the class. A class can have more than one constructor.
Example of a constructor is given below:
public class Puppy{
public Puppy(){
}
public Puppy(String name){
// This constructor has one parameter, name.
}
}
Creating an Object:
As mentioned previously, a class provides the blueprints for objects. So
basically an object is created from a class. In Java the new keyword is used to
create new objects. There are three steps when creating an object from a class:
Declaration: A variable declaration with a variable name with an object
type.
Instantiation: The 'new' keyword is used to create the object.
Initialization: The 'new' keyword is followed by a call to a constructor.
This call initializes the new object.
Example of creating an object is given below:
public class Puppy{
public Puppy(String name){
// This constructor has one parameter, name.
System.out.println("Passed Name is :"+ name );
}
60
Lecture notes
public static void main(String[]args){
// Following statement would create an object myPuppy
Puppy myPuppy =new Puppy("tommy");
}
}
If we compile and run the above program, then it would produce the following
result:
Example:
This example explains how to access instance variables and methods of a class:
61
Lecture notes
puppyAge = age;
}
public int getAge(){
System.out.println("Puppy's age is :"+ puppyAge );
return puppyAge;
}
public static void main(String[]args){
/* Object creation */
If we compile and run the above program, then it would produce the following
result:
PassedName is:tommy
Puppy's age is :2
Variable Value :2
62
Lecture notes
A source file can have multiple non public classes.
The public class name should be the name of the source file as well
which should be appended by .java at the end. For example : The class
name is . public class Employee{} Then the source file should be as
Employee.java.
If the class is defined inside a package, then the package statement
should be the first statement in the source file.
If import statements are present then they must be written between the
package statement and the class declaration. If there are no package
statements then the import statement should be the first line in the
source file.
Import and package statements will imply to all the classes present in
the source file. It is not possible to declare different import and/or
package statements to different classes in the source file.
Classes have several access levels and there are different types of
classes; abstract classes, final classes, etc. I will be explaining about all
these in the access modifiers chapter.
Apart from the above mentioned types of classes, Java also has some
special classes called Inner classes and Anonymous classes.
Java Package:
In simple, it is a way of categorizing the classes and interfaces. When
developing applications in Java, hundreds of classes and interfaces will
be written, therefore categorizing these classes is a must as well as
makes life much easier.
Import statements:
63
Lecture notes
In Java if a fully qualified name, which includes the package and the
class name, is given, then the compiler can easily locate the source code or
classes. Import statement is a way of giving the proper location for the compiler
to find that particular class.
For example, the following line would ask compiler to load all the classes
available in directory java_installation/java/io
import java.io.*;
First open notepad and add the following code. Remember this is the Employee
class and the class is a public class. Now, save this source file with the name
Employee.java.
The Employee class has four instance variables name, age, designation and
salary. The class has one explicitly defined constructor, which takes a
parameter.
import java.io.*;
public class Employee{
String name;
int age;
String designation;
double salary;
// This is the constructor of the class Employee
public Employee(String name){
this.name = name;
}
// Assign the age of the Employee to the variable age.
64
Lecture notes
As mentioned previously in this notes, processing starts from the main method.
Therefore in-order for us to run this Employee class there should be main
method and objects should be created. We will be creating a separate class for
these tasks.
Given below is the EmployeeTest class, which creates two instances of the class
Employee and invokes the methods for each object to assign values for each
variable.
import java.io.*;
65
Lecture notes
public class EmployeeTest
Now, compile both the classes and then run EmployeeTest to see the result as
follows:
C :> javac Employee.java
C :> vi EmployeeTest.java
C :> javac EmployeeTest.java
C :> java EmployeeTest
Name:swapna
Age:23
Designation:SoftwareEngineer
Salary:100000.0
Name:balu
Age:25
Designation:SoftwareEngineer
Salary:50000.0
66
Lecture notes
Methods
A Java method is a collection of statements that are grouped together to
perform an operation. When you call the System.out.println method, for
example, the system actually executes several statements in order to display a
message on the console. Now you will learn how to create your own methods
with or without return values, invoke a method with or without parameters,
overload methods using the same names, and apply method abstraction in the
program design.
Creating Method:
Considering the following example to explain the syntax of a method:
public static int funcName(int a, int b)
{
// body
}
Here,
public static : modifier.
int: return type
funcName: function name
a, b: formal parameters
int a, int b: list of parameters
Method definition consists of a method header and a method body. The same is
shown below:
67
Lecture notes
modifier returnType nameOfMethod (Parameter List)
{
// method body
}
Example:
Here is the source code of the above defined method called max(). This
method takes two parameters num1 and num2 and returns the
maximum between the two:
/** the snippet returns the minimum between two numbers */
public static int minFunction(int n1, int n2) {
int min;
if (n1 > n2) min = n2;
else min = n1;
return min;
}
Method Calling:
For using a method, it should be called. There are two ways in which a method
68
Lecture notes
is called i.e. method returns a value or returning nothing (no return value). The
process of method calling is simple. When a program invokes a method, the
program control gets transferred to the called method. This called method then
returns control to the caller in two conditions, when:
return statement is executed.
reaches the method ending closing brace.
Example:
Following is the example to demonstrate how to define a method and how
to call it:
69
Lecture notes
System.out.println("Minimum Value = " + c);
}
}
Minimum value = 6
Example:
The following program shows an example of passing parameter by value. The
values of the arguments remains the same even after the method invocation.
71
Lecture notes
Method Overloading:
When a class has two or more methods by same name but different
parameters, it is known as method overloading. It is different from overriding.
In overriding a method has same method name, type, number of parameters
etc. if number of parameters are same, then type of parameters should be
different.
Lets consider the example shown before for finding minimum numbers of
integer type. If, lets say we want to find minimum number of double type. Then
the concept of Overloading will be introduced to create two or more methods
with the same name but different parameters.
72
Lecture notes
return min;
}
// for double
public static double minFunction(double n1, double n2) {
double min;
if (n1 > n2) min = n2;
else min = n1;
return min;
}
public static void main(String[] args) {
int a = 11;
int b = 6;
double c = 7.3;
double d = 9.4;
int result1 = minFunction(a, b);
// same function name with different parameters
double result2 = minFunction(c, d);
System.out.println("Minimum Value = " + result1);
System.out.println("Minimum Value = " + result2);
}
}
73
Lecture notes
Example:
The following program displays all of the command-line arguments that it is
called with:
args[0]:this
args[1]:is
args[2]: a
args[3]: command
args[4]: line
args[5]:200
args[6]:-100
74
Lecture notes
The Constructors:
A constructor initializes an object when it is created. It has the same name as
its class and is syntactically similar to a method. However, constructors have
no explicit return type. Typically, you will use a constructor to give initial
values to the instance variables defined by the class, or to perform any other
startup procedures required to create a fully formed object. All classes have
constructors, whether you define one or not, because Java automatically
provides a default constructor that initializes all member variables to zero.
However, once you define your own constructor, the default constructor is no
longer used.
Example:
Here is a simple example that uses a constructor:
// A simple constructor.
class MyClass{
int x;
// Following is the constructor
MyClass(){
x =10;
} }
You would call constructor to initialize objects as follows:
public class ConsDemo{
public static void main(String args[]){
MyClass t1 =new MyClass();
MyClass t2 =new MyClass();
System.out.println(t1.x +" "+ t2.x);
}
}
Most often, you will need a constructor that accepts one or more parameters.
Parameters are added to a constructor in the same way that they are added to
a method, just declare them inside the parentheses after the constructor's
name.
75
Lecture notes
Example:
Here is a simple example that uses a constructor:
// A simple constructor.
class MyClass{
int x;
// Following is the constructor
MyClass(int i ){
x = i;
}
}
You would call constructor to initialize objects as follows:
Variable Arguments(var-args):
JDK 1.5 enables you to pass a variable number of arguments of the same type
to a method. The parameter in the method is declared as follows:
typeName... parameterName
In the method declaration, you specify the type followed by an ellipsis (...) Only
one variable-length parameter may be specified in a method, and this
parameter must be the last parameter. Any regular parameters must precede
it.
76
Lecture notes
Example:
public class VarargsDemo{
public static void main(String args[]){
// Call method with variable args
printMax(34,3,3,2,56.5);
printMax(new double[]{1,2,3});
}
public static void printMax(double... numbers){
if(numbers.length ==0){
System.out.println("No argument passed");
return;
}
double result = numbers[0];
for(int i =1; i < numbers.length; i++)
if(numbers[i]> result) result = numbers[i];
System.out.println("The max value is "+ result);
} }
This would produce the following result:
The max value is 56.5
The max value is 3.0
Garbage Collection
Since objects are dynamically allocated by using the new operator, you
might be wondering how such objects are destroyed and their memory
released for later reallocation. In some languages, such as C++,
dynamically allocated objects must be manually released by use of
a delete operator. Java takes a different approach; it
handles deallocation for you automatically. The technique that
accomplishes this is called garbage collection. It works like this: when no
references to an object to an object exist, that object is assumed to be no
longer needed, and the memory occupied by the object can be reclaimed.
There is no explicit need to destroy objects as in C++. Garbage collection
77
Lecture notes
only occurs sporadically (if at all) during the execution of your program. It
will not occur simply because one or more objects exist that are no longer
used. Furthermore, different java run-time implementations will take
varying approaches to garbage collection, but for the most part, you should
not have to think about it while writing your programs
78
Lecture notes
Here, the keyword protected is a specifier that prevents access
to finalize() by code defined outside its class.
It is important to understand that finalize() is only called just prior
to garbage collection. It is not called when an object goes out-of-scope, for
example. This means program should provide other means of releasing
system resources, etc., used by the object. It must not rely on finalize() for
normal program operation.
Example:
/** Example shows garbage collector in action Note that the finalize() method of
object GC1 runs without being specifically called and that the id's of garbage
collected objects are not always sequential.
*/
class TestGC {
Runtime rt = Runtime.getRuntime();
79
Lecture notes
class GC1 {
String str;
int id;
GC1(int i) {
this.str = new String("abcdefghijklmnopqrstuvwxyz");
this.id = i;
}
protected void finalize() {
System.out.println("GC1 object " + id + " has been finalized.");
}
Current_Bill3(){
connection_no="123";
previous_reading=300;
present_reading=450;
}
80
Lecture notes
void compute_bill(){
billing_units=present_reading-previous_reading;
if (billing_units<=100)
bill_amount=billing_units*5;
else if (billing_units>100 && billing_units<=500)
bill_amount=billing_units*7;
else if (billing_units>500)
bill_amount=billing_units*10;
}
b2.compute_bill();
total_amt=b1.bill_amount+b2.bill_amount;
System.out.println("first connection charges=Rs."+b1.bill_amount);
System.out.println("second connection charges=Rs."+b2.bill_amount);
System.out.print("total charges for 2 connections =");
System.out.println(total_amt );
}
}
import java.util.Scanner;
class Account{
int acc_no;
double open_bal;
81
Lecture notes
// constructor
Account(){
acc_no= 222;
open_bal=1000.00;
}
// overloaded constructor
Account(int n, double d){
acc_no=n;
open_bal=d;
}
// deposit method
void deposit(double d){
System.out.println("before deposit yr o.b ="+open_bal);
open_bal=open_bal+d;
}
// deposit method for minimum transaction amount.
void deposit(){
System.out.println("before deposit yr o.b ="+open_bal);
open_bal=open_bal+100;
System.out.println("after deposit yr o.b ="+open_bal);
}
// withdraw method
void withdraw( double w) {
System.out.println("before withdraw yr o.b ="+open_bal);
open_bal=open_bal-w;
System.out.println("after withdraw yr o.b ="+open_bal);
}
// withdraw method for minimum transaction amount.
void withdraw() {
System.out.println("before withdraw yr o.b ="+ open_bal);
82
Lecture notes
open_bal=open_bal-100;
System.out.println("after withdraw yr o.b ="+open_bal);
}
public static void main(String args[]){
Scanner in= new Scanner(System.in);
double amt;
Account tr1= new Account();
83
Lecture notes
Recursion
Java supports recursion. Recursion is the process of defining something in
terms of itself. As it relates to Java programming, recursion is the attribute
that allows a method to call itself. A method that calls itself is said to be
recursive. The classic example of recursion is the computation of the factorial of
a number. The factorial of a number N is the product of all the whole numbers
between 1 and N. For example, 3 factorial is 1 × 2 × 3, or 6. Here is how a
factorial can be computed by use of a recursive method:
Example
class Factorial {
// this is a recursive method
int fact(int n) {
int result;
if(n==1) return 1;
result = fact(n-1) * n;
return result;
}
}
class Recursion {
public static void main(String args[]) {
Factorial f = new Factorial();
System.out.println("Factorial of 3 is " + f.fact(3));
System.out.println("Factorial of 4 is " + f.fact(4));
System.out.println("Factorial of 5 is " + f.fact(5));
}
}
The output:
Factorial of 3 is 6
Factorial of 4 is 24
Factorial of 5 is 120
84
Lecture notes
Example:
class RecTest {
int values[];
RecTest(int i) {
values = new int[i];
}
// display array -- recursively
void printArray(int i) {
if(i==0) return;
else printArray(i-1);
System.out.println("[" + (i-1) + "] " + values[i-1]);
}
}
class Recursion2 {
public static void main(String args[]) {
RecTest ob = new RecTest(10);
int i;
for(i=0; i<10; i++) ob.values[i] = i;
ob.printArray(10);
}
}
This program generates the following output:
[0] 0
[1] 1
[2] 2
[3] 3
[4] 4
[5] 5
[6] 6
[7] 7
[8] 8
[9] 9
85
Lecture notes
Modifier Types
Modifiers are keywords that you add to those definitions to change their
meanings. The Java language has a wide variety of modifiers, including the
following:
Example:
Variables and methods can be declared without any modifiers, as in the
following examples:
String version ="1.5.1";
boolean processOrder()
{
return true;
}
86
Lecture notes
Methods, Variables and Constructors that are declared private can only be
accessed within the declared class itself. Private access modifier is the most
restrictive access level. Class and interfaces cannot be private. Variables that
are declared private can be accessed outside the class if public getter methods
are present in the class. Using the private modifier is the main way that an
object encapsulates itself and hide data from the outside world.
Example:
Here, the format variable of the Logger class is private, so there's no way for
other classes to retrieve or set its value directly. So to make this variable
available to the outside world, we defined two public methods: getFormat(),
which returns the value of format, and setFormat(String), which sets its value.
87
Lecture notes
from any other class. Therefore fields, methods, blocks declared inside a public
class can be accessed from any class belonging to the Java Universe. However
if the public class we are trying to access is in a different package, then the
public class still need to be imported. Because of class inheritance, all public
methods and variables of a class are inherited by its subclasses.
Example:
The following parent class uses protected access control, to allow its child class
overrideopenSpeaker() method:
class AudioPlayer{
protected boolean openSpeaker(Speaker sp){
// implementation details
}
}
88
Lecture notes
class StreamingAudioPlayer{
boolean openSpeaker(Speaker sp){
// implementation details
}
}
89
Lecture notes
protected static final int BOXWIDTH =42;
public static void main(String[] arguments)
{
// body of method
}
90
Lecture notes
Java provides a number of access modifiers to set access levels for classes,
variables, methods and constructors. The four access levels are:
Visible to the package. the default. No modifiers are needed.
Visible to the class only (private).
Visible to the world (public).
Visible to the package and all subclasses (protected).
91
Lecture notes
Understanding static
There will be times when you will want to define a class member that will be
used independently of any object of that class. Normally, a class member must
be accessed only in conjunction with an object of its class. However, it is
possible to create a member that can be used by itself, without reference to a
specific instance. To create such a member, precede its declaration with the
keyword 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. You
can declare both methods and variables to be static. The most common
example of a static member is main( ). main( ) is declared as static because it
must be called before any objects exist. Instance variables declared as static
92
Lecture notes
are, essentially, 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.
Example
class UseStatic {
static int a = 3;
static int b;
static void meth(int x) {
System.out.println("x = " + x);
System.out.println("a = " + a);
System.out.println("b = " + b);
}
static {
System.out.println("Static block initialized.");
b = a * 4;
}
public static void main(String args[]) {
meth(42);
}
}
93
Lecture notes
As soon as the UseStatic class is loaded, all of the static statements are run.
First, a is set to 3, then the static block executes, which prints a message and
then initializes b to a * 4 or 12. Then main( ) is called, which calls meth( ),
passing 42 to x. The three println( ) statements refer to the two static
variables a and b, as well as to the local variable x.
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. For example, if you wish to
call a static method from outside its class, you can do so using the following
general form:
classname.method( ).
A static variable can be accessed in the same way—by use of the dot operator
on the name of the class. This is how Java implements a controlled version of
global methods and global variables.
Example
class StaticDemo {
static int a = 42;
static int b = 99;
static void callme() {
System.out.println("a = " + a);
}
}
94
Lecture notes
class StaticByName {
public static void main(String args[]) {
StaticDemo.callme(); System.out.println("b
= " + StaticDemo.b);
}
}
Example:
final - keyword is also used with methods and classes, these two topics are
discussed in chapter: 16 ( java abstraction)
95
Lecture notes
Inner Classes
Why Use Nested Classes?
There are several compelling reasons for using nested classes, among them:
· It is a way of logically grouping classes that are only used in one place.
· It increases encapsulation.
· Nested classes can lead to more readable and maintainable code.
Logical grouping of classes—If a class is useful to only one other class, then it
is logical to embed it in that class and keep the two together. Nesting such
"helper classes" makes their package more streamlined.
Increased encapsulation—Consider two top-level classes, A and B, where B
needs access to members of A that would otherwise be declared private. By
hiding class B within class A, A's members can be declared private and B can
access them. In addition, B itself can be hidden from the outside world.
More readable, maintainable code—Nesting small classes within top-level
classes places the code closer to where it is used.
It is possible to define a class within another class; such classes are known as
nested classes. The scope of a nested class is bounded by the scope of its
enclosing class. Thus, if class B is defined within class A, then B does not exist
independently of A. A nested class has access to the members, including
private members, of the class in which it is nested. However, the enclosing
class does not have access to the members of the nested class. A nested class
that is declared directly within its enclosing class scope is a member of its
enclosing class. It is also possible to declare a nested class that is local to a
block.
There are two types of nested classes: static and non-static. A static nested
class is one that has the static modifier applied. Because it is static, it must
access the members of its enclosing class through an object. That is, it cannot
96
Lecture notes
refer to members of its enclosing class directly. Because of this restriction,
static nested classes are seldom used. The most important type of nested class
is the inner class. An inner class is a non-static nested class. It has access to
all of the variables and methods of its outer class and may refer to them
directly in the same way that other non-static members of the outer class do.
The following program illustrates how to define and use an inner class. The
class named Outer has one instance variable named outer_x, one instance
method named test( ), and defines one inner class called Inner.
class InnerClassDemo {
public static void main(String args[]) {
Outer outer = new Outer();
outer.test();
}
}
97
Lecture notes
In the above program, an inner class named Inner is defined within the scope
of class Outer. Therefore, any code in class Inner can directly access the
variable outer_x. An instance method named display( ) is defined inside Inner.
This method displays outer_x on the standard output stream. The main( )
method of InnerClassDemo creates an instance of class Outer and invokes its
test( ) method. That method creates an instance of class Inner and the
display( ) method is called.
class OuterClass
{
private int i = 9;
class InnerClassDemo2
{
public static void main(String[] args)
{
OuterClass otr = new OuterClass();
98
Lecture notes
OuterClass.InnerClass inr = otr.new InnerClass();
inr.getValue();
otr.createInner();
}
}
value of i =9
value of i =9
In this program the inner class object also can be created and used to call
inner class variables and methods.
Inheritance
Inheritance can be defined as the process where one object acquires the
properties of another. With the use of inheritance, the information is made
manageable in a hierarchical order. When we talk about inheritance, the most
commonly used keyword would be extends and implements. These words
would determine whether one object IS-A type of another. By using these
keywords we can make one object acquire the properties of another object.
The idea behind inheritance in java is that you can create new classes that are
built upon existing classes. When you inherit from an existing class, you can
reuse methods and fields of parent class, and you can add new methods and
fields also.
99
Lecture notes
IS-A Relationship:
IS-A is a way of saying : This object is a type of that object. Let us see how the
extends keyword is used to achieve inheritance.
The extends keyword indicates that you are making a new class that derives
from an existing class.
In the terminology of Java, a class that is inherited is called a super class. The
new class is called a subclass.
class Employee{
float salary=40000;
}
class Programmer extends Employee{
int bonus=10000;
public static void main(String args[]){
Programmer p=new Programmer();
System.out.println("Programmer salary is:"+p.salary);
System.out.println("Bonus of Programmer is:"+p.bonus);
}
100
Lecture notes
In the above example, Programmer object can access the field of own class as
well as of Employee class i.e. code reusability.
On the basis of class, there can be three types of inheritance in java: single,
multilevel and hierarchical.
101
Lecture notes
With use of the extends keyword the subclasses will be able to inherit all
the properties of the superclass except for the private properties of the
superclass. We can assure that Mammal is actually an Animal with the
use of the instance operator.
Example:
102
Lecture notes
Interface Animal{
}
class Mammal implements Animal{
}
public class Dog extends Mammal{
public static void main(String args[]){
Mammal m =new Mammal();
Dog d =new Dog();
System.out.println(m instanceof Animal);
System.out.println(d instanceof Mammal);
System.out.println(d instanceof Animal);
}
}
This would produce the following result:
103
Lecture notes
true
true
true
HAS-A relationship:
These relationships are mainly based on the usage. This determines whether a
certain class HAS-A certain thing. This relationship helps to reduce duplication
of code as well as bugs.
Lets us look into an example:
public class Vehicle{
}
public class Speed{
}
public class Van extends Vehicle{
private Speed sp;
}
This shows that class Van HAS-A Speed. By having a separate class for Speed,
we do not have to put the entire code that belongs to speed inside the Van
class which makes it possible to reuse the Speed class in multiple applications.
In Object-Oriented feature, the users do not need to bother about which object
is doing the real work. To achieve this, the Van class hides the implementation
details from the users of the Van class. So basically what happens is the users
would ask the Van class to do a certain action and the Van class will either do
the work by itself or ask another class to perform the action. A very important
fact to remember is that Java only supports only single inheritance. This
means that a class cannot extend more than one class. Therefore following is
illegal:
104
Lecture notes
However, a class can implement one or more interfaces. This has made Java
get rid of the impossibility of multiple inheritance.
class Employee{
int id;
String name;
Address address;//Address is a class
...
}
In this example, we have created the reference of Operation class in the Circle
class.
class Operation{
int square(int n){
105
Lecture notes
return n*n;
}
}
class Circle{
Operation op;//aggregation
double pi=3.14;
In this example, Employee has an object of Address, address object contains its
own informations such as city, state, country etc. In such case relationship is
Employee HAS-A address.
Address.java
public class Address {
106
Lecture notes
String city,state,country;
Emp.java
public class Emp {
int id;
String name;
Address address;
void display(){
System.out.println(id+" "+name);
System.out.println(address.city+" "+address.state+" "+address.country);
}
107
Lecture notes
}
}
Output:111 varun
gzb UP india
112 arun
gno UP india
108
Lecture notes
Overriding
In the previous chapter, we talked about superclasses and subclasses. If a
class inherits a method from its superclass, then there is a chance to override
the method provided that it is not marked final. The benefit of overriding is:
ability to define a behavior that's specific to the subclass type which means a
subclass can implement a parent class method based on its requirement. In object-
oriented terms, overriding means to override the functionality of an existing
method.
Example:
Let us look at an example.
Class Animal{
public void move(){
System.out.println("Animals can move");
}
}
class Dog extends Animal{
public void move(){
System.out.println("Dogs can walk and run");
}}
109
Lecture notes
public class TestDog{
public static void main(String args[]){
Animal a =new Animal(); // Animal reference and object
Animal b =new Dog(); // Animal reference but Dog object
a.move();// runs the method in Animal class
b.move();//Runs the method in Dog class
}}
In the above example, you can see that the even though b is a type of Animal it
runs the move method in the Dog class. The reason for this is: In compile time,
the check is made on the reference type. However, in the runtime, JVM figures
out the object type and would run the method that belongs to that particular
object. Therefore, in the above example, the program will compile properly
since Animal class has the method move. Then, at the runtime, it runs the
method specific for that object. Consider the following example:
110
Lecture notes
public static void main(String args[]){
Animal a =new Animal();// Animal reference and object
Animal b =new Dog();// Animal reference but Dog object
a.move();// runs the method in Animal class
b.move();//Runs the method in Dog class
b.bark();
}
}
This program will throw a compile time error since b's reference type Animal
doesn't have a method by the name of bark.
Rules for method overriding:
The argument list should be exactly the same as that of the overridden
method.
The return type should be the same or a subtype of the return type
declared in the original overridden method in the superclass.
The access level cannot be more restrictive than the overridden method's
access level. For example, if the superclass method is declared public, then the
overriding method in the subclass cannot be either private or protected.
Instance methods can be overridden only if they are inherited by the
subclass.
A method declared final cannot be overridden.
A method declared static cannot be overridden but can be re-declared.
If a method cannot be inherited, then it cannot be overridden.
A subclass within the same package as the instance's superclass can
override any superclass method that is not declared private or final.
111
Lecture notes
A subclass in a different package can only override the non-final
methods declared public or protected.
An overriding method can throw any uncheck exceptions, regardless of
whether the overridden method throws exceptions or not. However the
overriding method should not throw checked exceptions that are new or
broader than the ones declared by the overridden method. The overriding
method can throw narrower or fewer exceptions than the overridden
method.
Constructors cannot be overridden.
Using the super keyword:
class Animal{
public void move(){
System.out.println("Animals can move");
}
} class Dog extends Animal{
public void move(){
super.move();// invokes the super class method
System.out.println("Dogs can walk and run");
}
}
public class TestDog{
public static void main(String args[]){
Animal b =new Dog();// Animal reference but Dog object
b.move();//Runs the method in Dog class
}
}
This would produce the following result:
112
Lecture notes
Animals can move
Dogs can walk and run
In other words, it is the type of the object being referred to (not the type of the
reference variable) that determines which version of an overridden method will
be executed. Therefore, if a superclass contains a method that is overridden by
a subclass, then when different types of objects are referred to through a
superclass reference variable, different versions of the method are executed.
Here is an example that illustrates dynamic method dispatch:
113
Lecture notes
class B extends A {
// override callme()
void callme() {
System.out.println("Inside B's callme method");
}
}
class C extends A {
// override callme()
void callme() {
System.out.println("Inside C's callme method");
}
}
class Dispatch {
public static void main(String args[]) {
A a = new A(); // object of type A
B b = new B(); // object of type B
C c = new C(); // object of type C
A r; // obtain a reference of type A
r = a; // r refers to an A object
r.callme(); // calls A's version of callme
r = b; // r refers to a B object
r.callme(); // calls B's version of callme
r = c; // r refers to a C object
r.callme(); // calls C's version of callme
}}
114
Lecture notes
This program creates one superclass called A and two subclasses of it, called B
and C. Subclasses B and C override callme( ) declared in A. Inside the main( )
method, objects of type A, B, and C are declared. Also, a reference of type A,
called r, is declared. The program then in turn assigns a reference to each type
of object to r and uses that reference to invoke callme( ). As the output shows,
the version of callme( ) executed is determined by the type of object being
referred to at the time of the call. Had it been determined by the type of the
reference variable, r, you would see three calls to A‘s callme( ) method.
Polymorphism
Polymorphism is the ability of an object to take on many forms. The most
common use of polymorphism in OOP, occurs when a parent class reference is
used to refer to a child class object. Any Java object that can pass more than
one IS-A test is considered to be polymorphic. In Java, all Java objects are
polymorphic since any object will pass the IS-A test for their own type and for
the class Object. It is important to know that the only possible way to access
an object is through a reference variable. A reference variable can be of only
one type. Once declared, the type of a reference variable cannot be changed.
The reference variable can be reassigned to other objects provided that it is not
declared final. The type of the reference variable would determine the methods
that it can invoke on the object. A reference variable can refer to any object of
its declared type or any subtype of its declared type. A reference variable can be
declared as a class or interface type.
Example:
115
Lecture notes
Let us look at an example.
public interface Vegetarian{
}
public class Animal{
}
public class Deer extends Animal implements Vegetarian{
}
Now, the Deer class is considered to be polymorphic since this has multiple
inheritance.
Following are true for the above example:
When we apply the reference variable facts to a Deer object reference, the
following declarations are legal:
Deer d =new Deer();
Animal a = d;
Vegetarian v = d;
Object o = d;
All the reference variables d,a,v,o refer to the same Deer object in the
heap.
Virtual Methods:
In this section, I will show you how the behavior of overridden methods
in Java allows you to take advantage of polymorphism when designing
your classes. We already have discussed method overriding, where a
116
Lecture notes
child class can override a method in its parent. An overridden method is
essentially hidden in the parent class, and is not invoked unless the
child class uses the super keyword within the overriding method.
/* File name : Employee.java */
public class Employee {
private String name;
private String address;
private int number;
public Employee(String name,String address,int number) {
System.out.println("Constructing an Employee");
this.name = name;
this.address = address;
this.number = number;
}
public void mailCheck() {
System.out.println("Mailing a check to "+this.name +"
"+this.address);
}
public String toString() {
return name +" "+ address +" "+ number;
}
publicString getName() {
return name;
}
public String getAddress() {
return address;
}
public void setAddress(String newAddress) {
address = newAddress;
}
public int getNumber() {
return number; }}
117
Lecture notes
118
Lecture notes
119
Lecture notes
Abstraction
Abstraction refers to the ability to make a class abstract in OOP. An abstract
class is one that cannot be instantiated. All other functionality of the class still
exists, and its fields, methods, and constructors are all accessed in the same
manner. You just cannot create an instance of the abstract class. If a class is
abstract and cannot be instantiated, the class does not have much use unless
it is subclass. This is typically how abstract classes come about during the
design phase. A parent class contains the common functionality of a collection
of child classes, but the parent class itself is too abstract to be used on its own.
Abstract Class:
Use the abstract keyword to declare a class abstract. The keyword appears in
the class declaration somewhere before the class keyword.
Abstract Methods:
If you want a class to contain a particular method but you want the actual
implementation of that method to be determined by child classes, you can
declare the method in the parent class as abstract.
120
Lecture notes
private String address;
private int number;
public Employee(String name,String address,int number) {
System.out.println("Constructing an Employee");
this.name = name;
this.address = address;
this.number = number;
}
public double computePay() {
System.out.println("Inside Employee computePay");
return0.0;
}
public void mailCheck() {
System.out.println("Mailing a check to "+this.name +" "+this.address);
}
public String toString() {
return name +" "+ address +" "+ number;
}
public String getName() {
return name;
}
public String getAddress() {
return address;
}
public void setAddress(String newAddress) {
address = newAddress;
}
122
Lecture notes
public void setSalary(double newSalary) {
if(newSalary >=0.0) {
salary = newSalary;
}
}
public double computePay() {
System.out.println("Computing salary pay for "+ getName());
return salary/52;
}
}
Here, we cannot instantiate a new Employee, but if we instantiate a new Salary
object, the Salary object will inherit the three fields and seven methods from
Employee.
The keyword final has three uses. First, it can be used to create the equivalent
of a named constant. This use was described in the preceding chapter. The
other two uses of final apply to inheritance. Both are examined here.
Using final to Prevent Overriding
While method overriding is one of Java‘s most powerful features, there will be
times when
127
Lecture notes
you will want to prevent it from occurring. To disallow a method from being
overridden,
specify final as a modifier at the start of its declaration. Methods declared as
final cannot
be overridden. The following fragment illustrates final:
class A {
final void meth() {
System.out.println("This is a final method.");
}
}
class B extends A {
void meth() { // ERROR! Can't override.
System.out.println("Illegal!");
}
}
128
Lecture notes
Sometimes you will want to prevent a class from being inherited. To do this,
precede the class declaration with final. Declaring a class as final implicitly
declares all of its methods as final, too. As you might expect, 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.
Here is an example of a final class:
final class A {
// ...
}
// The following class is illegal.
class B extends A { // ERROR! Can't subclass A
// ...
}
As the comments imply, it is illegal for B to inherit A since A is declared as
final.
129
Lecture notes
Encapsulation
Encapsulation is one of the four fundamental OOP concepts. The other three
are inheritance, polymorphism, and abstraction. Encapsulation is the
technique of making the fields in a class private and providing access to the
fields via public methods. If a field is declared private, it cannot be accessed by
anyone outside the class, thereby hiding the fields within the class. For this
reason, encapsulation is also referred to as data hiding. Encapsulation can be
described as a protective barrier that prevents the code and data being
randomly accessed by other code defined outside the class. Access to the data
and code is tightly controlled by an interface. The main benefit of
encapsulation is the ability to modify our implemented code without breaking
the code of others who use our code. With this feature Encapsulation gives
maintainability, flexibility and extensibility to our code.
Example:
130
Lecture notes
}
Public void setAge(int newAge){
age = newAge;
}
Public void setName(String newName){
name = newName;
}
public void setIdNum(String newId){
idNum = newId;
}
}
The public methods are the access points to this class' fields from the outside
java world. Normally, these methods are referred as getters and setters.
Therefore any class that wants to access the variables should access them
through these getters and setters. The variables of the EncapTest class can be
access as below:
/* File name : RunEncap.java */
public class RunEncap{
public static void main(String args[]){
EncapTest encap =new EncapTest();
encap.setName("James");
encap.setAge(20);
encap.setIdNum("12343ms");
System.out.print("Name : "+ encap.getName()+" Age : "+ encap.getAge());
}
}
This would produce the following result:
Name:JamesAge:20
Benefits of Encapsulation:
131
Lecture notes
The fields of a class can be made read-only or write-only. A class can have total
control over what is stored in its fields. The users of a class do not know how
the class stores its data. A class can change the data type of a field and users
of the class do not need to change any of their code.
There is one special class, Object, defined by Java. All other classes are
subclasses of Object. That is, Object is a superclass of all other classes. This
means that a reference variable of type Object can refer to an object of any
other class. Also, since arrays are implemented as classes, a variable of type
Object can also refer to any array. Object defines the following methods, which
means that they are available in every object.
The methods getClass( ), notify( ), notifyAll( ), and wait( ) are declared as final.
You may override the others. These methods are described elsewhere in this
book. However, notice two methods now: equals( ) and toString( ). The equals( )
method compares the contents of two objects. It returns true if the objects are
equivalent, and false otherwise.
132
Lecture notes
Packages
A java package is a group of similar types of classes, interfaces and sub-
packages. Package in java can be categorized in two form, built-in package and
user-defined package. There are many built-in packages such as java, lang,
awt, javax, swing, net, io, util, sql etc. Here, we will have the detailed learning
of creating and using user-defined packages.
1) Java package is used to categorize the classes and interfaces so that they
can be easily maintained.
//save as Simple.java
package mypack;
public class Simple{
public static void main(String args[]){
System.out.println("Welcome to package");
}
}
If you are not using any IDE, you need to follow the syntax given below:
133
Lecture notes
For example
>javac -d . Simple.java
The -d switch specifies the destination where to put the generated class file.
You can use any directory name like /home (in case of Linux), d:/abc (in case
of windows) etc. If you want to keep the package within the same directory, you
can use . (dot).
You need to use fully qualified name e.g. mypack.Simple etc to run the class.
Output:Welcome to package
The -d is a switch that tells the compiler where to put the class file i.e. it
represents destination. The . represents the current folder.
There are three ways to access the package from outside the package.
1. import package.*;
2. import package.classname;
3. fully qualified name.
1) Using packagename.*
If you use package.* then all the classes and interfaces of this package will be
accessible but not subpackages.
134
Lecture notes
The import keyword is used to make the classes and interface of another
package accessible to the current package.
//save by A.java
package pack;
public class A{
public void msg(){System.out.println("Hello");}
}
//save by B.java
package mypack;
import pack.*;
class B{
public static void main(String args[]){
A obj = new A();
obj.msg();
}
}
Output:Hello
2) Using packagename.classname
If you import package.classname then only declared class of this package will
be accessible.
//save by A.java
135
Lecture notes
package pack;
public class A{
public void msg(){System.out.println("Hello");}
}
//save by B.java
package mypack;
import pack.A;
class B{
public static void main(String args[]){
A obj = new A();
obj.msg();
}
}
Output:Hello
If you use fully qualified name then only declared class of this package will be
accessible. Now there is no need to import. But you need to use fully qualified
name every time when you are accessing the class or interface.
It is generally used when two packages have same class name e.g. java.util and
java.sql packages contain Date class.
//save by A.java
package pack;
public class A{
public void msg(){System.out.println("Hello");}
}
136
Lecture notes
//save by B.java
package mypack;
class B{
public static void main(String args[]){
pack.A obj = new pack.A();//using fully qualified name
obj.msg();
}
}
Output:Hello
If you import a package, all the classes and interface of that package will be
imported excluding the classes and interfaces of the subpackages. Hence, you
need to import the subpackage as well.
Subpackage in java
Let's take an example, Sun Microsystem has definded a package named java
that contains many classes like System, String, Reader, Writer, Socket etc.
These classes represent a particular group e.g. Reader and Writer classes are
for Input/Output operation, Socket and ServerSocket classes are for
networking etc and so on. So, Sun has subcategorized the java package into
subpackages such as lang, net, io etc. and put the Input/Output related
classes in io package, Server and ServerSocket classes in net packages and so
on.
Example of Subpackage
package com.javatpoint.core;
class Simple{
public static void main(String args[]){
System.out.println("Hello subpackage");
137
Lecture notes
}}
Output:Hello subpackage
Interfaces
Interface in Java
There are mainly three reasons to use interface. They are given below.
138
Lecture notes
The java compiler adds public and abstract keywords before the interface
method and public, static and final keywords before data members.
In other words, Interface fields are public, static and final bydefault, and
methods are public and abstract.
As shown in the figure given below, a class extends another class, an interface
extends another interface but a class implements an interface.
}
}
Output:Hello
139
Lecture notes
Multiple inheritance in Java by interface
interface Printable{
void print();
}
interface Showable{
void show();
}
140
Lecture notes
interface Showable{
void print();
}
Output: Hello
As you can see in the above example, Printable and Showable interface have
same methods but its implementation is provided by class TestTnterface1, so
there is no ambiguity.
Interface inheritance
interface Printable{
void print();
}
interface Showable extends Printable{
void show();
}
class Testinterface2 implements Showable{
141
Lecture notes
obj.print();
obj.show();
}
}
Output:
Hello
Welcome
Abstract class and interface both are used to achieve abstraction where we can
declare the abstract methods. Abstract class and interface both can't be
instantiated.
But there are many differences between abstract class and interface that are
given below.
1) Abstract class can have abstract Interface can have only abstract methods.
and non-abstractmethods.
142
Lecture notes
3) Abstract class can have final, non-final, Interface has only static and final variables.
4) Abstract class can have static methods, Interface can't have static methods, main
main method and constructor. method or constructor.
5) Abstract class can provide the Interface can't provide the implementation
implementation of interface. of abstract class.
6) The abstract keyword is used to declare The interface keyword is used to declare
abstract class. interface.
7) Example: Example:
public abstract class Shape{ public interface Drawable{
public abstract void draw(); void draw();
} }
Let's see a simple example where we are using interface and abstract class
both.
143
Lecture notes
Output:
I am a
I am b
I am c
I am d
144
Lecture notes
Exception Handling
The exception handling in java is one of the powerful mechanism to handle
the runtime errors so that normal flow of the application can be maintained.
In this page, we will learn about java exception, its type and the difference
between checked and unchecked exceptions.
What is exception
In java, exception is an event that disrupts the normal flow of the program. It is
an object which is thrown at runtime.
145
Lecture notes
statement 7;
statement 8;
statement 9;
statement 10;
Types of Exception
There are mainly two types of exceptions: checked and unchecked where error
is considered as unchecked exception. The sun microsystem says there are
three types of exceptions:
1. Checked Exception
2. Unchecked Exception
3. Error
1) Checked Exception
The classes that extend Throwable class except RuntimeException and Error
are known as checked exceptions e.g.IOException, SQLException etc. Checked
exceptions are checked at compile-time.
2) Unchecked Exception
3) Error
There are given some scenarios where unchecked exceptions can occur. They
are as follows:
int a=50/0;//ArithmeticException
2) Scenario where NullPointerException occurs
If we have null value in any variable, performing any operation by the variable
occurs an NullPointerException.
String s=null;
System.out.println(s.length());//NullPointerException
String s="abc";
int i=Integer.parseInt(s);//NumberFormatException
147
Lecture notes
int a[]=new int[5];
a[10]=50; //ArrayIndexOutOfBoundsException
Java Exception Handling Keywords
1. try
2. catch
3. finally
4. throw
5. throws
Java try-catch
Java try block
Java try block is used to enclose the code that might throw an exception. It
must be used within the method.
try{
//code that may throw exception
}catch(Exception_class_Name ref){}
try{
//code that may throw exception
}finally{}
148
Lecture notes
Java catch block is used to handle the Exception. It must be used after the try
block only.
Output:
As displayed in the above example, rest of the code is not executed (in such
case, rest of the code... statement is not printed).
There can be 100 lines of code after exception. So all the code after exception
will not be executed.
149
Lecture notes
Output:
Now, as displayed in the above example, rest of the code is executed i.e. rest of
the code... statement is printed.
If you have to perform different tasks at the occurrence of different Exceptions, use java multi
catch block.
150
Lecture notes
Output:task1 completed
rest of the code...
Rule: At a time only one Exception is occured and at a time only one catch block is
executed.
Rule: All catch blocks must be ordered from most specific to most general i.e. catch
for ArithmeticException must come before catch for Exception .
class TestMultipleCatchBlock1{
public static void main(String args[]){
try{
int a[]=new int[5];
a[5]=30/0;
}
catch(Exception e){System.out.println("common task completed");}
catch(ArithmeticException e){System.out.println("task1 is completed");}
catch(ArrayIndexOutOfBoundsException e){System.out.println("task 2 compl
eted");}
System.out.println("rest of the code...");
}}
Output:
Compile-time error
The try block within a try block is known as nested try block in java.
Sometimes a situation may arise where a part of a block may cause one error
and the entire block itself may cause another error. In such cases, exception
handlers have to be nested.
Syntax:
....
try
{
statement 1;
statement 2;
try
{
statement 1;
statement 2;
}
catch(Exception e)
{
}
catch(Exception e)
{
}
....
class Excep6{
public static void main(String args[]){
152
Lecture notes
try{
try{
System.out.println("going to divide");
int b =39/0;
}catch(ArithmeticException e){System.out.println(e);}
try{
int a[]=new int[5];
a[5]=4;
}catch(ArrayIndexOutOfBoundsException e){System.out.println(e);}
System.out.println("other statement);
}catch(Exception e){System.out.println("handeled");}
System.out.println("normal flow..");
}
}
Note: If you don't handle exception, before terminating the program, JVM executes
finally block(if any).
153
Lecture notes
o Finally block in java can be used to put "cleanup" code such as closing a
file, closing connection etc.
Let's see the different cases where java finally block can be used.
Case 1
Let's see the java finally example where exception doesn't occur.
class TestFinallyBlock{
public static void main(String args[]){
try{
int data=25/5;
System.out.println(data);
}
catch(NullPointerException e){System.out.println(e);}
finally{System.out.println("finally block is always executed");}
System.out.println("rest of the code...");
}
}
Output:5
finally block is always executed
rest of the code...
Case 2
Let's see the java finally example where exception occurs and not handled.
class TestFinallyBlock1{
public static void main(String args[]){
154
Lecture notes
try{
int data=25/0;
System.out.println(data);
}
catch(NullPointerException e){System.out.println(e);}
finally{System.out.println("finally block is always executed");}
System.out.println("rest of the code...");
}
}
Case 3
Let's see the java finally example where exception occurs and handled.
Rule: For each try block there can be zero or more catch blocks, but only one finally block.
Note: The finally block will not be executed if program exits(either by calling
155
System.exit() or by causing a fatal error that causes the process to abort).
Lecture notes
Java throw exception
throw exception;
Let's see the example of throw IOException.
In this example, we have created the validate method that takes integer value
as a parameter. If the age is less than 18, we are throwing the
ArithmeticException otherwise print a message welcome to vote.
Output:
Exception in thread main java.lang.ArithmeticException:not valid
class TestExceptionPropagation1{
void m(){
int data=50/0;
}
void n(){
m();
}
void p(){
try{
n();
}catch(Exception e){System.out.println("exception handled");}
}
public static void main(String args[]){
TestExceptionPropagation1 obj=new TestExceptionPropagation1();
obj.p();
System.out.println("normal flow...");
}
}
Output:exception handled
normal flow...
157
Lecture notes
Program which describes that checked exceptions are not propagated
class TestExceptionPropagation2{
void m(){
throw new java.io.IOException("device error");//checked exception
}
void n(){
m();
}
void p(){
try{
n();
}catch(Exception e){System.out.println("exception handeled");}
}
public static void main(String args[]){
TestExceptionPropagation2 obj=new TestExceptionPropagation2();
obj.p();
System.out.println("normal flow");
}
}
Output:Compile Time Error
Let's see the example of java throws clause which describes that checked
exceptions can be propagated by throws keyword.
import java.io.IOException;
class Testthrows1{
void m()throws IOException{
throw new IOException("device error");//checked exception
}
void n()throws IOException{
m();
}
void p(){
try{ ();
159
Lecture notes
} catch(Exception e){System.out.println("exception handled");}
}
public static void main(String args[]){
Testthrows1 obj=new Testthrows1();
obj.p();
System.out.println("normal flow...");
}
}
Output:
exception handled
normal flow...
There are two cases:
import java.io.*;
class M{
void method()throws IOException{
throw new IOException("device error");
}
}
public class Testthrows2{
public static void main(String args[]){
try{
M m=new M();
m.method();
160
Lecture notes
}catch(Exception e){System.out.println("exception handled");}
System.out.println("normal flow...");
}
}
Output:exception handled
normal flow...
System.out.println("normal flow...");
}
}
Output:device operation performed
normal flow...
161
Lecture notes
B) Program if exception occurs
import java.io.*;
class M{
void method()throws IOException{
throw new IOException("device error");
}
}
class Testthrows4{
public static void main(String args[])throws IOException{//declare exceptio
n
M m=new M();
m.method();
System.out.println("normal flow...");
}}
Output:Runtime Exception
162
Lecture notes
3) Throw is followed by an instance. Throws is followed by class.
4) Throw is used within the method. Throws is used with the method
signature.
void m(){
throw new ArithmeticException("sorry");
}
Java throws example
163
Lecture notes
class FinalExample{
public static void main(String[] args){
final int x=100;
x=200;//Compile Time Error
}
}
class FinallyExample{
public static void main(String[] args){
try{
int x=300;
}catch(Exception e){System.out.println(e);}
164
Lecture notes
class FinalizeExample{
public void finalize(){System.out.println("finalize called");}
public static void main(String[] args){
FinalizeExample f1=new FinalizeExample();
FinalizeExample f2=new FinalizeExample();
f1=null;
f2=null;
System.gc();
}}
I/O Streams :
• Java programs perform I/O through streams.
• A stream is an abstraction 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.
• Java programs perform I/O through streams.
• A stream is an abstraction 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.
• Byte streams provide a convenient means for handling input and output
of bytes.
• Byte streams are used, for example, when reading or writing binary data.
• Character streams provide a convenient means for handling input and
output of characters.
• They use Unicode and, therefore, can be internationalized.
• Also, in some cases, character streams are more efficient than byte
streams.
166
Lecture notes
• The original version of Java (Java 1.0) did not include character streams
and, thus, all I/O was byte-oriented.
• Character streams were added by Java 1.1, and certain byte-oriented
classes and methods were deprecated.
• This is why older code that doesn‘t use character streams should be
updated to take advantage of them, where appropriate.
• One other point: at the lowest level, all I/O is still byte-oriented.
• The character-based streams simply provide a convenient and efficient
means for handling characters.
• An overview of both byte-oriented streams and character-oriented
streams is presented
in the following sections.
167
Lecture notes
169
Lecture notes
170
Lecture notes
However, these streams may be redirected to any compatible I/O device.
• System.in is an object of type InputStream; System.out and System.err
are objects of type PrintStream.
• These are byte streams, even though they typically are used to read and
write characters from and to the console.
• As you will see, you can wrap these within characterbased streams, if
desired.
171
Lecture notes
Reading Characters:
• To read a character from a BufferedReader, use read( ).
• The version of read( ) that we will be using is
int read( ) throws IOException 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.
• As you can see, it can throw an IOException
• The following program demonstrates read( ) by reading characters from
the console until the user types a "q.” Notice that any I/O exceptions that
might be generated are simply thrown out of main( ).
• Such an approach is common when reading from the console, but you
can handle these types of errors yourself, if you chose.
172
Lecture notes
System.out.println(c);
} while(c != 'q');
}
}
Here is a sample run:
Enter characters, 'q' to quit.
123abcq
1
2
3
a
b
c
q
• This output may look a little different from what you expected, because
System.in is linebuffered, by default.
• This means that no input is actually passed to the program until you
press ENTER.
• As you can guess, this does not make read( ) particularly valuable for
interactive console input.
Reading Streams:
• To read a string from the keyboard, use the version of readLine( ) that is
a member of the BufferedReader class.
• Its general form is shown here:
String readLine( ) throws IOException
• As you can see, it returns a String object.
173
Lecture notes
// A tiny editor.
import java.io.*;
class TinyEdit {
public static void main(String args[])
174
Lecture notes
throws IOException
{
BufferedReader br = new BufferedReader(new
InputStreamReader(System.in));
String str[] = new String[100];
System.out.println("Enter lines of text.");
System.out.println("Enter 'stop' to quit.");
for(int i=0; i<100; i++) {
str[i] = br.readLine();
if(str[i].equals("stop")) break;
}
System.out.println("\nHere is your file:");
// display the lines
for(int i=0; i<100; i++) {
if(str[i].equals("stop")) break;
System.out.println(str[i]);
}
}
}
Here is a sample run:
Enter lines of text.
Enter 'stop' to quit.
This is line one.
This is line two.
Java makes working with strings easy.
Just create String objects.
stop
Here is your file:
This is line one.
This is line two.
175
Lecture notes
• The addition of Scanner to Java makes what was formerly a tedious task
into an easy one.
• To understand why, let‘s look at some examples.
• // Use Scanner to compute an average of the values in a file.
import java.util.*;
import java.io.*;
class AvgFile {
throws IOException {
int count = 0;
176
Lecture notes
fout.close();
while(src.hasNext()) {
if(src.hasNextDouble()) {
sum += src.nextDouble();
count++;
else {
if(str.equals("done")) break;
else {
return;
}
177
Lecture notes
fin.close();
Average is 6.2
// Demonstrate System.out.write().
class WriteDemo {
public static void main(String args[]) {
178
Lecture notes
int b;
b = 'A';
System.out.write(b);
System.out.write('\n');
}
}
You will not often use write( ) to perform console output (although doing so
might be useful in some situations), because print( ) and println( ) are
substantially easier to use.
179
Lecture notes
// Demonstrate PrintWriter
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");
int i = -7;
pw.println(i);
double d = 4.5e-7;
pw.println(d);
}
}
The output from this program is shown here:
This is a string
-7
4.5E-7
• Remember, there is nothing wrong with using System.out to write simple
text output to the console when you are learning Java or debugging your
programs.
• However, using a PrintWriter will make your real-world applications
easier to internationalize.
• Because no advantage is gained by using a PrintWriter in the sample
programs shown in this book, we will continue to use System.out to write
to the console.
180
Lecture notes
BufferedWriter output=null;
File fil = new File("scores.txt");
if(!fil.exists()){
fil.createNewFile();
}
output=new BufferedWriter(file);
System.out.print("Enter How many records:");
n=in.nextInt();
for (i=0;i<n;i++){
System.out.println("Enter name:");
nm=in.next();
System.out.println("Enter number:");
num=in.next();
System.out.println("Enter basic:");
bas=in.next();
output.write(nm+" ");
output.write(num+" ");
181
Lecture notes
output.write(bas+" ");
output.newLine();
}
output.close();
}
}
num=Integer.parseInt(n2);
sal =Double.parseDouble(n3);
System.out.println(name+ " "+num+ " "+sal );
} }catch(FileNotFoundException fnf){System.out.println(fnf);
System.out.println(" pl. provide me the file");
182
Lecture notes
}
}
}
import java.io.*;
import java.util.Scanner;
class Employee{
String name;
int num;
double basic;
void salary(){
double sal=basic+1000;
System.out.println(name+" " +"salary= " +sal);
}
183
Lecture notes
num=Integer.parseInt(n2);
bas =Double.parseDouble(n3);
emp[i]=new Employee(name,num,bas);
emp[i].salary();
i++;
}
}
}
184
Lecture notes
Multithreading
Multithreading in java is a process of executing multiple threads
simultaneously.
1) It doesn't block the user because threads are independent and you can
perform multiple operations at same time.
185
Lecture notes
Multitasking
o Process-based Multitasking(Multiprocessing)
o Thread-based Multitasking(Multithreading)
186
Lecture notes
But for better understanding the threads, we are explaining it in the 5 states.
The life cycle of the thread in java is controlled by JVM. The java thread states
are as follows:
1. New : The thread is in new state if you create an instance of Thread class
but before the invocation of start() method.
2. Runnable : The thread is in runnable state after invocation of start()
method, but the thread scheduler has not selected it to be the running
thread.
3. Running: The thread is in running state if the thread scheduler has
selected it.
4. Non-Runnable (Blocked): This is the state when the thread is still alive,
but is currently not eligible to run.
5. Terminated: A thread is in terminated or dead state when its run()
method exits.
187
Lecture notes
Thread class:
Thread class provide constructors and methods to create and perform
operations on a thread.Thread class extends Object class and implements
Runnable interface.
188
Lecture notes
Runnable interface:
The Runnable interface should be implemented by any class whose
instances are intended to be executed by a thread. Runnable interface have
only one method named run().
Starting a thread:
start() method of Thread class is used to start a newly created thread. It
performs following tasks:
Output:thread is running...
189
Lecture notes
There is no guarantee that which runnable thread will be chosen to run by the
thread scheduler.
190
Lecture notes
Syntax of sleep() method in java
t1.start();
t2.start();
}
}
Output:
191
Lecture notes
3
As you know well that at a time only one thread is executed. If you sleep a
thread for the specified time,the thread shedular picks up another thread and
so on.
t1.run();
t2.run();
}
}
Output:1
2
3
4
5
1
192
Lecture notes
2
3
4
5
Syntax:
public void join()throws InterruptedException
193
Lecture notes
t1.join();
}catch(Exception e){System.out.println(e);}
t2.start();
t3.start();
}
}
194
Lecture notes
}
public static void main(String args[]){
TestMultiPriority1 m1=new TestMultiPriority1();
TestMultiPriority1 m2=new TestMultiPriority1();
m1.setPriority(Thread.MIN_PRIORITY);
m2.setPriority(Thread.MAX_PRIORITY);
m1.start();
m2.start();
}}
195