我正在使用以下函数添加items.this函数可以正常工作但是执行需要很长时间。请帮助我减少listview中添加项目的执行时间。
功能:
listViewCollection.Clear();
listViewCollection.LargeImageList = imgList;
listViewCollection.LargeImageList.ImageSize = new System.Drawing.Size(100, 100);
foreach (var dr in Ringscode.Where(S => !S.IsSold))
{
listViewCollection.Items.Insert(0,
new ListViewItem(dr.CodeNo.ToString(), dr.RingID.ToString()));
imgList.Images.Add(dr.RingID.ToString(), binaryToImage(dr.Image));
}
public Image binaryToImage(System.Data.Linq.Binary binary)
{
byte[] b = binary.ToArray();
MemoryStream ms = new MemoryStream(b);
Image img = Image.FromStream(ms);
return img;
}
答案 0 :(得分:1)
如果你在同一个非UI工作中,你需要期望你的UI会很慢 线程(在您的情况下,操纵流和图像)。解决方案是将此工作卸载到另一个线程,将UI线程留给用户。工作线程完成后,告诉UI线程进行更新。
第二点是,当批量更新ListView数据时,您应该告诉ListView等到完成所有操作。
如果你这样做会更好。评论是内联的。
// Create a method which will be executed in background thread,
// in order not to block UI
void StartListViewUpdate()
{
// First prepare the data you need to display
List<ListViewItem> newItems = new List<ListViewItem>();
foreach (var dr in Ringscode.Where(S => !S.IsSold))
{
newItems.Insert(0,
new ListViewItem(dr.CodeNo.ToString(), dr.RingID.ToString()));
imgList.Images.Add(dr.RingID.ToString(), binaryToImage(dr.Image));
}
// Tell ListView to execute UpdateListView method on UI thread
// and send needed parameters
listView.BeginInvoke(new UpdateListDelegate(UpdateListView), newItems);
}
// Create delegate definition for methods you need delegates for
public delegate void UpdateListDelegate(List<ListViewItem> newItems);
void UpdateListView(List<ListViewItem> newItems)
{
// Tell ListView not to update until you are finished with updating it's
// data source
listView.BeginUpdate();
// Replace the data
listViewCollection.Clear();
listViewCollection.LargeImageList = imgList;
listViewCollection.LargeImageList.ImageSize = new System.Drawing.Size(100, 100);
foreach (ListViewItem item in newItems)
listViewCollection.Add(item);
// Tell ListView it can now update
listView.EndUpdate();
}
// Somewhere in your code, spin off StartListViewUpdate on another thread
...
ThreadPool.QueueUserWorkItem(new WaitCallback(StartListViewUpdate));
...
你可能需要修改一些内容,因为我内联编写了这个内容,并没有在VS中测试它。