SlideShare ist ein Scribd-Unternehmen logo
1 von 29
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.

Weitere ähnliche Inhalte

Was ist angesagt?

Templates in C++
Templates in C++Templates in C++
Templates in C++
Tech_MX
 

Was ist angesagt? (20)

Method Overloading in Java
Method Overloading in JavaMethod Overloading in Java
Method Overloading in Java
 
Inheritance In Java
Inheritance In JavaInheritance In Java
Inheritance In Java
 
Python OOPs
Python OOPsPython OOPs
Python OOPs
 
Java keywords
Java keywordsJava keywords
Java keywords
 
ArrayList in JAVA
ArrayList in JAVAArrayList in JAVA
ArrayList in JAVA
 
Chapter 04 object oriented programming
Chapter 04 object oriented programmingChapter 04 object oriented programming
Chapter 04 object oriented programming
 
Python: Modules and Packages
Python: Modules and PackagesPython: Modules and Packages
Python: Modules and Packages
 
Templates in C++
Templates in C++Templates in C++
Templates in C++
 
Inheritance in java
Inheritance in javaInheritance in java
Inheritance in java
 
C# Inheritance
C# InheritanceC# Inheritance
C# Inheritance
 
Inheritance C#
Inheritance C#Inheritance C#
Inheritance C#
 
Python-DataAbstarction.pptx
Python-DataAbstarction.pptxPython-DataAbstarction.pptx
Python-DataAbstarction.pptx
 
Polymorphism in Python
Polymorphism in Python Polymorphism in Python
Polymorphism in Python
 
Java abstract class & abstract methods
Java abstract class & abstract methodsJava abstract class & abstract methods
Java abstract class & abstract methods
 
07. Virtual Functions
07. Virtual Functions07. Virtual Functions
07. Virtual Functions
 
Inheritance ppt
Inheritance pptInheritance ppt
Inheritance ppt
 
[OOP - Lec 07] Access Specifiers
[OOP - Lec 07] Access Specifiers[OOP - Lec 07] Access Specifiers
[OOP - Lec 07] Access Specifiers
 
Chapter 02: Classes Objects and Methods Java by Tushar B Kute
Chapter 02: Classes Objects and Methods Java by Tushar B KuteChapter 02: Classes Objects and Methods Java by Tushar B Kute
Chapter 02: Classes Objects and Methods Java by Tushar B Kute
 
Templates in c++
Templates in c++Templates in c++
Templates in c++
 
Function overloading and overriding
Function overloading and overridingFunction overloading and overriding
Function overloading and overriding
 

Ähnlich wie encapsulation, inheritance, overriding, overloading

java-06inheritance
java-06inheritancejava-06inheritance
java-06inheritance
Arjun Shanka
 
Java class 3
Java class 3Java class 3
Java class 3
Edureka!
 

Ähnlich wie encapsulation, inheritance, overriding, overloading (20)

Unit3 part2-inheritance
Unit3 part2-inheritanceUnit3 part2-inheritance
Unit3 part2-inheritance
 
Unit3 inheritance
Unit3 inheritanceUnit3 inheritance
Unit3 inheritance
 
Learn java objects inheritance-overriding-polymorphism
Learn java objects  inheritance-overriding-polymorphismLearn java objects  inheritance-overriding-polymorphism
Learn java objects inheritance-overriding-polymorphism
 
Java chapter 5
Java chapter 5Java chapter 5
Java chapter 5
 
Lecture 6 inheritance
Lecture   6 inheritanceLecture   6 inheritance
Lecture 6 inheritance
 
INHERITANCE.pptx
INHERITANCE.pptxINHERITANCE.pptx
INHERITANCE.pptx
 
Core java oop
Core java oopCore java oop
Core java oop
 
Pi j3.1 inheritance
Pi j3.1 inheritancePi j3.1 inheritance
Pi j3.1 inheritance
 
Basic concept of class, method , command line-argument
Basic concept of class, method , command line-argumentBasic concept of class, method , command line-argument
Basic concept of class, method , command line-argument
 
Object oriented concepts
Object oriented conceptsObject oriented concepts
Object oriented concepts
 
Java
JavaJava
Java
 
java-06inheritance
java-06inheritancejava-06inheritance
java-06inheritance
 
Java class 3
Java class 3Java class 3
Java class 3
 
Unit3 part1-class
Unit3 part1-classUnit3 part1-class
Unit3 part1-class
 
inheritance.pptx
inheritance.pptxinheritance.pptx
inheritance.pptx
 
Chapter 5 (OOP Principles).ppt
Chapter 5 (OOP Principles).pptChapter 5 (OOP Principles).ppt
Chapter 5 (OOP Principles).ppt
 
php_final_sy_semIV_notes_vision.pdf
php_final_sy_semIV_notes_vision.pdfphp_final_sy_semIV_notes_vision.pdf
php_final_sy_semIV_notes_vision.pdf
 
php_final_sy_semIV_notes_vision (3).pdf
php_final_sy_semIV_notes_vision (3).pdfphp_final_sy_semIV_notes_vision (3).pdf
php_final_sy_semIV_notes_vision (3).pdf
 
php_final_sy_semIV_notes_vision.pdf
php_final_sy_semIV_notes_vision.pdfphp_final_sy_semIV_notes_vision.pdf
php_final_sy_semIV_notes_vision.pdf
 
php_final_sy_semIV_notes_vision.pdf
php_final_sy_semIV_notes_vision.pdfphp_final_sy_semIV_notes_vision.pdf
php_final_sy_semIV_notes_vision.pdf
 

Mehr von Shivam Singhal (11)

C progrmming
C progrmmingC progrmming
C progrmming
 
English tenses
English tenses English tenses
English tenses
 
ofdm
ofdmofdm
ofdm
 
Chapter 1 introduction to Indian financial system
Chapter 1 introduction to Indian financial systemChapter 1 introduction to Indian financial system
Chapter 1 introduction to Indian financial system
 
Chapter 3 capital market
Chapter 3 capital marketChapter 3 capital market
Chapter 3 capital market
 
Chapter 2 money market
Chapter 2 money marketChapter 2 money market
Chapter 2 money market
 
project selection
project selectionproject selection
project selection
 
introduction to project management
introduction to project management introduction to project management
introduction to project management
 
java: basics, user input, data type, constructor
java:  basics, user input, data type, constructorjava:  basics, user input, data type, constructor
java: basics, user input, data type, constructor
 
java:characteristics, classpath, compliation
java:characteristics, classpath, compliationjava:characteristics, classpath, compliation
java:characteristics, classpath, compliation
 
10 8086 instruction set
10 8086 instruction set10 8086 instruction set
10 8086 instruction set
 

Kürzlich hochgeladen

Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in DelhiRussian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
kauryashika82
 
The basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptxThe basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptx
heathfieldcps1
 
Ecosystem Interactions Class Discussion Presentation in Blue Green Lined Styl...
Ecosystem Interactions Class Discussion Presentation in Blue Green Lined Styl...Ecosystem Interactions Class Discussion Presentation in Blue Green Lined Styl...
Ecosystem Interactions Class Discussion Presentation in Blue Green Lined Styl...
fonyou31
 

Kürzlich hochgeladen (20)

fourth grading exam for kindergarten in writing
fourth grading exam for kindergarten in writingfourth grading exam for kindergarten in writing
fourth grading exam for kindergarten in writing
 
Sanyam Choudhary Chemistry practical.pdf
Sanyam Choudhary Chemistry practical.pdfSanyam Choudhary Chemistry practical.pdf
Sanyam Choudhary Chemistry practical.pdf
 
IGNOU MSCCFT and PGDCFT Exam Question Pattern: MCFT003 Counselling and Family...
IGNOU MSCCFT and PGDCFT Exam Question Pattern: MCFT003 Counselling and Family...IGNOU MSCCFT and PGDCFT Exam Question Pattern: MCFT003 Counselling and Family...
IGNOU MSCCFT and PGDCFT Exam Question Pattern: MCFT003 Counselling and Family...
 
social pharmacy d-pharm 1st year by Pragati K. Mahajan
social pharmacy d-pharm 1st year by Pragati K. Mahajansocial pharmacy d-pharm 1st year by Pragati K. Mahajan
social pharmacy d-pharm 1st year by Pragati K. Mahajan
 
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in DelhiRussian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
 
Measures of Dispersion and Variability: Range, QD, AD and SD
Measures of Dispersion and Variability: Range, QD, AD and SDMeasures of Dispersion and Variability: Range, QD, AD and SD
Measures of Dispersion and Variability: Range, QD, AD and SD
 
Código Creativo y Arte de Software | Unidad 1
Código Creativo y Arte de Software | Unidad 1Código Creativo y Arte de Software | Unidad 1
Código Creativo y Arte de Software | Unidad 1
 
The basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptxThe basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptx
 
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptxSOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
 
Explore beautiful and ugly buildings. Mathematics helps us create beautiful d...
Explore beautiful and ugly buildings. Mathematics helps us create beautiful d...Explore beautiful and ugly buildings. Mathematics helps us create beautiful d...
Explore beautiful and ugly buildings. Mathematics helps us create beautiful d...
 
Paris 2024 Olympic Geographies - an activity
Paris 2024 Olympic Geographies - an activityParis 2024 Olympic Geographies - an activity
Paris 2024 Olympic Geographies - an activity
 
Unit-IV- Pharma. Marketing Channels.pptx
Unit-IV- Pharma. Marketing Channels.pptxUnit-IV- Pharma. Marketing Channels.pptx
Unit-IV- Pharma. Marketing Channels.pptx
 
APM Welcome, APM North West Network Conference, Synergies Across Sectors
APM Welcome, APM North West Network Conference, Synergies Across SectorsAPM Welcome, APM North West Network Conference, Synergies Across Sectors
APM Welcome, APM North West Network Conference, Synergies Across Sectors
 
Key note speaker Neum_Admir Softic_ENG.pdf
Key note speaker Neum_Admir Softic_ENG.pdfKey note speaker Neum_Admir Softic_ENG.pdf
Key note speaker Neum_Admir Softic_ENG.pdf
 
Mattingly "AI & Prompt Design: The Basics of Prompt Design"
Mattingly "AI & Prompt Design: The Basics of Prompt Design"Mattingly "AI & Prompt Design: The Basics of Prompt Design"
Mattingly "AI & Prompt Design: The Basics of Prompt Design"
 
Class 11th Physics NEET formula sheet pdf
Class 11th Physics NEET formula sheet pdfClass 11th Physics NEET formula sheet pdf
Class 11th Physics NEET formula sheet pdf
 
Advance Mobile Application Development class 07
Advance Mobile Application Development class 07Advance Mobile Application Development class 07
Advance Mobile Application Development class 07
 
Ecosystem Interactions Class Discussion Presentation in Blue Green Lined Styl...
Ecosystem Interactions Class Discussion Presentation in Blue Green Lined Styl...Ecosystem Interactions Class Discussion Presentation in Blue Green Lined Styl...
Ecosystem Interactions Class Discussion Presentation in Blue Green Lined Styl...
 
INDIA QUIZ 2024 RLAC DELHI UNIVERSITY.pptx
INDIA QUIZ 2024 RLAC DELHI UNIVERSITY.pptxINDIA QUIZ 2024 RLAC DELHI UNIVERSITY.pptx
INDIA QUIZ 2024 RLAC DELHI UNIVERSITY.pptx
 
Interactive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationInteractive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communication
 

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.