Dan*_*rez 6 c# wcf exception-handling
我正在调用一个WCF服务,它在某些条件下返回一个AggregateException,其中包含通过调用发生的所有问题
另一方面,我得到一个FaultException(这是有道理的,因为WCF只能理解这些异常).问题是,合同的细节不是聚合例外.就好像默认情况下,WCF获取AggregateException异常列表(InnerExceptions)的第一个异常,并封装它.所以在客户端,我只是获得了列表的第一个例外.经过调查,我做了以下事情:
将此添加到合同中
[FaultContract(typeof(AggregateException))]
Run Code Online (Sandbox Code Playgroud)
然后在服务电话上..
try
{
BaseService.Blabla.Delete(item);
}
catch (AggregateException ex)
{
throw new FaultException<AggregateException>(ex);
}
Run Code Online (Sandbox Code Playgroud)
但另一方面,这是:
catch (FaultException<AggregateException> ex)
{
string msg = string.Empty;
foreach (var innerException in ex.Detail.InnerExceptions)
{
msg += innerException + Environment.NewLine;
}
MessageBox.Show(msg);
}
catch (Exception ex)
{
throw ex;
}
Run Code Online (Sandbox Code Playgroud)
它正在进入异常捕获语句,并得到这样的错误(这显然是一些随机错误,因为我没有任何连接问题,并且调试此立即返回,4分钟从未通过):
The socket connection was aborted. This could be caused by an error processing your message or a receive timeout being exceeded by the remote host, or an underlying network resource issue. Local socket timeout was '00:03:59.9939994'. : An existing connection was forcibly closed by the remote host
Run Code Online (Sandbox Code Playgroud)
我错过了什么?
dic*_*ice -1
我怀疑你的问题是在你点击 BaseService 代码之前发生的,所以你实际上并没有抛出 AggregateException。您需要确定抛出什么异常,最简单的方法是在服务器上进行调试,下一个简单的方法是连接一些日志记录。
如果您希望能够轻松跟踪这些内容并能够处理错误等,最好的选择是实现 IErrorHandler,我使用的基本实现通常遵循以下几行:
public class ErrorHandler : IErrorHandler
{
private readonly Action<Exception> LogException;
private readonly Action<Message> LogFault;
public ErrorHandler(Action<Exception> logException, Action<Message> logFault)
{
LogException = logException;
LogFault = logFault;
}
public void ProvideFault(Exception error, MessageVersion version, ref Message fault)
{
if (error is FaultException) // Thrown by WCF - eg request deserialization problems, can be explicitly thrown in code
{
LogFault(fault);
return;
}
var faultCode = new FaultCode("UnknownFault");
if (error is ArgumentOutOfRangeException)
{
faultCode = new FaultCode("ArgumentOutOfRange");
}
var action = OperationContext.Current.IncomingMessageHeaders.Action;
fault = Message.CreateMessage(version, faultCode, error.Message, action);
LogFault(fault);
}
public bool HandleError(Exception error)
{
// Logging of exceptions should occur here as all exceptions will hit HandleError, but some will not hit ProvideFault
LogException(error);
return false; // false allows other handlers to be called - if none return true the dispatcher aborts any session and aborts the InstanceContext if the InstanceContextMode is anything other than Single.
}
}
Run Code Online (Sandbox Code Playgroud)
请注意,上面的代码不会完全满足您的 AggregateException,但会让您走上正确的轨道,如果您选择走这条路线,您还需要注入错误处理程序。