Method overriding behavior in Python - Time & Space Complexity
We want to understand how the time it takes to run a program changes when we use method overriding in Python.
Specifically, we ask: How does calling an overridden method affect the program's speed as the number of calls grows?
Analyze the time complexity of the following code snippet.
class Parent:
def greet(self):
print("Hello from Parent")
class Child(Parent):
def greet(self):
print("Hello from Child")
n = 10 # Example value for n
for i in range(n):
obj = Child()
obj.greet()
This code creates a Child object n times and calls its overridden greet method each time.
Identify the loops, recursion, array traversals that repeat.
- Primary operation: Creating an object and calling the overridden greet method.
- How many times: This happens once for each iteration in the loop, so n times.
Each time we increase n, the number of times we create an object and call greet grows the same way.
| Input Size (n) | Approx. Operations |
|---|---|
| 10 | 10 object creations and 10 method calls |
| 100 | 100 object creations and 100 method calls |
| 1000 | 1000 object creations and 1000 method calls |
Pattern observation: The total work grows directly with n, doubling n doubles the work.
Time Complexity: O(n)
This means the time to run the code grows in a straight line as the number of calls increases.
[X] Wrong: "Method overriding makes the program slower by adding extra hidden steps each time a method is called."
[OK] Correct: Overriding just changes which method runs, but calling a method still takes about the same time as usual. The main cost is how many times you call it, not that it is overridden.
Understanding how method calls behave when overridden helps you explain object-oriented code clearly and shows you know how programs scale with input size.
"What if we created the object once before the loop and called the method n times? How would the time complexity change?"