Generalization vs. Specialization
Object-Oriented Programming: Generalization vs. Specialization
Introduction
Inheritance in OOP serves two primary purposes:
- Specialization: Extending an existing class by adding new features.
- Generalization: Creating a common parent class to group similar classes, enabling polymorphism.
Let’s explore these concepts with clear examples.
1. Specialization (Extending Functionality)
Specialization involves creating a new class that inherits all features from a parent class and then adds new, specific features. The core idea is reusability—you build upon what already exists.
Key Principle: Child Class = Parent Class + Extra Features.
Real-World Examples:
- Mathematics:
- Parent Class:
Rectangle(haslength,breadth,area()) - Child Class:
Cuboid(inherits fromRectangleand addsheightandvolume()). - A
Cuboidis a specialized form of aRectangle.
- Parent Class:
- Electronics:
- Parent Class:
CRTTelevision(hasswitch_on(),change_channel(),set_volume()) - Child Class:
LCDTelevision(inherits all features fromCRTTelevisionand addszoom(),picture_in_picture(),dolby_sound()).
- Parent Class:
- Automobile Engineering:
- Parent Class:
BasicCar(hasdrive(),apply_brake(),change_gear()) - Child Class:
LuxuryCar(inherits all features fromBasicCarand addscruise_control(),open_sunroof(),massage_seats()).
- Parent Class:
Purpose: The main goal of specialization is code reuse. You don’t redesign core functionalities; you extend them.
2. Generalization (Creating Common Categories)
Generalization is the process of identifying a common parent for a group of related classes. The parent class defines a common interface (methods), and each child class provides its own specific implementation. The core idea here is polymorphism.
Key Principle: One common name (Parent Class) can represent different forms (Child Classes).
Real-World Examples:
- Mathematics:
- Child Classes:
Rectangle,Triangle,Circle(each has its ownarea()andperimeter()methods). - Parent Class:
Shape(defines common methods likearea()andperimeter(), but with dummy or empty implementations). - Each child class overrides the parent’s methods. You can treat any
Rectangle,Triangle, orCircleas aShape.
- Child Classes:
- Automobile Engineering:
- Child Classes:
BasicCar,LuxuryCar,SportsCar. - Parent Class:
Car(defines common methods likestart(),accelerate(),apply_brake()). - Each specific car model overrides these methods if needed. You can refer to any car model simply as a
Car.
- Child Classes:
Purpose: The main goal of generalization is to achieve polymorphism. This allows you to write flexible code that works with the general parent type but executes behavior specific to the child object.
Polymorphism Defined: “One name, many forms.” The same method call (e.g.,
area()orstart()) produces different results depending on the actual object type.
3. Types of Classes Based on Method Implementation
The design of a parent class depends on whether it’s intended for specialization or generalization. This leads to three class types:
A. Concrete Class
- Description: A class where every method has a complete implementation (a “body” with functional code).
- Purpose: Primarily used for Specialization. Child classes inherit and reuse these fully-defined methods.
- Example:pythonclass ConcreteParent: def method1(self): print(“This is a concrete method with full functionality.”) def method2(self): print(“This is another concrete method.”)
B. Interface (Abstract Base Class with all Abstract Methods)
- Description: A class where every method is abstract. Abstract methods are declared but have no implementation (often just a
passstatement or are marked with a decorator like@abstractmethod). - Purpose: Used for Generalization. It defines a contract that child classes must follow by overriding all methods.
- Example:pythonfrom abc import ABC, abstractmethod class InterfaceParent(ABC): # Inherit from ABC @abstractmethod def method1(self): pass # No body, just a declaration @abstractmethod def method2(self): pass
C. Abstract Class
- Description: A hybrid class that contains a mix of concrete methods (with implementation) and abstract methods (without implementation).
- Purpose: Serves both purposes. Child classes reuse the concrete methods (Specialization) and must override the abstract ones (Generalization/Polymorphism).
- Example:pythonfrom abc import ABC, abstractmethod class AbstractParent(ABC): # Concrete Method (for Reuse/Specialization) def concrete_method(self): print(“This functionality is ready to use.”) # Abstract Method (for Polymorphism/Generalization) @abstractmethod def abstract_method(self): pass
Summary and Purpose Mapping
| Concept | Primary Purpose | Typical Class Type Used |
|---|---|---|
| Specialization | Reusability (Borrowing and Extending) | Concrete Class |
| Generalization | Polymorphism (Overriding for Flexible Code) | Interface |
An Abstract Class is used when you need a combination of both Reusability and Polymorphism.
A. Concrete Class
Description: A complete class where every method has a full implementation. All methods have working code.
Purpose: Used for Specialization – child classes can inherit and reuse these ready-to-use methods.
Example:
python
class BankAccount:
def __init__(self, account_holder, balance=0):
self.account_holder = account_holder
self.balance = balance
def deposit(self, amount):
"""Complete implementation"""
self.balance += amount
print(f"Deposited ${amount}. New balance: ${self.balance}")
def withdraw(self, amount):
"""Complete implementation"""
if amount <= self.balance:
self.balance -= amount
print(f"Withdrew ${amount}. New balance: ${self.balance}")
else:
print("Insufficient funds!")
# Usage - Can be used directly
account = BankAccount("John", 1000)
account.deposit(500) # Output: Deposited $500. New balance: $1500
account.withdraw(200) # Output: Withdrew $200. New balance: $1300
B. Interface (Abstract Base Class with all Abstract Methods)
Description: A class where every method is abstract – only declared but not implemented.
Purpose: Used for Generalization – defines a contract that child classes MUST follow by implementing all methods.
Example:
python
from abc import ABC, abstractmethod
class PaymentProcessor(ABC):
"""Interface - all methods are abstract"""
@abstractmethod
def process_payment(self, amount):
pass # No implementation - child must provide
@abstractmethod
def refund_payment(self, amount):
pass # No implementation - child must provide
class CreditCardProcessor(PaymentProcessor):
"""Must implement ALL abstract methods"""
def process_payment(self, amount):
print(f"Processing credit card payment of ${amount}")
def refund_payment(self, amount):
print(f"Refunding ${amount} to credit card")
class PayPalProcessor(PaymentProcessor):
"""Must implement ALL abstract methods"""
def process_payment(self, amount):
print(f"Processing PayPal payment of ${amount}")
def refund_payment(self, amount):
print(f"Refunding ${amount} via PayPal")
# Usage
# processor = PaymentProcessor() # ERROR: Cannot instantiate interface
cc_processor = CreditCardProcessor()
cc_processor.process_payment(100) # Output: Processing credit card payment of $100
C. Abstract Class
Description: A hybrid class with both concrete methods (implemented) and abstract methods (not implemented).
Purpose: Serves both purposes – child classes reuse concrete methods and must implement abstract methods.
Example:
python
from abc import ABC, abstractmethod
class Vehicle(ABC):
"""Abstract class - mix of concrete and abstract methods"""
# Concrete method (ready to use)
def start_engine(self):
print("Engine started")
# Concrete method (ready to use)
def stop_engine(self):
print("Engine stopped")
# Abstract method (must be implemented by child)
@abstractmethod
def fuel_type(self):
pass
# Abstract method (must be implemented by child)
@abstractmethod
def max_speed(self):
pass
class Car(Vehicle):
"""Must implement abstract methods but can use concrete ones"""
def fuel_type(self):
return "Petrol"
def max_speed(self):
return "200 km/h"
class ElectricScooter(Vehicle):
"""Must implement abstract methods but can use concrete ones"""
def fuel_type(self):
return "Electricity"
def max_speed(self):
return "50 km/h"
# Usage
car = Car()
car.start_engine() # Output: Engine started (inherited concrete method)
print(car.fuel_type()) # Output: Petrol (implemented abstract method)
scooter = ElectricScooter()
scooter.stop_engine() # Output: Engine stopped (inherited concrete method)
print(scooter.max_speed()) # Output: 50 km/h (implemented abstract method)
Key Differences Summary:
| Class Type | Methods | Can Instantiate? | Primary Purpose |
|---|---|---|---|
| Concrete | All methods implemented | ✅ Yes | Specialization & Reuse |
| Interface | All methods abstract | ❌ No | Generalization & Contracts |
| Abstract | Mix of both | ❌ No | Both Specialization & Generalization |