38.5k views
4 votes
Write the Python code to create the Child class that inherits

from the Parent class. Output: Inside the Parent class Inside the
Child class

User TxAg
by
9.1k points

1 Answer

7 votes

Final Answer:

```python

class Parent:

def display(self):

print("Inside the Parent class")

class Child(Parent):

pass

# Creating instances

parent_instance = Parent()

child_instance = Child()

# Calling methods

parent_instance.display()

child_instance.display()

```

Step-by-step explanation:

In this Python code, a `Parent` class is defined with a method `display` that prints "Inside the Parent class." A `Child` class is then created using the `class Child(Parent):` syntax, indicating that it inherits from the `Parent` class. Since the `Child` class does not have its own `display` method, it inherits the method from the `Parent` class.

Two instances, `parent_instance` and `child_instance`, are created for the `Parent` and `Child` classes, respectively. When the `display` method is called on `parent_instance`, it prints "Inside the Parent class," as expected. Similarly, when the `display` method is called on `child_instance`, it inherits the behavior from the `Parent` class, printing "Inside the Parent class." This demonstrates the concept of inheritance, where the child class can reuse and extend the functionality of the parent class.

Overall, this code snippet illustrates a simple example of class inheritance in Python, showcasing how a child class can inherit and utilize methods from its parent class. The output demonstrates that the `Child` class inherits the `display` method from the `Parent` class, producing the desired result of "Inside the Parent class Inside the Child class."

User Ilyabasiuk
by
8.2k points