我有一个类似的环境(没有动态服务),并且在客户端通道出现故障时遇到了非常类似的问题。我想出的第一个解决方案是将回调包装在 try/catch 语句中,并在出现问题时删除有问题的客户端,但这有问题并且看起来根本不会扩展。
我最终采用的解决方案是使用委托事件处理程序并使用 BeginInvoke 调用它。如果您还没有查看过CodeProject:WCF/WPF 聊天应用程序 (Chatters)解决方案,我建议您查看一下。
当用户登录时,会创建一个事件处理程序并将其添加到主事件中:
public bool Login()
{
...
_myEventHandler = new ChatEventHandler(MyEventHandler);
ChatEvent += _myEventHandler;
...
}
每当需要广播消息时,都会异步调用事件处理程序:
private void BroadcastMessage(ChatEventArgs e)
{
ChatEventHandler temp = ChatEvent;
if (temp != null)
{
foreach (ChatEventHandler handler in temp.GetInvocationList())
{
handler.BeginInvoke(this, e, new AsyncCallback(EndAsync), null);
}
}
}
当返回返回时,结果会被处理,如果发生了不好的事情,该通道的事件处理程序将被删除:
private void EndAsync(IAsyncResult ar)
{
ChatEventHandler d = null;
try
{
//get the standard System.Runtime.Remoting.Messaging.AsyncResult,and then
//cast it to the correct delegate type, and do an end invoke
System.Runtime.Remoting.Messaging.AsyncResult asres = (System.Runtime.Remoting.Messaging.AsyncResult)ar;
d = ((ChatEventHandler)asres.AsyncDelegate);
d.EndInvoke(ar);
}
catch(Exception ex)
{
ChatEvent -= d;
}
}
上面的代码是从Sacha Barber发布的 WCF/WPF 聊天应用程序中修改的(稍微)。