The __init__() Method in Python

The __init__() method in Python is a special method called an initializer or constructor. It is automatically invoked when an object of a class is created. This method is used to initialize the attributes of the object and set up any necessary state at the time of instantiation.

Key Features of the __init__() Method:

Example of the __init__() Method

This example demonstrates the use of the __init__() method to initialize attributes of a class.

Code Example

class Car:
            def __init__(self, make, model, year):
                self.make = make  # Initialize make of the car
                self.model = model  # Initialize model of the car
                self.year = year  # Initialize year of the car
        
            def display_info(self):
                # Method to display car information
                return f"{self.year} {self.make} {self.model}"
        
        # Creating instances of the Car class
        car1 = Car("Toyota", "Camry", 2020)
        car2 = Car("Honda", "Accord", 2021)
        
        # Displaying car information
        print(car1.display_info())  # Output: 2020 Toyota Camry
        print(car2.display_info())  # Output: 2021 Honda Accord
        

Output

2020 Toyota Camry
2021 Honda Accord

Conclusion

The __init__() method is a fundamental part of class design in Python, allowing developers to set up initial values for object attributes. By utilizing this method, you can create well-structured and easily maintainable classes that properly encapsulate their data.