我在这里看到过其他类似的问题,但似乎无法找到解决我特定问题的方法。
我正在编写Twitch Bot,并且在从服务器收到消息时需要更新主窗体上的列表框。我在名为OnReceive
的TwitchBot.cs类中创建了一个自定义事件,如下所示:
public delegate void Receive(string message);
public event Receive OnReceive;
private void TwitchBot_OnReceive(string message)
{
string[] messageParts = message.Split(' ');
if (messageParts[0] == "PING")
{
// writer is a StreamWriter object
writer.WriteLine("PONG {0}", messageParts[1]);
}
}
该事件是在Listen()
课程的TwitchBot
方法中提出的:
private void Listen()
{
//IRCConnection is a TcpClient object
while (IRCConnection.Connected)
{
// reader is a StreamReader object.
string message = reader.ReadLine();
if (OnReceive != null)
{
OnReceive(message);
}
}
}
连接到IRC后端时,我从新线程调用Listen()
方法:
Thread thread = new Thread(new ThreadStart(Listen));
thread.Start();
然后,我使用以下行订阅了主窗体中的OnReceive
事件:
// bot is an instance of my TwitchBot class
bot.OnReceive += new TwitchBot.Receive(UpdateChat);
最后,UpdateChat()
是主窗体中用于更新列表框的方法:
private void UpdateChat(string message)
{
lstChat.Items.Insert(lstChat.Items.Count, message);
lstChat.SelectedIndex = lstChat.Items.Count - 1;
lstChat.Refresh();
}
当我连接到服务器并运行Listen()
方法时,我得到一个InvalidOperationException
,上面写着“附加信息:跨线程操作无效:控制'lstChat'从除以外的线程访问它创建的线程。“
我已经查找了如何从不同的线程更新UI但只能找到WPF的内容而我正在使用winforms。
答案 0 :(得分:1)
您应该查看Invoke for UI thread
private void UpdateChat(string message)
{
if(this.InvokeRequired)
{
this.Invoke(new MethodInvoker(delegate {
lstChat.Items.Insert(lstChat.Items.Count, message);
lstChat.SelectedIndex = lstChat.Items.Count - 1;
lstCat.Refresh();
}));
} else {
lstChat.Items.Insert(lstChat.Items.Count, message);
lstChat.SelectedIndex = lstChat.Items.Count - 1;
lstCat.Refresh();
}
}