Loops

A loop is a logical structure used to repeatedly execute a block of code. This repetition can either iterate an exact number of times (definite) or continuously until a condition is met (indefinite).

For Loop

In C# the for loop uses definite repetition to run a block of code a specified number of times and consists of three statements separated by semicolons.

  • Statement 1 executes only once, before the code block runs for the first time, and is commonly used to set the initial value of a variable.

  • Statement 2 is a conditional statement that must return true for the code block to execute.

  • Statement 3 runs after each repetition of the loop and is typically used to alter the value of the variable set in Statement 1.

for (int i = 5; i > 0; i--)
{
// Repeated code here
}

Note: Be careful to avoid creating an infinite loop, which occurs if the stop condition never returns false.

While Loop

The while loop in C# executes an unspecified number of times until the given condition returns false. The condition is tested before each iteration of the loop. If the condition is false when it is tested the first time, the code block is never run.

int i = 0;
while (i > -5)
{
// Repeated code here
i--;
}

Note: The variable tested in the condition should be updated within the code block to avoid an infinite loop.

Do While Loop

This form of loop uses the do keyword, followed by the code block, followed by the while keyword and condition. Unlike the while loop it checks the condition after the code block is executed. This means the loop will always iterate at least once, but the condition must be true for it to continue.

int i = 1;
do
{
// Repeated code here
i++;
} while (i <= 3);

Note: The loop in the last example will still run once even though the condition returns false.

Contributors

Interested in helping build Docs? Read the Contribution Guide or share your thoughts in this feedback form.

Learn C# on Codecademy

Contributors