WCF休息服务错误处理& WebChannelFactory

时间:2012-05-03 18:04:59

标签: wcf rest webchannelfactory

根据我的理解,以下内容应该正确地从WCF Rest服务中抛出自定义错误:

[DataContract(Namespace = "")]
public class ErrorHandler
{
    [DataMember]
    public int errorCode { get; set; }

    [DataMember]
    public string errorMessage { get; set; }
} // End of ErrorHandler

public class Implementation : ISomeInterface
{
    public string SomeMethod()
    {
        throw new WebFaultException<ErrorHandler>(new ErrorHandler()
        {
            errorCode = 5,
            errorMessage = "Something failed"
        }, System.Net.HttpStatusCode.BadRequest);
    }
}

在Fiddler中,这似乎有效,我得到以下原始数据:

HTTP/1.1 400 Bad Request
Cache-Control: private
Content-Length: 145
Content-Type: application/xml; charset=utf-8
Server: Microsoft-IIS/7.5
X-AspNet-Version: 4.0.30319
Set-Cookie: ASP.NET_SessionId=gwsy212sbjfxdfzslgyrmli1; path=/; HttpOnly
X-Powered-By: ASP.NET
Date: Thu, 03 May 2012 17:49:14 GMT

<ErrorHandler xmlns:i="http://www.w3.org/2001/XMLSchema-instance"><errorCode>5</errorCode><errorMessage>Something failed</errorMessage></ErrorHandler>

但是现在我的客户端有以下代码:

WebChannelFactory<ISomeInterface> client = new WebChannelFactory<ISomeInterface>(new Uri(targetHost));

ISomeInterface someInterface = client.CreateChannel();
try
{
  var result = someInterface.SomeMethod();
}
catch(Exception ex)
{
   // Try to examine the ErrorHandler to get additional details.
}

现在,当代码运行时,它会命中捕获并且是System.ServiceModel.ProtocolException,并显示消息“远程服务器返回了意外响应:(400)错误请求。”。看来我现在无法看到ErrorHandler的详细信息。有没有人碰到这个?有没有办法在这一点上获得ErrorHander的详细信息?

1 个答案:

答案 0 :(得分:4)

WebChannelFactoryChannelFactory只会向您透露通用CommunicationException。您需要使用IClientMessageInspector行为或依赖WebRequest来返回实际错误。

对于IClientMessageInspector方法 - 请参阅this blog entry中的评论。

对于WebRequest方法,您可以通过以下方式捕捉WebException

try { }
catch (Exception ex)
{
    if (ex.GetType().IsAssignableFrom(typeof(WebException)))
    {
        WebException webEx = ex as WebException;
        if (webEx.Status == WebExceptionStatus.ProtocolError)
        {
            using (StreamReader exResponseReader = new StreamReader(webEx.Response.GetResponseStream()))
            {
                string exceptionMessage = exResponseReader.ReadToEnd();
                Trace.TraceInformation("Internal Error: {0}", exceptionMessage);
            }
        }
    }
}
相关问题