本例下载地址:
http://dl.iteye.com/topics/download/c647dae6-de86-3eec-9590-7fcf83e9def4
-
WSDL2Java generated Client
-
JAX-WS Proxy
-
JAX-WS Dispatch APIs
-
JAX-WS Client Proxy
-
Dynamic Client
-
Reflection API
-
Service Model API
-
在这里Dispatch本节内容不做介绍。
WSDL2Java generated Client
也就是依据wsdl文件生成java客户端,直接调用。查看调用方式,也就是OrderProcessService的getOrderProcessPort方法,获得服务的引用。
启动服务端
mvn test –Pserver
在启动服务端时,通过maven-compiler-plugin编译class,通过cxf-codegen-plugin依据src/main/resources/OrderProcess.wsdl生成存根类OrderProcessService
- <plugins>
- <plugin>
- <artifactId>maven-compiler-plugin</artifactId>
- <configuration>
- <source>1.5</source>
- <target>1.5</target>
- </configuration>
- </plugin>
- <plugin>
- <groupId>org.apache.cxf</groupId>
- <artifactId>cxf-codegen-plugin</artifactId>
- <version>${cxf.version}</version>
- <executions>
- <execution>
- <id>generate-sources</id>
- <phase>generate-sources</phase>
- <configuration>
- <wsdlOptions>
- <wsdlOption>
- <wsdl>src/main/resources/OrderProcess.wsdl</wsdl>
- </wsdlOption>
- </wsdlOptions>
- </configuration>
- <goals>
- <goal>wsdl2java</goal>
- </goals>
- </execution>
- </executions>
- </plugin>
- </plugins>
<plugins> <plugin> <artifactId>maven-compiler-plugin</artifactId> <configuration> <source>1.5</source> <target>1.5</target> </configuration> </plugin> <plugin> <groupId>org.apache.cxf</groupId> <artifactId>cxf-codegen-plugin</artifactId> <version>${cxf.version}</version> <executions> <execution> <id>generate-sources</id> <phase>generate-sources</phase> <configuration> <wsdlOptions> <wsdlOption> <wsdl>src/main/resources/OrderProcess.wsdl</wsdl> </wsdlOption> </wsdlOptions> </configuration> <goals> <goal>wsdl2java</goal> </goals> </execution> </executions> </plugin> </plugins>
启动客户端
mvn test -PStubClient
JAX-WS Proxy
和生成存根类的方式相反,proxy是不需要执行wsdl2java的。但是在编译环境中需要接口类和VO类。这里,通过指定WSDL_LOCATION和PORT_NAME,使用Service.create创建service,使用service.getPort获得服务引用。
- package demo.order.client;
- import java.net.URL;
- import javax.xml.namespace.QName;
- import javax.xml.ws.Service;
- import demo.order.Order;
- import demo.order.OrderProcess;
- public class ProxyClient {
- private static final QName SERVICE_NAME = new QName("http://order.demo/", "OrderProcessService");
- private static final QName PORT_NAME = new QName("http://order.demo/", "OrderProcessPort");
- private static final String WSDL_LOCATION = "http://localhost:8080/OrderProcess?wsdl";
- public static void main(String args[]) throws Exception {
- URL wsdlURL = new URL(WSDL_LOCATION);
- Service service = Service.create(wsdlURL, SERVICE_NAME);
- OrderProcess port = service.getPort(PORT_NAME, OrderProcess.class);
- Order order = new Order();
- order.setCustomerID("C001");
- order.setItemID("I001");
- order.setPrice(100.00);
- order.setQty(20);
- String result = port.processOrder(order);
- System.out.println("The order ID is " + result);
- }
- }
package demo.order.client;import java.net.URL;import javax.xml.namespace.QName;import javax.xml.ws.Service;import demo.order.Order;import demo.order.OrderProcess;public class ProxyClient { private static final QName SERVICE_NAME = new QName("http://order.demo/", "OrderProcessService"); private static final QName PORT_NAME = new QName("http://order.demo/", "OrderProcessPort"); private static final String WSDL_LOCATION = "http://localhost:8080/OrderProcess?wsdl"; public static void main(String args[]) throws Exception { URL wsdlURL = new URL(WSDL_LOCATION); Service service = Service.create(wsdlURL, SERVICE_NAME); OrderProcess port = service.getPort(PORT_NAME, OrderProcess.class); Order order = new Order(); order.setCustomerID("C001"); order.setItemID("I001"); order.setPrice(100.00); order.setQty(20); String result = port.processOrder(order); System.out.println("The order ID is " + result); } }
启动服务端
mvn test –Pserver
启动客户端
mvn test -PProxyClient
Client Proxy
使用JaxWsProxyFactoryBean 类简化Proxy。
- package demo.order.client;
- import demo.order.Order;
- import demo.order.OrderProcess;
- import org.apache.cxf.jaxws.JaxWsProxyFactoryBean;
- public class ClientProxyClient {
- public static void main(String args[]) throws Exception {
- JaxWsProxyFactoryBean factory = new JaxWsProxyFactoryBean();
- factory.setServiceClass(OrderProcess.class);
- factory.setAddress("http://localhost:8080/OrderProcess");
- OrderProcess service = (OrderProcess)factory.create();
- Order order = new Order();
- order.setCustomerID("C001");
- order.setItemID("I001");
- order.setPrice(100.00);
- order.setQty(20);
- String result = service.processOrder(order);
- System.out.println("The order ID is " + result);
- }
- }
package demo.order.client;import demo.order.Order;import demo.order.OrderProcess;import org.apache.cxf.jaxws.JaxWsProxyFactoryBean;public class ClientProxyClient { public static void main(String args[]) throws Exception { JaxWsProxyFactoryBean factory = new JaxWsProxyFactoryBean(); factory.setServiceClass(OrderProcess.class); factory.setAddress("http://localhost:8080/OrderProcess"); OrderProcess service = (OrderProcess)factory.create(); Order order = new Order(); order.setCustomerID("C001"); order.setItemID("I001"); order.setPrice(100.00); order.setQty(20); String result = service.processOrder(order); System.out.println("The order ID is " + result); } }
启动服务端
mvn test –Pserver
启动客户端
mvn test -PClientProxyClient
Dynamic Client
甚至不需要SEI接口类,
Reflection API
JaxWsDynamicClientFactory.newInstance获得JaxWsDynamicClientFactory实例。通过dcf.createClient获得Client客户端引用。
- package demo.order.client;
- import org.apache.cxf.jaxws.endpoint.dynamic.JaxWsDynamicClientFactory;
- import org.apache.cxf.endpoint.Client;
- import java.lang.reflect.Method;
- public class OrderProcessJaxWsDynamicClient {
- public OrderProcessJaxWsDynamicClient() {
- }
- public static void main(String str[]) throws Exception {
- JaxWsDynamicClientFactory dcf = JaxWsDynamicClientFactory.newInstance();
- Client client = dcf.createClient("http://localhost:8080/OrderProcess?wsdl");
- Object order = Thread.currentThread().getContextClassLoader().loadClass("demo.order.Order").newInstance();
- Method m1 = order.getClass().getMethod("setCustomerID", String.class);
- Method m2 = order.getClass().getMethod("setItemID", String.class);
- Method m3 = order.getClass().getMethod("setQty", Integer.class);
- Method m4 = order.getClass().getMethod("setPrice", Double.class);
- m1.invoke(order, "C001");
- m2.invoke(order, "I001");
- m3.invoke(order, 100);
- m4.invoke(order, 200.00);
- Object[] response = client.invoke("processOrder", order);
- System.out.println("Response is " + response[0]);
- }
- }
package demo.order.client;import org.apache.cxf.jaxws.endpoint.dynamic.JaxWsDynamicClientFactory;import org.apache.cxf.endpoint.Client;import java.lang.reflect.Method;public class OrderProcessJaxWsDynamicClient { public OrderProcessJaxWsDynamicClient() { } public static void main(String str[]) throws Exception { JaxWsDynamicClientFactory dcf = JaxWsDynamicClientFactory.newInstance(); Client client = dcf.createClient("http://localhost:8080/OrderProcess?wsdl"); Object order = Thread.currentThread().getContextClassLoader().loadClass("demo.order.Order").newInstance(); Method m1 = order.getClass().getMethod("setCustomerID", String.class); Method m2 = order.getClass().getMethod("setItemID", String.class); Method m3 = order.getClass().getMethod("setQty", Integer.class); Method m4 = order.getClass().getMethod("setPrice", Double.class); m1.invoke(order, "C001"); m2.invoke(order, "I001"); m3.invoke(order, 100); m4.invoke(order, 200.00); Object[] response = client.invoke("processOrder", order); System.out.println("Response is " + response[0]); }}
启动服务端
mvn test –Pserver
启动客户端
mvn test -POrderProcessJaxWsDynamicClient
Service Model API
最后,Service Model是CXF内置的获取Service的信息。
- package demo.order.client;
- import java.beans.PropertyDescriptor;
- import java.util.List;
- import javax.xml.namespace.QName;
- import org.apache.cxf.endpoint.Client;
- import org.apache.cxf.endpoint.Endpoint;
- import org.apache.cxf.jaxws.endpoint.dynamic.JaxWsDynamicClientFactory;
- import org.apache.cxf.service.model.BindingInfo;
- import org.apache.cxf.service.model.BindingMessageInfo;
- import org.apache.cxf.service.model.BindingOperationInfo;
- import org.apache.cxf.service.model.MessagePartInfo;
- import org.apache.cxf.service.model.ServiceInfo;
- public class OrderProcessJaxWsDynClient {
- public OrderProcessJaxWsDynClient() {
- }
- public static void main(String str[]) throws Exception {
- JaxWsDynamicClientFactory dcf = JaxWsDynamicClientFactory.newInstance();
- Client client = dcf.createClient("http://localhost:8080/OrderProcess?wsdl");
- Endpoint endpoint = client.getEndpoint();
- // Make use of CXF service model to introspect the existing WSDL
- ServiceInfo serviceInfo = endpoint.getService().getServiceInfos().get(0);
- QName bindingName = new QName("http://order.demo/", "OrderProcessServiceSoapBinding");
- BindingInfo binding = serviceInfo.getBinding(bindingName);
- QName opName = new QName("http://order.demo/", "processOrder");
- BindingOperationInfo boi = binding.getOperation(opName); // Operation name is processOrder
- BindingMessageInfo inputMessageInfo = null;
- if (!boi.isUnwrapped()) {
- //OrderProcess uses document literal wrapped style.
- inputMessageInfo = boi.getWrappedOperation().getInput();
- } else {
- inputMessageInfo = boi.getUnwrappedOperation().getInput();
- }
- List<MessagePartInfo> parts = inputMessageInfo.getMessageParts();
- MessagePartInfo partInfo = parts.get(0); // Input class is Order
- // Get the input class Order
- Class<?> orderClass = partInfo.getTypeClass();
- Object orderObject = orderClass.newInstance();
- // Populate the Order bean
- // Set customer ID, item ID, price and quantity
- PropertyDescriptor custProperty = new PropertyDescriptor("customerID", orderClass);
- custProperty.getWriteMethod().invoke(orderObject, "C001");
- PropertyDescriptor itemProperty = new PropertyDescriptor("itemID", orderClass);
- itemProperty.getWriteMethod().invoke(orderObject, "I001");
- PropertyDescriptor priceProperty = new PropertyDescriptor("price", orderClass);
- priceProperty.getWriteMethod().invoke(orderObject, Double.valueOf(100.00));
- PropertyDescriptor qtyProperty = new PropertyDescriptor("qty", orderClass);
- qtyProperty.getWriteMethod().invoke(orderObject, Integer.valueOf(20));
- // Invoke the processOrder() method and print the result
- // The response class is String
- Object[] result = client.invoke(opName, orderObject);
- System.out.println("The order ID is " + result[0]);
- }
- }
package demo.order.client;import java.beans.PropertyDescriptor;import java.util.List;import javax.xml.namespace.QName;import org.apache.cxf.endpoint.Client;import org.apache.cxf.endpoint.Endpoint;import org.apache.cxf.jaxws.endpoint.dynamic.JaxWsDynamicClientFactory;import org.apache.cxf.service.model.BindingInfo;import org.apache.cxf.service.model.BindingMessageInfo;import org.apache.cxf.service.model.BindingOperationInfo;import org.apache.cxf.service.model.MessagePartInfo;import org.apache.cxf.service.model.ServiceInfo;public class OrderProcessJaxWsDynClient { public OrderProcessJaxWsDynClient() { } public static void main(String str[]) throws Exception { JaxWsDynamicClientFactory dcf = JaxWsDynamicClientFactory.newInstance(); Client client = dcf.createClient("http://localhost:8080/OrderProcess?wsdl"); Endpoint endpoint = client.getEndpoint(); // Make use of CXF service model to introspect the existing WSDL ServiceInfo serviceInfo = endpoint.getService().getServiceInfos().get(0); QName bindingName = new QName("http://order.demo/", "OrderProcessServiceSoapBinding"); BindingInfo binding = serviceInfo.getBinding(bindingName); QName opName = new QName("http://order.demo/", "processOrder"); BindingOperationInfo boi = binding.getOperation(opName); // Operation name is processOrder BindingMessageInfo inputMessageInfo = null; if (!boi.isUnwrapped()) { //OrderProcess uses document literal wrapped style. inputMessageInfo = boi.getWrappedOperation().getInput(); } else { inputMessageInfo = boi.getUnwrappedOperation().getInput(); } List<MessagePartInfo> parts = inputMessageInfo.getMessageParts(); MessagePartInfo partInfo = parts.get(0); // Input class is Order // Get the input class Order Class<?> orderClass = partInfo.getTypeClass(); Object orderObject = orderClass.newInstance(); // Populate the Order bean // Set customer ID, item ID, price and quantity PropertyDescriptor custProperty = new PropertyDescriptor("customerID", orderClass); custProperty.getWriteMethod().invoke(orderObject, "C001"); PropertyDescriptor itemProperty = new PropertyDescriptor("itemID", orderClass); itemProperty.getWriteMethod().invoke(orderObject, "I001"); PropertyDescriptor priceProperty = new PropertyDescriptor("price", orderClass); priceProperty.getWriteMethod().invoke(orderObject, Double.valueOf(100.00)); PropertyDescriptor qtyProperty = new PropertyDescriptor("qty", orderClass); qtyProperty.getWriteMethod().invoke(orderObject, Integer.valueOf(20)); // Invoke the processOrder() method and print the result // The response class is String Object[] result = client.invoke(opName, orderObject); System.out.println("The order ID is " + result[0]); }}
启动服务端
mvn test –Pserver
启动客户端
mvn test -POrderProcessJaxWsDynClient
动态调用时cxf有bug,重写了一下
/**
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing,
* software distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* KIND, either express or implied. See the License for the
* specific language governing permissions and limitations
* under the License.
*/
package org.apache.cxf.common.util;
import java.io.File;
import java.io.FileWriter;
import java.io.IOException;
import java.io.FileNotFoundException;
import java.io.PrintWriter;
import java.io.Writer;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import java.util.Locale;
import java.io.FileInputStream;
import java.util.Properties;
import java.util.HashSet;
import java.util.Set;
import org.apache.cxf.helpers.FileUtils;
public class Compiler {
private long maxMemory = Runtime.getRuntime().maxMemory();
private boolean verbose;
private String target;
private String outputDir;
private String classPath;
private boolean forceFork = Boolean.getBoolean(Compiler.class.getName() + "-fork");
public Compiler() {
}
public void setMaxMemory(long l) {
maxMemory = l;
}
public void setVerbose(boolean b) {
verbose = b;
}
public void setTarget(String s) {
target = s;
}
public void setOutputDir(File s) {
if (s != null) {
outputDir = s.getAbsolutePath().replace(File.pathSeparatorChar, '/');
} else {
outputDir = null;
}
}
public void setOutputDir(String s) {
outputDir = s.replace(File.pathSeparatorChar, '/');
}
public void setClassPath(String s) {
classPath = StringUtils.isEmpty(s) ? null : s;
}
private void addArgs(List<String> list) {
if (verbose) {
list.add("-verbose");
}
if (!StringUtils.isEmpty(target)) {
list.add("-target");
list.add(target);
}
if (!StringUtils.isEmpty(outputDir)) {
list.add("-d");
list.add(outputDir);
}
if (StringUtils.isEmpty(classPath)) {
String javaClasspath = System.getProperty("java.class.path");
boolean classpathSetted = javaClasspath != null ? true : false;
if (!classpathSetted) {
File f = new File(getClass().getClassLoader().getResource(".").getFile());
f = new File(f, "../lib");
if (f.exists() && f.isDirectory()) {
list.add("-extdirs");
list.add(f.toString());
}
} else {
list.add("-classpath");
list.add(javaClasspath);
}
} else {
list.add("-classpath");
list.add(classPath);
}
}
public boolean compileFiles(String[] files) {
String endorsed = System.getProperty("java.endorsed.dirs");
if (!forceFork) {
try {
Class.forName("javax.tools.JavaCompiler");
return useJava6Compiler(files);
} catch (Exception ex) {
//ignore - fork javac
}
}
List<String> list = new ArrayList<String>();
// Start of honoring java.home for used javac
String fsep = System.getProperty("file.separator");
String javacstr = "javac";
String platformjavacname = "javac";
if (System.getProperty("os.name").toLowerCase().indexOf("windows") > -1) {
platformjavacname = "javac.exe";
}
if (new File(System.getProperty("java.home") + fsep + platformjavacname).exists()) {
// check if java.home is jdk home
javacstr = System.getProperty("java.home") + fsep + platformjavacname;
} else if (new File(System.getProperty("java.home") + fsep + ".." + fsep + "bin" + fsep
+ platformjavacname).exists()) {
// check if java.home is jre home
javacstr = System.getProperty("java.home") + fsep + ".." + fsep + "bin" + fsep
+ platformjavacname;
}
list.add(javacstr);
// End of honoring java.home for used javac
if (!StringUtils.isEmpty(endorsed)) {
list.add("-endorseddirs");
list.add(endorsed);
}
//fix for CXF-2081, set maximum heap of this VM to javac.
list.add("-J-Xmx" + maxMemory);
addArgs(list);
int idx = list.size();
list.addAll(Arrays.asList(files));
return internalCompile(list.toArray(new String[list.size()]), idx);
}
private boolean useJava6Compiler(String[] files)
throws Exception {
Object compiler = Class.forName("javax.tools.ToolProvider")
.getMethod("getSystemJavaCompiler").invoke(null);
Object fileManager = compiler.getClass().getMethod("getStandardFileManager",
Class.forName("javax.tools.DiagnosticListener"),
Locale.class,
Charset.class).invoke(compiler, null, null, null);
Object fileList = fileManager.getClass().getMethod("getJavaFileObjectsFromStrings", Iterable.class)
.invoke(fileManager, Arrays.asList(files));
List<String> args = new ArrayList<String>();
addArgs(args);
Object task = compiler.getClass().getMethod("getTask",
Writer.class,
Class.forName("javax.tools.JavaFileManager"),
Class.forName("javax.tools.DiagnosticListener"),
Iterable.class,
Iterable.class,
Iterable.class)
.invoke(compiler, null, fileManager, null,
args, null, fileList);
Boolean ret = (Boolean)task.getClass().getMethod("call").invoke(task);
fileManager.getClass().getMethod("close").invoke(fileManager);
return ret;
}
public boolean internalCompile(String[] args, int sourceFileIndex) {
Process p = null;
String cmdArray[] = null;
File tmpFile = null;
String pathString = "";
int flagPath=0;
boolean isWeblogic = true;
try {
if (isLongCommandLines(args) && sourceFileIndex >= 0) {
PrintWriter out = null;
tmpFile = FileUtils.createTempFile("cxf-compiler", null);
out = new PrintWriter(new FileWriter(tmpFile));
for (int i = sourceFileIndex; i < args.length; i++) {
if (args[i].indexOf(" ") > -1) {
args[i] = args[i].replace(File.separatorChar, '/');
//
// javac gives an error if you use forward slashes
// with package-info.java. Refer to:
// http://bugs.sun.com/bugdatabase/view_bug.do?bug_id=6198196
//
if (args[i].indexOf("package-info.java") > -1
&& System.getProperty("os.name").toLowerCase().indexOf("windows") > -1) {
out.println("\"" + args[i].replaceAll("/", "\\\\\\\\") + "\"");
} else {
out.println("\"" + args[i] + "\"");
}
} else {
out.println(args[i]);
}
}
out.flush();
out.close();
cmdArray = new String[sourceFileIndex + 1];
System.arraycopy(args, 0, cmdArray, 0, sourceFileIndex);
cmdArray[sourceFileIndex] = "@" + tmpFile;
} else {
cmdArray = new String[args.length];
System.arraycopy(args, 0, cmdArray, 0, args.length);
}
if (System.getProperty("os.name").toLowerCase().indexOf("windows") > -1) {
for (int i = 0; i < cmdArray.length; i++) {
if (cmdArray[i].indexOf("package-info") == -1) {
// cmdArray[i] = cmdArray[i].replace('\\', '/');
}
if(isWeblogic){
if (!(cmdArray[i].indexOf("weblogic") == -1)) {
pathString = cmdArray[i];
flagPath = i;
}
}
}
}
if(isWeblogic){
pathString = pathString.replaceAll(" ", "");
String array[] = pathString.split(";");
ArrayList<String> arrayList=new ArrayList<String>();
for (int i = 0; i < array.length; i++) {
String arr=array[i].substring(0, array[i].lastIndexOf(System.getProperty("file.separator")))+System.getProperty("file.separator")+"*.jar;";
if(!arrayList.contains(arr)){
arrayList.add(arr);
}
}
StringBuilder builder = new StringBuilder();
for(String arry:arrayList){
builder.append(arry);
}
cmdArray[flagPath] = builder.toString();
}
p= Runtime.getRuntime().exec(cmdArray);
if (p.getErrorStream() != null) {
StreamPrinter errorStreamPrinter = new StreamPrinter(p.getErrorStream(), "", System.out);
errorStreamPrinter.start();
}
if (p.getInputStream() != null) {
StreamPrinter infoStreamPrinter = new StreamPrinter(p.getInputStream(), "[INFO]", System.out);
infoStreamPrinter.start();
}
if (p != null) {
return p.waitFor() == 0 ? true : false;
}
} catch (SecurityException e) {
System.err.println("[ERROR] SecurityException during exec() of compiler \"" + args[0] + "\".");
} catch (InterruptedException e) {
// ignore
} catch (IOException e) {
System.err.print("[ERROR] IOException during exec() of compiler \"" + args[0] + "\"");
System.err.println(". Check your path environment variable.");
} finally {
if (tmpFile != null && tmpFile.exists()) {
FileUtils.delete(tmpFile);
}
}
return false;
}
private boolean isLongCommandLines(String args[]) {
StringBuilder strBuffer = new StringBuilder();
for (int i = 0; i < args.length; i++) {
strBuffer.append(args[i]);
}
return strBuffer.toString().length() > 4096 ? true : false;
}
}