我有一个应用程序,它使用由服务引用生成的ClientBase对象来调用第三方WCF SOAP服务。每隔一段时间,服务调用返回一个错误异常,而不是“处理请求时发生错误”的异常消息,这是完全通用的。
即使在服务错误期间,也应该有响应带回的跟踪ID值,以便该服务的开发人员可以调试/解决任何问题。因此,我理想的是在出现异常时记录返回到ClientBase对象的原始响应。如果可能的话,我不想记录每条消息,这对IMO来说太过分了。
有没有办法使用ClientBase捕获它?也许有一些上下文对象包含原始响应内容?如果可能,这需要内置到我的应用程序中。我知道有些工具可以作为客户端和服务之间的代理,可以记录http请求/响应,但这不是我想要的。
答案 0 :(得分:15)
在ClientBase
本身,您无法获得该信息。但您可以在客户端(IClientMessageInspector
)添加自定义消息检查器,您可以在其中查看正在接收的所有消息;对于这些消息,您可以检查IsFault
属性,如果是,则根据需要记录消息。
更新:添加示例代码
using System.ServiceModel.Channels;
using System.ServiceModel.Dispatcher;
public class StackOverflow_12842014
{
[ServiceContract]
public interface ITest
{
[OperationContract]
string Echo(string text);
}
public class Service : ITest
{
public string Echo(string text)
{
if (text == "throw") throw new ArgumentException("Throwing as requested");
return text;
}
}
class MyClient : ClientBase<ITest>, ITest
{
public MyClient(Binding binding, EndpointAddress address)
: base(binding, address)
{
this.Endpoint.Behaviors.Add(new MyFaultLogger());
}
public string Echo(string text)
{
return this.Channel.Echo(text);
}
class MyFaultLogger : IEndpointBehavior, IClientMessageInspector
{
public void AddBindingParameters(ServiceEndpoint endpoint, BindingParameterCollection bindingParameters)
{
}
public void ApplyClientBehavior(ServiceEndpoint endpoint, ClientRuntime clientRuntime)
{
clientRuntime.MessageInspectors.Add(this);
}
public void ApplyDispatchBehavior(ServiceEndpoint endpoint, EndpointDispatcher endpointDispatcher)
{
}
public void Validate(ServiceEndpoint endpoint)
{
}
public void AfterReceiveReply(ref Message reply, object correlationState)
{
if (reply.IsFault)
{
Console.ForegroundColor = ConsoleColor.Red;
Console.WriteLine("Fault received!: {0}", reply);
Console.ResetColor();
}
}
public object BeforeSendRequest(ref Message request, IClientChannel channel)
{
return null;
}
}
}
public static void Test()
{
string baseAddress = "http://" + Environment.MachineName + ":8000/Service";
ServiceHost host = new ServiceHost(typeof(Service), new Uri(baseAddress));
host.Description.Behaviors.Find<ServiceDebugBehavior>().IncludeExceptionDetailInFaults = true;
host.AddServiceEndpoint(typeof(ITest), new BasicHttpBinding(), "");
host.Open();
Console.WriteLine("Host opened");
MyClient client = new MyClient(new BasicHttpBinding(), new EndpointAddress(baseAddress));
Console.WriteLine(client.Echo("Hello"));
try
{
Console.WriteLine(client.Echo("throw"));
}
catch (Exception)
{
Console.WriteLine("The fault should have been traced");
}
client.Close();
Console.Write("Press ENTER to close the host");
Console.ReadLine();
host.Close();
}
}
答案 1 :(得分:0)
您可以考虑另一种捕获XML的方法-custom MessageEncoder。与IClientMessageInspector
不同,它处理http正文的原始字节内容。
您需要使用textMessageEncoding作为新的custom message encoder包装标准的binding element并将自定义绑定应用于config中的端点。
您还可以查看我在项目中的工作方式- wrapping textMessageEncoding,日志记录encoder,自定义绑定element和config。