Winfrom中通过Invoke来更新UI

时间:2022-08-27 23:30:14

Winfrom中通过Invoke来更新UI

Winfrom 程序中如果直接在子线程中更新主线程的UI会触发如下异常,

Winfrom中通过Invoke来更新UI

using System;

usingSystem.Collections.Generic;

usingSystem.ComponentModel;

usingSystem.Data;

usingSystem.Drawing;

usingSystem.Linq;

usingSystem.Text;

usingSystem.Threading;

usingSystem.Windows.Forms;

namespaceWinformExercise
{
    publicpartialclassForm1 : Form
    {
        public Form1()
        {
            InitializeComponent();
        }
        privatevoidbutton1_Click(object sender,EventArgs e)
        {
            Thread t = newThread(proc);

            t.Start();

        }

        privatevoid proc()
        {
           this.label1.Text= "改變後UI";
        }

    }

}

这是因为控件是在主线程中创建的,在子线程中改变控件状态可能会与主线程发生冲突。如果主线程正在重绘控件外观,而此时子线程要改变控件状态则会造成画面混乱。

解决方案就是使用Invoke, Invoke方法会顺着控件树向上搜索直到找到创建控件的那个线程(通常是主线程),然后进入那个线程改变控件的外观,确保不发生线程冲突。写法如下:

privatevoid proc()
{

   this.label1.Invoke(newEventHandler(delegate
       {
           this.label1.Text= "改變後UI";
       }));
}

Invoke方法需要创建一个委托。

对于不同控件都有相应的Invoke方法,可以使用主窗口的Invoke方法,将要改变的控件写在一起

privatevoid proc()
{
      this.Invoke(newEventHandler(delegate
      {
          this.label1.Text= "改變後UI";
      }));
}

C# 3.0及以后的版本中可以使用Lamda表达式,对于上面的匿名委托,可以使用Action封装方法,代码如下:

privatevoid proc()
{
   this.Invoke(newAction(()=>
   {

        this.label1.Text= "改變後UI";

   }));
}