In my foreach loop I would like to stop after 50 items, how would you break out of this foreach loop when I reach the 50th item?
Thanks
foreach (ListViewItem lvi in listView.Items)
In my foreach loop I would like to stop after 50 items, how would you break out of this foreach loop when I reach the 50th item?
Thanks
foreach (ListViewItem lvi in listView.Items)
int count = 0;
foreach (ListViewItem lvi in listView.Items)
{
if(++count > 50) break;
}
This should work.
int i = 1;
foreach (ListViewItem lvi in listView.Items) {
...
if(++i == 50) break;
}
int processed = 0;
foreach(ListViewItem lvi in listView.Items)
{
//do stuff
++processed;
if (processed == 50) break;
}
or use LINQ
foreach( ListViewItem lvi in listView.Items.Cast<ListViewItem>().Take(50))
{
//do stuff
}
or just use a regular for loop (as suggested by @sgriffinusa and @Eric J.)
for(int i = 0; i < 50 && i < listView.Items.Count; i++)
{
ListViewItem lvi = listView.Items[i];
}
Or just use a regular for loop instead of foreach. A for loop is slightly faster (though you won't notice the difference except in very time critical code).
Why not just use a regular for loop?
for(int i = 0; i < 50 && i < listView.Items.Count; i++)
{
ListViewItem lvi = listView.Items[i];
}
Updated to resolve bug pointed out by Ruben and Pragmatrix.