Introduction to Object-Oriented Programming using Java

Object-Oriented Programming (OOP) is a programming paradigm that structures programs around objects, which are instances of classes. This approach models real-world entities by encapsulating data (known as properties) and the actions that operate on the data (known as behaviors or methods). By mimicking the way humans think and interact with the world, OOP creates a natural and intuitive framework for designing software systems.
What is Object-Oriented Programming?
At its core, OOP is a design philosophy that focuses on creating reusable and modular code. The central idea is to represent entities or concepts as objects in your program, each with its own data and behavior. This contrasts sharply with procedural programming, which organizes code as a series of procedures or functions operating on data.
Consider a procedural program written in C to compute the area of a rectangle. The logic would involve defining a function that takes width
and height
as parameters and computes the area. While this works, there’s no inherent connection between the rectangle's properties (width
and height
) and the function that operates on them. This disconnection makes managing and scaling procedural programs challenging as systems grow complex.
OOP addresses this by bundling the properties and behaviors of an entity into a single unit called an object. For example, a Rectangle
object would encapsulate its properties (width
and height
) and provide a behavior (computeArea()
) that directly operates on its internal data.
The Real-World Connection
OOP draws inspiration from how humans perceive and interact with the real world. In everyday life, objects surround us—each with its own characteristics and actions. Translating this concept to programming helps us understand and design systems better.
Example 1: A Car
A car is a familiar real-world object. It has specific properties (attributes or data) that define it and behaviors (actions or methods) that it can perform:
Properties:
color
: Defines the car’s appearance, e.g., red, black, or blue.model
: Specifies the make and type, e.g., SUV, sedan.speed
: Represents how fast the car is moving.
Behaviors:
start()
: Initiates the engine.accelerate()
: Increases the car’s speed.brake()
: Slows down or stops the car.
In a program, we could represent a car as an object:
class Car {
String color;
String model;
int speed;
void start() {
System.out.println("Car is starting");
}
void accelerate() {
System.out.println("Car is accelerating");
}
void brake() {
System.out.println("Car is braking");
}
}
Example 2: A Person
Similarly, a person can also be represented as an object:
Properties:
name
: The person’s identifier.age
: Represents how old the person is.address
: Indicates where the person lives.
Behaviors:
speak()
: Enables communication.walk()
: Describes movement.eat()
: Represents the act of consuming food.
A Java representation might look like this:
class Person {
String name;
int age;
String address;
void speak() {
System.out.println(name + " is speaking");
}
void walk() {
System.out.println(name + " is walking");
}
void eat() {
System.out.println(name + " is eating");
}
}
In both examples, the properties and behaviors of the objects are tightly coupled, providing a clear and cohesive structure. This encapsulation of data and methods ensures that the internal state of an object can only be modified in a controlled manner, promoting robustness and maintainability.
Why Objects?
Objects simplify the mental model of programming by mirroring the real world. They make code:
Intuitive: Designing objects feels natural because they resemble real-world entities.
Modular: Objects can be developed, tested, and reused independently.
Scalable: Large systems can be broken down into smaller, manageable objects.
By using objects, you create programs that are closer to how we think about problems in the real world, making software design intuitive and powerful.
This foundational understanding of objects and their real-world analogies sets the stage for exploring deeper concepts in OOP, such as inheritance, polymorphism, and encapsulation.
Comparison: Procedural vs Object-Oriented Programming
To understand the value of Object-Oriented Programming (OOP), it is helpful to compare it with Procedural Programming, a more traditional programming paradigm. Both have their strengths, but they cater to different design philosophies and scalability requirements.
Procedural programming organizes code into functions or procedures that perform operations on data. It emphasizes a sequence of actions, where the program's flow is determined by calling and executing these functions.
Example: Computing the Area of a Rectangle in C
Here is an example of a procedural approach to calculate the area of a rectangle in C:
#include <stdio.h>
float computeArea(float width, float height) {
return width * height;
}
int main() {
float width = 5.0;
float height = 3.0;
printf("Area of the rectangle: %.2f\n", computeArea(width, height));
return 0;
}
In this program, width
and height
are independent variables passed to the computeArea
function. While the program works, this approach has several limitations as complexity grows.
Limitations of Procedural Programming
Lack of Data Organization: There is no direct association between the rectangle's properties (
width
andheight
) and the operation (computeArea
). The relationship is implicit and managed by the programmer, increasing the chances of errors.Poor Reusability: If additional features, such as perimeter calculation, are needed, new functions must be written. Managing related data and functions separately becomes cumbersome.
Scalability Issues: In large systems, procedural code tends to become disorganized, as functions and data are scattered and loosely connected, making maintenance challenging.
OOP addresses the limitations of procedural programming by encapsulating data (properties) and behavior (methods) within objects. This approach creates clear and reusable code that naturally models real-world entities.
Example: Computing the Area of a Rectangle in Java
Here is the same problem modeled using an object-oriented approach:
class Rectangle {
float width;
float height;
Rectangle(float width, float height) {
this.width = width;
this.height = height;
}
float computeArea() {
return width * height;
}
}
public class Main {
public static void main(String[] args) {
Rectangle rectangle = new Rectangle(5.0f, 3.0f);
System.out.println("Area of the rectangle: " + rectangle.computeArea());
}
}
In this example:
The
Rectangle
class encapsulates the properties (width
andheight
) and the behavior (computeArea
) into a single cohesive unit.The
computeArea
method operates directly on the object's data, ensuring the relationship between the data and its behavior is explicit and maintained.
Advantages of Object-Oriented Programming
Reusability: Classes and objects are reusable components. For instance, you can extend the
Rectangle
class to include additional methods likecomputePerimeter()
without modifying the original code.Modularity: OOP promotes modular design, as each class represents a well-defined entity. This makes it easier to understand, test, and debug individual components.
Scalability: Large systems can be broken into smaller, interconnected objects, making them easier to maintain and expand.
Clearer Relationships: By bundling data and behavior together, OOP ensures that objects interact in well-defined ways, reducing errors and improving code clarity.
Objects in Java: Mapping Real-World Concepts
Objects are the cornerstone of Object-Oriented Programming (OOP) in Java. To understand them fully, it is essential to grasp how real-world concepts translate into Java's fields and methods, as well as how classes serve as the blueprints for creating multiple instances of objects.
Fields and Methods
In Java, an object’s properties are represented as fields, and its behaviors are defined as methods. This encapsulation makes an object a cohesive unit of related data and actions.
Mapping Real-World Properties and Behaviors to Fields and Methods
Consider a real-world entity like a person:
Properties (Fields): Characteristics that describe the person, such as
name
,age
, andheight
.Behaviors (Methods): Actions that a person can perform, such as
speak()
,walk()
, andmove()
.
This mapping allows a person’s data and behavior to be represented as part of the same object in a program.
Types of Fields
Primitive Data: Fields can hold simple, predefined data types in Java, such as
int
,float
, ordouble
.- Example:
int age
represents a person’s age.
- Example:
Object References: Fields can also store references to other objects, enabling complex data structures.
- Example:
String name
stores a reference to aString
object representing the person’s name.
- Example:
Example of a Person Class
Here is how the real-world concept of a person translates into a Java class:
class Person {
String name; // Object reference field
int age; // Primitive field
// Constructor to initialize the object
Person(String name, int age) {
this.name = name;
this.age = age;
}
// Method to define behavior
void introduce() {
System.out.println("Hi, I am " + name + " and I am " + age + " years old.");
}
}
In this example:
The
name
andage
fields store the person's properties.The
introduce()
method defines the person’s behavior of introducing themselves.
Classes as Blueprints
A class in Java is a blueprint or design that defines the properties (fields) and behaviors (methods) common to all objects of its type. Think of it as a template: while the class specifies what an object should look like and how it should behave, the actual objects (instances) are created or instantiated from this blueprint.
Example: Instantiating Objects from a Class
Using the Person
class above, you can create multiple instances, each representing a unique person:
public class Main {
public static void main(String[] args) {
// Creating objects (instances) of the Person class
Person person1 = new Person("Alice", 25);
Person person2 = new Person("Bob", 30);
// Using the objects
person1.introduce(); // Output: Hi, I am Alice and I am 25 years old.
person2.introduce(); // Output: Hi, I am Bob and I am 30 years old.
}
}
Here:
Person person1
andPerson person2
are two distinct objects created (or instantiated) from thePerson
class.While both objects share the same design (fields
name
andage
, and methodintroduce()
), they store different data and behave independently.
Key Concepts to Imbibe
Classes Are Blueprints: A class is a design that outlines what an object will contain (fields) and how it will behave (methods).
Objects Are Instances: Multiple objects can be created from a single class. Each object is independent and can hold its unique state while sharing the same behavior.
Fields Store Data: Properties of objects are represented by fields, which can hold primitive values or references to other objects.
Methods Define Behavior: Actions performed by an object are encapsulated in methods, which can access and modify the object’s fields.
Inheritance
Inheritance is a fundamental concept in Object-Oriented Programming (OOP) that allows a new class (the subclass or child class) to inherit properties and behavior from an existing class (the superclass or parent class). This mechanism promotes code reuse, logical hierarchy, and extensibility, making it easier to manage and scale complex systems.
In Java, inheritance is implemented using the extends
keyword. The subclass automatically inherits all non-private fields and methods from the superclass. Additionally, the subclass can:
Add new fields and methods to extend the functionality.
Override existing methods to provide specialized behavior.
Real-World Class Hierarchy
To better understand inheritance, let’s use a real-world analogy involving vehicles. Consider the following hierarchy:
Vehicle (Superclass): Represents general properties and behavior of all vehicles.
Properties:make
,model
Methods:start()
,stop()
Car (Subclass): A more specific type of vehicle.
Adds:seatingCapacity
Overrides:start()
to implement a specific startup process for cars.Bike (Subclass): Another specific type of vehicle.
Adds:type
(e.g., mountain, road)
Overrides:stop()
to provide a custom braking mechanism.
Java Code Example
// Superclass
class Vehicle {
String make;
String model;
Vehicle(String make, String model) {
this.make = make;
this.model = model;
}
void start() {
System.out.println("The vehicle is starting.");
}
void stop() {
System.out.println("The vehicle is stopping.");
}
}
// Subclass: Car
class Car extends Vehicle {
int seatingCapacity;
Car(String make, String model, int seatingCapacity) {
super(make, model);
this.seatingCapacity = seatingCapacity;
}
@Override
void start() {
System.out.println("The car is starting with a push-button ignition.");
}
}
// Subclass: Bike
class Bike extends Vehicle {
String type; // e.g., mountain, road
Bike(String make, String model, String type) {
super(make, model);
this.type = type;
}
@Override
void stop() {
System.out.println("The bike is stopping using disc brakes.");
}
@Override
void start() {
System.out.println("The bike is starting with a kick or self-start.");
}
}
Superclass References Holding Subclass Instances
One of the key features of inheritance is that a reference to a superclass can hold an object of any of its subclasses. This is because a subclass is a specialized version of the superclass, meaning it contains all the functionality of the superclass along with any added or overridden behavior.
Example: Assigning Subclass Objects to Superclass References
public class Main {
public static void main(String[] args) {
Vehicle v;
// Assigning a Car object to a Vehicle reference
v = new Car("Toyota", "Camry", 5);
v.start(); // Output: The car is starting with a push-button ignition.
v.stop(); // Output: The vehicle is stopping.
// Assigning a Bike object to a Vehicle reference
v = new Bike("Yamaha", "MT-15", "road");
v.start(); // Output: The bike is starting with a kick or self-start.
v.stop(); // Output: The bike is stopping using disc brakes.
}
}
Here, the dynamic method dispatch mechanism ensures that the appropriate method implementation is called at runtime based on the actual type of the object. For example, v.start()
calls the start()
method of Car
or Bike
, depending on which subclass object is assigned to v
.
Why the Reverse is Not Allowed
While a superclass reference can hold a subclass object, the reverse—assigning a superclass object to a subclass reference—is not allowed. This is because the subclass may define additional fields and methods that are not present in the superclass, making the assignment incompatible.
Example: Why the Reverse Fails
public class Main {
public static void main(String[] args) {
// Creating a Vehicle object
Vehicle vehicle = new Vehicle("Generic", "Model");
// Attempting to assign a superclass object to a subclass reference
Car car = vehicle; // Compilation Error: incompatible types
}
}
If this were allowed, the program might later try to access fields or methods defined only in the Car
class, leading to errors. For instance:
car.seatingCapacity = 5; // This would fail because Vehicle does not define seatingCapacity.
This restriction ensures type safety and prevents runtime issues.
Uses of Inheritance
Code Reuse: Common fields and methods are written once in the superclass and reused by all subclasses.
Hierarchical Models: Inheritance is ideal for creating logical hierarchies, such as organizational charts, product catalogs, or taxonomy systems.
Extensibility: New subclasses can be added without altering existing code, following the Open/Closed Principle.
Properties of Inheritance
Single Inheritance: In Java, a class can extend only one superclass to avoid ambiguity and complexity.
Method Overriding: Subclasses can redefine superclass methods to provide specific implementations.
Base-Class Constructor Invocation: A subclass must invoke its superclass constructor explicitly or implicitly, ensuring proper initialization of inherited fields.
Polymorphism
Polymorphism is one of the pillars of Object-Oriented Programming (OOP) and is derived from the Greek words poly (many) and morph (forms). It allows a single interface, such as a superclass reference, to represent different objects. This means the same operation can behave differently based on the actual object it is acting upon.
In Java, polymorphism allows objects of different classes to be treated as objects of a common superclass. This is particularly useful for writing flexible and extensible code. A superclass reference can point to any object of its subclasses, and the appropriate method implementation is determined dynamically at runtime.
Dynamic Method Dispatch
Dynamic Method Dispatch is the process by which a call to an overridden method is resolved at runtime rather than compile-time. It enables polymorphism by determining which method to execute based on the actual type of the object, even when accessed through a superclass reference.
Example: Dynamic Behavior Based on User Input
Consider a scenario where the behavior of a Vehicle
object depends on whether it is a Car
or a Bike
. The decision is made at runtime, and the start()
method behaves differently based on the actual type of the object.
import java.util.Scanner;
class Main {
public static void main(String[] args) {
Vehicle v;
// User input to decide which object to create
Scanner scanner = new Scanner(System.in);
System.out.println("Enter vehicle type (Car or Bike): ");
String choice = scanner.nextLine();
// Assigning object based on input
if (choice.equalsIgnoreCase("Car")) {
v = new Car("Toyota", "Camry", 5);
} else if (choice.equalsIgnoreCase("Bike")) {
v = new Bike("Yamaha", "MT-15", "road");
} else {
System.out.println("Invalid choice!");
return;
}
// Calling methods on the superclass reference
v.start();
v.stop();
}
}
Output for Different Inputs
If the user enters "Car":
Output:The car is starting with a push-button ignition. The vehicle is stopping.
If the user enters "Bike":
Output:The bike is starting with a kick or self-start. The bike is stopping using disc brakes.
This example demonstrates how the behavior of the start()
method changes dynamically based on the actual type of the object assigned to the Vehicle
reference v
.
Uses of Polymorphism
Flexibility in Code Design:
Polymorphism makes code more adaptable to changes. For example, new subclasses can be introduced without modifying the existing logic that uses superclass references.Extensibility:
Code written using polymorphism is inherently extensible, as it can handle new types of objects seamlessly. For example:Plugin Systems: Applications like media players use polymorphism to load plugins dynamically.
Design Patterns: Polymorphism is at the heart of design patterns such as Factory and Strategy, enabling dynamic behavior selection.
Code Simplification:
Polymorphism reduces code duplication by allowing the same interface to handle multiple types of objects.
Real-World Analogy
A RemoteControl is an excellent analogy for polymorphism. A single remote can operate multiple devices, such as a TV and an AC. Depending on the device it is controlling, the behavior of the buttons changes:
When controlling a TV, pressing the "Power" button turns the TV on or off.
When controlling an AC, pressing the "Power" button turns the AC on or off.
Java Representation
// Superclass
class RemoteControl {
void power() {
System.out.println("Power button pressed.");
}
}
// Subclass: TV
class TV extends RemoteControl {
@Override
void power() {
System.out.println("The TV is turned on/off.");
}
}
// Subclass: AC
class AC extends RemoteControl {
@Override
void power() {
System.out.println("The AC is turned on/off.");
}
}
// Main class
public class Main {
public static void main(String[] args) {
RemoteControl remote;
// Simulate controlling a TV
remote = new TV();
remote.power(); // Output: The TV is turned on/off.
// Simulate controlling an AC
remote = new AC();
remote.power(); // Output: The AC is turned on/off.
}
}
This demonstrates how a single interface (RemoteControl
) can represent multiple objects (TV
, AC
) and invoke the appropriate behavior dynamically.
Encapsulation
Encapsulation is a fundamental principle of Object-Oriented Programming (OOP) that involves bundling data (fields) and methods (functions that operate on the data) into a single unit called a class. It also involves restricting direct access to certain components of an object and providing controlled access through methods, often referred to as getters and setters. Encapsulation ensures data integrity and simplifies maintenance by hiding the internal implementation details from external entities.
Encapsulation serves two key purposes:
Bundling Data and Methods: Combining fields and methods into a single cohesive unit (a class) ensures that data and the actions that operate on it are inherently connected.
Restricting Access (Data Hiding): Using access modifiers, certain parts of the class can be hidden from external code, ensuring that only safe and necessary interactions are allowed.
Data Hiding with Private Access Modifiers
Fields in a class are typically marked as private
to prevent direct access from outside the class. Access to these fields is provided through public getter and setter methods, allowing controlled and secure access.
Example of Encapsulation
class BankAccount {
private String accountHolderName;
private double balance;
// Constructor to initialize the account
BankAccount(String accountHolderName, double balance) {
this.accountHolderName = accountHolderName;
this.balance = balance;
}
// Getter for accountHolderName
public String getAccountHolderName() {
return accountHolderName;
}
// Setter for accountHolderName
public void setAccountHolderName(String accountHolderName) {
this.accountHolderName = accountHolderName;
}
// Getter for balance
public double getBalance() {
return balance;
}
// Method to deposit money
public void deposit(double amount) {
if (amount > 0) {
balance += amount;
System.out.println("Deposited: " + amount);
} else {
System.out.println("Invalid deposit amount.");
}
}
// Method to withdraw money
public void withdraw(double amount) {
if (amount > 0 && amount <= balance) {
balance -= amount;
System.out.println("Withdrew: " + amount);
} else {
System.out.println("Invalid withdrawal amount or insufficient funds.");
}
}
}
In this example:
Fields
accountHolderName
andbalance
are markedprivate
to hide them from direct access.Public methods like
getBalance()
anddeposit()
provide controlled access, ensuring that invalid operations cannot occur.
Real-World Analogy
An ATM machine provides an excellent analogy for encapsulation:
You see buttons to perform transactions like withdrawing money or checking your balance. These are the public methods.
The internal processes, such as validating your PIN or updating the database, are hidden from you. This is the concept of data hiding.
By exposing only the necessary functionality and hiding the implementation details, the ATM ensures security and ease of use.
Access Modifiers in Java
Java provides four levels of access modifiers to control the visibility of fields and methods:
Public: Accessible from everywhere in the program.
Private: Accessible only within the class where it is defined.
Protected: Accessible within the same package and by subclasses.
Default (no modifier): Accessible within the same package.
Examples of Access Modifiers
class Example {
public String publicField = "I am public.";
private String privateField = "I am private.";
protected String protectedField = "I am protected.";
String defaultField = "I have default access.";
public void publicMethod() {
System.out.println("Public method: Accessible from anywhere.");
}
private void privateMethod() {
System.out.println("Private method: Accessible only within this class.");
}
protected void protectedMethod() {
System.out.println("Protected method: Accessible within package and subclasses.");
}
void defaultMethod() {
System.out.println("Default method: Accessible within the same package.");
}
}
public class Main {
public static void main(String[] args) {
Example example = new Example();
// Accessing public members
System.out.println(example.publicField);
example.publicMethod();
// Accessing private members (will cause compilation error)
// System.out.println(example.privateField);
// example.privateMethod();
// Accessing protected and default members
System.out.println(example.protectedField);
System.out.println(example.defaultField);
}
}
Uses of Encapsulation
Security: By hiding sensitive data and only exposing necessary parts through controlled access, encapsulation enhances security. For example, marking the
balance
field as private ensures that it cannot be directly modified.Controlled Access: Encapsulation allows validation and control of input data. For instance, the
deposit()
method ensures that only positive amounts can be deposited.Maintainability: Encapsulation hides implementation details, making it easier to change the internals of a class without affecting external code.
Modularity: Encapsulation creates self-contained classes, simplifying debugging and promoting code reuse.
Bringing It All Together
To bring all the discussed concepts together, let us create a simple Zoo Management System. This program demonstrates the use of inheritance, polymorphism, and encapsulation.
Zoo Management System: Unified Example
// Superclass: Animal
abstract class Animal {
private String diet; // Encapsulated property
private double weight;
Animal(String diet, double weight) {
this.diet = diet;
this.weight = weight;
}
// Getter and Setter for diet
public String getDiet() {
return diet;
}
public void setDiet(String diet) {
this.diet = diet;
}
// Getter and Setter for weight
public double getWeight() {
return weight;
}
public void setWeight(double weight) {
this.weight = weight;
}
// Abstract method to be implemented by subclasses
abstract void makeSound();
// Concrete method common to all animals
void displayDetails() {
System.out.println("Diet: " + diet + ", Weight: " + weight + " kg");
}
}
// Subclass: Lion
class Lion extends Animal {
Lion(double weight) {
super("Carnivore", weight);
}
@Override
void makeSound() {
System.out.println("Lion roars!");
}
}
// Subclass: Elephant
class Elephant extends Animal {
Elephant(double weight) {
super("Herbivore", weight);
}
@Override
void makeSound() {
System.out.println("Elephant trumpets!");
}
}
// Zoo Management System
public class ZooManagement {
public static void main(String[] args) {
// Using polymorphism: Superclass reference holding subclass instances
Animal lion = new Lion(190.5);
Animal elephant = new Elephant(1200.0);
System.out.println("Lion Details:");
lion.displayDetails();
lion.makeSound();
System.out.println("\nElephant Details:");
elephant.displayDetails();
elephant.makeSound();
// Updating weight using encapsulated methods
lion.setWeight(195.0);
System.out.println("\nUpdated Lion Weight: " + lion.getWeight() + " kg");
}
}
Key Features Demonstrated
Inheritance:
Lion
andElephant
extend theAnimal
superclass and inherit its properties and methods.Both subclasses override the abstract
makeSound()
method to provide specific behaviors.
Polymorphism:
The
Animal
superclass reference holds objects of subclasses (Lion
andElephant
).The
makeSound()
method is invoked dynamically based on the actual object at runtime.
Encapsulation:
The
diet
andweight
properties are marked private in theAnimal
class.Controlled access is provided through public
getDiet()
,setDiet()
,getWeight()
, andsetWeight()
methods.
Output
Lion Details:
Diet: Carnivore, Weight: 190.5 kg
Lion roars!
Elephant Details:
Diet: Herbivore, Weight: 1200.0 kg
Elephant trumpets!
Updated Lion Weight: 195.0 kg
This unified example showcases how Object-Oriented Programming (OOP) concepts work together to build modular, reusable, and extensible programs.
Closing Thoughts
Object-Oriented Programming is an essential paradigm in modern software development, providing a structured way to model complex systems. By leveraging concepts like encapsulation, inheritance, and polymorphism, developers can design modular, reusable, and scalable applications.
Why OOP Matters
Encapsulation ensures data security and controlled access, making programs robust and maintainable.
Inheritance promotes code reuse and logical hierarchies, reducing redundancy.
Polymorphism adds flexibility and dynamic behavior, enabling adaptable and extensible designs.
Mastering OOP is not just about learning concepts but about applying them effectively to real-world scenarios. The ability to translate everyday entities into cohesive classes and objects makes OOP intuitive and powerful.
Encouragement to Practice
Practice is the key to understanding OOP. Start by designing simple real-world-inspired classes, such as a library system with books and members or a transportation system with vehicles and drivers. Gradually, explore more complex relationships and build programs that bring multiple OOP concepts together.
Subscribe to my newsletter
Read articles from Jyotiprakash Mishra directly inside your inbox. Subscribe to the newsletter, and don't miss out.
Written by

Jyotiprakash Mishra
Jyotiprakash Mishra
I am Jyotiprakash, a deeply driven computer systems engineer, software developer, teacher, and philosopher. With a decade of professional experience, I have contributed to various cutting-edge software products in network security, mobile apps, and healthcare software at renowned companies like Oracle, Yahoo, and Epic. My academic journey has taken me to prestigious institutions such as the University of Wisconsin-Madison and BITS Pilani in India, where I consistently ranked among the top of my class. At my core, I am a computer enthusiast with a profound interest in understanding the intricacies of computer programming. My skills are not limited to application programming in Java; I have also delved deeply into computer hardware, learning about various architectures, low-level assembly programming, Linux kernel implementation, and writing device drivers. The contributions of Linus Torvalds, Ken Thompson, and Dennis Ritchie—who revolutionized the computer industry—inspire me. I believe that real contributions to computer science are made by mastering all levels of abstraction and understanding systems inside out. In addition to my professional pursuits, I am passionate about teaching and sharing knowledge. I have spent two years as a teaching assistant at UW Madison, where I taught complex concepts in operating systems, computer graphics, and data structures to both graduate and undergraduate students. Currently, I am an assistant professor at KIIT, Bhubaneswar, where I continue to teach computer science to undergraduate and graduate students. I am also working on writing a few free books on systems programming, as I believe in freely sharing knowledge to empower others.