KEMBAR78
Java Oop | PDF | Programming | Constructor (Object Oriented Programming)
0% found this document useful (0 votes)
19 views29 pages

Java Oop

The document provides an overview of objects and classes in Java, detailing the structure and behavior defined by classes, the role of constructors, and the differences between primitive and reference types. It explains key concepts such as class variables, instance variables, and the static keyword, along with visibility modifiers and passing objects to methods. Additionally, it covers arrays of objects, emphasizing their declaration, instantiation, and usage.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
19 views29 pages

Java Oop

The document provides an overview of objects and classes in Java, detailing the structure and behavior defined by classes, the role of constructors, and the differences between primitive and reference types. It explains key concepts such as class variables, instance variables, and the static keyword, along with visibility modifiers and passing objects to methods. Additionally, it covers arrays of objects, emphasizing their declaration, instantiation, and usage.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 29

Objects and Classes

Class: A class is a blueprint for creating objects. It defines the structure and behavior
(properties and methods) that the objects created from the class will have.

Components of a Class

• Data Fields: Variables that hold the data or properties of an object.

• Methods: Define the behavior or actions that objects of the class can perform.

• Constructors: Special methods used to initialize objects.

• Access Modifiers: Control the visibility of class members (public, private, protected, or
default).

Object: An object is a core concept that serves as an instance of a class. It encapsulates both
data (attributes or properties) and behavior (methods or functions) into a single, self-
contained unit.

Instance of a Class:
• Objects are created from a blueprint called a class.

• A class defines the structure and behavior, while an object represents a specific
implementation.

Constructor
A constructor in Java is a special method used to initialize objects. It is called when an object
is created, and its main purpose is to set up the initial state of the object. A constructor is
defined within a class and has the same name as the class.

1. A constructor has no return type, not even void.

2. It must have the same name as the class.

3. It is automatically invoked when an object is created using the new keyword.

4. If no constructor is defined, Java provides a default constructor.


Types of Constructors
1. Default Constructor: A constructor without parameters.

2. Parameterized Constructor: A constructor with parameters to initialize fields with


specific values.

3. Copy Constructor: Used to create an object by copying the properties of another


object (not built-in in Java but can be implemented manually).

Key Points
1. Use this keyword to differentiate between local variables and instance variables when
they have the same name.

2. Constructors cannot be static, abstract, final, or synchronized.

3. Constructor chaining is possible (calling one constructor from another) using the this()
keyword.

Constructor Overloading: You can define multiple constructors in the same class with
different parameter lists (overloading).

Constructor Chaining : Constructor Chaining refers to the process of calling one


constructor from another within the same class or across different classes. This allows a
constructor to reuse the functionality of another constructor, making the code more efficient
and avoiding redundancy.

Types of Constructor Chaining


1. Within the Same Class
Use the this() keyword to call another constructor of the same class.

2. Across Different Classes


Use the super() keyword to call the constructor of the parent class.

class ChainingExample {

String name;

int age
// Default Constructor

ChainingExample() {

this("Unknown"); // Calls the single parameter constructor

System.out.println("Default Constructor Called");

// Single Parameter Constructor

ChainingExample(String name) {

this(name, 0); // Calls the two parameter constructor

System.out.println("Single Parameter Constructor Called");

// Two Parameters Constructor

ChainingExample(String name, int age) {

this.name = name;

this.age = age;

System.out.println("Two Parameter Constructor Called");

Output: Two Parameter Constructor Called Single Parameter Constructor Called Default
Constructor Called Name: Unknown, Age: 0

// Parent Class

class Parent {

String message;
// Constructor in Parent

Parent(String message) {

this.message = message;

System.out.println("Parent Constructor Called: " + message);

// Child Class

class Child extends Parent {

int number;

// Constructor in Child

Child(String message, int number) {

super(message); // Calls the parent class constructor

this.number = number;

System.out.println("Child Constructor Called with Number: " + number);

public class Main {

public static void main(String[] args) {

Child childObj = new Child("Hello from Parent", 42);

}
Output:
Parent Constructor Called: Hello from Parent

Child Constructor Called with Number: 42

Note: A class may be defined without constructors. In this case, a public no-arg constructor
with an empty body is implicitly defined in the class. This constructor, called a default
constructor, is provided automatically only if no constructors are explicitly defined in the
class.

Variables of Primitive Types and Reference Types


In Java, variables can be categorized into primitive types and reference types. These
categories determine how the variable stores data and behaves during execution.

1. Primitive Types
Primitive types are the basic data types provided by Java. They store the actual value directly
in the memory allocated to the variable.

Key Characteristics of Primitive Types:

• Fixed size in memory.

• Stores the actual data (value).

• Immutable by nature.

• Do not have methods associated with them (though wrapper classes can provide
additional functionality).

Primitive Data Types in Java:

Type Size Default Value Example Values

int 4 bytes 0 -2^31 to 2^31-1

float 4 bytes 0.0f e.g., 3.14f, -0.5f


Type Size Default Value Example Values

double 8 bytes 0.0d e.g., 3.14159, -0.01

char 2 bytes '\u0000' Single character

boolean 1 bit false true or false

Reference Types
Reference types store the memory address (or reference) of the object they point to, rather
than the actual value itself.

Key Characteristics of Reference Types:

• Used for objects and arrays.

• Points to the memory location where the object data is stored.

• Can be null (indicating no object is referenced).

• Methods can be invoked on reference types.

Examples of Reference Types:

1. Class types: Instances of user-defined or built-in classes (e.g., String, Scanner).

2. Array types: Arrays are objects in Java.

3. Interface types: Variables can reference objects implementing an interface.

Differences Between Primitive and Reference Types

Aspect Primitive Types Reference Types

Storage Stores actual data in memory. Stores a reference to the data (object).

Default
Data type-specific (0, false, etc.). null
Value
Aspect Primitive Types Reference Types

Memory Stack memory. Heap memory (object), reference in stack.

No methods directly on
Methods Methods can be called on reference types.
primitives.

Depends on the object;


Mutability Immutable (value cannot change).
mutable/immutable.

Usage For basic values (e.g., numbers). For complex data types and objects.

Primitive Types vs. Their Wrapper Classes


Primitive types have corresponding wrapper classes (reference types), providing additional
functionality.

Primitive Type Wrapper Class

int Integer

double Double

boolean Boolean

char Character

Class Variable/static variable/class-level variable


• A class variable is a variable declared as static within a class.

• It is shared among all instances of the class. Changes made to this variable are reflected
across all instances.

• It belongs to the class itself, not to any specific instance.

Key Characteristics:
• Declared using the static keyword.

• Initialized only once at the time of class loading.

• Accessed using either the class name or an instance of the class.

Instance Variable
• An instance variable is a non-static variable declared within a class but outside any
method, constructor, or block.

• Each object (instance) of the class gets its own copy of the variable.

• Changes to one object's instance variable do not affect others.

Key Characteristics:

• No static keyword.

• Belongs to the instance (object) of the class.

• Initialized when the object is created.

Reference Variables (Object Variable)


• A reference variable stores the memory address of an object rather than the object
itself. It acts as a pointer to the location where the object resides in memory.

1. When a reference variable is created, it doesn't hold the actual data but points
to an object stored in memory.

2. Multiple reference variables can point to the same object.

3. Modifying the object via one reference affects all references pointing to the
same object.
Summary of Differences

Feature Class Variable Instance Variable Object Variable


static
Not specific
Keyword No static
(reference type)
Refers to a specific
Scope Shared across all objects Specific to each object
object
As long as the object Depends on the
Lifetime As long as the class is loaded
exists reference scope
Storage
Class memory area Heap (inside objects) Stack (reference)
Location
Accessed By ClassName.variable
object.variable
or object.variable Used to access objects

The static keyword


The static keyword in Java is a modifier used to indicate that a member (variable, method,
block, or nested class) belongs to the class rather than to instances of the class. It means the
member is shared across all instances of the class and can be accessed without creating an
object of the class.

Where Can You Use the static Keyword?

1. Static Variables (Class-level variables)

2. Static Methods (Class-level methods)

3. Static Blocks (Initialization blocks for static variables)

4. Static Nested Classes (Nested classes that do not require an outer class instance)

1. Static Variables

• A static variable is shared among all instances of a class.

• It is initialized when the class is loaded into memory and destroyed when the class is
unloaded.

• Accessed using the class name.


2. Static Methods

• A static method belongs to the class and can be called without creating an object.

• It can only access other static variables or methods directly (not instance variables or
methods).

3. Static Blocks

• A static block is used to initialize static variables or execute code when the class is
loaded.

• Executed only once, when the class is first loaded into memory.

class Example {

static int value;

static { // Static block

value = 42; // Initialize static variable

System.out.println("Static block executed");

4. Static Nested Classes

• A static nested class is a nested class that does not require an instance of the outer class.

• Useful for grouping classes logically and reducing clutter.

class OuterClass {

static class NestedClass { // Static nested class

void display() {

System.out.println("Inside static nested class");


}

public class Main {

public static void main(String[] args) {

OuterClass.NestedClass nested = new OuterClass.NestedClass(); // No outer class


instance needed

nested.display(); // Output: Inside static nested class

Key Characteristics of static

Feature Description

Belongs to Class Members declared static are shared across all instances of the class.

Memory Static variables and methods are allocated memory once, when the class is
Allocation loaded.

Accessed using ClassName.memberName, but can also be accessed via


Access
objects.

Restrictions - Static methods can't access instance variables or methods directly.

- this and super cannot be used in a static context.


Practical Use Cases of static
1. Counters: To keep track of the number of objects created (using a static variable).

2. Global Constants: Using static final for defining constants like PI or tax rates.

3. Initialization: Static blocks are used for complex static variable initialization.

4. Nested Classes: To logically group helper classes that don't need an outer class
instance.

Why can't we use this in a static context?


• Answer: The this keyword refers to the current instance of a class. Since static
members belong to the class rather than any instance, there is no this in a static
context.

Constants
• A constant is a variable whose value cannot be changed after initialization. In Java,
constants are typically:

o Declared as static final to ensure they are class-level and immutable.

Key Points:

• final: Ensures the value cannot be modified.

• static: Makes it class-level, meaning only one copy exists for the entire class.

• Constants are conventionally written in uppercase letters with underscores.

static final double PI = 3.14159; // Constant

***
Key Differences

Feature Static Variables Constants Static Methods

Class-level variables
Immutable, class-level Class-level methods
Definition shared among all
variables. callable without objects.
objects.

Keyword static static final static

Initializatio Initialized once when Must be initialized at Can be defined anytime


n the class is loaded. declaration. in the class.

Accessed using Accessed using Accessed using


Access ClassName.variableNam ClassName.CONSTANT_NAM ClassName.methodName
e. E. ().

Shared data between all Immutable values like


Use Case Utility or helper methods.
objects. mathematical constants.

Visibility modifiers (or access modifiers)


In Java, visibility modifiers (or access modifiers) control the visibility and accessibility of
classes, methods, variables, and constructors in different parts of a program. They help
implement encapsulation, ensuring proper access control to components.

1. public
• Members marked as public are accessible from anywhere (within the same class,
package, subclass, or unrelated classes).

2. protected
• Members marked as protected are accessible:
o Within the same package.

o In subclasses, even if they are in a different package.

3. Default (Package-Private)

• If no access modifier is specified, the member is accessible only within the same
package.

• This is the default access level when no modifier is used.

4. private
• Members marked as private are accessible only within the same class.

• Commonly used for data hiding in encapsulation.

• Use getter and setter methods to access private fields.

Types of Visibility Modifiers in Java


Modifier Class Package Subclass (outside package) World (anywhere)

public

protected

Default (no modifier)

private
Passing objects to methods
In Java, passing objects to methods refers to the process of providing an object as an
argument to a method. When an object is passed to a method, the method receives a
reference to the original object, not a copy of the object itself. This allows the method to
modify the object's properties.

Key Points to Remember


1. Objects Are Passed by Reference:

o The reference (memory address) of the object is passed, not the actual object.

o Any changes made to the object inside the method affect the original object.

2. Immutable Objects:

o If the object is immutable (e.g., String, Integer), its state cannot be changed
even if passed to a method.

3. Parameter and Argument:

o Parameter: The variable in the method definition.

o Argument: The actual object passed during the method call.

Difference Between Passing Primitive Types and Reference Types:

1. Primitive Types:
# When a primitive type (e.g., int, double) is passed as a parameter, a copy of the
value is passed.
# Changes made to the parameter inside the method do not affect the original
variable.

2. Reference Types:
# When a reference type (e.g., an object) is passed as a parameter, a copy of

the reference (not the object itself) is passed.

# Changes made to the object through this reference affect the original object.
Aarray of object

In Java, an array of object is a array where each element is a reference to an object.


These arrays can store references to multiple instances of the same class.

Defining an Array of Objects

1. Declaration: The syntax to declare an array of objects is similar to arrays of primitive


types but uses a class name as the type.

2. Instantiation: You need to initialize the array itself and also initialize each element to an
instance of the class.

Steps to Create an Array of Objects

1. Declare an array with a class type.


2. Initialize the array.
3. Create objects and assign them to the elements of the array.

public class Main {


public static void main(String[] args) {

// Step 1: Declare and create an array of objects


Student[] students = new Student[3];

// Step 2: Initialize each element of the array


students[0] = new Student("Alice", 20);
students[1] = new Student("Bob", 22);
students[2] = new Student("Charlie", 19);

// Step 3: Access and use objects in the array

for (Student student : students) {


student.display(); // Call the method for each object
}
}
}
Key Points About Arrays of Objects

1. Default Values: If the array is not explicitly initialized, its elements default to null
because it holds references.

Student[] students = new Student[3];


System.out.println(students[0]); // Outputs: null

2. Dynamic Initialization: You can dynamically assign objects to elements.

students[0] = new Student("David", 21);

Default Values in Arrays


For an array of objects:
• Default value is null until initialized.

For an array of primitive types:


• int → 0
• float → 0.0
• boolean → false
• char → \u0000

NullPointerException
A NullPointerException in Java is a runtime exception that occurs when you try to perform an operation
on an object reference that is null.

Common Causes of NullPointerException


1. Accessing a field or calling a method on a null object reference:

String str = null;

System.out.println(str.length()); // Throws NullPointerException

2. Trying to access elements of a null array:

int[] arr = null;

System.out.println(arr[0]); // Throws NullPointerException


3. Attempting to use a null object in a synchronized block:

Object obj = null;

synchronized (obj) { } // Throws NullPointerException

4. Dereferencing a null value from a collection:

Map<String, String> map = new HashMap<>();

String value = map.get("nonexistentKey"); // Returns null

System.out.println(value.length()); // Throws NullPointerException

How to Avoid NullPointerException


1. Initialize variables properly:

String str = ""; // Use empty string instead of null if applicable

2. Check for null before using an object:

if (str != null) {

System.out.println(str.length());

Immutable class and object

Immutable Class
An immutable class is a class whose objects cannot be modified once they are created. All fields
of the object are set during construction and cannot be changed later.

Characteristics of an Immutable Class

1. Class is declared as final: This prevents subclasses from overriding behavior.


2. Fields are declared as private and final: This ensures that fields cannot be changed once
initialized.
3. No setters are provided: Only getters are available to access the field values.
4. Fields are initialized via constructor: All required values are passed to the constructor
and set only once.
5. Defensive copying: If the class contains mutable objects as fields (e.g., Date or arrays),
create and return copies of these objects instead of the original ones.
Example of an Immutable Class
java
Copy code
final class ImmutableClass {
private final String name;
private final int age;

// Constructor to initialize fields


public ImmutableClass(String name, int age) {
this.name = name;
this.age = age;
}

// Getter methods
public String getName() {
return name;
}

public int getAge() {


return age;
}
}

Immutable Object
An immutable object is an instance of an immutable class. Its state cannot be modified after it
is created.
Example of Immutable Object:
java
Copy code
public class Main {
public static void main(String[] args) {
ImmutableClass obj = new ImmutableClass("Alice", 25);
System.out.println("Name: " + obj.getName() + ", Age: " + obj.getAge());

// Attempt to modify the object will fail because there are no setters
// obj.setName("Bob"); // Error: no such method
}
}
1. Compilation
• What Happens?
During compilation, the source code (written in a high-level language like Java, C++, etc.)
is translated into a machine-readable format (bytecode, assembly, or machine code) by
a compiler. This step checks for syntax errors, type mismatches, and other violations of
language rules.
• Output of Compilation:
If there are no errors, the compiler generates an executable file (e.g., .class files in Java,
.exe files in C++).
• Why is Compilation Done First?
The computer cannot directly understand high-level programming languages.
Compilation ensures the code is transformed into a format the machine can understand.

2. Running (Execution)
• What Happens?
After successful compilation, the program is executed. During execution, the compiled
code interacts with the operating system, memory, and other resources to perform the
specified tasks. Runtime errors may occur at this stage if unexpected conditions arise.
• Why Execution Comes After Compilation?
Execution requires a machine-readable format, which is produced during compilation.
Without compilation, the program cannot run.

Key Points
1. Compilation is the first step to ensure the code is correct and translated into a format
the computer can execute.
2. Execution (running) is the second step, where the program performs its tasks.
3. If the program fails during compilation, it cannot be executed.

Key Differences
Aspect Compilation Error Runtime Error
Detection During code compilation During program execution
Type of Syntax, type-checking, and semantic
Logical or operational errors
Error errors
Program may crash or behave
Impact Prevents program from compiling
unexpectedly
Examples Missing semicolon, type mismatch NullPointerException, division by zero
###

There are many ways to write Java programs. For instance, you can combine the two classes
in the example into one. This demonstrates that you can test a class by simply adding a main
method in the same class.

Static amra seisob property ba sei sob jinnis k banai jara sobar jonno
common thake.
Encapsulation
Encapsulation is a fundamental concept in object-oriented programming that involves
bundling the data (fields) and the methods that operate on the data into a single unit (class)
while restricting direct access to some of the object’s components. This is typically achieved
using access modifiers and by providing controlled access via getter and setter methods.

Steps to Achieve Data Field Encapsulation


1. Declare fields as private:

o Prevent direct access from outside the class.

2. Provide public getter and setter methods:

o Allow controlled access to the private fields.

o Add validation or logic to enforce constraints, if necessary.

Best Practices for Encapsulation


1. Use private for fields: This ensures data is not directly accessible.

2. Provide getter and setter methods: Make them public for controlled access.

3. Add validation in setters: Protect fields from invalid or harmful data.

4. Avoid unnecessary setters:

o If a field shouldn't be modified after initialization, don't provide a setter.

o Use the final keyword for such fields.

Immutable Objects and Encapsulation

• To make a class truly encapsulated and immutable:

o Use private and final for fields.

o Don't provide setters, only getters.

o Initialize fields via the constructor.


Accessor and Mutator methods

In object-oriented programming (OOP), accessor and mutator methods are commonly used to
implement encapsulation, a principle that restricts direct access to an object's fields and instead
uses methods to retrieve and modify them.

1. Accessor Methods (Getters)


• Purpose: Used to access the value of a private field.
• Definition: A method that returns the value of a field without modifying it.
• Syntax Example in Java:

public class Person {


private String name; // Private field

// Accessor method (Getter)


public String getName() {
return name;
}
}

• Characteristics:
o Returns the current state of the field.
o Does not change or modify the field's value.

2. Mutator Methods (Setters)


• Purpose: Used to modify or set the value of a private field.
• Definition: A method that takes a parameter and updates the field's value.
• Syntax Example in Java:

public class Person {


private String name; // Private field

// Mutator method (Setter)


public void setName(String newName) {
this.name = newName;
}
}

• Characteristics:
o Alters the state of the field.
o Often includes validation logic to ensure proper data.
o
Abstraction

It is hiding the unnecessary details & showing only the essential parts of objects to
the user.

Abstraction in Java can be achieved in 2 ways :


• Abstract class
• Interfaces (Pure Abstraction)

Abstract Classes
• Declared using the abstract keyword.
• Can have both abstract methods (without implementation) and concrete
methods (with implementation).
• Cannot be instantiated directly.

# An Abstract Method Cannot Exist in a Non-Abstract Class


• If a class contains even one abstract method, it must be declared as
abstract.

# A Subclass of an Abstract Class Must Implement All Abstract Methods


• If a subclass does not implement all abstract methods, it must itself be
declared abstract.

# Abstract Classes Cannot Be Instantiated


• You cannot create an object of an abstract class using the new operator.

# Abstract Classes Can Have Constructors


• Abstract classes can have constructors, which are invoked when their
concrete subclasses are instantiated.

# Abstract Classes Without Abstract Methods


• An abstract class can have no abstract methods. Such a class cannot be
instantiated but serves as a base class.

# Overriding a Concrete Method to Make It Abstract


• A subclass can override a concrete method of its superclass and make it
abstract, provided the subclass is also declared abstract.
# Abstract Classes as Types
• Abstract classes can be used as types, even though you cannot instantiate
them.

The Number class

The Number class in Java is an abstract class in the java.lang package that serves
as the superclass for all numeric wrapper classes such as Integer, Double, Float,
Long, Short, and Byte.It provides methods to convert numeric values to different
primitive types, but since it is abstract, you cannot instantiate it directly. Instead,
its concrete subclasses implement its methods.

1. Superclass for Numeric Wrappers:


o Number is the parent class of numeric wrapper classes like Integer,
Double, etc.
o These subclasses are immutable and represent specific numeric
types.

2. Abstract Methods: The Number class defines the following abstract


methods that must be implemented by its subclasses:
o int intValue(): Returns the value as an int.
o long longValue(): Returns the value as a long.
o float floatValue(): Returns the value as a float.
o double doubleValue(): Returns the value as a double.

3. Other Methods: The Number class also provides methods for conversion:
o byteValue(): Converts the number to a byte.
o shortValue(): Converts the number to a short.

Common Subclasses
The Number class has the following concrete subclasses:
• Integer: Represents a 32-bit signed integer.
• Double: Represents a 64-bit double-precision floating-point number.
• Float: Represents a 32-bit single-precision floating-point number.
public class Main {
public static void main(String[] args) {
// Example with Integer
Number num1 = new Integer(42);
System.out.println("Integer value: " + num1.intValue()); // Output: 42
System.out.println("Double value: " + num1.doubleValue()); // Output: 42.0

// Example with Double


Number num2 = new Double(3.14);
System.out.println("Double value: " + num2.doubleValue()); // Output: 3.14
System.out.println("Int value: " + num2.intValue()); // Output: 3

// Using Number as a data type


Number[] numbers = new Number[3];
numbers[0] = new Integer(10);
numbers[1] = new Double(20.5);
numbers[2] = new Float(30.2f);

for (Number num : numbers) {


System.out.println("Number: " + num + ", Double value: " +
num.doubleValue());
}
}

Interfaces

• Declared using the interface keyword.


• By default, methods in an interface are abstract and public.
• A class implements an interface using the implements keyword.
• All the fields in interfaces are public, static and final by default.
• A class that implements an interface must implement all the methods
declared in the interface.
• Interfaces support the functionality of multiple inheritance.
# Abstract Methods:
o An interface can contain abstract methods (methods without a body).
These methods must be implemented by any class that implements the
interface.

# Default Methods:
o From Java 8 onwards, interfaces can have default methods with a body.
These methods provide a default implementation that can be
overridden by implementing classes.
interface Animal {
default void eat() {
System.out.println("This animal is eating.");
}
}

# Static Methods:
o Interfaces can also contain static methods. These methods are not
inherited by the implementing classes, but they can be called using the
interface name.

# Constants:
o All variables in an interface are implicitly public, static, and final (i.e.,
constants).

# Multiple Inheritance:
o A class can implement multiple interfaces, which allows Java to support
multiple inheritance of types (but not implementation).

# Interface Inheritance:
o An interface can extend another interface, just like classes can extend
other classes. An interface that extends another interface inherits its
abstract methods.

Syntax of an Interface
Here’s the basic syntax of an interface:
interface InterfaceName {
// Constant declarations
int CONSTANT = 10;

// Abstract method declarations (no body)


void method1();
void method2();

// Default method with a body


default void defaultMethod() {
System.out.println("This is a default method");
}

// Static method with a body


static void staticMethod() {
System.out.println("This is a static method");
}
}

Implementing an Interface
A class implements an interface using the implements keyword. The class must
provide concrete implementations for all the abstract methods of the interface
(unless the class is abstract).

interface Animal {
void makeSound(); // Abstract method
}

class Dog implements Animal {


// Implementing the abstract method
public void makeSound() {
System.out.println("Woof!");
}
}

public class Test {


public static void main(String[] args) {
Animal myDog = new Dog();
myDog.makeSound(); // Output: Woof!
}
}

Why Use Interfaces?


1. Abstraction:
o Interfaces allow you to define abstract behavior without specifying
the implementation details. This enables you to create classes that
adhere to a common contract.
2. Multiple Inheritance:
o Since Java does not support multiple inheritance for classes,
interfaces allow a class to inherit behavior from multiple sources. A
class can implement multiple interfaces.
3. Polymorphism:
o Interfaces enable polymorphism. You can use objects of different
classes that implement the same interface interchangeably, making
the code more flexible.

Summary
• An interface defines a contract of methods that a class must implement.
• It can contain abstract methods, default methods, static methods, and
constants.
• A class implements an interface using the implements keyword and must
provide implementations for all abstract methods.
• Interfaces support multiple inheritance and polymorphism, making them a
powerful feature for designing flexible and maintainable code.

You might also like