spring-cloud调用服务有两种方式,一种是Ribbon+RestTemplate, 另外一种是Feign。
Ribbon是一个基于HTTP和TCP客户端的负载均衡器,其实feign也使用了ribbon, 只要使用@FeignClient时,ribbon就会自动使用。一、Ribbon
1.1
新建模块client-a pom文件spring-cloud com.feng 0.0.1 4.0.0 client-a org.springframework.cloud spring-cloud-starter-ribbon
新建bootstrap.yml
server: port: 8910eureka: client: serviceUrl: defaultZone: http://localhost:8010/eureka/spring: application: name: client-a
ClientApplication, 这里我们需要注册一个RestTemplate,并且使用@LoadBalanced开启负载功能
/** * @author fengzp * @date 17/5/9 * @email fengzp@gzyitop.com * @company 广州易站通计算机科技有限公司 */@SpringBootApplication@EnableDiscoveryClientpublic class ClientApplication { public static void main(String[] args) { SpringApplication.run(ClientApplication.class, args); } @Bean @LoadBalanced RestTemplate restTemplate(){ return new RestTemplate(); }}
测试用的controller
/** * @author fengzp * @date 17/5/9 * @email fengzp@gzyitop.com * @company 广州易站通计算机科技有限公司 */@RestControllerpublic class TestController { @Autowired RestTemplate restTemplate; @RequestMapping("/hi") public String hi(@RequestParam String id){ return restTemplate.getForObject("http://service-a/hi?id="+id, String.class); }}
1.2
为了测试负载功能,这里要再新建一个模块service-b, 和上一篇的service-a的代码基本相同,只把端口修改了就可以。 把client-a和service-b都启动成功后,打开eureka中心应该看到:1.3
打开http://localhost:8910/hi?id=123 可以看到服务已经成功调用。然后刷新页面
看到端口已经改变,说明负载功能成功实现二、feign
2.1
新建模块client-b pom文件spring-cloud com.feng 0.0.1 4.0.0 client-b org.springframework.cloud spring-cloud-starter-feign
bootstrap.yml
server: port: 8911eureka: client: serviceUrl: defaultZone: http://localhost:8010/eureka/spring: application: name: client-b
ClientApplication, 使用@EnableFeignClients开启feiginClient功能
/** * @author fengzp * @date 17/5/9 * @email fengzp@gzyitop.com * @company 广州易站通计算机科技有限公司 */@SpringBootApplication@EnableDiscoveryClient@EnableFeignClientspublic class ClientApplication { public static void main(String[] args) { SpringApplication.run(ClientApplication.class, args); }}
这里新建一个ServiceAFeignClient来调用service-a服务
@Component@FeignClient(value = "service-a") //这里的name对应调用服务的spring.applicatoin.namepublic interface ServiceAFeignClient { @RequestMapping(value = "/hi") String hi(@RequestParam("id") String id);}
Controller
@RestControllerpublic class TestController { @Autowired ServiceAFeignClient serviceAFeignClient; @RequestMapping("/hi") public String hi(@RequestParam String id){ return serviceAFeignClient.hi(id); }}
2.2
运行后的结果应该是和ribbon的相同。
个人感觉使用feign比较舒服,代码比较简洁。