转载自http://shift-alt-ctrl.iteye.com/blog/1990030?utm_source=tuicool&utm_medium=referral

Thrift-client作为服务消费端,由于thrift使用socket通讯,因此它需要面对几个问题:

1) client端需要知道server端的IP + port,如果是分布式部署,还需要知道所有server的IP + port列表.

2) client为了提升性能,不可能只使用一个socket来处理并发请求,当然也不能每个请求都创建一个socket;我们需要使用连接池方案.

3) 对于java开发工程师而言,基于spring配置thrift服务,可以提供很多的便利.

4) 基于zookeeper配置管理,那么client端就不需要"硬编码"的配置server的ip + port,可以使用zookeeper来推送每个service的服务地址.

5) 因为thrift-client端不使用连接池的话,将不能有效的提高并发能力,本文重点描述看如何使用thrift-client连接池。

1. pom.xml

  1. <dependencies>
  2. <dependency>
  3. <groupId>org.springframework</groupId>
  4. <artifactId>spring-context</artifactId>
  5. <version>3.0.7.RELEASE</version>
  6. </dependency>
  7. <dependency>
  8. <groupId>org.apache.zookeeper</groupId>
  9. <artifactId>zookeeper</artifactId>
  10. <version>3.4.5</version>
  11. <!--<exclusions>-->
  12. <!--<exclusion>-->
  13. <!--<groupId>log4j</groupId>-->
  14. <!--<artifactId>log4j</artifactId>-->
  15. <!--</exclusion>-->
  16. <!--</exclusions>-->
  17. </dependency>
  18. <!--
  19. <dependency>
  20. <groupId>com.101tec</groupId>
  21. <artifactId>zkclient</artifactId>
  22. <version>0.4</version>
  23. </dependency>
  24. -->
  25. <dependency>
  26. <groupId>org.apache.thrift</groupId>
  27. <artifactId>libthrift</artifactId>
  28. <version>0.9.1</version>
  29. </dependency>
  30. <dependency>
  31. <groupId>org.apache.curator</groupId>
  32. <artifactId>curator-recipes</artifactId>
  33. <version>2.3.0</version>
  34. </dependency>
  35. <dependency>
  36. <groupId>commons-pool</groupId>
  37. <artifactId>commons-pool</artifactId>
  38. <version>1.6</version>
  39. </dependency>
  40. </dependencies>

2. spring-thrift-client.xml

    其中zookeeper作为可选项,开发者也可以通过制定serverAddress的方式指定server的地址.

  1. <!-- fixedAddress -->
  2. <!--
  3. <bean id="userService" class="com.demo.thrift.ThriftServiceClientProxyFactory">
  4. <property name="service" value="com.demo.service.UserService"></property>
  5. <property name="serverAddress" value="127.0.0.1:9090:2"></property>
  6. <property name="maxActive" value="5"></property>
  7. <property name="idleTime" value="10000"></property>
  8. </bean>
  9. -->
  10. <!-- zookeeper -->
  11. <bean id="thriftZookeeper" class="com.demo.thrift.zookeeper.ZookeeperFactory" destroy-method="close">
  12. <property name="connectString" value="127.0.0.1:2181"></property>
  13. <property name="namespace" value="demo/thrift-service"></property>
  14. </bean>
  15. <bean id="userService" class="com.demo.thrift.ThriftServiceClientProxyFactory" destroy-method="close">
  16. <property name="service" value="com.demo.service.UserService"></property>
  17. <property name="maxActive" value="5"></property>
  18. <property name="idleTime" value="1800000"></property>
  19. <property name="addressProvider">
  20. <bean class="com.demo.thrift.support.impl.DynamicAddressProvider">
  21. <property name="configPath" value="UserServiceImpl"></property>
  22. <property name="zookeeper" ref="thriftZookeeper"></property>
  23. </bean>
  24. </property>
  25. </bean>

3. ThriftServiceClientProxyFactory.java

因为我们要在client端使用连接池方案,那么就需要对client的方法调用过程,进行代理,这个类,就是维护了一个"Client"代理类,并在方法调用时,从"对象池"中取出一个"Client"对象,并在方法实际调用结束后归还给"对象池".

  1. @SuppressWarnings("rawtypes")
  2. public class ThriftServiceClientProxyFactory implements FactoryBean,InitializingBean {
  3. private String service;
  4. private String serverAddress;
  5. private Integer maxActive = 32;//最大活跃连接数
  6. ////ms,default 3 min,链接空闲时间
  7. //-1,关闭空闲检测
  8. private Integer idleTime = 180000;
  9. private ThriftServerAddressProvider addressProvider;
  10. private Object proxyClient;
  11. public void setMaxActive(Integer maxActive) {
  12. this.maxActive = maxActive;
  13. }
  14. public void setIdleTime(Integer idleTime) {
  15. this.idleTime = idleTime;
  16. }
  17. public void setService(String service) {
  18. this.service = service;
  19. }
  20. public void setServerAddress(String serverAddress) {
  21. this.serverAddress = serverAddress;
  22. }
  23. public void setAddressProvider(ThriftServerAddressProvider addressProvider) {
  24. this.addressProvider = addressProvider;
  25. }
  26. private Class objectClass;
  27. private GenericObjectPool<TServiceClient> pool;
  28. private PoolOperationCallBack callback = new PoolOperationCallBack() {
  29. @Override
  30. public void make(TServiceClient client) {
  31. System.out.println("create");
  32. }
  33. @Override
  34. public void destroy(TServiceClient client) {
  35. System.out.println("destroy");
  36. }
  37. };
  38. @Override
  39. public void afterPropertiesSet() throws Exception {
  40. if(serverAddress != null){
  41. addressProvider = new FixedAddressProvider(serverAddress);
  42. }
  43. ClassLoader classLoader = Thread.currentThread().getContextClassLoader();
  44. //加载Iface接口
  45. objectClass = classLoader.loadClass(service + "$Iface");
  46. //加载Client.Factory类
  47. Class<TServiceClientFactory<TServiceClient>> fi = (Class<TServiceClientFactory<TServiceClient>>)classLoader.loadClass(service + "$Client$Factory");
  48. TServiceClientFactory<TServiceClient> clientFactory = fi.newInstance();
  49. ThriftClientPoolFactory clientPool = new ThriftClientPoolFactory(addressProvider, clientFactory,callback);
  50. GenericObjectPool.Config poolConfig = new GenericObjectPool.Config();
  51. poolConfig.maxActive = maxActive;
  52. poolConfig.minIdle = 0;
  53. poolConfig.minEvictableIdleTimeMillis = idleTime;
  54. poolConfig.timeBetweenEvictionRunsMillis = idleTime/2L;
  55. pool = new GenericObjectPool<TServiceClient>(clientPool,poolConfig);
  56. proxyClient = Proxy.newProxyInstance(classLoader,new Class[]{objectClass},new InvocationHandler() {
  57. @Override
  58. public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
  59. //
  60. TServiceClient client = pool.borrowObject();
  61. try{
  62. return method.invoke(client, args);
  63. }catch(Exception e){
  64. throw e;
  65. }finally{
  66. pool.returnObject(client);
  67. }
  68. }
  69. });
  70. }
  71. @Override
  72. public Object getObject() throws Exception {
  73. return proxyClient;
  74. }
  75. @Override
  76. public Class<?> getObjectType() {
  77. return objectClass;
  78. }
  79. @Override
  80. public boolean isSingleton() {
  81. return true;  //To change body of implemented methods use File | Settings | File Templates.
  82. }
  83. public void close(){
  84. if(addressProvider != null){
  85. addressProvider.close();
  86. }
  87. }
  88. }

4. ThriftClientPoolFactory.java

"Client"对象池,对象池中是已经实例化的Client对象,Client对象负责与Thrift server通信.

  1. /**
  2. * 连接池,thrift-client for spring
  3. */
  4. public class ThriftClientPoolFactory extends BasePoolableObjectFactory<TServiceClient>{
  5. private final ThriftServerAddressProvider addressProvider;
  6. private final TServiceClientFactory<TServiceClient> clientFactory;
  7. private PoolOperationCallBack callback;
  8. protected ThriftClientPoolFactory(ThriftServerAddressProvider addressProvider,TServiceClientFactory<TServiceClient> clientFactory) throws Exception {
  9. this.addressProvider = addressProvider;
  10. this.clientFactory = clientFactory;
  11. }
  12. protected ThriftClientPoolFactory(ThriftServerAddressProvider addressProvider,TServiceClientFactory<TServiceClient> clientFactory,PoolOperationCallBack callback) throws Exception {
  13. this.addressProvider = addressProvider;
  14. this.clientFactory = clientFactory;
  15. this.callback = callback;
  16. }
  17. @Override
  18. public TServiceClient makeObject() throws Exception {
  19. InetSocketAddress address = addressProvider.selector();
  20. TSocket tsocket = new TSocket(address.getHostName(),address.getPort());
  21. TProtocol protocol = new TBinaryProtocol(tsocket);
  22. TServiceClient client = this.clientFactory.getClient(protocol);
  23. tsocket.open();
  24. if(callback != null){
  25. try{
  26. callback.make(client);
  27. }catch(Exception e){
  28. //
  29. }
  30. }
  31. return client;
  32. }
  33. public void destroyObject(TServiceClient client) throws Exception {
  34. if(callback != null){
  35. try{
  36. callback.destroy(client);
  37. }catch(Exception e){
  38. //
  39. }
  40. }
  41. TTransport pin = client.getInputProtocol().getTransport();
  42. pin.close();
  43. }
  44. public boolean validateObject(TServiceClient client) {
  45. TTransport pin = client.getInputProtocol().getTransport();
  46. return pin.isOpen();
  47. }
  48. static interface PoolOperationCallBack {
  49. //销毁client之前执行
  50. void destroy(TServiceClient client);
  51. //创建成功是执行
  52. void make(TServiceClient client);
  53. }
  54. }

5. DynamicAddressProvider.java

将zookeeper作为server地址的提供者,这样客户端就不需要再配置文件中指定一堆ip + port,而且当server服务有更新时,也不需要client端重新配置.

  1. /**
  2. * 可以动态获取address地址,方案设计参考
  3. * 1) 可以间歇性的调用一个web-service来获取地址
  4. * 2) 可以使用事件监听机制,被动的接收消息,来获取最新的地址(比如基于MQ,nio等)
  5. * 3) 可以基于zookeeper-watcher机制,获取最新地址
  6. * <p/>
  7. * 本实例,使用zookeeper作为"config"中心,使用apache-curator方法库来简化zookeeper开发
  8. * 如下实现,仅供参考
  9. */
  10. public class DynamicAddressProvider implements ThriftServerAddressProvider, InitializingBean {
  11. private String configPath;
  12. private PathChildrenCache cachedPath;
  13. private CuratorFramework zookeeper;
  14. //用来保存当前provider所接触过的地址记录
  15. //当zookeeper集群故障时,可以使用trace中地址,作为"备份"
  16. private Set<String> trace = new HashSet<String>();
  17. private final List<InetSocketAddress> container = new ArrayList<InetSocketAddress>();
  18. private Queue<InetSocketAddress> inner = new LinkedList<InetSocketAddress>();
  19. private Object lock = new Object();
  20. private static final Integer DEFAULT_PRIORITY = 1;
  21. public void setConfigPath(String configPath) {
  22. this.configPath = configPath;
  23. }
  24. public void setZookeeper(CuratorFramework zookeeper) {
  25. this.zookeeper = zookeeper;
  26. }
  27. @Override
  28. public void afterPropertiesSet() throws Exception {
  29. //如果zk尚未启动,则启动
  30. if(zookeeper.getState() == CuratorFrameworkState.LATENT){
  31. zookeeper.start();
  32. }
  33. buildPathChildrenCache(zookeeper, configPath, true);
  34. cachedPath.start(StartMode.POST_INITIALIZED_EVENT);
  35. }
  36. private void buildPathChildrenCache(CuratorFramework client, String path, Boolean cacheData) throws Exception {
  37. cachedPath = new PathChildrenCache(client, path, cacheData);
  38. cachedPath.getListenable().addListener(new PathChildrenCacheListener() {
  39. @Override
  40. public void childEvent(CuratorFramework client, PathChildrenCacheEvent event) throws Exception {
  41. PathChildrenCacheEvent.Type eventType = event.getType();
  42. switch (eventType) {
  43. //                    case CONNECTION_RECONNECTED:
  44. //
  45. //                        break;
  46. case CONNECTION_SUSPENDED:
  47. case CONNECTION_LOST:
  48. System.out.println("Connection error,waiting...");
  49. return;
  50. default:
  51. //
  52. }
  53. //任何节点的时机数据变动,都会rebuild,此处为一个"简单的"做法.
  54. cachedPath.rebuild();
  55. rebuild();
  56. }
  57. protected void rebuild() throws Exception {
  58. List<ChildData> children = cachedPath.getCurrentData();
  59. if (children == null || children.isEmpty()) {
  60. //有可能所有的thrift server都与zookeeper断开了链接
  61. //但是,有可能,thrift client与thrift server之间的网络是良好的
  62. //因此此处是否需要清空container,是需要多方面考虑的.
  63. container.clear();
  64. System.out.println("thrift server-cluster error....");
  65. return;
  66. }
  67. List<InetSocketAddress> current = new ArrayList<InetSocketAddress>();
  68. for (ChildData data : children) {
  69. String address = new String(data.getData(), "utf-8");
  70. current.addAll(transfer(address));
  71. trace.add(address);
  72. }
  73. Collections.shuffle(current);
  74. synchronized (lock) {
  75. container.clear();
  76. container.addAll(current);
  77. inner.clear();
  78. inner.addAll(current);
  79. }
  80. }
  81. });
  82. }
  83. private List<InetSocketAddress> transfer(String address){
  84. String[] hostname = address.split(":");
  85. Integer priority = DEFAULT_PRIORITY;
  86. if (hostname.length == 3) {
  87. priority = Integer.valueOf(hostname[2]);
  88. }
  89. String ip = hostname[0];
  90. Integer port = Integer.valueOf(hostname[1]);
  91. List<InetSocketAddress> result = new ArrayList<InetSocketAddress>();
  92. for (int i = 0; i < priority; i++) {
  93. result.add(new InetSocketAddress(ip, port));
  94. }
  95. return result;
  96. }
  97. @Override
  98. public List<InetSocketAddress> getAll() {
  99. return Collections.unmodifiableList(container);
  100. }
  101. @Override
  102. public synchronized InetSocketAddress selector() {
  103. if (inner.isEmpty()) {
  104. if(!container.isEmpty()){
  105. inner.addAll(container);
  106. }else if(!trace.isEmpty()){
  107. synchronized (lock) {
  108. for(String hostname : trace){
  109. container.addAll(transfer(hostname));
  110. }
  111. Collections.shuffle(container);
  112. inner.addAll(container);
  113. }
  114. }
  115. }
  116. return inner.poll();//null
  117. }
  118. @Override
  119. public void close() {
  120. try {
  121. cachedPath.close();
  122. zookeeper.close();
  123. } catch (Exception e) {
  124. //
  125. }
  126. }
  127. }

到此为止,我们的Thrift基本上就可以顺利运行起来了.更多代码,参见附件.

Thrift-server端开发与配置,参见[Thrift-server]

[转载] Thrift-client与spring集成的更多相关文章

  1. redis cluster java client jedisCluster spring集成方法

    1.使用jedis的原生JedisCluster spring的applicationContext.xml配置redis的连接.连接池.jedisCluster Bean <bean id=& ...

  2. axis2+spring集成

    转载自:http://www.cnblogs.com/linjiqin/archive/2011/07/05/2098316.html 1.新建一个web project项目,最终工程目录如下: 注意 ...

  3. Java Persistence with MyBatis 3(中国版) 第五章 与Spring集成

    MyBatis-Spring它是MyBatis子模块框.它用来提供流行的依赖注入框架Spring无缝集成. Spring框架是一个基于依赖注入(Dependency Injection)和面向切面编程 ...

  4. RabbitMQ-从基础到实战(6)— 与Spring集成

    0.目录 RabbitMQ-从基础到实战(1)- Hello RabbitMQ RabbitMQ-从基础到实战(2)- 防止消息丢失 RabbitMQ-从基础到实战(3)- 消息的交换(上) Rabb ...

  5. Memcached理解笔2---XMemcached&Spring集成

    一.Memcached Client简要介绍 Memcached Client目前有3种: Memcached Client for Java SpyMemcached XMemcached 这三种C ...

  6. 阿里RocketMq试用记录+简单的Spring集成

    CSDN学院招募微信小程序讲师啦 程序猿全指南,让[移动开发]更简单! [观点]移动原生App开发 PK HTML 5开发 云端应用征文大赛,秀绝招,赢无人机! 阿里RocketMq试用记录+简单的S ...

  7. 从零开始学 Java - Spring 集成 Memcached 缓存配置(二)

    Memcached 客户端选择 上一篇文章 从零开始学 Java - Spring 集成 Memcached 缓存配置(一)中我们讲到这篇要谈客户端的选择,在 Java 中一般常用的有三个: Memc ...

  8. 【转】Dubbo使用例子并且和Spring集成使用

    一.编写客户端和服务器端共用接口类1.登录接口类public interface LoginService {    public User login(String name, String psw ...

  9. 从零开始学 Java - Spring 集成 Memcached 缓存配置(一)

    硬盘和内存的作用是什么 硬盘的作用毫无疑问我们大家都清楚,不就是用来存储数据文件的么?如照片.视频.各种文档或等等,肯定也有你喜欢的某位岛国老师的动作片,这个时候无论我们电脑是否关机重启它们永远在那里 ...

随机推荐

  1. ubuntu中切换到root账号方法

    ubuntu如何切换到root用户身份? 前面小编分享了ubuntu怎么开启root用户,下面小编来分享如何切到到root用户 方法/步骤 按照下面的方式打开终端工具,或者使用终端工具的快捷键Ctrl ...

  2. Jquery购物车jsorder改进版,支持后台处理程序直接转换成DataTable处理

    <!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type" content ...

  3. 【实验吧】Once More

    <?php if (isset ($_GET['password'])) { if (ereg ("^[a-zA-Z0-9]+$", $_GET['password']) = ...

  4. [置顶] 一个demo学会c#

    学习了c#4.5高级编程这本书,自己喜欢边学边总结边写demo,所以写了这篇文章,包含了大部分的c#编程知识.让你一个demo掌握c#编程,如果有问题可以留言. 此demo主要包括五个文件:Stude ...

  5. Chloe.ORM框架应用实践

    Chloe.ORM 是国人开发的一款数据库访问组件,很是简单易用.目前支持四种主流数据库:SqlServer.MySQL.Oracle,以及Sqlite,作者为这四种数据库划分出了各自对应的组件程序集 ...

  6. 【笔记】【VSCode】Windows下VSCode编译调试c/c++

    转载自http://m.2cto.com/kf/201606/516207.html 首先看效果 设置断点,变量监视,调用堆栈的查看: 条件断点的使用: 下面是配置过程: 总体流程: 下载安装vsco ...

  7. javascript面向对象的写法及jQuery面向对象的写法

    文章由来:jQuery源码学习时的总结 在JS中,一般的面向对象的写法如下: function Cao(){}//定义一个构造函数 Cao.prototype.init = function(){}/ ...

  8. Sql语句备份Sqlserver数据库

    BACKUP DATABASE [POS_YiZhuang]TODISK = N'C:\数据库\POS_YiZhuang2016-09-20-3.bak'WITHNAME = N'POS_YiZhua ...

  9. Java8 新特性之Stream----java.util.stream

    这个包主要提供元素的streams函数操作,比如对collections的map,reduce. 例如: int sum = widgets.stream() .filter(b -> b.ge ...

  10. 【ASP.NET MVC 学习笔记】- 08 URL Routing

    本文参考:http://www.cnblogs.com/willick/p/3343105.html 1.URL Routing告诉MVC如何正确的定位Controller和Action. 2.URL ...