Object-Oriented Programming (OOP) is a widely popular programming paradigm. This method of structuring a program uses objects that have properties and behaviors. Each programming language handles the principles of OOP a little differently, so it’s important to learn OOP for each language you are learning. Today, we’ll discuss the basics of OOP in Python to propel your Python skills.
Whether you’re new to OOP or just curious about its use in Python, this is the perfect article to get started. You’ll learn the benefits of OOP in Python and how to apply OOP concepts in your code. By the end of this article, you’ll be able to create classes, initialize objects, and apply inheritance to your Python projects.
Today we’ll cover:
Advance your Python skills with hands-on OOP lessons and practice problems.
Learn Object-Oriented Programming in Python
Object-Oriented Programming is a programming paradigm based on the creation of reusable “objects” that have their own properties and behavior that can be acted upon, manipulated, and bundled.
These objects package related data and behaviors into representations of real-life objects. OOP is a widely used paradigm across various popular programming languages like Python, C++, and Java.
Many developers use OOP because it makes your code reusable and logical, and it makes inheritance easier to implement. It follows the DRY principle, which makes programs much more efficient.
In OOP, every object is defined with its own properties. For example, say our object is an Employee. These properties could be their name, age, and role. OOP makes it easy to model real-world things and the relationships between them. Many beginners prefer to use OOP languages because they organize data much like how the human brain organizes information.
The four main principles of OOP are inheritance, encapsulation, abstraction, and polymorphism. To learn more about these, go read our article What is Object Oriented Programming? for a refresher before continuing here.
Let’s refresh our memory on the building blocks of OOP before seeing how it works in Python.
Properties are the data that describes an object. Each object has unique properties that can be accessed or manipulated by functions in the program. Think of these as variables that describe the individual object.
For example, a sneaker1 object could have the properties size and isOnSale.
Methods define the behavior of an object. Methods are like functions that are within the scope of an object. They’re often used to alter the object’s properties.
For example, our sneaker1 object would have the method putOnSale that switches the isOnSale property on or off.
They can also be used to report on a specific object’s properties. For example, the same sneaker1 object could also have a printInfo method that displays its properties to the user.
Each object is created with a class. Think of this like the blueprint for a certain type of object. Classes list the properties essential to that type of object but do not assign them a value. Classes also define methods that are available to all objects of that type.
For example, sneaker1 was created from the class Shoe that defines our properties, size and isOnSale, and our methods, putOnSale and printInfo. All objects created from the Shoe class blueprint will have those same fields defined.
Classes are like the umbrella category that each object falls under.
An object is an instance of its parent class with a unique name and property values. You can have multiple instances of the same class type in a single program. Program calls are directed to individual instances whereas the class remains unchanged.
For example, our shoe class could have two instances sneaker1, with a size of 8, and sneaker2, with a size of 12. Any changes made to the instance sneaker1 will not affect sneaker2.
Python is a multi-paradigm programming language, meaning it supports OOP as well as other paradigms. You use classes to achieve OOP in Python. Python provides all the standard features of object oriented programming.
Developers often choose to use OOP in their Python programs because it makes code more reusable and makes it easier to work with larger programs. OOP programs prevent you from repeating code because a class can be defined once and reused many times. OOP therefore makes it easy to achieve the “Don’t Repeat Yourself” (DRY) principle.
Let’s see an example of how OOP improves Python. Say you organize your data with a list instead of a class.
sneaker1 = [8, true, "leather", 60]
Here, the list sneaker1 contains the values for properties size, isOnSale, material and cost. This approach doesn’t use OOP and can lead to several problems:
sneaker1[0] = size. This is not as intuitive as the object call of sneaker1.sizeInstead, with OOP, we could write this as a Shoe class object to avoid these problems and make our code more useful down the line.
sneaker1 = Shoe(8, true, "leather", 60)
To avoid these problems, Python developers often use OOP over other available paradigms. Below we’ll explore how you can implement OOP into your Python programs.
Learn advanced Python OOP techniques from industry veterans. Educative’s text-based courses are easily skimmed and give you the experience you need to land a job.
To create a class in Python, we use the class keyword and a property like this:
class MyClass:
x = 4
Then we use MyClass to create an object like this:
p1 = MyClass()
print(p1.x)
Let’ take that bit deeper. For the following examples, imagine that you’re hired to make an online store for a shoe store.
We’ll learn how to use Python to define a Shoe class and the properties each shoe must have listed on the site.
First, we use the class keyword to begin our class and then set its name to Shoe. Each instance of Shoe will represent a different pair of shoes. We then list the properties each shoe will have, size, isOnSale, material, and price. Finally, we set each property to value None. We’ll set each of these property values when we initialize a Shoe object.
class Shoe:# define the properties and assign none valuesize = NoneisOnSale= Nonematerial = Noneprice = None
Note: Spacing
Remember to include four spaces before all properties or methods within a class so that Python recognizes they’re all within the defined class.
Now, we’ll see how to initialize objects and set property values to represent each pair of shoes.
To create an object, we have to first set our initializer method. The initializer method is unique because it has a predefined name, __init__, and does not have a return value. The program automatically calls the initializer method when a new object from that class is created.
An initializer method should accept the special self parameter then all class properties as parameters. The self parameter allows the initializer method to select the newly created object instance.
We then populate the initializer method with one instance variable initialization for each property. Each of these initializations sets a property of the created object to the value of the corresponding parameter.
For example, the first
self.size = sizesets thesizeproperty of the created object to equal thesizeparameter passed at object creation.
Once the initializer is set up, we can create an object with [objectName] = Shoe() and pass the necessary parameters. On line 10, we create a Shoe object called sneaker3 with properties of size = 11, isOnSale = false, material = "leather", and price = 81
We can use this code to create as many instances of Shoe that we need.
class Shoe:# defines the initializer methoddef __init__(self, size, isOnSale, material, price):self.size = sizeself.isOnSale = isOnSaleself.material = materialself.price = price# creates an object of the Shoe class and sets# each property to an appropriate valuesneaker3 = Shoe(11, 'false', "leather", 81)
Next, we’ll add instance methods to our Shoe class so we can interact with object properties in our shoe store program. The main advantage of instance methods is that they’re all available for any Shoe type object as soon as it is created.
To create instances, you call the class and pass the arguments that its
__init__method accepts.
class Shoe:# defines the initializer methoddef __init__(self, size, isOnSale, material, price):self.size = sizeself.isOnSale = isOnSaleself.material = materialself.price = price# Instance methoddef printInfo(self):return f" This pair of shoes are size {self.size}, are made of {self.material}, and costs ${self.price}"# Instance methoddef putOnSale(self):self.isOnSale = truesneaker3 = Shoe(11, 'false', "leather", 81)print (sneaker3.printInfo())
Our first instance method is printInfo that lists all properties except isOnSale. On line 10, we use the keyword def to begin declaring a new method, then name that method printInfo and finally list the special parameter self.
In this case, self allows the method to access any parameter within the object this method is called on. We then write out our message on line 11 using self.[property] calls.
Note: This uses Python 3.6 f-string functionality. Any section of the message in curly brackets is not actually printed and instead prints the value of the stated property for the selected object.
Our second instance method, putOnSale, changes the value of the isOnSale property within the selected object to true. On line 15, we use the keyword def, our method name, and self parameter to define a method.
Then we populate that method with a statement to change the isOnSale property to true on line 16. The first part of this statement selects the isOnSale property of the currently selected object. The second part of this statement sets the value of that selected property to true.
Changing the value of this Shoe object’s isOnSale property does not change the default value within the Shoe class. Python does not require a return value within every method.
Finally, we’ll add the subcategory Sandal of the Shoe class using inheritance.
Inheritance allows a new class to take on the properties and behaviors from another class.
The class that is inherited from is called the parent class. Any class that inherits from a parent class is called a child class.
Child classes don’t just inherit all properties and methods but can also expand or overwrite them.
Expand refers to the addition of properties or methods to the child class that are not present in the parent. Overwrite is the ability to redefine a method in a child class that has already been defined in the parent class.
The general syntax for single class inheritance is:
class BaseClass:
Base class body
class DerivedClass(BaseClass):
Derived class body
We can also have multiple class inheritance:
class BaseClass1:
Base class1 body
class BaseClass:
Base class2 body
class DerivedClass(BaseClass1,BaseClass2):
Derived class body
To implement inheritance in Python, define a class as normal but add the name of its parent class in parentheses before the final colon (line 2).
#Sandal is the child class to parent class Shoeclass Sandal(Shoe):def __init__(self, size, isOnSale, material, price, waterproof):#inherit self, size, isOnSale, material, and price propertiesShoe.__init__(self, size, isOnSale, material, price)#expands Sandal to contain additional property waterproofself.waterproof = waterproof#overwrites printInfo to reference "pair of sandals" rather than shoesdef printInfo(self):return f" This pair of sandals are size {self.size}, are made of {self.material}, and costs ${self.price}"sandal1 = Sandal(11, False, "leather", 81, True)print (sandal1.printInfo())
We then define a new initializer method that takes all properties from Shoe and adds an unique waterproof property.
On line 3, we declare the initializer method for all properties we’ll need from both parent and child classes. Then on line 5 we call the initializer method from the parent Shoe class to handle shared properties. We then expand beyond the inherited properties to add the waterproof property on line 7.
You can use expanded classes to reduce rewritten code. If our class did not inherit from Shoe, we would need to recreate the entire initializer method to make just one small difference.
Next, we overwrite the printInfo class defined in Shoe to be Sandal specific. Python will always use the most local definition of a method.
Therefore, Python will use the newly defined printInfo method in Sandal over the inherited printInfo method from Shoe when the printInfo method is called.
Let’s put the skills you learned into practice with a challenge. Your goal is to write a Python class called Calculator. There will be two steps to this challenge: define the calculator’s properties and add methods for each of the four operations.
Task 1
Write an initializer to initialize the values of num1 and num2. The properties are num1 and num2.
Task 2
Add four methods to the program:
add(), a method which returns the sum of num1 and num2.subtract(), a method which returns the subtraction of num1 from num2.multiply(), a method which returns the product of num1 and num2.divide(), a method which returns the division of num2 by num1.Your input will be the object’s property integers and your output will be addition, subtraction, division, and multiplication results for those numbers.
# Sample input
obj = Calculator(10, 94);
obj.add()
obj.subtract()
obj.multiply()
obj.divide()
# Sample output
104
84
940
9.4
Try it out on your own and check the solution if you get stuck. Good luck!
class Calculator:def __init__(self):passdef add(self):passdef subtract(self):passdef multiply(self):passdef divide(self):pass
Let’s dive into the solution. It’s okay if you didn’t get it the first time around! Practice is how we learn.
Calculator class with two properties: num1 and num2.num1 and num2.add(), a method that returns the sum, num1 + num1, of both properties.subtraction(). This method returns the difference between num1 andnum2.multiplication(), a method that returns the product of num2 and num1.division(). This method returns the quotient of num2 by num1.If your class mainly stores data, you don’t need to manually write boilerplate code for the constructor, __repr__, or comparison methods.
Python’s dataclasses module (introduced in Python 3.7) automates all of that, keeping your code clean and expressive.
from dataclasses import dataclass@dataclassclass Shoe:brand: strsize: intcolor: strprice: floaton_sale: bool = Falseshoe = Shoe("Nike", 42, "Black", 120.0)print(shoe)
This automatically generates __init__, __repr__, and equality methods.
You can make objects immutable with frozen=True or improve memory efficiency with slots=True.
Object-oriented programming is not just about storing data — it’s also about controlling how data is accessed and modified.
Python’s @property decorator lets you define getters and setters while keeping attribute syntax simple.
class Shoe:def __init__(self, price):self._price = price@propertydef price(self):return self._price@price.setterdef price(self, value):if value < 0:raise ValueError("Price cannot be negative")self._price = value
This approach improves data safety and maintainability without changing how your class is used.
Sometimes you want to define a base class that others must implement.
Python’s abc module lets you enforce this using Abstract Base Classes (ABCs).
from abc import ABC, abstractmethodclass Product(ABC):@abstractmethoddef get_price(self):passclass Shoe(Product):def get_price(self):return 120.0
If a subclass doesn’t implement get_price, Python raises an error — ensuring consistent interfaces across your codebase.
For greater flexibility, Python’s typing.Protocol defines structural interfaces —
a class only needs to have the right attributes or methods, not inherit from a specific base class.
from typing import Protocolclass Priceable(Protocol):def get_price(self) -> float: ...class Shoe:def get_price(self) -> float:return 120.0def print_price(item: Priceable):print(item.get_price())print_price(Shoe()) # ✅ Works because Shoe matches the protocol
This pattern is common in modern Python projects using static type checkers like mypy or pyright.
Python 3.10 introduced structural pattern matching, allowing you to match class attributes directly —
a cleaner alternative to long chains of if statements.
from dataclasses import dataclass@dataclassclass Shoe:brand: strsize: intshoe = Shoe("Nike", 42)match shoe:case Shoe(brand="Nike", size=size):print(f"Nike shoe, size {size}")case _:print("Other shoe")
This syntax improves readability and maintainability, especially in systems with multiple object types.
When subclassing, it’s easy to mistype a method name and fail to override it.
Python 3.12 introduced the @override decorator to help catch such errors at type-check time.
from typing import overrideclass Product:def get_price(self):return 0.0class Shoe(Product):@overridedef get_price(self):return 120.0
This small addition improves code reliability and makes subclass behavior clearer — especially in large codebases.
You’ve now completed your dive into the world of object-oriented Python programming. Today, we broke down the definition of object-oriented programming, why it’s popular in Python, and walked you through the key parts of an object-oriented program in Python.
However, the concepts covered in this article are just the beginning of what OOP is capable of. The next topics to learn about in your OOP journey are:
Educative’s Learn Object-Oriented Programming in Python is the ideal tool for learning OOP concepts quickly. With interactive examples and quizzes, this course makes sure you have the practice experience you need to apply OOP in your own programs.
Happy Learning!