Я телефоную до цієї веб-служби в коді, і я хотів би побачити XML, але я не можу знайти властивість, яке його розкриває.
Я телефоную до цієї веб-служби в коді, і я хотів би побачити XML, але я не можу знайти властивість, яке його розкриває.
Відповіді:
Я думаю, ви мали на увазі, що хочете бачити XML у клієнта, а не відстежувати його на сервері. У такому випадку ваша відповідь на запитання, на яке я посилався вище, а також на тему Як перевірити або змінити повідомлення на клієнті . Але оскільки у версії цієї статті .NET 4 відсутній C #, а в прикладі .NET 3.5 є певна плутанина (якщо не помилка), тут вона розширена для вашої мети.
Ви можете перехопити повідомлення, перш ніж воно згасне, за допомогою IClientMessageInspector :
using System.ServiceModel.Dispatcher;
public class MyMessageInspector : IClientMessageInspector
{ }
Методи в цьому інтерфейсі BeforeSendRequest
і AfterReceiveReply
надають вам доступ до запиту та відповіді. Щоб використовувати інспектор, вам потрібно додати його до IEndpointBehavior :
using System.ServiceModel.Description;
public class InspectorBehavior : IEndpointBehavior
{
public void ApplyClientBehavior(ServiceEndpoint endpoint, ClientRuntime clientRuntime)
{
clientRuntime.MessageInspectors.Add(new MyMessageInspector());
}
}
Ви можете залишити інші методи цього інтерфейсу як порожні реалізації, якщо ви також не хочете використовувати їх функціонал. Прочитайте інструкції, щоб дізнатися більше.
Після створення екземпляра клієнта додайте поведінку до кінцевої точки. Використання імен за замовчуванням із зразка проекту WCF:
ServiceReference1.Service1Client client = new ServiceReference1.Service1Client();
client.Endpoint.Behaviors.Add(new InspectorBehavior());
client.GetData(123);
Встановити точку зупинки в MyMessageInspector.BeforeSendRequest()
; request.ToString()
перевантажено, щоб показати XML.
Якщо ви взагалі збираєтеся маніпулювати повідомленнями, вам доведеться попрацювати над копією повідомлення. Детальніше див. У розділі Використання класу повідомлень .
Завдяки відповіді Зака Бонема на ще одне запитання за пошук цих посилань.
Використовуйте трасування / реєстрацію повідомлень .
Ви завжди можете використовувати Fiddler для перегляду запитів HTTP та відповіді.
Використовуйте трасування System.Net .
OperationContext.Current.RequestContext.RequestMessage
цей контекст є доступним на стороні сервера під час обробки запиту. Це не працює для односторонніх операцій
Просто ми можемо простежити повідомлення запиту як.
OperationContext context = OperationContext.Current;
if (context != null && context.RequestContext != null)
{
Message msg = context.RequestContext.RequestMessage;
string reqXML = msg.ToString();
}
Я просто хотів додати це до відповіді від Кімберлі. Можливо, це може заощадити трохи часу та уникнути помилок компіляції за нереалізацію всіх методів, які вимагає інтерфейс IEndpointBehaviour.
З найкращими побажаннями
Нікі
/*
// This is just to illustrate how it can be implemented on an imperative declarared binding, channel and client.
string url = "SOME WCF URL";
BasicHttpBinding wsBinding = new BasicHttpBinding();
EndpointAddress endpointAddress = new EndpointAddress(url);
ChannelFactory<ISomeService> channelFactory = new ChannelFactory<ISomeService>(wsBinding, endpointAddress);
channelFactory.Endpoint.Behaviors.Add(new InspectorBehavior());
ISomeService client = channelFactory.CreateChannel();
*/
public class InspectorBehavior : IEndpointBehavior
{
public void AddBindingParameters(ServiceEndpoint endpoint, System.ServiceModel.Channels.BindingParameterCollection bindingParameters)
{
// No implementation necessary
}
public void ApplyClientBehavior(ServiceEndpoint endpoint, ClientRuntime clientRuntime)
{
clientRuntime.MessageInspectors.Add(new MyMessageInspector());
}
public void ApplyDispatchBehavior(ServiceEndpoint endpoint, EndpointDispatcher endpointDispatcher)
{
// No implementation necessary
}
public void Validate(ServiceEndpoint endpoint)
{
// No implementation necessary
}
}
public class MyMessageInspector : IClientMessageInspector
{
public object BeforeSendRequest(ref Message request, IClientChannel channel)
{
// Do something with the SOAP request
string request = request.ToString();
return null;
}
public void AfterReceiveReply(ref System.ServiceModel.Channels.Message reply, object correlationState)
{
// Do something with the SOAP reply
string replySoap = reply.ToString();
}
}
Я використовую наведене нижче рішення для хостингу IIS у режимі сумісності ASP.NET. Подяки до блогу MSDN Родні Віани .
Додайте до свого web.config наступне в розділі appSettings:
<add key="LogPath" value="C:\\logpath" />
<add key="LogRequestResponse" value="true" />
Замініть ваш global.asax.cs нижче (також виправте ім'я простору імен):
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.Security;
using System.Web.SessionState;
using System.Text;
using System.IO;
using System.Configuration;
namespace Yournamespace
{
public class Global : System.Web.HttpApplication
{
protected static bool LogFlag;
protected static string fileNameBase;
protected static string ext = "log";
// One file name per day
protected string FileName
{
get
{
return String.Format("{0}{1}.{2}", fileNameBase, DateTime.Now.ToString("yyyy-MM-dd"), ext);
}
}
protected void Application_Start(object sender, EventArgs e)
{
LogFlag = bool.Parse(ConfigurationManager.AppSettings["LogRequestResponse"].ToString());
fileNameBase = ConfigurationManager.AppSettings["LogPath"].ToString() + @"\C5API-";
}
protected void Session_Start(object sender, EventArgs e)
{
}
protected void Application_BeginRequest(object sender, EventArgs e)
{
if (LogFlag)
{
// Creates a unique id to match Rquests with Responses
string id = String.Format("Id: {0} Uri: {1}", Guid.NewGuid(), Request.Url);
FilterSaveLog input = new FilterSaveLog(HttpContext.Current, Request.Filter, FileName, id);
Request.Filter = input;
input.SetFilter(false);
FilterSaveLog output = new FilterSaveLog(HttpContext.Current, Response.Filter, FileName, id);
output.SetFilter(true);
Response.Filter = output;
}
}
protected void Application_AuthenticateRequest(object sender, EventArgs e)
{
}
protected void Application_Error(object sender, EventArgs e)
{
}
protected void Session_End(object sender, EventArgs e)
{
}
protected void Application_End(object sender, EventArgs e)
{
}
}
class FilterSaveLog : Stream
{
protected static string fileNameGlobal = null;
protected string fileName = null;
protected static object writeLock = null;
protected Stream sinkStream;
protected bool inDisk;
protected bool isClosed;
protected string id;
protected bool isResponse;
protected HttpContext context;
public FilterSaveLog(HttpContext Context, Stream Sink, string FileName, string Id)
{
// One lock per file name
if (String.IsNullOrWhiteSpace(fileNameGlobal) || fileNameGlobal.ToUpper() != fileNameGlobal.ToUpper())
{
fileNameGlobal = FileName;
writeLock = new object();
}
context = Context;
fileName = FileName;
id = Id;
sinkStream = Sink;
inDisk = false;
isClosed = false;
}
public void SetFilter(bool IsResponse)
{
isResponse = IsResponse;
id = (isResponse ? "Reponse " : "Request ") + id;
//
// For Request only read the incoming stream and log it as it will not be "filtered" for a WCF request
//
if (!IsResponse)
{
AppendToFile(String.Format("at {0} --------------------------------------------", DateTime.Now));
AppendToFile(id);
if (context.Request.InputStream.Length > 0)
{
context.Request.InputStream.Position = 0;
byte[] rawBytes = new byte[context.Request.InputStream.Length];
context.Request.InputStream.Read(rawBytes, 0, rawBytes.Length);
context.Request.InputStream.Position = 0;
AppendToFile(rawBytes);
}
else
{
AppendToFile("(no body)");
}
}
}
public void AppendToFile(string Text)
{
byte[] strArray = Encoding.UTF8.GetBytes(Text);
AppendToFile(strArray);
}
public void AppendToFile(byte[] RawBytes)
{
bool myLock = System.Threading.Monitor.TryEnter(writeLock, 100);
if (myLock)
{
try
{
using (FileStream stream = new FileStream(fileName, FileMode.OpenOrCreate, FileAccess.ReadWrite))
{
stream.Position = stream.Length;
stream.Write(RawBytes, 0, RawBytes.Length);
stream.WriteByte(13);
stream.WriteByte(10);
}
}
catch (Exception ex)
{
string str = string.Format("Unable to create log. Type: {0} Message: {1}\nStack:{2}", ex, ex.Message, ex.StackTrace);
System.Diagnostics.Debug.WriteLine(str);
System.Diagnostics.Debug.Flush();
}
finally
{
System.Threading.Monitor.Exit(writeLock);
}
}
}
public override bool CanRead
{
get { return sinkStream.CanRead; }
}
public override bool CanSeek
{
get { return sinkStream.CanSeek; }
}
public override bool CanWrite
{
get { return sinkStream.CanWrite; }
}
public override long Length
{
get
{
return sinkStream.Length;
}
}
public override long Position
{
get { return sinkStream.Position; }
set { sinkStream.Position = value; }
}
//
// For WCF this code will never be reached
//
public override int Read(byte[] buffer, int offset, int count)
{
int c = sinkStream.Read(buffer, offset, count);
return c;
}
public override long Seek(long offset, System.IO.SeekOrigin direction)
{
return sinkStream.Seek(offset, direction);
}
public override void SetLength(long length)
{
sinkStream.SetLength(length);
}
public override void Close()
{
sinkStream.Close();
isClosed = true;
}
public override void Flush()
{
sinkStream.Flush();
}
// For streamed responses (i.e. not buffered) there will be more than one Response (but the id will match the Request)
public override void Write(byte[] buffer, int offset, int count)
{
sinkStream.Write(buffer, offset, count);
AppendToFile(String.Format("at {0} --------------------------------------------", DateTime.Now));
AppendToFile(id);
AppendToFile(buffer);
}
}
}
Він повинен створити файл журналу в папці LogPath із запитом і відповіддю XML.
Існує ще один спосіб побачити XML SOAP - власний MessageEncoder . Основна відмінність від IClientMessageInspector полягає в тому, що він працює на нижчому рівні, тому він фіксує вихідний вміст байтів, включаючи будь-який неправильний XML-файл.
Для того, щоб реалізувати трасування за допомогою цього підходу, вам потрібно обернути стандартне кодування textMessageEnc із користувацьким кодером повідомлень як новий елемент прив'язки та застосувати це спеціальне прив'язку до кінцевої точки у вашій конфігурації .
Також ви можете побачити як приклад, як я це зробив у своєму проекті - обтікання textMessageEncoding, кодування журналу , спеціальний елемент прив'язки та конфігурацію .