OneBite.Dev - Coding blog in a bite size

Loop Object In C#

Code snippet for how to Loop Object In C# with sample and detail explanation

Looping is a fundamental concept in programming, allowing for repetitive tasks to be performed efficiently. In C#, there are several types of loop objects you can use, each with its unique traits.

For Loop Code Snippet

Starting with the most common loop object, for loop, here’s a simple code snippet:

for(int i = 0; i < 10; i++){
    Console.WriteLine(i);
}

Code Explanation for For Loop

This piece of code is an example of a for loop. In this loop, we start by defining a counter variable i set to 0. The loop will continue as long as i is less than 10. After each iteration of the loop, i is incremented by 1.

The command Console.WriteLine(i); will be executed each time the loop iterates. Consequently, this loop will print the numbers 0 to 9 to the console.

While Loop Code Snippet

Another loop object commonly used in C# is the while loop:

int i = 0;
while(i < 10){
    Console.WriteLine(i);
    i++;
}

Code Explanation for While Loop

The while loop’s structure is a bit different. Before the loop, we initialize our count variable i to 0 and the loop will continue running as long as the condition i < 10 is true.

Inside the loop, it first executes Console.WriteLine(i);, which prints the value of i to the console and then it goes on to increment i by 1 with i++. This loop does exactly the same thing as the for loop example discussed before, it prints the numbers 0 through 9 on the console.

Understanding loops and their structure is vital in any programming language, and C# is no exception. By mastering these concepts, you can significantly enhance your programming efficiency.

c-sharp