C# > Core C# > Control Flow > for Loop
Basic For Loop Example
This snippet demonstrates a basic for
loop that iterates a specific number of times, printing the current iteration number to the console. It showcases the fundamental structure of a for
loop: initialization, condition, and increment.
Code Example
This code initializes a variable i
to 0. The loop continues as long as i
is less than 5. After each iteration, i
is incremented by 1. Inside the loop, the current value of i
is printed to the console.
using System;
public class ForLoopExample
{
public static void Main(string[] args)
{
for (int i = 0; i < 5; i++)
{
Console.WriteLine("Iteration number: " + i);
}
}
}
Concepts Behind the Snippet
The for
loop is a control flow statement used for repeated execution of a block of code. It consists of three parts: initialization, condition, and increment/decrement. The initialization executes only once at the beginning of the loop. The condition is evaluated before each iteration; if it's true, the loop body is executed. The increment/decrement statement is executed after each iteration.
Real-Life Use Case
A common use case for for
loops is iterating over arrays or collections. For example, you might use a for
loop to process each element in a list of customer names or to calculate the sum of values in an array of numbers.
Best Practices
foreach
loops for iterating over collections when you don't need the index.
Interview Tip
Be prepared to explain the difference between for
, while
, and do-while
loops. Also, understand how to avoid infinite loops by ensuring that the loop condition eventually becomes false.
When to Use Them
Use for
loops when you know the number of iterations in advance. They are particularly useful when working with arrays or collections where you need to access elements by their index.
Alternatives
while
loop: Use when you don't know the number of iterations in advance.do-while
loop: Similar to while
loop, but the loop body is executed at least once.foreach
loop: Use for iterating over collections without needing the index.
Pros
Cons
while
loops when the number of iterations is not known in advance.
FAQ
-
What happens if the loop condition is always true?
If the loop condition is always true, the loop will run indefinitely, creating an infinite loop. This can cause your program to freeze or crash. -
Can I use multiple variables in the initialization part of a
for
loop?
Yes, you can initialize multiple variables in the initialization part of afor
loop, separated by commas. For example:for (int i = 0, j = 10; i < 5; i++, j--)
-
What happens if I declare the loop variable outside the for loop?
If you declare the loop variable outside the `for` loop, its scope extends beyond the loop itself. This means you can still access the variable after the loop has finished executing. However, it's generally recommended to declare the loop variable inside the `for` loop to limit its scope and avoid potential naming conflicts.