如何在 c# 中更新来自另一个非 UI 线程的文本标签

本文关键字:另一个 UI 线程 文本标签 更新 | 更新日期: 2023-09-27 18:35:04

我有一个主线程为我的表单启动一个线程。我想从主线程更新标签 1 文本。我已经创建了我的委托和更新它的方法,但我不知道如何访问表单线程和修改 label1 文本。

这是我的主要代码:

public class Program
{
    /// <summary>
    /// The main entry point for the application.
    /// </summary>
    [STAThread]
    static void Main()
    {
        //Thread l'affichage de la form
        Program SecondThread = new Program();
        Thread th = new Thread(new ThreadStart(SecondThread.ThreadForm));
        th.Start();  
        //Update the label1 text
    }
    public void ThreadForm()
    {
        Application.EnableVisualStyles();
        Application.SetCompatibleTextRenderingDefault(false);
        Application.Run(new Form1());
    }
}

这是我的表单1的代码:

 public partial class Form1 : Form
{
    public delegate void SetTextLabelDelegate(string text);
    public void SetTexLabel(string text)
    {
        if (this.label1.InvokeRequired)
        {
            SetTextLabelDelegate SetLabel = new SetTextLabelDelegate(SetTexLabel);
            this.Invoke(SetLabel, new object[] { text });
        }
        else
        {
            this.label1.Text = text;
            this.Refresh();
        }       
    }
    public Form1()
    {
        InitializeComponent();
    }
}

如何访问表单线程并修改标签1文本?我正在使用C#和.Net 4.5。

如何在 c# 中更新来自另一个非 UI 线程的文本标签

您需要有权访问第二个线程上的 Form 对象,因此您需要在 Program 类中公开它。 然后,在您的主要环境中,您应该能够通过该公开的属性进行设置。

public class Program
{
    /// <summary>
    /// The main entry point for the application.
    /// </summary>
    [STAThread]
    static void Main()
    {
        //Thread l'affichage de la form
        Program SecondThread = new Program();
        Thread th = new Thread(new ThreadStart(SecondThread.ThreadForm));
        th.Start();  
        //Update the label1 text
        while (SecondThread.TheForm == null) 
        {
          Thread.Sleep(1);
        } 
        SecondThread.TheForm.SetTextLabel("foo");
    }
    internal Form1 TheForm {get; private set; }
    public void ThreadForm()
    {
        Application.EnableVisualStyles();
        Application.SetCompatibleTextRenderingDefault(false);
        var form1 = new Form1();
        Application.Run(form1);
        TheForm = form1;
    }

}