Classes and objects in C++ - Time & Space Complexity
When working with classes and objects, it's important to know how the time to run your program changes as you create and use more objects.
We want to see how the program's speed changes when the number of objects grows.
Analyze the time complexity of the following code snippet.
class Box {
public:
int length;
Box(int l) : length(l) {}
int getLength() { return length; }
};
void printLengths(Box boxes[], int n) {
for (int i = 0; i < n; i++) {
std::cout << boxes[i].getLength() << std::endl;
}
}
This code defines a simple class and prints the length of each Box object in an array.
Identify the loops, recursion, array traversals that repeat.
- Primary operation: Looping through each Box object to call getLength()
- How many times: Exactly once for each object in the array (n times)
As the number of Box objects increases, the program does more work by calling getLength() for each one.
| Input Size (n) | Approx. Operations |
|---|---|
| 10 | 10 calls to getLength() |
| 100 | 100 calls to getLength() |
| 1000 | 1000 calls to getLength() |
Pattern observation: The number of operations grows directly with the number of objects.
Time Complexity: O(n)
This means the time to run the code grows in a straight line as you add more objects.
[X] Wrong: "Creating objects or calling methods inside a loop always takes constant time no matter how many objects there are."
[OK] Correct: Each object and method call adds work, so more objects mean more time spent.
Understanding how loops over objects affect time helps you explain your code clearly and shows you know how programs scale.
"What if the getLength() method did a complex calculation instead of just returning a value? How would the time complexity change?"