lettoo 发表于 2013-2-3 11:21:37

Spring RMI 简单实现

<div class="cnt">    好久没有写java代码了,最近工作项目上需要做一个java后台的程序,此后台程序提供start(), stop()和status()接口,分别用于启动、关闭和得到状态信息。
    参照以前的项目代码,做这种后台的程序可以采用RMI,即在某端口上启动server,通过RMI使用客户端(当然,这种服务端和客户端实际上在同一台机器上)来调用服务端的方法。
    老早以前看过spring对RMI的支持大大简化了工作,那么就用这个吧。
Spring RMI支持大致方法如下:
1. 先创建一个Server接口
package cn.lettoo.rmi.server;public interface IService {    String say();}  
2. 这个接口提供一个say()的方法,下面写一个这个接口的实现类
package cn.lettoo.rmi.server;public class ServiceImpl implements IService {    private int i = 0;       @Override    public String say() {      i ++;      return String.format("This is %d times to say something.", i);    }}  
接口实现也非常简单,就是打印一句话,告诉调用者这是第多少次调用了。
 
3. 接下来,通过spring bean定义一个RmiServiceExporter,这个xml为server.xml

<?xml version="1.0" encoding="UTF-8"?><!DOCTYPE beans PUBLIC "-//SPRING/DTD BEAN/EN""http://www.springframework.org/dtd/spring-beans.dtd"><beans>    <bean id="myService" class="cn.lettoo.rmi.server.ServiceImpl" />    <!--RmiServiceExporter显示地支持使用RMI调用器暴露任何非RMI服务 -->    <bean id="serviceExporter" class="org.springframework.remoting.rmi.RmiServiceExporter">      <property name="service" ref="myService" />      <property name="serviceInterface" value="cn.lettoo.rmi.server.IService" />      <!--定义要暴露的服务名可以与输出的bean不同名,客户端通过这个名字来调用服务 -->      <property name="serviceName" value="MyService" />      <!--覆盖RMI注册端口号(1099),通常应用服务器也会维护RMI注册,最好不要冲突 -->      <property name="registryPort" value="1199" />      <!-- alwaysCreateRegistry设置为true,这个端口上只会启动一个register,如果想再重新启动serve,就会报端口被占用的错误 -->      <property name="alwaysCreateRegistry" value="true" />    </bean>         </beans> 4. 然后,写一个RunServer类来启动这个server
package cn.lettoo.rmi.server;import org.springframework.context.ApplicationContext;import org.springframework.context.support.ClassPathXmlApplicationContext;public class RunServer {    public static void main(String[] args) {      ApplicationContext context = new ClassPathXmlApplicationContext(new String[] { "server.xml"});    }}  
5. 现在,server已经启动起来了,它在localhost:1199上面启动了一个MyService的服务,接下来,使用spring bean来创建一个serviceProxy,作为客户端。这个xml为client.xml
<?xml version="1.0" encoding="UTF-8"?><!DOCTYPE beans PUBLIC "-//SPRING/DTD BEAN/EN"   "http://www.springframework.org/dtd/spring-beans.dtd"><beans>    <!--使用RmiProxyFactoryBean连接服务端 -->    <bean id="serviceProxy" class="org.springframework.remoting.rmi.RmiProxyFactoryBean">      <property name="serviceUrl" value="rmi://localhost:1199/MyService" />      <property name="serviceInterface" value="cn.lettoo.rmi.server.IService" />    </bean></beans>  
6. 再写一个RunClient来启动一个client来调用server的方法吧
页: [1]
查看完整版本: Spring RMI 简单实现