在上一篇文章,讲了服务的注册和发现。在微服务架构中,业务都会被拆分成一个独立的服务,服务与服务的通讯是基于http restful的。Spring cloud有两种服务调用方式,一种是ribbon+restTemplate,另一种是feign。在这一篇文章首先讲解下基于ribbon+rest
ribbon是一个负载均衡客户端,简单地说就是将用户的多个请求平摊的分配到多个服务中,可以很好的控制http和tcp的一些行为
ribbon 已经默认实现了这些配置bean:
IClientConfig ribbonClientConfig: DefaultClientConfigImpl
IRule ribbonRule: ZoneAvoidanceRule
IPing ribbonPing: NoOpPing
ServerList ribbonServerList: ConfigurationBasedServerList
ServerListFilter ribbonServerListFilter: ZonePreferenceServerListFilter
ILoadBalancer ribbonLoadBalancer: ZoneAwareLoadBalancer
这一篇文章基于上一篇文章的工程,启动eureka-server 注册中心工程;启动eureka-provide工程,它的端口为2222;将eureka-providei的配置文件的端口改为2223,并启动
这时你会发现:eureka-provide在eureka-server注册了2个实例,这就相当于一个小的集群。访问localhost:1111如图所示:
1、重新新建一个maven工程,取名为:ribbon-consumer; 在它的pom.xml文件分别引入起步依赖
my-springcloud
org.example
1.0-SNAPSHOT
4.0.0
ribbon-consumer
org.springframework.cloud
spring-cloud-starter-netflix-ribbon
org.springframework.cloud
spring-cloud-starter-netflix-eureka-client
org.springframework.boot
spring-boot-starter-web
2、在工程的配置文件指定服务的注册中心地址为http://localhost:1111/eureka/,程序名称为 ribbon-consumer,程序端口为3000。配置文件application.yml如下:
spring:
application:
name: ribbon-consumer
server:
port: 3000
#指定服务中心的地址
eureka:
client:
service-url:
defaultZone: http://localhost:1111/eureka/
3、在工程的启动类中,通过@EnableDiscoveryClient向服务中心注册;并且向程序的ioc注入一个bean: restTemplate;并通过@LoadBalanced注解表明这个restRemplate开启负载均衡的功能。
@SpringBootApplication
@EnableDiscoveryClient
public class RibbonConsumerApplication {
public static void main(String[] args) {
SpringApplication.run(RibbonConsumerApplication.class, args);
}
@Bean
@LoadBalanced
RestTemplate restTemplate() {
return new RestTemplate();
}
}
4、写一个测试类ConsumerController
@RestController
public class ConsumerController {
@Autowired
ConsumerService consumerService;
@RequestMapping(value = "/hello", method = RequestMethod.GET)
public String hello() {
return consumerService.hello();
}
}
编写service 通过之前注入ioc容器的restTemplate来消费eureka-provide服务的“/hello”接
@Service
public class ConsumerService {
@Autowired
RestTemplate restTemplate;
public String hello() {
return restTemplate.getForEntity("http://client-provide/hello", String.class).getBody();
}
}
下面依次启动注册中心,两个服务提供者,一个消费者,访问localhost:1111服务注册中心,发现消费者也被注册进来了,说明他们都被Eureka管理了
在浏览器上多次访问http://localhost:3000/hello,浏览器交替显示:
这说明当我们通过调用restTemplate.getForEntity("http://client-provide/hello", String.class).getBody()方法时,已经做了负载均衡,访问了不同的端口的服务实例。