C# 多線程更新界面的錯誤的解決方法

由於一個線程的程序,如果調用一個功能是阻塞的,那麼就會影響到界面的更新,導致使用人員操作不便。所以往往會引入雙線程的工作的方式,主線程負責更新界面和調度,而次線程負責做一些阻塞的工作。

這樣做瞭之後,又會導致一個常見的問題,就是很多開發人員會在次線程裡去更新界面的內容。比如下面的例子:

在上面的例子裡,創建Win forms應用,然後增加下面的代碼:

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

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

        private void button1_Click(object sender, EventArgs e)
        {
            var thread2 = new System.Threading.Thread(WriteTextUnsafe);
            thread2.Start();
        }

        private void WriteTextUnsafe() =>
            textBox1.Text = "This text was set unsafely.";
    }
}

這裡就是使用線程來直接更新界面的內容,就會導致下面的出錯:

這樣在調試的界面就會彈出異常,但是有一些開發人員不是去解決這個問題,而是去關閉開發工具的選項,不讓彈出這個界面。或者不使用調試方式。

其實上面的代碼是有問題的,我們需要把它們修改為下面這種形式:

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

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

        private void button1_Click(object sender, EventArgs e)
        {
            var threadParameters = new System.Threading.ThreadStart(
                delegate { WriteTextSafe("This text was set safely."); });
            var thread2 = new System.Threading.Thread(threadParameters);
            thread2.Start();
        }

        public void WriteTextSafe(string text)
        {
            if (textBox1.InvokeRequired)
            {
                // Call this same method but append THREAD2 to the text
                Action safeWrite = delegate { WriteTextSafe($"{text} (THREAD2)"); };
                textBox1.Invoke(safeWrite);
            }
            else
                textBox1.Text = text;
        }
    }
}

這樣問題,就得瞭解決。這裡使用瞭委托的方式。

到此這篇關於C# 多線程更新界面的錯誤方法詳情的文章就介紹到這瞭,更多相關C# 多線程更新界面的錯誤方法內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: