我正在尝试获取一个更新GUI的线程,我被建议使用一个事件。
具体来说,应用程序在下面的方法UpdateResult()中给出了交叉线程错误。 我假设我引发的事件是从线程中引发的,因此它正在尝试更新在主线程上运行的GUI。
我做错了什么?
感谢 达莫
C#代码
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;
using System.Threading;
public delegate void UpdateScreenEventHandler();
namespace EventHandler
{
public partial class Form1 : Form
{
public static event UpdateScreenEventHandler _UpdateScreen;
public Form1()
{
InitializeComponent();
}
public void Form1_Load(object sender, EventArgs e)
{
// Add event handlers to Show event.
_UpdateScreen += new UpdateScreenEventHandler(UpdateResult);
}
private void button1_Click(object sender, EventArgs e)
{
// Thread the status check
Thread trd = new Thread(() => Threadmethod());
trd.IsBackground = true;
trd.Start();
}
private void Threadmethod()
{
// Invoke the event.
_UpdateScreen.Invoke();
}
private void UpdateResult()
{
textBox1.Text = "This Is the result";
MessageBox.Show(textBox1.Text);
}
}
}
答案 0 :(得分:3)
该事件是从后台线程触发的,因此如果要从事件处理程序访问UI元素,则需要编组到UI线程。
private void UpdateResult()
{
textBox1.Invoke(new Action( ()=>
{
textBox1.Text = "This Is the result";
MessageBox.Show(textBox1.Text);
});
}
另一种选择是在UI线程中触发事件,以便事件处理程序不需要这样做。
private void Threadmethod()
{
Invoke(new Action(() =>
{
// Invoke the event.
_UpdateScreen.Invoke();
});
}
答案 1 :(得分:0)
您在同一个帖子上设置文本框。从你的活动中调出这个。
private void SetText(string text)
{
// InvokeRequired required compares the thread ID of the
// calling thread to the thread ID of the creating thread.
// If these threads are different, it returns true.
if (this.textBox1.InvokeRequired)
{
SetTextCallback d = new SetTextCallback(SetText);
this.Invoke(d, new object[] { text });
}
else
{
this.textBox1.Text = text;
}
}
这是根据以下MSDN链接:
http://msdn.microsoft.com/en-us/library/ms171728%28v=vs.80%29.aspx