...
/Example: Measuring Time Complexity of a Single Loop Algorithm
Example: Measuring Time Complexity of a Single Loop Algorithm
In this lesson, we are going to learn how to compute the time complexity of an algorithm that involves a for loop.
We'll cover the following...
A For Loop With n
Iterations
Let’s consider what happens when a loop is involved. Consider the following Java program:
class Sum {public static void main(String args[]) {int n = 10; // 1 stepint sum = 0; // 1 stepfor (int i = 0; i < n; i++) {sum += 1; // n steps}System.out.println(sum); // 1 step}}
Let’s count the number of primitive operations in the above program. Let’s come to lines 4 and 5 where variable initializations are taking place, which account for one primitive operation, each.
Line 6 is a loop statement. To count the number of primitive operations on that line, we must dissect it into its constituents: the initialization, the increment, and the test. The initialization occurs only once and is counted as one primitive operation. The increment () operation must read the current value of variable , add to it and store the result back in variable . That’s three primitive operations. The test operation () must ...