KEMBAR78
Python OOP for Beginners | PDF | Inheritance (Object Oriented Programming) | Class (Computer Programming)
0% found this document useful (0 votes)
70 views24 pages

Python OOP for Beginners

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)
70 views24 pages

Python OOP for Beginners

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/ 24

Object-Oriented Programming (OOP)

1. What are the key features of Object-Oriented Programming


(OOP)?
Answer:
The key features of OOP include:

Encapsulation: Hiding internal details and showing only the functionality.


Inheritance: A class can inherit properties and methods from another class.
Polymorphism: One entity can take multiple forms (e.g., method overriding and
operator overloading).
Abstraction: Hiding the complexity and showing only the necessary details.

2. How do you create a class in Python? Write a simple


example.
Answer:
A class is created using the class keyword:

class MyClass:
def greet(self):
return "Hello, World!"

3. What is the role of the self variable in Python classes?


Answer:
The self variable represents the instance of the class and is used to access
attributes and methods of the class. It must be explicitly declared in instance
methods.

4. What is a constructor in Python, and how is it defined?


Answer:
A constructor is a special method that is automatically called when an object is
created. In Python, it is defined using the __init__ method:

class MyClass:
def __init__(self, name):
self.name = name

5. What is the difference between instance variables and class


variables?
Answer:

Instance variables: Defined inside methods and unique to each object.


Class variables: Shared across all instances of a class and defined outside
methods but inside the class body.

6. Write a Python program to implement multiple inheritance


and demonstrate MRO.
Answer:

class A:
def display(self):
print("Class A")

class B(A):
def display(self):
print("Class B")

class C(A):
def display(self):
print("Class C")

class D(B, C):


pass

obj = D()
obj.display()
print(D.__mro__) # Displays the Method Resolution Order

7. Explain and implement polymorphism with an example using


method overriding.
Answer:
Polymorphism allows the same method name to behave differently based on the
object.

class Parent:
def display(self):
print("Parent class")

class Child(Parent):
def display(self):
print("Child class")

obj1 = Parent()
obj2 = Child()
obj1.display() # Calls Parent's display()
obj2.display() # Calls Child's display()

8. Write a Python program to demonstrate an abstract class


and interface.
Answer:

from abc import ABC, abstractmethod

class Shape(ABC): # Abstract class


@abstractmethod
def area(self):
pass

class Rectangle(Shape): # Concrete class


def __init__(self, length, breadth):
self.length = length
self.breadth = breadth

def area(self):
return self.length * self.breadth

rect = Rectangle(10, 20)


print(rect.area()) # Calls the implemented `area` method

9. Write a Python program to implement operator overloading


for subtraction ( - ) and equality ( == ).

Answer:

class Point:
def __init__(self, x, y):
self.x = x
self.y = y

def __sub__(self, other):


return Point(self.x - other.x, self.y - other.y)

def __eq__(self, other):


return self.x == other.x and self.y == other.y

p1 = Point(5, 7)
p2 = Point(2, 3)
result = p1 - p2 # Overloaded `-` operator
print(result.x, result.y) # Prints (3, 4)
print(p1 == p2) # Overloaded `==` operator

10. Write a Python program to demonstrate hierarchical


inheritance and method overriding.
Answer:

class Parent:
def greet(self):
print("Hello from Parent")
class Child1(Parent):
def greet(self):
print("Hello from Child1")

class Child2(Parent):
def greet(self):
print("Hello from Child2")

obj1 = Child1()
obj2 = Child2()
obj1.greet() # Calls Child1's greet
obj2.greet() # Calls Child2's greet

11. What is the purpose of namespaces in Python classes?


Answer:
Namespaces are containers that hold identifiers (like variables and functions) to avoid
naming conflicts:

Class namespace: Contains class variables and methods.


Instance namespace: Contains instance variables unique to an object.

12. What are the different types of methods in Python classes?


Provide examples.
Answer:

1. Instance methods: Operate on instance variables and require self .

class MyClass:
def instance_method(self):
return "This is an instance method."

2. Class methods: Operate on class variables and use @classmethod and cls .

class MyClass:
@classmethod
def class_method(cls):
return "This is a class method."

3. Static methods: Do not access class or instance variables and use


@staticmethod .

class MyClass:
@staticmethod
def static_method():
return "This is a static method."

13. How does super() work in inheritance? Provide an


example.
Answer:
super() is used to call methods of the parent class from a child class:

class Parent:
def __init__(self):
print("Parent constructor")

class Child(Parent):
def __init__(self):
super().__init__() # Calls the Parent constructor
print("Child constructor")

obj = Child()

14. What is Method Resolution Order (MRO), and how is it


determined?
Answer:
MRO determines the order in which methods are searched in classes during
inheritance:

It uses the C3 Linearization Algorithm.


You can view MRO using ClassName.__mro__ .
Example:

class A: pass
class B(A): pass
print(B.__mro__)

15. What is operator overloading? Provide an example.

Answer:
Operator overloading allows operators to have user-defined meanings for objects.

class Point:
def __init__(self, x, y):
self.x = x
self.y = y

def __add__(self, other):


return Point(self.x + other.x, self.y + other.y)

p1 = Point(1, 2)
p2 = Point(3, 4)
result = p1 + p2 # Overloaded `+` operator
print(result.x, result.y)

16. What is inheritance in Python, and why is it used?


Inheritance allows a class (child) to reuse the properties and methods of another class
(parent). It is used to achieve code reusability and establish a relationship between
classes.

17. How do you define an instance variable in Python?


Instance variables are defined inside methods using the self keyword and are
specific to the object.

Example:
class MyClass:
def __init__(self, name):
self.name = name # Instance variable

18. What is the difference between a class method and a


static method?
Class method: Operates on the class and uses @classmethod and cls .
Static method: Does not depend on class or instance variables and uses
@staticmethod .

19. What is the syntax of method overriding?


In method overriding, a child class provides a specific implementation of a method in
the parent class:

Example:

class Parent:
def greet(self):
print("Parent says hello!")

class Child(Parent):
def greet(self):
print("Child says hello!")

20. What is the super() function in Python?


The super() function allows you to access methods or attributes of the parent class.
It is especially useful in inheritance when you want to call the parent class’s
constructor or methods.

21. What are the different types of inheritance in Python?


1. Single Inheritance: A child inherits from one parent.
2. Multiple Inheritance: A child inherits from multiple parents.
3. Multilevel Inheritance: A child inherits from a parent, and that parent inherits
from another parent.
4. Hierarchical Inheritance: Multiple children inherit from one parent.
5. Hybrid Inheritance: A combination of two or more types of inheritance.

22. Explain the concept of Method Resolution Order


(MRO) in Python.
Definition: MRO determines the order in which classes are searched when
calling a method.
Algorithm: Python uses the C3 Linearization algorithm to determine the MRO.

Example:

class A:
def greet(self):
print("Hello from A")

class B(A):
def greet(self):
print("Hello from B")

class C(A):
def greet(self):
print("Hello from C")

class D(B, C):


pass

obj = D()
obj.greet() # Resolves to B's greet due to MRO
print(D.__mro__) # Displays the method resolution order

Key Points:

1. Avoids ambiguity in multiple inheritance.


2. Ensures consistent behavior.
23. Define Polymorphism and Its Types
Polymorphism is an Object-Oriented Programming (OOP) concept that allows
objects of different classes to be treated as objects of a common superclass. In
simple terms, it enables a single action to behave differently based on the object
calling it. Polymorphism promotes flexibility and makes code more maintainable by
allowing functions to use objects of various types without modification.

Example:

class Student:
def get_details(self):
return "Student details not specified."

class EngineeringStudent(Student):
def get_details(self):
return "Engineering Student: Focus on Physics, Math, and Compu

class ArtStudent(Student):
def get_details(self):
return "Art Student: Focus on Painting, Literature, and Histor

# Using polymorphism
def show_student_details(student):
print(student.get_details())

# Creating instances of different student types


student1 = EngineeringStudent()
student2 = ArtStudent()

# Calling the same method on different student types


show_student_details(student1) # Output: Engineering Student: Focus o
show_student_details(student2) # Output: Art Student: Focus on Painti

Types of Polymorphism
1. Compile-Time Polymorphism (Static Polymorphism)
Compile-time polymorphism is achieved through method overloading and operator
overloading. This type of polymorphism is resolved during compile time, meaning that
the decision of which method or operator to use is made before the program runs.

Examples:
Method Overloading
Method overloading occurs when multiple methods with the same name but
different parameters exist in the same class. The method to be called is
determined based on the argument list.

class Math:
def add(self, a, b):
return a + b

def add(self, a, b, c=0):


return a + b + c

math = Math()
print(math.add(5, 10)) # Output: 15
print(math.add(5, 10, 15)) # Output: 30

Operator Overloading
Operator overloading allows the use of a single operator to have different
meanings based on the context.

class Number:
def __init__(self, value):
self.value = value

def __add__(self, other):


return self.value + other.value

n1 = Number(10)
n2 = Number(20)
print(n1 + n2) # Output: 30 (overloaded + operator)

2. Run-Time Polymorphism (Dynamic Polymorphism)


Run-time polymorphism is achieved through method overriding. This type of
polymorphism is resolved during runtime, meaning the behavior of a function call is
determined while the program is running.

Example: Method Overriding

class Shape:
def area(self):
"""Calculate area of the shape"""
print("Area calculation not defined for generic shapes.")
class Circle(Shape):
def __init__(self, radius):
self.radius = radius

def area(self):
"""Calculate area of the circle"""
return 3.14 * self.radius * self.radius

class Rectangle(Shape):
def __init__(self, length, width):
self.length = length
self.width = width

def area(self):
"""Calculate area of the rectangle"""
return self.length * self.width

class Triangle(Shape):
def __init__(self, base, height):
self.base = base
self.height = height

def area(self):
"""Calculate area of the triangle"""
return 0.5 * self.base * self.height

# Polymorphic Behavior
shapes = [
Circle(radius=5),
Rectangle(length=4, width=6),
Triangle(base=3, height=8)
]

for shape in shapes:


print(f"The area of the {shape.__class__.__name__} is: {shape.area

Output:

The area of the Circle is: 78.5


The area of the Rectangle is: 24
The area of the Triangle is: 12.0

3. Subtype Polymorphism (Interface Polymorphism)


Subtype polymorphism, often used in languages with strict type systems, allows an
instance of a derived class to be treated as an instance of its parent class. This is
closely related to inheritance and allows for treating different subclasses as if they
were instances of a common superclass.

class Payment:
def pay(self, amount):
raise NotImplementedError("Subclass must implement this method

class CreditCardPayment(Payment):
def pay(self, amount):
print(f"Paying {amount} with Credit Card")

class PaytmPayment(Payment):
def pay(self, amount):
print(f"Paying {amount} with Paytm")

# Different payment methods can be used interchangeably


def make_payment(payment_method, amount):
payment_method.pay(amount)

cc_payment = CreditCardPayment()
paytm_payment = PaytmPayment()

make_payment(cc_payment, 100) # Output: Paying 100 with Credit Card


make_payment(paytm_payment, 200) # Output: Paying 200 with Paytm

4. Parametric Polymorphism (Generic Polymorphism)


Parametric polymorphism allows for writing generic and reusable code where the data
type of parameters is specified at runtime. In languages that support generics (like
Java and C++), you can write functions or classes that work with any data type. In
Python, a similar effect can be achieved using duck typing, where any object that
provides the required methods and properties can be used, regardless of its specific
class.

def add(a, b):


return a + b

print(add(5, 10)) # Output: 15 (int addition)


print(add("Hello ", "World")) # Output: Hello World (string concatena

Note:
Subtype Polymorphism / Interface Polymorphism and Parametric
Polymorphism / Generic Polymorphism are optional concepts and may not be
as commonly used in every programming scenario, but they are important in
languages that support more advanced OOP features.

24. Define Inheritance and Its Types


Inheritance is a mechanism that allows a class (called the subclass or derived class)
to inherit properties and methods from another class (called the superclass or base
class). This enables code reusability, improves organization, and provides an easier
way to establish relationships between classes.

There are 5 main types of inheritance:

1. Single Inheritance

In single inheritance, a single subclass inherits from one superclass. This is the
simplest form of inheritance and is used to extend or modify the functionality of a
single parent class.

Example:

class Animal:
def sound(self):
return "Some sound"

class Dog(Animal):
def bark(self):
return "Woof!"

dog = Dog()
print(dog.sound()) # Output: Some sound
print(dog.bark()) # Output: Woof!

Here, the Dog class inherits from the Animal class and can access both the sound
method of Animal and its own bark method.
2. Multiple Inheritance

In multiple inheritance, a subclass can inherit from more than one superclass. This
allows the subclass to combine functionality from multiple classes, though it can also
introduce complexity if there are conflicts in method names.

Example:

class Flyable:
def fly(self):
return "Flying"

class Swimmable:
def swim(self):
return "Swimming"

class Duck(Flyable, Swimmable):


pass

duck = Duck()
print(duck.fly()) # Output: Flying
print(duck.swim()) # Output: Swimming

In this case, the Duck class inherits from both Flyable and Swimmable , allowing it to
access both the fly and swim methods.

3. Multilevel Inheritance

In multilevel inheritance, a subclass inherits from another subclass, forming a


hierarchy of classes. Each subclass in the hierarchy inherits from its immediate
superclass, leading to a chain of inheritance.

Example:

class Animal:
def sound(self):
return "Some sound"

class Mammal(Animal):
def walk(self):
return "Walking on land"
class Dog(Mammal):
def bark(self):
return "Woof!"

dog = Dog()
print(dog.sound()) # Output: Some sound
print(dog.walk()) # Output: Walking on land
print(dog.bark()) # Output: Woof!

Here, the Dog class inherits from Mammal , which in turn inherits from Animal .
Therefore, Dog has access to methods from both Mammal and Animal .

4. Hierarchical Inheritance

In hierarchical inheritance, multiple subclasses inherit from a single superclass. This is


useful when you have a base class with shared functionality and multiple subclasses
that extend or specialize that functionality in different ways.

Example:

class Animal:
def sound(self):
return "Some sound"

class Dog(Animal):
def bark(self):
return "Woof!"

class Cat(Animal):
def meow(self):
return "Meow!"

dog = Dog()
cat = Cat()
print(dog.sound()) # Output: Some sound
print(dog.bark()) # Output: Woof!
print(cat.sound()) # Output: Some sound
print(cat.meow()) # Output: Meow!

In this example, both Dog and Cat inherit from Animal , so they can both access the
sound method of Animal . Each subclass also has its own unique methods ( bark for
Dog and meow for Cat ).
5. Hybrid Inheritance

Hybrid inheritance is a combination of two or more types of inheritance. For example, a


class hierarchy can involve both multiple and multilevel inheritance. Hybrid inheritance
can lead to complex inheritance structures, which Python manages with Method
Resolution Order (MRO) to ensure consistency in method lookups.

Example of Hybrid Inheritance:

class Animal:
def sound(self):
return "Some sound"

class Flyable:
def fly(self):
return "Flying"

class Bird(Animal, Flyable):


def tweet(self):
return "Tweet!"

class Penguin(Bird):
def swim(self):
return "Swimming in cold water"

penguin = Penguin()
print(penguin.sound()) # Output: Some sound (inherited from Animal)
print(penguin.fly()) # Output: Flying (inherited from Flyable)
print(penguin.swim()) # Output: Swimming in cold water

In this example, the Bird class inherits from both Animal (single inheritance) and
Flyable (multiple inheritance), and the Penguin class inherits from Bird (multilevel
inheritance). This creates a hybrid inheritance structure that combines both multiple
and multilevel inheritance.

25. Encapsulation
Encapsulation is the bundling of data (attributes) and methods (functions) that
operate on the data into a single unit, typically a class. It restricts access to some
components, making the internal state of an object hidden from the outside world.
This is often achieved through the use of access modifiers.

Encapsulation is used to:

Protect the integrity of an object's data by preventing external interference


and misuse.
Control how the data is accessed and modified, thereby reducing complexity.
Simplify code maintenance by making objects' internal workings hidden from
other parts of the program.

In Python, encapsulation is implemented using naming conventions for attributes and


methods, such as using underscores to indicate private variables (e.g., _variable or
__variable ).

Example of Encapsulation:

class Library:
def __init__(self, library_name):
self.library_name = library_name # Public attribute
self.__books = {} # Private attribute to store books and thei

# Public method to add a book


def add_book(self, book_title, quantity):
if quantity > 0:
self.__books[book_title] = self.__books.get(book_title, 0)
print(f"Added {quantity} copies of '{book_title}' to the l
else:
print("Quantity must be greater than zero.")

# Public method to lend a book


def lend_book(self, book_title):
if book_title in self.__books and self.__books[book_title] > 0
self.__books[book_title] -= 1
print(f"'{book_title}' has been lent out.")
else:
print(f"'{book_title}' is not available.")

# Public method to get the available quantity of a book


def get_book_quantity(self, book_title):
return self.__books.get(book_title, 0)
# Public method to display all books
def display_books(self):
if self.__books:
print(f"Books available in '{self.library_name}':")
for book, quantity in self.__books.items():
print(f" - {book}: {quantity} copies")
else:
print("No books available in the library.")

Example Usage:

library = Library("City Library")

# Accessing public attribute


print("Library Name:", library.library_name) # Output: Library Name:

# Using public methods to interact with the private __books attribute


library.add_book("Python Programming", 5)
library.add_book("Data Science Basics", 3)
library.add_book("Machine Learning Guide", 2)

# Displaying all books


library.display_books()

# Lending a book
library.lend_book("Python Programming")

# Displaying all books after lending one


library.display_books()

# Getting the quantity of a specific book


print("Copies of 'Data Science Basics':", library.get_book_quantity("D

# Attempting to access the private attribute directly (not allowed)


# Uncommenting the line below will raise an AttributeError
# print(library.__books)

Key Points:
Public Attributes/Methods: Accessible from outside the class, such as
library_name and the methods like add_book() , lend_book() , etc.
Private Attributes/Methods: Hidden from outside the class, like __books .
These cannot be accessed directly from outside the class. If attempted, it raises
an AttributeError .
Control: The class methods control how attributes (like __books ) can be
modified or accessed, offering better data protection.

27. What is a Class and Object?


Class: A class is a blueprint or template for creating objects. It defines a set of
attributes and methods that the created objects (instances) will have.
Object: An object is an instance of a class. It represents a real-world entity with
properties and behavior defined by the class.

28. What is the Self Variable and How Can One Program
Be Treated With or Without Self Variables?
Self Variable in Python:
The self variable in Python is used to represent the instance of the class in object-
oriented programming. It allows access to the attributes and methods of the class.
The self variable must be explicitly included as the first parameter in the instance
methods of a class.

Refers to the Current Instance: It points to the specific instance of the class on
which the method or constructor is being called.
Explicit in Python: Unlike some other programming languages (e.g., Java or
C++), Python requires self to be explicitly declared.
Access to Instance Variables and Methods: self is used to access or modify
instance variables and call other methods within the same class.

With self :

class Car:
def __init__(self, brand, model):
self.brand = brand # Instance variable
self.model = model # Instance variable

def display_info(self):
print(f"Car Brand: {self.brand}, Model: {self.model}")

# Creating an instance of the Car class


my_car = Car("Toyota", "Camry")
my_car.display_info() # Accesses the instance variables through self

Explanation:

1. In the Constructor ( __init__ ):


self.brand = brand assigns the brand parameter to the instance variable
self.brand .
self ensures that each instance of the class has its own copy of brand
and model .
2. In the Method ( display_info ):
self.brand and self.model refer to the instance variables of the specific
object ( my_car ) on which display_info() is called.
3. Explicit Reference:
When calling my_car.display_info() , the my_car instance is implicitly
passed as the self parameter to the display_info() method.

Without self :

class Car:
def __init__(brand, model): # Missing self
brand = brand # This creates a local variable, not an instanc
model = model # This creates another local variable

def display_info(): # Missing self


print(f"Car Brand: {brand}, Model: {model}") # NameError will

# Creating an instance
my_car = Car("Toyota", "Camry")
my_car.display_info() # This will raise an error

What Happens Here:

Since self is missing, the variables brand and model are treated as local
variables, not instance variables.
The code raises a NameError because there's no way to refer to brand and
model as instance variables.
Without self , the instance cannot differentiate its own attributes and methods
from local variables or other instances of the class.

Conclusion: The self variable is a convention (not a keyword) in Python, and it’s
crucial for creating instance-specific attributes and accessing them within the class.
Without self , the instance cannot differentiate its attributes from local variables or
other instances.

29. What is a Constructor?


A constructor in Python is a special method used to initialize an object when it is
created. It is defined using the __init__ method. The primary purpose of a
constructor is to set up the initial state of an object by assigning values to its
attributes and performing any setup procedures necessary.

Special Method: The constructor method is always named __init__ in Python.


Called Automatically: The constructor is automatically invoked when an object
of the class is created.
Instance Initialization: It is used to initialize instance variables (attributes) of the
class.

Syntax of a Constructor:

class ClassName:
def __init__(self, parameters):
# Initialization of instance variables
self.attribute = value

Example:

class Car:
def __init__(self, brand, model):
self.brand = brand # Instance variable
self.model = model # Instance variable

def display_info(self):
print(f"Car Brand: {self.brand}, Model: {self.model}")
# Creating an instance of Car
my_car = Car("Toyota", "Camry") # __init__ is called automatically
my_car.display_info() # Output: Car Brand: Toyota, Model: Camry

Explanation:

When my_car = Car("Toyota", "Camry") is executed:


The __init__ method is automatically invoked.
The brand and model arguments are passed to the __init__ method and
assigned to self.brand and self.model , respectively.
The display_info() method uses these instance variables to display the car
information.

30. What Do You Mean by super() ?


The super() function in Python is used to access methods of the superclass from
the subclass. This is especially useful when you want to extend or modify the behavior
of the superclass's methods.

Usage:

super() can be used to call superclass methods, especially in complex


inheritance hierarchies.

Example:

class Parent:
def show(self):
print("Parent class method")

class Child(Parent):
def show(self):
super().show() # Calls the Parent class method
print("Child class method")

child = Child()
child.show()

Output:
Parent class method
Child class method

Here, super().show() calls the show method from the Parent class, and then the
Child class adds its own behavior.

31. Short Note on OOP Features


OOP Features:

Class: A blueprint for objects.


Object: An instance of a class.
Encapsulation: Restricts access to data and methods within a class.
Inheritance: A mechanism to derive new classes from existing ones.
Single Inheritance: Derived class from one base class.
Multiple Inheritance: Derived class from multiple base classes.
Multilevel Inheritance: Hierarchical inheritance across levels.
Hierarchical Inheritance: Multiple classes inherit from one base.
Hybrid Inheritance: Combination of multiple inheritance types.
Abstraction: Hides complex details, showing only essential features.
Polymorphism: Ability to take many forms.
Compile-time Polymorphism: Resolved at compile time (e.g., method
overloading).
Run-time Polymorphism: Resolved at runtime (e.g., method overriding).

You might also like