Curriculum
Course: Java Basic
Login

Curriculum

Java Basic

Java Home

0/1

Java Introduction

0/1

Java Get Started

0/1

Java Syntax

0/1

Java Comments

0/1

Java Type Casting

0/1

Java Operators

0/1

Java Booleans

0/1

Java Switch

0/1

Java Break / Continue

0/1

Java Errors and Exception

0/1
Text lesson

Java Abstraction

Abstract Classes and Methods

Data abstraction involves concealing specific details while presenting only crucial information to the user.
This abstraction can be realized through either abstract classes or interfaces, topics that will be explored further in the upcoming chapter.

The abstract keyword, a non-access modifier, is employed with classes and methods.

  1. An abstract class is a constrained class that cannot be instantiated directly; it requires inheritance from another class for access.
  2. An abstract method is exclusive to an abstract class, devoid of implementation, and relies on the subclass to provide its body through inheritance.

An abstract class is capable of containing both abstract and regular methods.

abstract class Animal {
  public abstract void animalSound();
  public void sleep() {
    System.out.println("Zzz");
  }
}

As illustrated in the example above, creating an object of the Animal class is not feasible.

Animal myObj = new Animal(); // will generate an error

In order to access the abstract class, it must be inherited from another class. Let’s transform the Animal class we utilized in the Polymorphism chapter into an abstract class.

Remember from the Inheritance chapter that we use the extends keyword to inherit from a class.

Example

 // Abstract class
abstract class Animal {
  // Abstract method (does not have a body)
  public abstract void animalSound();
  // Regular method
  public void sleep() {
    System.out.println("Zzz");
  }
}
  // Subclass (inherit from Animal)
class Pig extends Animal {
public void animalSound() {
    // The body of animalSound() is provided here
    System.out.println("The pig says: wee wee");
  }
}
 class Main {
  public static void main(String[] args) {
    Pig myPig = new Pig(); // Create a Pig object
    myPig.animalSound();
    myPig.sleep();
  }
}

 

Why And When To Use Abstract Classes and Methods?

For security purposes, abstraction involves concealing specific details and revealing only the essential aspects of an object.

Note: Abstraction can also be accomplished through Interfaces, a concept that will be further explored in the following chapter.