我正在尝试使用WPF创建一个多客户端/服务器聊天小应用程序,但我遇到了一些问题。不幸的是,当我按下Connect按钮时程序崩溃了。
好吧,到目前为止,我使用客户端程序(使用该线程)完成了:
public delegate void UpdateText(object txt);
我有这个方法:
private void UpdateTextBox(object txt)
{
if (msg_log.Dispatcher.CheckAccess())
{
Dispatcher.Invoke(new UpdateText(UpdateTextBox),txt);
}
else
{
msg_log.Dispatcher.Invoke(new UpdateText(UpdateTextBox), txt);
}
}
我正在使用Button_Click事件连接到服务器:
private void connect_Click(object sender, RoutedEventArgs e)
{
if ((nick_name.Text == "") || (ip_addr.Text == "") || (port.Text == ""))
{
MessageBox.Show("Nick name, IP Address and Port fields cannot be null.");
}
else
{
client = new Client();
client.ClientName = nick_name.Text;
client.ServerIp = ip_addr.Text;
client.ServerPort = port.Text;
Thread changer = new System.Threading.Thread(new System.Threading.ParameterizedThreadStart(UpdateTextBox));
changer.Start();
client.OnClientConnected += new OnClientConnectedDelegate(client_OnClientConnected);
client.OnClientConnecting += new OnClientConnectingDelegate(client_OnClientConnecting);
client.OnClientDisconnected += new OnClientDisconnectedDelegate(client_OnClientDisconnected);
client.OnClientError += new OnClientErrorDelegate(client_OnClientError);
client.OnClientFileSending += new OnClientFileSendingDelegate(client_OnClientFileSending);
client.OnDataReceived += new OnClientReceivedDelegate(client_OnDataReceived);
client.Connect();
}
}
请注意,OnClient *事件与private void client_OnDataReceived(object Sender, ClientReceivedArguments R) { UpdateTextBox(R.ReceivedData); }
因此,这些事件应该将一些像“已连接”的文本写入msg_log TextBox
PS。 txt对象曾经是一个字符串变量,但我更改了它,因为ParameterizedThreadStart
只接受对象作为我知道的参数。
非常感谢任何帮助!
提前致谢, 乔治
编辑:按照Abe Heidebrecht的建议编辑了UpdateTextBox方法。
答案 0 :(得分:2)
您的Invoke
电话存在一些问题。
DispatcherPriority.Normal
是多余的(Normal
是默认值)。 Invoke
方法(这可能是您的错误发生的地方)。它应该是这样的:
private void UpdateTextBox(object txt)
{
if (msg_log.Dispatcher.CheckAccess())
{
Dispatcher.Invoke(new UpdateText(UpdateTextBox), txt);
}
else
{
msg_log.Dispatcher.Invoke(new UpdateText(UpdateTextBox), txt);
}
}
编辑StackOverflowException
这将导致StackOverflowException
,因为您在无限循环中调用方法。这种情况正在发生,因为你的方法只是一遍又一遍地调用自己。
Dispatcher.Invoke
所做的是在拥有Dispatcher
的线程上调用传递的委托。仅仅因为msg_log
可能有不同的调度程序,当您调用UpdateTextBox
时,您将委托传递给当前方法,这会导致无限循环。
你真正需要做的是在msg_log对象上调用一个方法,如下所示:
private void UpdateTextBox(object txt)
{
if (msg_log.Dispatcher.CheckAccess())
{
if (txt != null)
msg_log.Text = txt.ToString();
}
else
{
msg_log.Dispatcher.Invoke(new UpdateText(UpdateTextBox), txt);
}
}