Winform WndProc與多線程交互

小樊
82
2024-08-23 18:26:31

在Winform中,WndProc是窗口過(guò)程,負(fù)責(zé)處理窗口消息。在多線程中,如果需要在其他線程中更新UI控件,需要通過(guò)Invoke方法來(lái)在UI線程中執(zhí)行相應(yīng)的代碼。下面是一個(gè)示例代碼,演示了如何在多線程中更新UI控件:

using System;
using System.Threading;
using System.Windows.Forms;

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

        private void UpdateLabel(string text)
        {
            if (label1.InvokeRequired)
            {
                label1.Invoke(new Action<string>(UpdateLabel), text);
            }
            else
            {
                label1.Text = text;
            }
        }

        protected override void WndProc(ref Message m)
        {
            const int WM_USER = 0x0400;
            const int WM_UPDATE_LABEL = WM_USER + 1;

            switch (m.Msg)
            {
                case WM_UPDATE_LABEL:
                    UpdateLabel("Update by WndProc");
                    break;
            }

            base.WndProc(ref m);
        }

        private void button1_Click(object sender, EventArgs e)
        {
            Thread thread = new Thread(() =>
            {
                Thread.Sleep(2000);
                this.BeginInvoke(new Action(() =>
                {
                    UpdateLabel("Update by thread");
                }));

                this.Invoke(new Action(() =>
                {
                    this.BeginInvoke(new Action(() =>
                    {
                        this.WndProc(ref Message.Create(this.Handle, WM_UPDATE_LABEL, IntPtr.Zero, IntPtr.Zero));
                    }));
                }));
            });
            thread.Start();
        }
    }
}

在上面的示例代碼中,通過(guò)Override WndProc方法,定義了一個(gè)自定義的窗口消息WM_UPDATE_LABEL,當(dāng)收到這個(gè)消息時(shí),會(huì)調(diào)用UpdateLabel方法更新UI控件。在button1_Click事件中,啟動(dòng)一個(gè)新線程,在新線程中通過(guò)Invoke和BeginInvoke方法更新UI控件,并向WndProc發(fā)送自定義消息來(lái)更新UI控件。這樣就實(shí)現(xiàn)了在多線程中更新UI控件的功能。

0