使用 JAX-WS 跟踪 XML 请求/响应
2022-08-31 06:26:21
有没有一种简单的方法(又名:不使用代理)来访问使用 JAX-WS 参考实现发布的 Web 服务的原始请求/响应 XML(JDK 1.5 及更高版本中包含的那个)?能够通过代码做到这一点是我需要做的。只需通过巧妙的日志记录配置将其记录到文件中即可,但足够了。
我知道存在其他更复杂和更完整的框架可以做到这一点,但我想让它尽可能简单,axis,cxf等都会增加相当大的开销,我想避免。
谢谢!
有没有一种简单的方法(又名:不使用代理)来访问使用 JAX-WS 参考实现发布的 Web 服务的原始请求/响应 XML(JDK 1.5 及更高版本中包含的那个)?能够通过代码做到这一点是我需要做的。只需通过巧妙的日志记录配置将其记录到文件中即可,但足够了。
我知道存在其他更复杂和更完整的框架可以做到这一点,但我想让它尽可能简单,axis,cxf等都会增加相当大的开销,我想避免。
谢谢!
以下选项可以记录与控制台的所有通信(从技术上讲,您只需要其中一个,但这取决于您使用的库,因此设置所有四个是更安全的选项)。您可以在代码中(如示例)将其设置为示例,也可以使用 -D 将其设置为命令行参数,或者将其设置为 Upendra 编写的环境变量。
System.setProperty("com.sun.xml.ws.transport.http.client.HttpTransportPipe.dump", "true");
System.setProperty("com.sun.xml.internal.ws.transport.http.client.HttpTransportPipe.dump", "true");
System.setProperty("com.sun.xml.ws.transport.http.HttpAdapter.dump", "true");
System.setProperty("com.sun.xml.internal.ws.transport.http.HttpAdapter.dump", "true");
System.setProperty("com.sun.xml.internal.ws.transport.http.HttpAdapter.dumpTreshold", "999999");
有关详细信息,请参阅问题“发生错误时使用 JAX-WS 跟踪 XML 请求/响应”。
以下是原始代码中的解决方案(由于stjohnroe和Shamik而放在一起):
Endpoint ep = Endpoint.create(new WebserviceImpl());
List<Handler> handlerChain = ep.getBinding().getHandlerChain();
handlerChain.add(new SOAPLoggingHandler());
ep.getBinding().setHandlerChain(handlerChain);
ep.publish(publishURL);
SOAPLoggingHandler在哪里(从链接的示例中翻录):
package com.myfirm.util.logging.ws;
import java.io.PrintStream;
import java.util.Map;
import java.util.Set;
import javax.xml.namespace.QName;
import javax.xml.soap.SOAPMessage;
import javax.xml.ws.handler.MessageContext;
import javax.xml.ws.handler.soap.SOAPHandler;
import javax.xml.ws.handler.soap.SOAPMessageContext;
/*
* This simple SOAPHandler will output the contents of incoming
* and outgoing messages.
*/
public class SOAPLoggingHandler implements SOAPHandler<SOAPMessageContext> {
// change this to redirect output if desired
private static PrintStream out = System.out;
public Set<QName> getHeaders() {
return null;
}
public boolean handleMessage(SOAPMessageContext smc) {
logToSystemOut(smc);
return true;
}
public boolean handleFault(SOAPMessageContext smc) {
logToSystemOut(smc);
return true;
}
// nothing to clean up
public void close(MessageContext messageContext) {
}
/*
* Check the MESSAGE_OUTBOUND_PROPERTY in the context
* to see if this is an outgoing or incoming message.
* Write a brief message to the print stream and
* output the message. The writeTo() method can throw
* SOAPException or IOException
*/
private void logToSystemOut(SOAPMessageContext smc) {
Boolean outboundProperty = (Boolean)
smc.get (MessageContext.MESSAGE_OUTBOUND_PROPERTY);
if (outboundProperty.booleanValue()) {
out.println("\nOutbound message:");
} else {
out.println("\nInbound message:");
}
SOAPMessage message = smc.getMessage();
try {
message.writeTo(out);
out.println(""); // just to add a newline
} catch (Exception e) {
out.println("Exception in handler: " + e);
}
}
}