Java Notes 3
Java Notes 3
• Introduction
• Class Definition in Java
• Declaring Variables
• Constructors
• Variable Types
• Polymorphism in Java
o Dynamic Method Dispatch
• Access Specification in Java
• Practice Questions
• Assignment
• Q&A
Introduction
The basic element of object oriented Programming in Java is a class. Class is used to build an
Application, to define an applet. A class defines the shape and behavior of an object. In Java,
programmers are allowed to define their own classes or can borrow the class definition from
outside (such as from built in classes, packages etc). In this Chapter, we will learn the theoretical
notion of Object Oriented Programming : encapsulation, inheritance, and polymorphism. We will
discuss how to create, extend, and instantiate our own classes. After the learning of this Chapter
we will begin to utilize the real power of Java-oriented programming style.
Those are included with [...] are optional. Member elements will be declared with usual
convention as in C++ with the following syntax :
type ElementName;
Methods are declared with the same convention of C ++ as :
Putting the member elements and methods into together in the definition of a class called is
called encapsulation. Following is a simple example to illustrate the defining a class.
class Circle {
double x, y;
double r;
double circumference(){
return 2*3.14159*r;
}
double area(){
return (22/7)*r*r;
}
}
//The following class declares multiple objects of type Circle
class Demonstration_32
{
public static void main(String args[]){
Circle c1 = new Circle();
Circle c2 = new Circle();
// Initialize the circles
c1.x = 3.0;
c1.y = 4.0;
c1.r = 5.0;
c2.x = -4.0;
c2.y = -8.0;
c2.r = 10.0;
System.out.println("Circumference Circle 1" + c1.circumference());
System.out.println("Area Circle 1" + c1.area());
System.out.println("Circumference Circle 2" + c2.circumference());
System.out.println("Area Circle 2" + c2.area());
}
}
OUTPUT:
Circumference Circle 131.4159
Area Circle 175.0
Circumference Circle 262.8318
Area Circle 2300.0
Constructors
In the last example, we have used the method viz circle(..) to initialize an object.
Illustration 3.3
class Circle {
double x,y;
double r;
double circumference(){
return 2*3.14159*r;
}
double area(){
return (22/7)*r*r;
}
}
class Box{
double width;
double height;
double depth;
double area(){
double a;
a = (width*height + height*depth + width*depth) * 2;
return a;
}
double volume(){
double v;
v = width*height*depth;
return v;
}
}
Illustration 3.4
// A program that uses simple Point class and na�ve initialization of its data.
class Point {
int x;
int y;
}
}
}
OUTPUT:
x 10
x 20
Illustration 3.5
class Demonstration_35
{
float distance;
public static void main (String args[ ]) {
Point p = new Point( );
p.setPoint();
System.out.println ( " x = "+ p.x );
System.out.println ( " y = "+ p.y );
}
}
OUTPUT:
x = 10
y = 10
Illustration 3.6
/* Automatic initialization in Java through the constructor as in C++*/
/* Encapsulation: Defining a class having method with parameter */
class Point
{
int x,y;
void setPoint( int a, int b ) {
x = a;
y = b;
}
}
class Demonstration_36
{
float distance;
public static void main (String args[ ]) {
Point p1 = new Point( );
Point p2 = new Point( );
p1.setPoint(15, 20);
p2.setPoint(0, 0);
System.out.println ( " x = "+ p1.x );
System.out.println ( " y = "+ p1.y );
System.out.println ( " x = "+ p2.x );
System.out.println ( " y = "+ p2.y );
}
}
OUTPUT:
x = 15
y = 20
x=0
y=0
Illustration 3.7
class Circle {
double x,y;
double r;
double circumference(){
return 2*3.14159*r;
}
double area(){
return (22/7)*r*r;
}
Circle(double a, double b, double c){
x = a; // Set center x-coordinate
y = b; // Set center y-coordinate
r = c; // Set radius
}
}
class Demonstration_38{
public static void main(String arge[]){
Circle c1 = new Circle(3.0,4.0,5.0);
Circle c2 = new Circle(-4.0,8.0,10.0);
System.out.println("Circumference Circle 1" + c1.circumference());
System.out.println("Area Circle 1" + c1.area());
System.out.println("Circumference Circle 2" + c2.circumference());
System.out.println("Area Circle 2" + c2.area());
}
}
OUTPUT:
Circumference Circle 131.4159
Area Circle 175.0
Circumference Circle 262.8318
Area Circle 2300.0
class Circle {
double x,y;
double r;
Circle(double a, double b, double c){
x = a; y = b; r = c;
}
Circle(double c){
x = 0; y = 0; r = c;
}
Circle(Circle c){
x = c.x; y = c.y; r = c.r;
}
Circle(){
x = 0.0; y = 0.0; r = 1.0;
}
double circumference(){
return 2*3.14159*r;
}
double area(){
return (22/7)*r*r;
}
}
class Demonstration_39{
public static void main(String arge[]){
Circle c1 = new Circle(3.0,4.0,5.0);
Circle c2 = new Circle(5.0);
Circle c3 = new Circle(c1);
Circle c4 = new Circle();
System.out.println("Circumference Circle 1" + c1.circumference());
System.out.println("Area Circle 1" + c1.area());
System.out.println("Circumference Circle 2" + c2.circumference());
System.out.println("Area Circle 2" + c2.area());
System.out.println("Circumference Circle 3" + c3.circumference());
System.out.println("Area Circle 3" + c3.area());
System.out.println("Circumference Circle 4" + c4.circumference());
System.out.println("Area Circle 4" + c4.area());
}
}
OUTPUT:
Circumference Circle 131.4159
Area Circle 175.0
Circumference Circle 231.4159
Area Circle 275.0
Circumference Circle 331.4159
Area Circle 375.0
Circumference Circle 46.28318
Area Circle 43.0
Illustration 3.10
/*The following program shows the use of this() to avoid the name-space collision.
*/
//Edit Demonstration_310.java
class Student{
int rollno;
String name, course;
float fee;
Student(int rollno, String name, String course){
this.rollno = rollno;
this.name = name;
this.course = course;
}
OUTPUT:
111 ankit java 0.0
112 sumit java 6000.0
Illustration 3.11
class Circle {
double x,y;
double r;
Circle (double x, double y, double r){
this.x = x; this.y = y; this.r = r;
}
Circle (double r){
x = 0; y=0; this.r = r;
}
Circle (Circle c){
x = c.x; y = c.y; r = c.r;
}
Circle (){
x = 0.0; y = 0.0; r = 1.0;
}
double circumference(){
return 2*3.14159*r;
}
double area(){
return (22/7)*r*r;
}
}
class Demonstration_311{
public static void main(String arge[]){
Circle c1 = new Circle(3.0,4.0,5.0);
Circle c2 = new Circle(5.0);
Circle c3 = new Circle(c1);
Circle c4 = new Circle();
System.out.println("Circumference Circle 1" + c1.circumference());
System.out.println("Area Circle 1" + c1.area());
System.out.println("Circumference Circle 2" + c2.circumference());
System.out.println("Area Circle 2" + c2.area());
System.out.println("Circumference Circle 3" + c3.circumference());
System.out.println("Area Circle 3" + c3.area());
System.out.println("Circumference Circle 4" + c4.circumference());
System.out.println("Area Circle 4" + c4.area());
}
}
OUTPUT:
Circumference Circle 131.4159
Area Circle 175.0
Circumference Circle 231.4159
Area Circle 275.0
Circumference Circle 331.4159
Area Circle 375.0
Circumference Circle 46.28318
Area Circle 43.0
Illustration 3.12
class A{
void m(){System.out.println("hello m");}
void n(){
System.out.println("hello n");
this.m();
}
}
class Demonstration_312{
public static void main(String args[]){
A a=new A();
a.n();
}
}
OUTPUT:
hello n
hello m
Illustration 3.13
class Demonstration_313{
public static void main(String args[]){
A a=new A();
}
}
OUTPUT:
5
hello a
Illustration 3.14
class Circle {
double x,y;
double r;
Circle (){
this(0.0, 0.0, 1.0);
}
double circumference(){
return 2*3.14159*r;
}
double area(){
return (22/7)*r*r;
}
}
class Demonstration_314{
public static void main(String arge[]){
Circle c1 = new Circle(3.0,4.0,5.0);
Circle c2 = new Circle(5.0);
Circle c3 = new Circle(c1);
Circle c4 = new Circle();
System.out.println("Circumference Circle 1" + c1.circumference());
System.out.println("Area Circle 1" + c1.area());
System.out.println("Circumference Circle 2" + c2.circumference());
System.out.println("Area Circle 2" + c2.area());
System.out.println("Circumference Circle 3" + c3.circumference());
System.out.println("Area Circle 3" + c3.area());
System.out.println("Circumference Circle 4" + c4.circumference());
System.out.println("Area Circle 4" + c4.area());
}
}
OUTPUT:
Circumference Circle 131.4159
Area Circle 175.0
Circumference Circle 231.4159
Area Circle 275.0
Circumference Circle 331.4159
Area Circle 375.0
Circumference Circle 46.28318
Area Circle 43.0
Inheritance
When encapsulation is the first mechanism in Object Oriented Programming, the second
fundamental Object Oriented mechanism is inheritance. This allows descendants of a class to
inherit all of its member elements and methods from its ancestors as well as creates its own.
These descendants are known as subclasses. A class�s immediate parent is called its super
class. In Java, a special key word extends is used to implement this mechanism. Following is the
example to illustrate this.
void showij() {
System.out.println("i and j: " + i + " " + j);
}
}
void showk() {
System.out.println("k: " + k);
}
void sum() {
System.out.println("i+j+k: " + (i + j + k));
}
}
class Demonstration_61 {
public static void main(String args[]) {
A superOb = new A();
B subOb = new B();
// The superclass may be used by itself.
superOb.i = 10;
superOb.j = 20;
System.out.println("Contents of superOb: ");
superOb.showij();
System.out.println();
OUTPUT:
Contents of superOb:
i and j: 10 20
Contents of subOb:
i and j: 7 8
k: 9
Sum of i, j and k in subOb:
i+j+k: 24
Illustration 3.16
vol = mybox2.volume();
System.out.println("Volume of mybox2 is " + vol);
System.out.println("Weight of mybox2 is " + mybox2.weight);
}
}
OUTPUT:
Volume of mybox1 is 0.0
Volume of mybox2 is 24.0
Weight of mybox2 is 0.076
Illustration 3.17
class Demonstration_62b {
public static void main(String args[]) {
Box mybox1 = new Box(10, 20, 15);
BoxWeight mybox2 = new BoxWeight(2, 3, 4, 0.076);
double vol;
vol = mybox1.volume();
System.out.println("Volume of mybox1 is " + vol);
// System.out.println("Weight of mybox1 is " + mybox1.weight); ER
ROR!
System.out.println();
vol = mybox2.volume();
System.out.println("Volume of mybox2 is " + vol);
System.out.println("Weight of mybox2 is " + mybox2.weight);
}
}
OUTPUT:
Volume of mybox1 is 3000.0
Volume of mybox2 is 24.0
Weight of mybox2 is 0.076
Illustration 3.18
class Box {
double width;
double height;
double depth;
class Demonstration_63 {
public static void main(String args[]) {
BoxWeight weightbox = new BoxWeight(3, 5, 7, 8.37);
Box plainbox = new Box();
double vol;
vol = weightbox.volume();
System.out.println("Volume of weightbox is " + vol);
System.out.println("Weight of weightbox is " + weightbox.weight);
System.out.println();
OUTPUT:
Volume of weightbox is 105.0
Weight of weightbox is 8.37
Volume of the box is 105.0
Illustration 3.19 // Example of Inheritance in Java //
OUTPUT:
Volume of mybox1 is 3000.0
Weight of mybox1 is 34.3
Volume of mybox2 is 24.0
Weight of mybox2 is 0.076
Illustration 3.20
class A {
int i;
}
void show() {
System.out.println("i in superclass: " + super.i);
System.out.println("i in subclass: " + i);
}
}
class Demonstration_65 {
public static void main(String args[]) {
B subOb = new B(1, 2);
subOb.show();
}
}
OUTPUT:
i in superclass: 1
i in subclass: 2
Illustration 3.21
class Cat {
void speak() {
System.out.println("Meaon ! ");
}
}
class PetCat extends Cat { // PetCat is one type of Cat
void speak() {
System.out.println(" Meow ! ");
}
}
void speak() {
if (noOne) {
super.speak(); // use the super class definition
} else {
System.out.println(" Hello World !");
}
}
}
class Demonstration_66 {
public static void main(String args[]) {
PetCat c1 = new PetCat();
MagicCat c2 = new MagicCat();
c2.noOne = true;
c2.speak();
c1.speak();
c2.noOne = false;
c2.speak();
}
}
OUTPUT:
Meaon !
Meow !
Hello World !
Illustration 3.22
// Add weight.
class BoxWeight extends Box {
double weight; // weight of box
// constructor when all parameters are specified
BoxWeight(double w, double h, double d, double m) {
super(w, h, d); // call superclass constructor
weight = m;
}
}
class Demonstration_67 {
public static void main(String args[]) {
Shipment shipment1 = new Shipment(10, 20, 15, 10, 3.41);
Shipment shipment2 = new Shipment(2, 3, 4, 0.76, 1.28);
double vol;
vol = shipment1.volume();
System.out.println("Volume of shipment1 is " + vol);
System.out.println("Weight of shipment1 is " + shipment1.weight);
System.out.println("Shipping cost: $" + shipment1.cost);
System.out.println();
vol = shipment2.volume();
System.out.println("Volume of shipment2 is " + vol);
System.out.println("Weight of shipment2 is " + shipment2.weight);
System.out.println("Shipping cost: $" + shipment2.cost);
}
}
OUTPUT:
Volume of shipment1 is 3000.0
Weight of shipment1 is 10.0
Shipping cost: $3.41
Volume of shipment2 is 24.0
Weight of shipment2 is 0.76
Shipping cost: $1.28
Illustration 3.23
class Demonstration_68 {
public static void main(String args[]) {
OUTPUT:
Derived fun() is called
Illustration 3.24
class Demonstration_69{
public static void main(String args[]) {
Derived d = new Derived();
d.fun();
}
}
OUTPUT:
Base constructor is called
Derived constructor is called
Derived fun() is called
Illustration 3.25
class Demonstration_610 {
public static void main(String args[]) {
Derived d = new Derived();
d.fun();
}
}
OUTPUT:
Derived constructor is called
Derived fun() is called
Illustration 3.26
Illustration 3.27
class Demonstration_610 {
public static void main(String args[]) {
Derived d = new Derived();
d.fun();
}
}
OUTPUT:
Final fun() is called
Illustration 3.28
// An abstract class with a final method
abstract class Base {
final void fun() { System.out.println("Final fun() is called"); }
}
class Demonstration_612b {
public static void main(String args[]) {
Base b = new Derived();
b.fun();
}
}
Polymorphism in Java
Another fundamental object oriented mechanism in Java is the polymorphism. Java allows
polymorphism on methods. Polymorphism, meaning one object many shapes, is a simple
concept that allows a method to have multiple implementations. This is also known as method
overloading. Following is the Illustration 3.29 to illustrate the idea of polymorphism .
class Point {
int x,y;
Point ( int x, int y ) { // It is a constructor
this.x = x;
this.y = y;
}
class PointDistance {
public static void main ( String args [ ] ) {
Point p1 = new Point (10, 5) ; // 2-D point
Point p3 = new Point3D (5, 10, 5); // 3-D point
Point p2 = new Point (4, 1) ; // another 2-D point
Point p4 = new Point3D ( 2,3,4 ); // another 3-D point
float d0 = p1.distance ( 0,0); // M1 will be referred
float d1 = p1.distance ( p2); // M2 will be referncd
System.out.println ( "Distance from P2 to Origin = " + d0);
System.out .println ( " Distance from P2 to P1 = " + d1) ;
d1 = p4.distance (p3); // M4 will be referred
System.out.println ( "Distance from P3 to P4= "+ d1);
}
}
OUTPUT:
Distance from P2 to Origin =
11.18034
Distance from P2 to P1 =
7.2111025
Distance from P3 to P4=
7.615773
In the above example, we have seen, how the same method can be implemented in different
ways. The concept of this type of method overloading is same as in C++. However, C++ allows
the operator overloading too, Java does not.
class A {
void callMe ( ) {
System.out. println ( "I am from A ") ;
}
}
class B extends A {
void callMe ( ) {
System.out.println ( "I am from B ");
}
}
public class Who {
public static void main(String args [ ] ) {
A a = new B ( ) ;
a.callMe ( );
}
}
OUTPUT:
I am from B
In the above mentioned Illustration 3.30, we declared the variable to be of type A, then stored a
reference to an object of class B in it. Now, when we call the methodcallMe( ) on a, the Java run
time notices that the reference is actually an instance of B, so it calls B� s callMe( ) method
instead of A�s.
This form of dynamic run time resolution is one of the most powerful mechanisms that Object
Oriented in Java brings to bear on code reuse and robustness. The ability for existing code
libraries to call methods on instance of new classes without recompiling while maintaining a
clean abstract interface is a profoundly powerful tool.
Illustration 3.31
class A {
void msg(){System.out.println("Hi! I am in Class A");
}
}
class Demonstration_71 {
public static void main(String args[]){
A obj = new A();
obj.msg();
}
}
OUTPUT:
Hi! I am in Class A
Illustration 3.32
class Demonstration_72 {
public static void main(String args[]){
A obj = new A();
obj.msg();
}
}
OUTPUT:
Hi! I am in Class A
Illustration 3.33
class A {
void msg(){System.out.println("Hi! I am in Class A");
}
}
class Demonstration_73 {
public static void main(String args[]){
A obj = new A();
obj.msg();
}
}
OUTPUT:
Hi! I am in Class A
Illustration 3.34
package pack1;
public class A {
public void msg(){System.out.println("Hi! I am in Class A");
}
}
package pack2;
import pack1.*;
class Demonstration_74 {
public static void main(String args[]){
A obj = new A(); //Compile Time Error
obj.msg(); //Compile Time Error
}
}
Illustration 3.35
class A{
public int data=40;
public void msg(){
System.out.println("Class A: Hello Java!");
}
}
class Demonstration_75 {
public static void main(String args[]){
A obj = new A(); //OK : Class A is public
System.out.println(obj.data); //OK : data is public
obj.msg(); //OK: msg is public
}
}
OUTPUT:
40
Class A: Hello Java!
Illustration 3.36
package pack1;
public class A1 {
int data = 100;
public void display()
{
System.out.println("NPTEL " + data);
}
}
package pack2;
import pack1.*;
class Demonstration_76 {
public static void main(String args[])
{
A1 obj = new A1();
obj.display();
}
}
Illustration 3.37
public class A{
private int data = 40;
public void msg(){
System.out.println("Class A: Hello Java!");
}
}
Illustration 3.38
class A{
private int data = 40;
public void msg(){
System.out.println("Class A: Hello Java!" + data);
}
}
Illustration 3.39
class A{
private A(){
//private constructor
}
void msg(){
System.out.println("Class A: Hello Java!");
}
}
Illustration 3.40
/* Example 1: protected modifier */
package pack1;
public class A {
protected int rollNo = 555;
protected void msg(){
System.out.println("Class A: Hello Java!" + rollNo);
}
}
package pack2;
import pack1.*;
class Demonstration_710 {
public static void main(String args[]){
A obj = new A();
obj.msg();
}
}
OUTPUT:
Class A: Hello Java!555
Class A: Hello Java!555
Illustration 3.41
package pack1;
public class A{
protected int rollNo = 555;
protected void msg(){
System.out.println("Class A: Hello Java!" +rollNo);
}
}
package pack2;
import pack1.*;
OUTPUT:
Class A: Hello Java!555
Class B: Hello Java!555
Illustration 3.42
package p1;
//Class A
public class A
{
protected void display() {
System.out.println("NPTEL");
}
}
//Java program to illustrate protected modifier
package p2;
import p1.*; //importing all classes in package p1
//Class B is sub-class of A
class Demonstration_712 extends A {
public static void main(String args[])
{
A obj = new A ();
obj.display();
}
}
OUTPUT:
NPTEL
Illustration 3.43
package p1;
//Class A
package p2;
import p1.*; //importing all classes in package p1
//Class B is sub-class of A
class Demonstration_712 extends A {
public static void main(String args[])
{
A obj = new A();
obj.display();
}
}
Illustration 3.44
// Create a superclass.
class A {
int i; // public by default
private int j; // private to A
void sum() {
total = i + j; // ERROR, j is not accessible here
}
}
class Demonstration_714{
public static void main(String args[]) {
B subOb = new B();
subOb.setij(10, 12);
subOb.sum();
System.out.println("Total is " + subOb.total);
}
}
Illustration 3.45
/* Another example of access modifier with public, private and protected data */
class BaseClass {
public int x = 10;
private int y = 10;
protected int z = 10;
int a = 10; //Implicit Default Access Modifier
int getA() {
return a;
}
void setA(int a) {
this.a = a;
}
}
/* System.out.println("Value of y is : "+subClassObj.y);
subClassObj.setY(20);
System.out.println("Value of y is : "+subClassObj.y);*/
OUTPUT:
Value of x is : 10
Value of x is : 20
Value of z is : 10
Value of z is : 30
Value of x is : 10
Value of x is : 20
Illustration 3.46
/* Example of method-overiding */
class A{
public void msg1() {
System.out.println("Class A: Public!");
}
void msg2() {
System.out.println("Overriding private method!");
}
// If modifire is set to private it can be overidden.
public void msg3(){
System.out.println("Overriding protected method!");
}
OUTPUT:
Class Main: Welcome!
class Student {
static int b;
Student(){
//Constructor incrementing static variable b
b++;
}
System.out.println("Value of b = "+b);
}
}
OUTPUT:
Value of b = 0
Value of b = 1
Value of b = 2
From the foregoing discussion, it is evident that static is useful for creating methods which may
be called directly by referring to name of the class in which they are declared. This is how Java
implements global functions and global variables. This is why our main() should always be
declared as static so that the classes contain the scope of the names to avoid collisions.
Illustration 3.48
/* while loop example */
public class Demonstration_51{
public static void main(String[] args){
int count = 1;
System.out.println("Printing first 10 odd numbers");
while (count < 11) {
System.out.print(" " +((2*count)-1));
count++;
}
}
}
OUTPUT:
Printing first 10 odd numbers
1 3 5 7 9 11 13 15 17 19
Illustration 3.49
/* Do-While loop example */
OUTPUT:
Printing first 10 even numbers
2 4 6 8 10 12 14 16 18 20
Illustration 3.50
OUTPUT:
Count is: 1
Count is: 2
Count is: 3
Count is: 4
Count is: 5
Count is: 6
Count is: 7
Count is: 8
Count is: 9
Count is: 10
Illustration 3.51
OUTPUT:
01
23
45
67
89
Illustration 3.52
OUTPUT:
i: 1
i: 2
i: 3
i: 4
i: 5
i: 6
i: 7
i: 8
i: 9
Loop complete.
Illustration 3.53
Illustration 3.54
System.out.println("\n");
switch(choice) {
case '1':
System.out.println("The if:\n");
System.out.println("if(condition) statement;");
System.out.println("else statement;");
break;
case '2':
System.out.println("The switch:\n");
System.out.println("switch(expression) {");
System.out.println(" case constant:");
System.out.println(" statement sequence");
System.out.println(" break;");
System.out.println(" // ...");
System.out.println("}");
break;
case '3':
System.out.println("The while:\n");
System.out.println("while(condition) statement;");
break;
case '4':
System.out.println("The do-while:\n");
System.out.println("do {");
System.out.println(" statement;");
System.out.println("} while (condition);");
break;
case '5':
System.out.println("The for:\n");
System.out.print("for(init; condition; iteration)");
System.out.println(" statement;");
break;
}
}
}
Illustration 3.55
/* A variable declared inside pair of brackets �{� and �}� in a method has scop
e withing the brackets only.*/
public class Demonstration_58
{
public static void main(String args[])
{
{
// The variable x has scope within
// brackets
int x = 10;
System.out.println(x);
}
// System.out.println(x);
}
}
OUTPUT:
10
Illustration 3.56
class Demonstration_59
{
public static void main(String args[])
{
for (int x = 0; x < 4; x++)
{
System.out.println(x);
}
// uncommenting Will produce error
//System.out.println(x);
}
}
OUTPUT:
0
1
2
3
Illustration 3.57
System.out.println(x);
}
}
OUTPUT:
0
1
2
3
4
Illustration 3.58
class Demonstration_511 {
public static void main(String args[]) {
int x;
x = 10;
if(x == 10) {
int y = 20;
System.out.println("x and y: " + x + " " + y);
x = y * 2;
}
//y = 100; // Error: Out of scope
System.out.println("x is " + x);
}
}
OUTPUT:
x and y: 10 20
x is 40
Illustration 3.59
Illustration 3.60
Illustration 3.61
class RecursiveFibonacci {
int n;
int fibonacci(int n){
if (n == 0)
return 0;
else if (n == 1)
return 1;
else
return(fibonacci(n-1) + fibonacci(n-2));
}
public static void main(String args[]){
RecursiveFibonacci x = new RecursiveFibonacci();
x.n = Integer.parseInt(args[0]);
for(int i = 0; i <= x.n; i++){
System.out.println(x.fibonacci(i));
}
}
}
Illustration 3.63
Illustration 3.64
}
OUTPUT:
Hello 10
Hello 9
Hello 8
Hello 7
Hello 6
Hello 5
Hello 4
Hello 3
Hello 2
Hello 1
0
1
2
3
4
5
6
7
8
9
Illustration 3.65
OUTPUT:
Hello 1
Hello 2
Hello 3
Hello 4
Hello 5
Practice questions
Practice 3.1
/* A program that uses simple Point class. Call this file PointDemo.java */
class Point {
int x;
int y;
}
}
}
Is the compilation successful? What is the output?
Practice 3.2
/* Encapsulation: Defining a class with method */
class Point
{
int x,y;
void setPoint ( ) {
x = 10;
y = 10;
}
}
class PointDemo
{
float distance;
public static void main (String args[ ] {
Point p = new Point( );
p.setPoint();
System.out.println ( " x = "+ p.x );
System.out.println ( " y = "+ p.y );
}
}
Practice 3.3
/* Encapsulation: Defining a class with method with parameter */
class Point
{
int x,y;
void setPoint ( int a, int b, ) {
x = a;
y = b;
}
}
class PointParameterDemo
{
float distance;
public static void main (String args[ ] {
Point p = new Point( );
p.setPoint(15, 20);
System.out.println ( " x = "+ p.x );
System.out.println ( " y = "+ p.y );
}
}
(This problem has a minor mistake. Identify the mistake and then write the correct
code.)
Practice 3.4
/* Encapsulation: declare more than one object of a class */
class Point
{
int x,y;
void getPoint ( int a, int b ) {
x = a;
y = b;
}
}
Cube1() {
length = 10;
breadth = 10;
height = 10;
}
class Cube1Demo{
public static void main(String[] args) {
Cube1 cubeObj1, cubeObj2;
cubeObj1 = new Cube1();
cubeObj2 = new Cube1(10, 20, 30);
Point () {
x = 10 ;
y = 5;
}
printPoint() {
System.out.println("X = "+ this.x + " Y= " + this.y);
}
}
class PointCreate1 {
public static void main ( String args [ ] ) {
Point p = new Point ();
p.printPoint();
}
}
What is the output?
Practice 3.8
/* Automatic initialization - concept of constructor */
class Point () {
int x, y;
class PointCreate2 {
public static void main ( String args [ ] ) {
Point p = new Point (10, 20 );
p.printPoint();
}
}
What is the output?
Practice 3.9
/* Automatic initialization � more than one constructor */
class Point () {
int x, y;
Point () {
x = 30;
y = 40;
}
printPoint() {
System.out.println("X = "+ this.x + " Y= " + this.y);
}
}
class PointCreate3 {
public static void main ( String args [ ] ) {
Point p1 = new Point ();
Point p2 = new Point (10, 20 );
p1.printPoint();
p2.printPoint();
}
}
boolean equals(Test o) {
if((o.a == a) && (o.b == b)) return true;
else return false;
}
}
class PassObjectParameter {
public static void main(String[] args) {
Test ob1 = new Test(100,22);
Test ob2 = new Test(100,22);
Test ob3 = new Test(-1,-1);
Test(int i) {
a = i;
}
Test incrByTen() {
Test temp = new Test(a+10);
return temp;
}
}
class RetOb {
public static void main(String args[]) {
Test ob1 = new Test(2);
Test ob2;
ob2 = ob1.incrByTen();
System.out.println("ob1.a: " + ob1.a);
System.out.println("ob2.a: " + ob2.a);
ob2 = ob2.incrByTen();
System.out.println("ob2.a after second increase: " + ob2.a);
}
}
What is the output?
Practice 3.12
/* Example of access modifier */
class BaseClass {
public int x = 10;
private int y = 10;
protected int z = 10;
int a = 10; //Implicit Default Access Modifier
int getA() {
return a;
}
void setA(int a) {
this.a = a;
}
}
/* System.out.println("Value of y is : "+subClassObj.y);
subClassObj.setY(20);
System.out.println("Value of y is : "+subClassObj.y);*/
int i;
for (i = 0; i < arrayOfInts.length; i++) {
System.out.println("arrayOfInts[" + i + "] = " + arrayOfInts[i]);
}
}
}
what is the output?
Practice 3.15
/* Average an array of values */
class Average {
public static void main(String args[]) {
double nums[] = {10.1, 11.2, 12.3, 13.4, 14.5};
double result = 0;
int i;
for(i=0; i<5; i++)
result = result + nums[i];
System.out.println("Average is " + result / 5);
}
}
class ArrayListDemo {
public static void main(String args[]) {
// create an array list
ArrayList al = new ArrayList();
System.out.println("Initial size of al: " + al.size());
// add elements to the array list
al.add("C");
al.add("A");
al.add("E");
al.add("B");
al.add("D");
al.add("F");
class ArrayListToArray {
public static void main(String args[]) {
// Create an array list
ArrayList al = new ArrayList();
// Add elements to the array list
al.add(new Integer(1));
al.add(new Integer(2));
al.add(new Integer(3));
al.add(new Integer(4));
System.out.println("Contents of al: " + al);
// get array
Object ia[] = al.toArray();
int sum = 0;
// sum the array
for(int i=0; iwhat is the output?
Practice 3.22
/* Example LinkList */
import java.util.*;
link.addFirst(new Integer(20));
System.out.println("The contents of array is" + link);
System.out.println("The size of an linkedlist is" + link.size());
link.addLast("c");
System.out.println("The contents of array is" + link);
System.out.println("The size of an linkedlist is" + link.size());
link.add(2,"j");
System.out.println("The contents of array is" + link);
System.out.println("The size of an linkedlist is" + link.size());
link.add(1,"t");
System.out.println("The contents of array is" + link);
System.out.println("The size of an linkedlist is" + link.size());
link.remove(3);
System.out.println("The contents of array is" + link);
System.out.println("The size of an linkedlist is" + link.size());
//access element using iterator
Iterator iterator;
//Create a iterator
iterator = link.iterator();
while (iterator.hasNext()){
System.out.print(iterator.next()+" ");
}
System.out.println();
//Check list empty or not
if (link.isEmpty()){
System.out.println("Linked list is empty");
}
else{
System.out.println( "Linked list size: " + link.size());
}
}
}
public StackImplement(){
try{
stack = new Stack();
InputStreamReader ir = new InputStreamReader(System.in);
BufferedReader bf = new BufferedReader(ir);
System.out.print("Enter number of elements : ");
str = bf.readLine();
num = Integer.parseInt(str);
for(int i = 1; i <= num; i++){
System.out.print("Enter elements : ");
str = bf.readLine();
n = Integer.parseInt(str);
stack.push(n);
}
}
catch(IOException e){}
System.out.print("Retrieved elements from the stack : ");
while (!stack.empty()){
System.out.print(stack.pop() + " ");
}
}
}
public QueueImplement(){
try{
list = new LinkedList();
InputStreamReader ir = new InputStreamReader(System.in);
BufferedReader bf = new BufferedReader(ir);
System.out.println("Enter number of elements : ");
str = bf.readLine();
if((num = Integer.parseInt(str)) == 0){
System.out.println("You have entered either zero/null.");
System.exit(0);
}
else{
System.out.println("Enter elements : ");
for(int i = 0; i < num; i++){
str = bf.readLine();
int n = Integer.parseInt(str);
list.add(n);
}
}
System.out.println("First element :" + list.removeFirst());
System.out.println("Last element :" + list.removeLast());
System.out.println("Rest elements in the list :");
while(!list.isEmpty()){
System.out.print(list.remove() + "\t");
}
}
catch(IOException e){
System.out.println(e.getMessage() + " is not a legal entry.");
System.exit(0);
}
}
}
what is the output?
Practice 3.28
/* String operation example */
public class stringmethod{
public static void main(String[] args){
//string concatination
String age = "9";
String s = "He is " + age + " years old.";
System.out.println(s);
class ArraySel
{
private double[] a;// ref to array a
private int nElems; // number of data items
public ArraySel(int max) // constructor
{
a = new double[max]; // create the array
nElems = 0; // no items yet
}
public void insert(double value) // put element into array
{
a[nElems] = value; // insert it
nElems++; // increment size
}
public void display() // displays array contents
{
for(int j=0;j< nElems; j++) // for each element
System.out.print(a[j] + " "); // display it
System.out.println("");
}
public void selectionSort()
{
int out, in, min;
for(out=0; out< nElems-1; out++) // outer loop
{ min = out; // minimum
for(in=out+1; in< nElems; in++) // inner loop
class ArrayIns {
private double[] theArray; // ref to array theArray
private int nElems; // number of data items
public ArrayIns(int max) // constructor
{
theArray = new double[max]; // create the array
nElems = 0; // no items yet
}
public void insert(double value) // put element into array
{
theArray[nElems] = value; // insert it
nElems++; // increment size
}
public void display() // displays array contents
{
System.out.print("A=");
for(int j=0; j<="0)" if="" size="" return;="" already="" sorted="" else="
" is="" 2="" or="" larger="" double="" pivot="theArray[right];" rightmost="" item=
"" partition="" range="" right,="" pivot);="" recquicksort(left,="" partition-1);=
"" sort="" left="" side="" recquicksort(partition+1,="" right);="" right="" end=""
recquicksort()="" partitionit(int="" pivot)="" leftptr="left-1;" (after="" ++)=""
rightptr="right;" right-1="" --)="" while(true)="" find="" bigger="" while(thearra
y[++leftptr]="" (nop)="" smaller="" while(rightptr="" style="box-sizing: border-bo
x;"> 0 && theArray[--rightPtr] > pivot); // (nop)
if(leftPtr >= rightPtr) // if pointers cross,
{
int maxSize = 16; // array size
ArrayIns arr;
arr = new ArrayIns(maxSize); // create array
for(int j=0; j< maxSize; j++) // fill array with
{
// random numbers
double n = (int)(java.lang.Math.random()*99);
arr.insert(n);
}
arr.display(); // display items
arr.quickSort(); // quicksort them
arr.display(); // display them again
} // end main() } // end class QuickSort1App
class Person {
private String lastName;
private String firstName;
private int age;
public Person(String last, String first, int a)
{
// constructor
lastName = last;
firstName = first;
age = a;
}
public void displayPerson() {
System.out.print(" Last name: " + lastName);
System.out.print(", First name: " + firstName);
System.out.println(", Age: " + age); }
public String getLast() // get last name
{
return lastName;
}
} // end class Person
class ArrayInOb {
private Person[] a; // ref to array a
private int nElems; // number of data items
public ArrayInOb(int max) // constructor
{
a = new Person[max]; // create the array
nElems = 0; // no items yet
} // put person into array
public void insert(String last, String first, int age)
{
a[nElems] = new Person(last, first, age);
nElems++; // increment size
}
public void display() // displays array contents
{
for(int j=0; j0 && a[in-1].getLast().compareTo(temp.getLast())>0) // unt
il smaller one found,
{
a[in] = a[in-1]; // shift item to the right
--in; // go left one position
}
a[in] = temp; // insert marked item
} // end for } // end insertionSort()
} // end class ArrayInOb
////////////////////////////////////////////////////////////////
class ObjectSortApp {
public static void main(String[] args)
{ int maxSize = 100; // array size
ArrayInOb arr; // reference to array
arr = new ArrayInOb(maxSize); // create the array
arr.insert("Evans", "Patty", 24);
arr.insert("Smith", "Doc", 59);
arr.insert("Smith", "Lorraine", 37);
arr.insert("Smith", "Paul", 37);
arr.insert("Yee", "Tom", 43);
arr.insert("Hashimoto", "Sato", 21);
arr.insert("Stimson", "Henry", 29);
arr.insert("Velasquez", "Jose", 72);
arr.insert("Vang", "Minh", 22);
arr.insert("Creswell", "Lucinda", 18);
System.out.println("Before sorting:");
arr.display(); // display items
arr.insertionSort(); // insertion-sort them
System.out.println("After sorting:");
arr.display(); // display them again
} // end main()
} // end class ObjectSortApp
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
public class SortArrayListInDescendingOrderExample {
public static void main(String[] args) {
//create an ArrayList object
ArrayList arrayList = new ArrayList(); //Add elements
to Arraylist
arrayList.add("A");
arrayList.add("B");
arrayList.add("C");
arrayList.add("D");
arrayList.add("E");
/* To get comparator that imposes reverse order on a Collection u
se static Comparator reverseOrder() method of Collections class */
Comparator comparator = Collections.reverseOrder();
System.out.println("Before sorting ArrayList in descending order
: " + arrayList);
/* To sort an ArrayList using comparator use, static void sort(Li
st list, Comparator c) method of Collections class. */
Collections.sort(arrayList,comparator);
System.out.println("After sorting ArrayList in descending order :
" + arrayList);
}
}
what is the output?
Practice 3.37
/* Example of binary search in sorted array */
public class BinarySearch {
public static final int NOT_FOUND = -1;
public static int binarySearch( Comparable [ ] a, Comparable x )
{
int low = 0;
int high = a.length - 1;
int mid;
while( low <= high )
{
mid = ( low + high ) / 2;
if( a[ mid ].compareTo( x ) < 0 )
low = mid + 1;
else if( a[ mid ].compareTo( x ) > 0 )
high = mid - 1;
else
return mid;
}
return NOT_FOUND; // NOT_FOUND = -1
}
// Test program
public static void main( String [ ] args ) {
int SIZE = 8;
Comparable [ ] a = new Integer [ SIZE ];
for( int i = 0; i < SIZE; i++ )
a[ i ] = new Integer( i * 2 );
for( int i = 0; i < SIZE * 2; i++ )
System.out.println( "Found " + i + " at " +binarySearch(
a, new Integer( i ) ) );
}
}
class Node {
private int key;
private Node parent;
private Node leftChild;
private Node rightChild;
public Node(int key, Node leftChild, Node rightChild)
{
this.setKey(key);
this.setLeftChild(leftChild);
this.setRightChild(rightChild);
}
public void setKey(int key) {
this.key = key;
}
public int getKey() {
return key;
}
public void setParent(Node parent) {
this.parent = parent;
}
public Node getParent() {
return parent;
}
public void setLeftChild(Node leftChild) {
this.leftChild = leftChild;
}
public Node getLeftChild() {
return leftChild; }
class OverloadDemo {
void test() {
System.out.println("No parameters");
}
class Overload {
public static void main(String args[]) {
OverloadDemo ob = new OverloadDemo();
double result;
// call all versions of test()
ob.test();
ob.test(10);
ob.test(10, 20);
result = ob.test(123.25);
System.out.println("Result of ob.test(123.25): " + result);
}
}
Cube() {
this(10, 10);
System.out.println("Initialized with Default Constructor");
}
Cube(int l, int b) {
this(l, b, 10);
System.out.println("Initialized with Constructor having 2 params");
}
// Create a superclass.
class A {
int i, j;
void showij() {
System.out.println("i and j: " + i + " " + j);
}
}
void showk() {
System.out.println("k: " + k);
}
void sum() {
System.out.println("i+j+k: " + (i + j + k));
}
}
class SimpleInheritance {
public static void main(String args[]) {
A superOb = new A();
B subOb = new B();
// The superclass may be used by itself.
superOb.i = 10;
superOb.j = 20;
System.out.println("Contents of superOb: ");
superOb.showij();
System.out.println();
/* The subclass has access to all public members of its superclass. */
subOb.i = 7;
subOb.j = 8;
subOb.k = 9;
System.out.println("Contents of subOb: ");
subOb.showij();
subOb.showk();
System.out.println();
System.out.println("Sum of i, j and k in subOb:");
subOb.sum();
}
}
class DemoBoxWeight {
public static void main(String args[]) {
BoxWeight mybox1 = new BoxWeight(10, 20, 15, 34.3);
BoxWeight mybox2 = new BoxWeight(2, 3, 4, 0.076);
double vol;
vol = mybox1.volume();
System.out.println("Volume of mybox1 is " + vol);
System.out.println("Weight of mybox1 is " + mybox1.weight);
System.out.println();
vol = mybox2.volume();
System.out.println("Volume of mybox2 is " + vol);
System.out.println("Weight of mybox2 is " + mybox2.weight);
}
}
class DemoBoxWeight {
public static void main(String args[]) {
BoxWeight mybox1 = new BoxWeight(10, 20, 15, 34.3);
BoxWeight mybox2 = new BoxWeight(2, 3, 4, 0.076);
double vol;
vol = mybox1.volume();
System.out.println("Volume of mybox1 is " + vol);
System.out.println("Weight of mybox1 is " + mybox1.weight);
System.out.println();
vol = mybox2.volume();
System.out.println("Volume of mybox2 is " + vol);
System.out.println("Weight of mybox2 is " + mybox2.weight);
}
}
class RefDemo {
public static void main(String args[]) {
BoxWeight weightbox = new BoxWeight(3, 5, 7, 8.37);
Box plainbox = new Box();
double vol;
vol = weightbox.volume();
System.out.println("Volume of weightbox is " + vol);
System.out.println("Weight of weightbox is "
+ weightbox.weight);
System.out.println();
// assign BoxWeight reference to Box reference
plainbox = weightbox;
vol = plainbox.volume(); // OK, volume() defined in Box
System.out.println("Volume of plainbox is " + vol);
/* The following statement is invalid because plainbox does not define a
weight member. */
// System.out.println("Weight of plainbox is " + plainbox.weight);
}
}
// Create a superclass.
class A {
int i; // public by default
private int j; // private to A
void sum() {
total = i + j; // ERROR, j is not accessible here
}
}
class Access {
public static void main(String args[]) {
B subOb = new B();
subOb.setij(10, 12);
subOb.sum();
System.out.println("Total is " + subOb.total);
}
}
class BaseClass {
public int x = 10;
private int y = 10;
protected int z = 10;
int a = 10; //Implicit Default Access Modifier
int getA() {
return a;
}
void setA(int a) {
this.a = a;
}
}
class DemoSuper {
public static void main(String args[]) {
BoxWeight mybox1 = new BoxWeight(10, 20, 15, 34.3);
BoxWeight mybox2 = new BoxWeight(2, 3, 4, 0.076);
double vol;
vol = mybox1.volume();
System.out.println("Volume of mybox1 is " + vol);
System.out.println("Weight of mybox1 is " + mybox1.weight);
System.out.println();
vol = mybox2.volume();
System.out.println("Volume of mybox2 is " + vol);
System.out.println("Weight of mybox2 is " + mybox2.weight);
System.out.println();
}
}
class A {
int i;
}
B(int a, int b) {
super.i = a; // i in A
i = b; // i in B
}
void show() {
System.out.println("i in superclass: " + super.i);
System.out.println("i in subclass: " + i);
}
}
class UseSuper {
public static void main(String args[]) {
B subOb = new B(1, 2);
subOb.show();
}
}
class Cat {
void speak() {
System.out.println("Meaon ! ");
}
}
class PetCat extends Cat { // PetCat is one type of Cat
void speak() {
System.out.println(" Meow ! ");
}
}
void speak() {
if (noOne) {
super.speak(); // use the super class definition
} else {
System.out.println(" Hello World !");
}
}
}
class ManyCats {
public static void main(String args[]) {
PetCat c1 = new PetCat();
MagicCat c2 = new MagicCat();
c2.noOne = true;
c2.speak();
c1.speak();
c2.noOne = false;
c2.speak();
}
}
// Add weight.
class BoxWeight extends Box {
double weight; // weight of box
// constructor when all parameters are specified
BoxWeight(double w, double h, double d, double m) {
super(w, h, d); // call superclass constructor
weight = m;
}
}
//base class
class Base
{
int i=1;
int j=2;
public Base(){
}
public void display(){
System.out.println("i="+i);
System.out.println("i="+j);
}
}
//derived class
class Derived extends Base{
int p=3;
int q=4;
public Derived(){
}
Figure(double a, double b) {
dim1 = a;
dim2 = b;
}
double area() {
System.out.println("Area for Figure is undefined.");
return 0;
}
}
class FindAreas {
public static void main(String args[]) {
Figure f = new Figure(10, 10);
Rectangle r = new Rectangle(9, 5);
Triangle t = new Triangle(10, 8);
Figure figref;
figref = r;
System.out.println("Area is " + figref.area());
figref = t;
System.out.println("Area is " + figref.area());
figref = f;
System.out.println("Area is " + figref.area());
}
}
Assignment
Q: Read at most 10 names of students and store them into an array of String
nameOfStudents[10]. Sort the names into the lexicographic order.
Display the sorted list of names.
Q: Define a class Complex to represent an object for a complex number like
Z = X + i.Y with the following methods:
Complex add(Complex z1, Complex z2) //To add two complex numbers
Complex sub(Complex z1, Complex z2) //To subtract two complex numbers
Complex mul(Complex z1, Complex z2) // To multiply two complex numbers
float magnitude(Complex z) // To find the modulus
Complex conjugate(Complex z) // To find the complex conjugate
Write the main class and instantiate the objects of the above mentioned
classes.
Q: Add the necessary methods in the class PointCreate3 (Practice 3.8) to
calculate the area and perimeter of a rectangle given the two corner
coordinates.
Q: Read at most 10 names of students and store them into an array of String
nameOfStudents[10]. Sort the names into the lexicographic order.
Display the sorted list of names.
Q: Define a class Employee with usual member for an employee like
empCode(String), empName(String), dateOfBirth(Date), dateOfJoin(Date),
designationCode(int), salary(float).Create a list to store data about 10
employees using Vector. Manipulate the list using the methods in class
Vector.
Q: Define an one dimensional array "vivid" of type float. Read the values
from the keyboard to load the array. Calcualte and then print the average
of all the values in "vivid"..
Q: Define two 2D arrays of integers, namely A[3]4] and B[4][2]. Store the
values into them. Store the result of matrix multiplication into an another
2D array, say C.
Q: Write a program to store a lists of name in a List. Reverse the order of the
names in the list using Stack. You should use class ArrayList to store the
names (String) and class Stack for reversing..
Q: Create a class ArrSort which contains one double array to store the data
and one integer variable to store the number of elements.
Q: Write a program to read the content of a file and count the number of
words in the file.
Q: Write a program to copy contents from one file to another file.
Q: Write a program to merge two file contents into another file.
Q&A
Q: What are the principle concepts of OOPS?
A: There are four principle concepts upon which object oriented design and
programming rest. They are:
• Abstraction
• Polymorphism
• Inheritance
• Encapsulation
Q: What is Polymorphism?
A: Polymorphism is briefly described as "one interface, many implementations."
Polymorphism is a characteristic of being able to assign a different meaning or
usage to something in different contexts - specifically, to allow an entity such
as a variable, a function, or an object to have more than one form.
Q: How does Java implement polymorphism?
A: (Inheritance, Overloading and Overriding are used to achieve Polymorphism in
java). Polymorphism manifests itself in Java in the form of multiple methods
having the same name.
• In some cases, multiple methods have the same name, but different
formal argument lists (overloaded methods).
• In other cases, multiple methods have the same name, same return
type, and same formal argument list (overridden methods).
• Method overloading
• Method overriding through inheritance
• Method overriding through the Java interface
Q: What is super?
A: super is a keyword which is used to access the method or member variables
from the superclass. If a method hides one of the member variables in its
superclass, the method can refer to the hidden variable through the use of the
super keyword. In the same way, if a method overrides one of the methods in
its superclass, the method can invoke the overridden method through the use
of the super keyword.
Note:
Q: What is Constructor?
A: • A constructor is a special method whose task is to initialize the object of
its class.
• It is special because its name is the same as the class name.
• They do not have return types, not even void and therefore they cannot
return values.
• They cannot be inherited, though a derived class can call the base
class constructor.
• Constructor is invoked whenever an object of its associated class is
created.
where, the name of the variable is varIdentifier and its data type is specified by
type.
Note: Static variables that are not explicitly initialized in the code are
automatically initialized with a default value. The default value depends on the
data type of the variables.
Q: What is static block?
A: Static block which exactly executed exactly once when the class is first loaded
into JVM. Before going to the main method the static block will execute.
Q: What is the difference between static and non-static variables?
A: A static variable is associated with the class as a whole rather than with
specific instances of a class. Non-static variables take on unique values with
each object instance.
Q: What are static methods?
A: • A static method can only call other static methods.
• A static method must only access static data.
• A static method cannot reference to the current object using
keywords super or this.