我在java中编写一个简单的代理:
我的第一次尝试是使用JAXB读取xml文件并生成Java对象。 然后我用JAX-WS(IBM WebSphere)发送对象。 我将响应作为“ResponseObject”接收,然后生成为xml代码。我将XML代码写入文件。
此设置效果很好。但...
将java对象发送到WebService时,会生成xml,并且响应会再次创建java对象。我真的不需要那些请求和响应对象。 有没有办法用明文xml直接调用WebService?并以明文xml的形式读取响应,而不是那些响应对象?
(假设xml文件始终有效。)
谢谢
答案 0 :(得分:4)
可以使用{JAME-WS的低级别运行的SAAJ(SOAP with Attachments API for Java)。我希望它比JAX-WS使用更少的系统资源。
请参阅以下示例(从users.skynet.be/pascalbotte/rcx-ws-doc/saajpost.htm复制)
这次不再动态构建SOAP消息,让我们使用简单的文本编辑器并输入我们想要发送的soap消息。
例1-13。文本文件中格式化的SOAP消息:prepared.msg
<SOAP-ENV:Envelope
SOAP-ENV:encodingStyle="http://schemas.xmlsoap.org/soap/encoding/"
xmlns:SOAP-ENV="http://schemas.xmlsoap.org/soap/envelope/"
xmlns:enc="http://schemas.xmlsoap.org/soap/encoding/"
xmlns:xsd="http://www.w3.org/2001/XMLSchema"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
<SOAP-ENV:Header/><SOAP-ENV:Body>
<ans1:readLS xmlns:ans1="http://phonedirlux.homeip.net/types">
<String_1 xsi:type="xsd:string">your message or e-mail</String_1>
</ans1:readLS>
</SOAP-ENV:Body>
</SOAP-ENV:Envelope>
现在代码会更短,您可以轻松地将其用于测试目的。
例1-14。将SOAP消息在文本文件中发布到使用SAAJ
的Web服务
import javax.xml.soap.SOAPConnectionFactory;
import javax.xml.soap.SOAPConnection;
import javax.xml.soap.MessageFactory;
import javax.xml.soap.SOAPMessage;
import javax.xml.soap.SOAPPart;
import java.io.FileInputStream;
import javax.xml.transform.stream.StreamSource;
import javax.xml.transform.TransformerFactory;
import javax.xml.transform.Transformer;
import javax.xml.transform.Source;
import javax.xml.transform.stream.StreamResult;
public class Client {
public static void main(String[] args) {
try {
// Create the connection
SOAPConnectionFactory scf = SOAPConnectionFactory.newInstance();
SOAPConnection conn = scf.createConnection();
// Create message
MessageFactory mf = MessageFactory.newInstance();
SOAPMessage msg = mf.createMessage();
// Object for message parts
SOAPPart sp = msg.getSOAPPart();
StreamSource prepMsg = new StreamSource(
new FileInputStream("path/prepared.msg"));
sp.setContent(prepMsg);
// Save message
msg.saveChanges();
// View input
System.out.println("\n Soap request:\n");
msg.writeTo(System.out);
System.out.println();
// Send
String urlval = "http://www.pascalbotte.be/rcx-ws/rcx";
SOAPMessage rp = conn.call(msg, urlval);
// View the output
System.out.println("\nXML response\n");
// Create transformer
TransformerFactory tff = TransformerFactory.newInstance();
Transformer tf = tff.newTransformer();
// Get reply content
Source sc = rp.getSOAPPart().getContent();
// Set output transformation
StreamResult result = new StreamResult(System.out);
tf.transform(sc, result);
System.out.println();
// Close connection
conn.close();
}
catch (Exception e) {
System.out.println(e.getMessage());
}
}
}