 
                            If a while or for statement uses a loop counter, and increments or decrements it by more than one, it should use a numerical comparison operator to terminate the loop. This prevents the loop from executing indefinitely or until the counter wraps around and reaches the final value ([[INT34-J. Perform explicit range checking to ensure integer operations do not overflow]]).
Noncompliant Code Example
This noncompliant code example appears to iterate five times. However, the loop never terminates because the successive values of i are 1, 3, 5, 7, 9 and 11, allowing the comparison with 10 to be skipped. On a Java based system, the value reaches the maximum representable positive number (Integer.MAX_VALUE) and on subsequent incrementing, wraps to the second lowest negative number (Integer.MIN_VALUE - 1). It then works its way up to -1, then 1, and proceeds as described earlier.
for (i = 1; i != 10; i += 2) {
  // ...
}
Noncompliant Code Example
This noncompliant code example terminates, but takes more iterations than expected. It increments i so that it is 1, 6 and 11, skipping past 10. The value of i then wraps from near the maximum positive value to near the lowest negative value and works its way up toward zero. It assumes 2, 7, and 12, skipping past 10 again. After the value wraps from the high positive to the low negative side three more times, it finally reaches 0, 5, and 10, terminating the loop.
for (i = 1; i != 10; i += 5) {
  // ...
}
Compliant Solution
Using a numerical comparison operator guarantees proper loop termination.
for (i = 1; i <= 10; i += 2) {
  // ...
}
Risk Assessment
Testing for exact values to terminate a loop may result in infinite loops and denial of service.
| Recommendation | Severity | Likelihood | Remediation Cost | Priority | Level | 
|---|---|---|---|---|---|
| MSC36-J | low | unlikely | low | P1 | L3 | 
Automated Detection
None.
Related Vulnerabilities
Search for vulnerabilities resulting from the violation of this rule on the CERT website.
Other Languages
This rule appears in the C Secure Coding Standard as MSC21-C. Use inequality to terminate a loop whose counter changes by more than one .
This rule appears in the C++ Secure Coding Standard as MSC21-CPP. Use inequality to terminate a loop whose counter changes by more than one.
References
[[JLS 05]] 15.20.1 Numerical Comparison Operators <, <=, >, and >=