i'm adding a few thousand (e.g. 53,709) items to a WinForms ListView.
Attempt 1: 13,870 ms
foreach (Object o in list)
{
ListViewItem item = new ListViewItem();
RefreshListViewItem(item, o);
listView.Items.Add(item);
}
This runs very badly. The obvious first fix is to call BeginUpdate/EndUpdate
.
Attempt 2: 3,106 ms
listView.BeginUpdate();
foreach (Object o in list)
{
ListViewItem item = new ListViewItem();
RefreshListViewItem(item, o);
listView.Items.Add(item);
}
listView.EndUpdate();
This is better, but still an order of magnitude too slow. Let's separate creation of ListViewItems from adding ListViewItems, so we find the actual culprit:
Attempt 3: 2,631 ms
var items = new List<ListViewItem>();
foreach (Object o in list)
{
ListViewItem item = new ListViewItem();
RefreshListViewItem(item, o);
items.Add(item);
}
stopwatch.Start();
listView.BeginUpdate();
foreach (ListViewItem item in items)
listView.Items.Add(item));
listView.EndUpdate();
stopwatch.Stop()
The real bottleneck is adding the items. Let's try converting it to AddRange
rather than a foreach
Attempt 4: 2,182 ms
listView.BeginUpdate();
listView.Items.AddRange(items.ToArray());
listView.EndUpdate();
A bit better. Let's be sure that the bottleneck isn't in the ToArray()
Attempt 5: 2,132 ms
ListViewItem[] arr = items.ToArray();
stopwatch.Start();
listView.BeginUpdate();
listView.Items.AddRange(arr);
listView.EndUpdate();
stopwatch.Stop();
The limitation seems to be adding items to the listview. Maybe the other overload of AddRange
, where we add a ListView.ListViewItemCollection
rather than an array
Attempt 6: 2,141 ms
listView.BeginUpdate();
ListView.ListViewItemCollection lvic = new ListView.ListViewItemCollection(listView);
lvic.AddRange(arr);
listView.EndUpdate();
Well that's no better.
Now it's time to stretch:
Step 1 - make sure no column is set to "auto-width":
Check
Step 2 - make sure the ListView isn't trying to sort the items each time i add one:
Check
Step 3 - Ask stackoverflow:
Check
Note: Obviously this ListView is not in virtual mode; since you don't/cannot "add" items to a virtual list view (you set the VirtualListSize
). Fortunately my question is not about a list view in virtual mode.
Is there anything i am missing that might account for adding items to the listview being so slow?
Bonus Chatter
i know the Windows ListView class can do better, because i can write code that does it in 394 ms
:
ListView1.Items.BeginUpdate;
for i := 1 to 53709 do
ListView1.Items.Add();
ListView1.Items.EndUpdate;
which when compared to the equivalent C# code 1,349 ms
:
listView.BeginUpdate();
for (int i = 1; i <= 53709; i++)
listView.Items.Add(new ListViewItem());
listView.EndUpdate();
is an order of magnitude faster.
What property of the WinForms ListView wrapper am i missing?
See Question&Answers more detail:
os