Spring Cloud二:服务消费(基础)【Dalston版】
使用LoadBalancerClient
在Spring Cloud Commons中提供了大量的与服务治理相关的抽象接口,
包括DiscoveryClient
、这里我们即将介绍的LoadBalancerClient
等
从LoadBalancerClient
接口的命名中,我们就知道这是一个负载均衡客户端的抽象定义(Balancer 权衡者)
下面的例子,我们将利用上一篇中构建的eureka-server作为服务注册中心、eureka-client作为服务提供者作为基础。
一、创建工程
我们先来创建一个服务消费者工程,命名为:eureka-consumer
。并在pom.xml
中引入依赖
(这里省略了parent和dependencyManagement的配置)
<dependencies> <dependency> <groupId>org.springframework.cloud</groupId> <artifactId>spring-cloud-starter-eureka</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-actuator</artifactId> </dependency> </dependencies>
- 配置
application.properties
,指定eureka注册中心的地址:
spring.application.name=eureka-consumer server.port=2101 eureka.client.serviceUrl.defaultZone=http://localhost:1001/eureka/
- 创建应用主类。初始化
RestTemplate
,用来真正发起REST请求。 @EnableDiscoveryClient
注解用来将当前应用加入到服务治理体系中。
@EnableDiscoveryClient @SpringBootApplication public class AppleApplication { @Bean public RestTemplate restTemplate() { return new RestTemplate(); } public static void main(String[] args) { new SpringApplicationBuilder(AppleApplication.class).web(true).run(args); } }
- 创建一个接口用来消费eureka-client提供的接口:
@RestController public class ComputeController { @Autowired LoadBalancerClient loadBalancerClient; @Autowired RestTemplate restTemplate; @GetMapping("/consumer") public String dc() { ServiceInstance serviceInstance = loadBalancerClient.choose("eureka-client"); String url = "http://" + serviceInstance.getHost() + ":" + serviceInstance.getPort() + "/dc"; System.out.println(url); return restTemplate.getForObject(url, String.class); } }
可以看到这里,我们注入了LoadBalancerClient
和RestTemplate
,
并在/consumer
接口的实现中,先通过loadBalancerClient
的choose
函数来负载均衡的选出一个eureka-client
的服务实例
这个服务实例的基本信息存储在ServiceInstance
中,然后通过这些对象中的信息拼接出访问/dc
接口的详细地址,
最后再利用RestTemplate
对象实现对服务提供者接口的调用。
访问: http://localhost:2101/consumer
实际上也就是我们消费了eureka-client提供的接口