Winform 通过Invoke改变UI

时间:2022-02-07 01:00:03

在Winfrom 程序中如果直接在子线程中更新主线程的UI会触发如下线程间操作无效异常。
异常如下图所示:
Winform 通过Invoke改变UI

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

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

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

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

private void proc()
{
      this.Invoke(new EventHandler(delegate
      {
          this.label1.Text= "改變後UI";
      }));
}

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

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

完整代码如下:

using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Threading;
using System.Windows.Forms;
using System.Security.Cryptography;

namespace WinformExercise
{
    public partial class Form1 : Form
    {
        public Form1()
        {
            InitializeComponent();
        }

        private void button1_Click(object sender, EventArgs e)
        {
            Thread t = new Thread(proc);
            t.Start();
        }

        private void proc()
        {
            this.Invoke(new EventHandler(delegate
            {
                this.label1.Text = "改變後UI";
            }));

        }
    }
}