SlideShare a Scribd company logo
OOP Fundamentals
continued…
What Is a Package?
A package is a namespace that organizes a set of RELATED classes and interfaces. It is
similar to different folders on your computer.
Example - Image based classes in one package, maths based in another package, general
utility based classes in another, and so on...
PACKAGE
The Java platform provides an enormous class library (a set of packages) suitable for use in
your own applications. This library is known as the "Application Programming Interface",
or "API" for short.
import java.lang.*;
import java.util.*;
Example -
• a String object contains state and behavior for character strings;
• a File object allows a programmer to easily create, delete, inspect, compare, or
modify a file on the filesystem;
• a Socket object allows for the creation and use of network sockets;
What is Access Specifier?
A mechanism to set access levels for classes, variables, methods and constructors. The four
access levels are:
//In increasing order of accessibility
• PRIVATE - Visible to the same class only.
• DEFAULT - Visible to the same package. No modifiers are needed.
• PROTECTED - Visible to the package and all subclasses.
• PUBLIC - Visible to the world.
ACCESS SPECIFIERS in JAVA
public class Student {
private String course;
}
class Test{
public static void main(String[] args){
Student ramesh = new Student();
//To set the value of the course attribute.
//INCORRECT
ramesh.course="B.Tech";
//To get the value of the course attribute.
//This statement is INCORRECT
System.out.println("Course name of ramesh is: "
+ramesh.course);
}
}
ACCESS SPECIFIERS in JAVA
What is Access Specifier?
A mechanism to set access levels for classes, attributes, variables, methods and
constructors. The four access levels are:
//In increasing order of accessibility
• PRIVATE - Visible to the same class only.
• DEFAULT - Visible to the same package. No modifiers are needed.
• PROTECTED - Visible to the package and all subclasses.
• PUBLIC - Visible to the world.
ACCESS SPECIFIERS in JAVA
public class Student {
private String course;
public void setCourse(String courseNew) {
this.course = courseNew;
}
public String getCourse() {
return this.course;
}
}
class Test{
public static void main(String[] args){
Student ramesh = new Student();
//To set the value of the course attribute.
//INCORRECT
ramesh.course="B.Tech";
//CORRECT
ramesh.setCourse("B.Tech");
//To get the value of the course attribute.
//This statement is INCORRECT
System.out.println("Course name of ramesh is: “
+ramesh.course);
//CORRECT statement
System.out.println("Course name of ramesh is: “
+ramesh.getCourse());
}
}
ACCESS SPECIFIERS in JAVA
Within a method/constructor, this is a reference to the current object — the object whose
method/constructor is being called.
this KEYWORD in JAVA
public class Point {
public int x = 0;
public int y = 0;
//constructor
public Point(int a, int b){
x = a;
y = b;
}
}
public class Point {
public int x = 0;
public int y = 0;
//constructor
public Point(int x, int y){
this.x = x;
this.y = y;
}
}
From within a constructor, you can also use the this keyword to call another constructor in
the same class. Doing so is called an explicit constructor invocation.
this KEYWORD in JAVA – Example 2
public class Rectangle {
private int x, y;
private int width, height;
public Rectangle() {
this(0, 0, 1, 1);
}
public Rectangle(int width, int height) {
this(0, 0, width, height);
}
public Rectangle(int x, int y, int width, int height) {
this.x = x;
this.y = y;
this.width = width;
this.height = height;
}
...
}
Technical Definition:
Encapsulation is the technique of making the fields in a class private and
providing access to the fields via public methods.
ENCAPSULATION
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 - EXAMPLE
1. class Student{
2. private String name;
3. public String getName(){
4. return name;
5. }
6. public void setName(String newName){
7. name = newName;
8. }
9. }
10.class Execute{
11. public static void main(String args[]){
12. String localName;
13. Student s1 = new Student();
14. localName = s1.getName();
15. }
16.}
At line no14, we can not write localName = s1.name;
The public methods are the access points to a
class's private fields(attributes) from the
outside class.
Technical Definition:
Inheritance can be defined as the process where one object (or class) acquires
the properties of another (object or class).
With the use of inheritance the information is made manageable in a hierarchical
order.
INHERITANCE
ANIMAL
MAMMEL
DOG
REPTILE
INHERITANCE
 In programming, inheritance is brought by using the keyword EXTENDS
 In theory, it is identified using the keyword IS-A.
 By using these keywords we can make one object acquire the properties of
another object.
This is how the extends keyword is used to achieve
inheritance.
public class Animal{
}
public class Mammal extends Animal{
}
public class Reptile extends Animal{
}
public class Dog extends Mammal{
}
INHERITANCE
Now, based on the above example, In Object Oriented terms, the following are
true:
• Animal is the superclass of Mammal class.
• Animal is the superclass of Reptile class.
• Mammal and Reptile are subclasses of Animal class.
• Dog is the subclass of both Mammal and Animal classes.
Alternatively, if we consider the IS-A relationship, we can say:
• Mammal IS-A Animal
• Reptile IS-A Animal
• Dog IS-A Mammal
Hence : Dog IS-A Animal as well
INHERITANCE – EXAMPLE – IS-A RELATIONSHIP
public class Dog extends Mammal{
public static void main(String args[]){
Animal a = new Animal();
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:
true
true
true
INHERITANCE – EXAMPLE – HAS-A RELATIONSHIP
Determines whether a certain class HAS-A certain thing.
Lets us look into an example:
class Vehicle{}
class Speed{}
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.
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:
public class Dog extends Animal, Mammal{}; This is wrong
OVERRIDING
The process of defining a method in child class with the same name & signature as
that of a method already present in parent class.
 If a class inherits a method from its super class, then there is a chance
to override the method provided that it is not marked final.
 Benefit: 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.
OVERRIDING – EXAMPLE 1
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");
}
}
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
}
}
Animals can move
Dogs can walk and run
OVERRIDING – BASE REFERENCE AND CHILD OBJECT
Suppose there is a scenario that CHILD inherits BASE class, as shown in the figure.
BASE
CHILD
Both BASE and CHILD classes would have their own methods,
as well as some overridden methods, if any.
Category I: Methods present in BASE class only.
Category II: Methods present in CHLD class only.
Category III: Methods available in BASE but overridden in
CHILD.
Now, if we create an object with BASE class reference and
CHILD class object as:
BASE ref = new CHILD();
Then, ref could access the methods belonging to Category I
and Category III only.
OVERRIDING – EXAMPLE 1 - EXPLANANTION
In the above example, even though b is a type of Animal; it runs the move
method in the Dog class.
REASON:
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.
OVERRIDING – EXAMPLE 2
1. class Animal{
2. }
3. class Dog extends Animal{
4. public void bark(){
5. System.out.println("Dogs can bark");
6. }
7. }
8. public class TestDog{
9. public static void main(String args[]){
10. Animal a = new Animal(); // Animal reference and
object
11. Animal b = new Dog(); // Animal reference but Dog
object
12. b.bark();
13. }
14. }
Result (ERROR):
TestDog.java:12: cannot find symbol
symbol : method bark()
location: class Animal b.bark();
RULES FOR METHOD OVERRIDING – PART 1
1. The argument list should be exactly the same as that of the
overridden method.
2. The return type should be the same or a subtype of the return
type declared in the original overridden method in the
superclass.
3. 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 overridding method in the sub class
cannot be either private or protected.
4. Instance methods can be overridden only if they are inherited by
the subclass.
5. A method declared final cannot be overridden.
6. A method declared static cannot be overridden but can be re-
declared.
RULES FOR METHOD OVERRIDING – PART 2
7. If a method cannot be inherited, then it cannot be overridden.
8. A subclass within the same package as the instance's superclass
can override any superclass method that is not declared private
or final.
9. A subclass in a different package can only override the non-
final methods declared public or protected.
10. 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.
11. Constructors cannot be overridden.
OVERRIDING: 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");
}
}
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
}
}
When invoking a superclass version of an
overridden method the super keyword is used.
This would produce the following result:
Animals can move
Dogs can walk and run
POLYMORPHISM
CASE I: METHOD POLYMORPHISM
We can have multiple methods with the same name in the same / inherited
/ extended class.
There are three kinds of such polymorphism (methods):
1. Overloading: Two or more methods with different signatures, in
the same class.
2. Overriding: Replacing a method of BASE class with another
(having the same signature) in CHILD class.
3. Polymorphism by implementing Interfaces.
POLYMORPHISM = 1 METHOD/OBJECT HAVING MANY FORMS/ROLES
POLYMORPHISM – METHOD OVERLOADING
class Test {
public static void main(String args[]) {
myPrint(5);
myPrint(5.0);
}
static void myPrint(int i) {
System.out.println("int i = " + i);
}
static void myPrint(double d) {
System.out.println("double d = " + d);
}
}
OUTPUT:
int i = 5
double d = 5.0
Please note that the signature of overloaded method
is different.
POLYMORPHISM – CONSTRUCTOR OVERLOADING
This example displays the way of overloading a constructor and a method
depending on type and number of parameters.
class MyClass {
int height;
MyClass() {
System.out.println("bricks");
height = 0;
}
MyClass(int i) {
System.out.println("Building new House that is "
+ i + " feet tall");
height = i;
}
void info() {
System.out.println("House is " + height
+ " feet tall");
}
void info(String s) {
System.out.println(s + ": House is “ + height + " feet
tall");
}
}
POLYMORPHISM – CONSTRUCTOR OVERLOADING
1. public class MainClass {
2. public static void main(String[] args) {
3. //Calling of Overloaded constructor:
4. MyClass t = new MyClass(0);
5. t.info();
6. //Calling of Overloaded method
7. t.info("overloaded method");
8. //Calling of DEFAULT constructor
9. MyClass x = new MyClass();
10. }
11.}
Result:
Building new House that is 0 feet tall.
House is 0 feet tall.
Overloaded method: House is 0 feet tall.
bricks
POLYMORPHISM
CASE II: OBJECT POLYMORPHISM
Example: The most common use of polymorphism in OOP occurs when a
parent class reference is used to refer to a child class object.
Note: In the below statement
BASE ref = new CHILD();
NOTE: ref is the reference.
 Any Java object that can pass more than one IS-A test is considered to be
polymorphic.
 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.
OBJECT POLYMORPHISM - EXAMPLE
public class Animal{
int a1;
void am1(){...}
}
public class Deer extends Animal {
int d1;
void dm1(){....}
}
public class Execute{
public static void main(String args[]){
Deer d = new Deer();
Animal a = d;
}
}
Here, there are two references a & d.
And both references are pointing to same object.
Hence, 1 object can play many roles.

More Related Content

PPTX
Polymorphism in java
PPT
Inheritance in java
PPTX
Polymorphism presentation in java
PDF
Inheritance In Java
PPTX
Access Modifier.pptx
PPTX
Advance oops concepts
PDF
Object oriented programming With C#
PPTX
Inheritance in java
Polymorphism in java
Inheritance in java
Polymorphism presentation in java
Inheritance In Java
Access Modifier.pptx
Advance oops concepts
Object oriented programming With C#
Inheritance in java

What's hot (20)

PPT
Java collections concept
PPTX
Static keyword ppt
PPTX
20.4 Java interfaces and abstraction
PPTX
Java Method, Static Block
PPTX
OOPS In JAVA.pptx
PPTX
Inheritance In Java
PPTX
Inheritance
PDF
Object-oriented Programming-with C#
PPTX
INHERITANCE IN JAVA.pptx
PPTX
Access modifier and inheritance
PPTX
Abstract class and Interface
PPTX
String, string builder, string buffer
PPTX
inheritance c++
PPTX
OOPs in Java
PPTX
Ppt on this and super keyword
PPTX
Java interface
PPT
Chapter 13 - Recursion
PPT
URL Class in JAVA
PDF
Chapter 02: Classes Objects and Methods Java by Tushar B Kute
PDF
Generics
Java collections concept
Static keyword ppt
20.4 Java interfaces and abstraction
Java Method, Static Block
OOPS In JAVA.pptx
Inheritance In Java
Inheritance
Object-oriented Programming-with C#
INHERITANCE IN JAVA.pptx
Access modifier and inheritance
Abstract class and Interface
String, string builder, string buffer
inheritance c++
OOPs in Java
Ppt on this and super keyword
Java interface
Chapter 13 - Recursion
URL Class in JAVA
Chapter 02: Classes Objects and Methods Java by Tushar B Kute
Generics
Ad

Similar to encapsulation, inheritance, overriding, overloading (20)

PPTX
OOPS_Unit2.inheritance and interface objected oriented programming
PPTX
Detailed_description_on_java_ppt_final.pptx
PPTX
Unit3 part2-inheritance
PPTX
Unit3 inheritance
PPSX
Learn java objects inheritance-overriding-polymorphism
PPTX
Java chapter 5
PPTX
Basics to java programming and concepts of java
PPTX
Lecture 6 inheritance
PPTX
INHERITANCE.pptx
PPTX
Chapter5.pptxfghwryhYETHYETH67IOIKUTJJUILOUI
PPTX
Chapter 04 Object Oriented programming .pptx
PPTX
Core java oop
PPTX
Pi j3.1 inheritance
PPTX
Basic concept of class, method , command line-argument
PPTX
Modules 333333333³3444444444444444444.pptx
PPTX
Object oriented concepts
PPTX
Inheritance in Java is a mechanism in which one object acquires all the prope...
PDF
java-06inheritance
PPTX
Java class 3
OOPS_Unit2.inheritance and interface objected oriented programming
Detailed_description_on_java_ppt_final.pptx
Unit3 part2-inheritance
Unit3 inheritance
Learn java objects inheritance-overriding-polymorphism
Java chapter 5
Basics to java programming and concepts of java
Lecture 6 inheritance
INHERITANCE.pptx
Chapter5.pptxfghwryhYETHYETH67IOIKUTJJUILOUI
Chapter 04 Object Oriented programming .pptx
Core java oop
Pi j3.1 inheritance
Basic concept of class, method , command line-argument
Modules 333333333³3444444444444444444.pptx
Object oriented concepts
Inheritance in Java is a mechanism in which one object acquires all the prope...
java-06inheritance
Java class 3
Ad

More from Shivam Singhal (11)

PDF
C progrmming
PPTX
English tenses
PPT
Chapter 1 introduction to Indian financial system
PPT
Chapter 3 capital market
PPT
Chapter 2 money market
PPT
project selection
PPT
introduction to project management
PPTX
java: basics, user input, data type, constructor
PPTX
java:characteristics, classpath, compliation
PPT
10 8086 instruction set
C progrmming
English tenses
Chapter 1 introduction to Indian financial system
Chapter 3 capital market
Chapter 2 money market
project selection
introduction to project management
java: basics, user input, data type, constructor
java:characteristics, classpath, compliation
10 8086 instruction set

Recently uploaded (20)

PPTX
Cell Types and Its function , kingdom of life
PDF
A GUIDE TO GENETICS FOR UNDERGRADUATE MEDICAL STUDENTS
PPTX
Lesson notes of climatology university.
PDF
Weekly quiz Compilation Jan -July 25.pdf
PDF
Anesthesia in Laparoscopic Surgery in India
PDF
O5-L3 Freight Transport Ops (International) V1.pdf
PDF
Black Hat USA 2025 - Micro ICS Summit - ICS/OT Threat Landscape
PPTX
IMMUNITY IMMUNITY refers to protection against infection, and the immune syst...
PPTX
Pharmacology of Heart Failure /Pharmacotherapy of CHF
PPTX
school management -TNTEU- B.Ed., Semester II Unit 1.pptx
PDF
RMMM.pdf make it easy to upload and study
PPTX
Final Presentation General Medicine 03-08-2024.pptx
PDF
STATICS OF THE RIGID BODIES Hibbelers.pdf
PPTX
202450812 BayCHI UCSC-SV 20250812 v17.pptx
PPTX
Introduction-to-Literarature-and-Literary-Studies-week-Prelim-coverage.pptx
DOC
Soft-furnishing-By-Architect-A.F.M.Mohiuddin-Akhand.doc
PDF
GENETICS IN BIOLOGY IN SECONDARY LEVEL FORM 3
PPTX
Tissue processing ( HISTOPATHOLOGICAL TECHNIQUE
PDF
Supply Chain Operations Speaking Notes -ICLT Program
PDF
Chinmaya Tiranga quiz Grand Finale.pdf
Cell Types and Its function , kingdom of life
A GUIDE TO GENETICS FOR UNDERGRADUATE MEDICAL STUDENTS
Lesson notes of climatology university.
Weekly quiz Compilation Jan -July 25.pdf
Anesthesia in Laparoscopic Surgery in India
O5-L3 Freight Transport Ops (International) V1.pdf
Black Hat USA 2025 - Micro ICS Summit - ICS/OT Threat Landscape
IMMUNITY IMMUNITY refers to protection against infection, and the immune syst...
Pharmacology of Heart Failure /Pharmacotherapy of CHF
school management -TNTEU- B.Ed., Semester II Unit 1.pptx
RMMM.pdf make it easy to upload and study
Final Presentation General Medicine 03-08-2024.pptx
STATICS OF THE RIGID BODIES Hibbelers.pdf
202450812 BayCHI UCSC-SV 20250812 v17.pptx
Introduction-to-Literarature-and-Literary-Studies-week-Prelim-coverage.pptx
Soft-furnishing-By-Architect-A.F.M.Mohiuddin-Akhand.doc
GENETICS IN BIOLOGY IN SECONDARY LEVEL FORM 3
Tissue processing ( HISTOPATHOLOGICAL TECHNIQUE
Supply Chain Operations Speaking Notes -ICLT Program
Chinmaya Tiranga quiz Grand Finale.pdf

encapsulation, inheritance, overriding, overloading

  • 2. What Is a Package? A package is a namespace that organizes a set of RELATED classes and interfaces. It is similar to different folders on your computer. Example - Image based classes in one package, maths based in another package, general utility based classes in another, and so on... PACKAGE The Java platform provides an enormous class library (a set of packages) suitable for use in your own applications. This library is known as the "Application Programming Interface", or "API" for short. import java.lang.*; import java.util.*; Example - • a String object contains state and behavior for character strings; • a File object allows a programmer to easily create, delete, inspect, compare, or modify a file on the filesystem; • a Socket object allows for the creation and use of network sockets;
  • 3. What is Access Specifier? A mechanism to set access levels for classes, variables, methods and constructors. The four access levels are: //In increasing order of accessibility • PRIVATE - Visible to the same class only. • DEFAULT - Visible to the same package. No modifiers are needed. • PROTECTED - Visible to the package and all subclasses. • PUBLIC - Visible to the world. ACCESS SPECIFIERS in JAVA public class Student { private String course; }
  • 4. class Test{ public static void main(String[] args){ Student ramesh = new Student(); //To set the value of the course attribute. //INCORRECT ramesh.course="B.Tech"; //To get the value of the course attribute. //This statement is INCORRECT System.out.println("Course name of ramesh is: " +ramesh.course); } } ACCESS SPECIFIERS in JAVA
  • 5. What is Access Specifier? A mechanism to set access levels for classes, attributes, variables, methods and constructors. The four access levels are: //In increasing order of accessibility • PRIVATE - Visible to the same class only. • DEFAULT - Visible to the same package. No modifiers are needed. • PROTECTED - Visible to the package and all subclasses. • PUBLIC - Visible to the world. ACCESS SPECIFIERS in JAVA public class Student { private String course; public void setCourse(String courseNew) { this.course = courseNew; } public String getCourse() { return this.course; } }
  • 6. class Test{ public static void main(String[] args){ Student ramesh = new Student(); //To set the value of the course attribute. //INCORRECT ramesh.course="B.Tech"; //CORRECT ramesh.setCourse("B.Tech"); //To get the value of the course attribute. //This statement is INCORRECT System.out.println("Course name of ramesh is: “ +ramesh.course); //CORRECT statement System.out.println("Course name of ramesh is: “ +ramesh.getCourse()); } } ACCESS SPECIFIERS in JAVA
  • 7. Within a method/constructor, this is a reference to the current object — the object whose method/constructor is being called. this KEYWORD in JAVA public class Point { public int x = 0; public int y = 0; //constructor public Point(int a, int b){ x = a; y = b; } } public class Point { public int x = 0; public int y = 0; //constructor public Point(int x, int y){ this.x = x; this.y = y; } }
  • 8. From within a constructor, you can also use the this keyword to call another constructor in the same class. Doing so is called an explicit constructor invocation. this KEYWORD in JAVA – Example 2 public class Rectangle { private int x, y; private int width, height; public Rectangle() { this(0, 0, 1, 1); } public Rectangle(int width, int height) { this(0, 0, width, height); } public Rectangle(int x, int y, int width, int height) { this.x = x; this.y = y; this.width = width; this.height = height; } ... }
  • 9. Technical Definition: Encapsulation is the technique of making the fields in a class private and providing access to the fields via public methods. ENCAPSULATION 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.
  • 10. ENCAPSULATION - EXAMPLE 1. class Student{ 2. private String name; 3. public String getName(){ 4. return name; 5. } 6. public void setName(String newName){ 7. name = newName; 8. } 9. } 10.class Execute{ 11. public static void main(String args[]){ 12. String localName; 13. Student s1 = new Student(); 14. localName = s1.getName(); 15. } 16.} At line no14, we can not write localName = s1.name; The public methods are the access points to a class's private fields(attributes) from the outside class.
  • 11. Technical Definition: Inheritance can be defined as the process where one object (or class) acquires the properties of another (object or class). With the use of inheritance the information is made manageable in a hierarchical order. INHERITANCE ANIMAL MAMMEL DOG REPTILE
  • 12. INHERITANCE  In programming, inheritance is brought by using the keyword EXTENDS  In theory, it is identified using the keyword IS-A.  By using these keywords we can make one object acquire the properties of another object. This is how the extends keyword is used to achieve inheritance. public class Animal{ } public class Mammal extends Animal{ } public class Reptile extends Animal{ } public class Dog extends Mammal{ }
  • 13. INHERITANCE Now, based on the above example, In Object Oriented terms, the following are true: • Animal is the superclass of Mammal class. • Animal is the superclass of Reptile class. • Mammal and Reptile are subclasses of Animal class. • Dog is the subclass of both Mammal and Animal classes. Alternatively, if we consider the IS-A relationship, we can say: • Mammal IS-A Animal • Reptile IS-A Animal • Dog IS-A Mammal Hence : Dog IS-A Animal as well
  • 14. INHERITANCE – EXAMPLE – IS-A RELATIONSHIP public class Dog extends Mammal{ public static void main(String args[]){ Animal a = new Animal(); 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: true true true
  • 15. INHERITANCE – EXAMPLE – HAS-A RELATIONSHIP Determines whether a certain class HAS-A certain thing. Lets us look into an example: class Vehicle{} class Speed{} 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. 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: public class Dog extends Animal, Mammal{}; This is wrong
  • 16. OVERRIDING The process of defining a method in child class with the same name & signature as that of a method already present in parent class.  If a class inherits a method from its super class, then there is a chance to override the method provided that it is not marked final.  Benefit: 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.
  • 17. OVERRIDING – EXAMPLE 1 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"); } } 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 } } Animals can move Dogs can walk and run
  • 18. OVERRIDING – BASE REFERENCE AND CHILD OBJECT Suppose there is a scenario that CHILD inherits BASE class, as shown in the figure. BASE CHILD Both BASE and CHILD classes would have their own methods, as well as some overridden methods, if any. Category I: Methods present in BASE class only. Category II: Methods present in CHLD class only. Category III: Methods available in BASE but overridden in CHILD. Now, if we create an object with BASE class reference and CHILD class object as: BASE ref = new CHILD(); Then, ref could access the methods belonging to Category I and Category III only.
  • 19. OVERRIDING – EXAMPLE 1 - EXPLANANTION In the above example, even though b is a type of Animal; it runs the move method in the Dog class. REASON: 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.
  • 20. OVERRIDING – EXAMPLE 2 1. class Animal{ 2. } 3. class Dog extends Animal{ 4. public void bark(){ 5. System.out.println("Dogs can bark"); 6. } 7. } 8. public class TestDog{ 9. public static void main(String args[]){ 10. Animal a = new Animal(); // Animal reference and object 11. Animal b = new Dog(); // Animal reference but Dog object 12. b.bark(); 13. } 14. } Result (ERROR): TestDog.java:12: cannot find symbol symbol : method bark() location: class Animal b.bark();
  • 21. RULES FOR METHOD OVERRIDING – PART 1 1. The argument list should be exactly the same as that of the overridden method. 2. The return type should be the same or a subtype of the return type declared in the original overridden method in the superclass. 3. 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 overridding method in the sub class cannot be either private or protected. 4. Instance methods can be overridden only if they are inherited by the subclass. 5. A method declared final cannot be overridden. 6. A method declared static cannot be overridden but can be re- declared.
  • 22. RULES FOR METHOD OVERRIDING – PART 2 7. If a method cannot be inherited, then it cannot be overridden. 8. A subclass within the same package as the instance's superclass can override any superclass method that is not declared private or final. 9. A subclass in a different package can only override the non- final methods declared public or protected. 10. 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. 11. Constructors cannot be overridden.
  • 23. OVERRIDING: 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"); } } 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 } } When invoking a superclass version of an overridden method the super keyword is used. This would produce the following result: Animals can move Dogs can walk and run
  • 24. POLYMORPHISM CASE I: METHOD POLYMORPHISM We can have multiple methods with the same name in the same / inherited / extended class. There are three kinds of such polymorphism (methods): 1. Overloading: Two or more methods with different signatures, in the same class. 2. Overriding: Replacing a method of BASE class with another (having the same signature) in CHILD class. 3. Polymorphism by implementing Interfaces. POLYMORPHISM = 1 METHOD/OBJECT HAVING MANY FORMS/ROLES
  • 25. POLYMORPHISM – METHOD OVERLOADING class Test { public static void main(String args[]) { myPrint(5); myPrint(5.0); } static void myPrint(int i) { System.out.println("int i = " + i); } static void myPrint(double d) { System.out.println("double d = " + d); } } OUTPUT: int i = 5 double d = 5.0 Please note that the signature of overloaded method is different.
  • 26. POLYMORPHISM – CONSTRUCTOR OVERLOADING This example displays the way of overloading a constructor and a method depending on type and number of parameters. class MyClass { int height; MyClass() { System.out.println("bricks"); height = 0; } MyClass(int i) { System.out.println("Building new House that is " + i + " feet tall"); height = i; } void info() { System.out.println("House is " + height + " feet tall"); } void info(String s) { System.out.println(s + ": House is “ + height + " feet tall"); } }
  • 27. POLYMORPHISM – CONSTRUCTOR OVERLOADING 1. public class MainClass { 2. public static void main(String[] args) { 3. //Calling of Overloaded constructor: 4. MyClass t = new MyClass(0); 5. t.info(); 6. //Calling of Overloaded method 7. t.info("overloaded method"); 8. //Calling of DEFAULT constructor 9. MyClass x = new MyClass(); 10. } 11.} Result: Building new House that is 0 feet tall. House is 0 feet tall. Overloaded method: House is 0 feet tall. bricks
  • 28. POLYMORPHISM CASE II: OBJECT POLYMORPHISM Example: The most common use of polymorphism in OOP occurs when a parent class reference is used to refer to a child class object. Note: In the below statement BASE ref = new CHILD(); NOTE: ref is the reference.  Any Java object that can pass more than one IS-A test is considered to be polymorphic.  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.
  • 29. OBJECT POLYMORPHISM - EXAMPLE public class Animal{ int a1; void am1(){...} } public class Deer extends Animal { int d1; void dm1(){....} } public class Execute{ public static void main(String args[]){ Deer d = new Deer(); Animal a = d; } } Here, there are two references a & d. And both references are pointing to same object. Hence, 1 object can play many roles.