Infinite loops occur when a program continues to execute a block of code indefinitely, often due to a logical error in the code. These loops can cause applications to freeze and consume system resources. Below, we will cover two practical examples of infinite loops caused by logical errors, along with explanations and potential fixes.
count = 0
while count < 5:
print("Count is:", count)
# # Logical error: missing increment of count
In this example, the while loop is intended to execute as long as count
is less than 5. However, the logical error here is that the count
variable is never incremented within the loop. As a result, the condition count < 5
remains true indefinitely, leading to an infinite loop.
To resolve this issue, simply increment count
within the loop:
count = 0
while count < 5:
print("Count is:", count)
count += 1 # Increment count to avoid infinite loop
let i = 0;
while (i < 10) {
console.log(i);
// Logical error: break condition is incorrectly placed
if (i == 5) {
// break; // This line is commented out
}
i++;
}
In this JavaScript example, we have a while loop that should print numbers from 0 to 9. The intention is to break the loop when i
equals 5, but the break
statement is commented out. Thus, the loop continues to execute without termination, causing an infinite loop.
Uncomment the break
statement to stop the loop when i
reaches 5:
let i = 0;
while (i < 10) {
console.log(i);
if (i == 5) {
break; // Correctly breaks the loop
}
i++;
}
Infinite loops caused by logical errors can disrupt the functionality of a program and lead to performance issues. Understanding how these errors occur is crucial for debugging and improving code efficiency. Always ensure that loop conditions are properly defined and that any necessary termination criteria are correctly implemented.