The post C# forEach loop | When to Use, How it Works appeared first on Tech Insights.
]]>Syntax of ‘foreach’ loop
foreach(var items in collection) { // set of statements }
“collection” – represents the collection or array, to iterate.
“items” – is a variable that will hold each element of the collection during each iteration.
Here’s a Flowchart showing the working of the C sharp foreach loop.
A few key points while working on foreach loop
Here the following example demonstrates, the iteration of an array using a foreach loop
string[] departments = { "Computer Science", "Mechanical", "Electronics", "Civil", "Electrical" }; foreach(var items in departments) { Console.WriteLine(items.ToString()); }
Output:
Computer Science
Mechanical
Electronics
Civil
Electrical
another example demonstrates, ‘foreach‘ loop on a List Collection.
List<string> listforeach = new List<string>() { "Computer Science", "Mechanical", "Electronics", "Civil", "Electrical" }; foreach(var item in listforeach) { Console.WriteLine($"{item}"); } listforeach.ForEach(item=>Console.WriteLine(item));
Output:
Computer Science
Mechanical
Electronics
Civil
Electrical
// ForEach Extension Method
Computer Science
Mechanical
Electronics
Civil
Electrical
The following example demonstrates the foreach loop on a dictionary collection.
var ListofDept = new Dictionary<string, string>() { {"SC" ,"Computer Sceince" }, {"Mech" ,"Mechanical Engineering" }, {"ECE" ,"Electronics and Communication Engineering" }, {"CE" ,"Civil Engineering" }, }; foreach(var item in ListofDept) { Console.WriteLine($"Department {item.Key} , {item.Value}"); }
Output:
Department -- SC , Computer Sceince
Department -- Mech , Mechanical Engineering
Department -- ECE , Electronics and Communication Engineering
Department -- CE , Civil Engineering
Following scenarios use the ‘foreach’ Loop.
The post C# forEach loop | When to Use, How it Works appeared first on Tech Insights.
]]>