本篇文章主要介紹了c#中Winform實現多線程非同步更新UI(進度及狀態資訊) ,小編覺得挺不錯的,現在分享給大家,也給大家做個參考。一起跟隨小編過來看看吧
引言
在進行Winform程式開發需要進行大量的資料的讀寫操作的時候,往往會需要一定的時間,然在這個時間段裡面,介面ui得不到更新,導致在使用者看來介面處於假死的狀態,造成了不好的使用者體驗。所以在大量資料操作的應用上,需要使用多線程來處理這種情況。在c#中使用多線程很方便只需要使用System.Threading.Thread的一個執行個體的Start方法就行了,但是如何?多線程之間的互動就不是那麼簡單。本文實現了用子線程去處理資料,並即時更新主線程的ui狀態了。下面就開始一步步的去實現非同步線程更新ui的demo程式吧。
應用背景
寫入一定量的資料到文字檔中,同時需要在主介面中反應出寫入資料的即時進度情況。要求:需要將寫入資料封裝成一個類。
實現過程
1、首先建立一個winform項目,在主表單上拖入一個button,一個progressbar,一個lable。如所示。
2、編寫一個處理資料的類(WriteDate),原始碼如下。
public class DataWrite { public delegate void UpdateUI(int step);//聲明一個更新主線程的委託 public UpdateUI UpdateUIDelegate; public delegate void AccomplishTask();//聲明一個在完成任務時通知主線程的委託 public AccomplishTask TaskCallBack; public void Write(object lineCount) { StreamWriter writeIO = new StreamWriter("text.txt", false, Encoding.GetEncoding("gb2312")); string head = "編號,省,市"; writeIO.Write(head); for (int i = 0; i < (int)lineCount; i++) { writeIO.WriteLine(i.ToString() + ",湖南,衡陽"); //寫入一條資料,調用更新主線程ui狀態的委託 UpdateUIDelegate(1); } //任務完成時通知主線程作出相應的處理 TaskCallBack(); writeIO.Close(); } }
3、主介面中的代碼如下:
首先要建立一個委託來實現非建立控制項的線程更新控制項。
delegate void AsynUpdateUI(int step);
然後編寫多線程去啟動寫入資料的方法以及回調的函數。
private void btnWrite_Click(object sender, EventArgs e) { int taskCount = 10000; //任務量為10000 this.pgbWrite.Maximum = taskCount; this.pgbWrite.Value = 0; DataWrite dataWrite = new DataWrite();//執行個體化一個寫入資料的類 dataWrite.UpdateUIDelegate += UpdataUIStatus;//綁定更新任務狀態的委託 dataWrite.TaskCallBack += Accomplish;//綁定完成任務要調用的委託 Thread thread = new Thread(new ParameterizedThreadStart(dataWrite.Write)); thread.IsBackground = true; thread.Start(taskCount); } //更新UI private void UpdataUIStatus(int step) { if (InvokeRequired) { this.Invoke(new AsynUpdateUI(delegate(int s) { this.pgbWrite.Value += s; this.lblWriteStatus.Text = this.pgbWrite.Value.ToString() + "/" + this.pgbWrite.Maximum.ToString(); }), step); } else { this.pgbWrite.Value += step; this.lblWriteStatus.Text = this.pgbWrite.Value.ToString() + "/" + this.pgbWrite.Maximum.ToString(); } } //完成任務時需要調用 private void Accomplish() { //還可以進行其他的一些完任務完成之後的邏輯處理 MessageBox.Show("任務完成"); }
效果如下:
總結
實現非同步更新ui有很多種方法,但是我認為這種方式是比較靈活,能即時的擷取到任務進行的狀態,並且對之進行相應的處理。這種模式還適用於使用多個線程同時寫入不同的資料到不同的檔案中去。