简介
Spring Cloud Ribbon 是基于HTTP和TCP的客户端负载均衡工具,可以轻松的将对服务的REST请求,自动转换成负载均衡的服务调用。
起步
沿用之前的Eureka项目,再新建一个SpringBoot服务,添加 Eureka 和 Ribbon 依赖。
<dependency>
<groupId>org.springframework.cloud</groupId>
<artifactId>spring-cloud-starter-netflix-eureka-client</artifactId>
</dependency>
<dependency>
<groupId>org.springframework.cloud</groupId>
<artifactId>spring-cloud-starter-netflix-ribbon</artifactId>
</dependency>
修改配置文件
# 应用名称
spring:
application:
name: api-service
profiles: 1301
server:
# 端口
port: 1301
eureka:
instance:
# eureka 实例的 host
hostname: localhost
client:
# 是否注册到server
register-with-eureka: true
# 是否从server拉取注册信息
fetch-registry: true
# 服务注册中心地址
service-url:
defaultZone: http://localhost:1200/eureka/
在启动类上添加@EnableDiscoveryClient
注解及注册RestTemplate,并给RestTemplate加上@LoadBalanced
注解。
@EnableDiscoveryClient
@SpringBootApplication
public class ApiServiceApplication {
@Bean
@LoadBalanced
public RestTemplate restTemplate() {
return new RestTemplate();
}
public static void main(String[] args) {
SpringApplication.run(ApiServiceApplication.class, args);
}
}
在 Eureka 客户端中添加一个接口用于测试,该接口返回当前服务的profile,这样我们就能知道是哪个服务再被调用了。
@RestController
public class ClientController {
@Value("${spring.profiles.active}")
private String profile;
@RequestMapping("/profile")
public String getProfile() {
return profile;
}
}
下面是Eureka客户端的配置文件
# 应用名称
spring:
application:
name: api-client
---
server:
# 端口
port: 1201
eureka:
instance:
# eureka 实例的 host
hostname: localhost
client:
# 是否注册到server
register-with-eureka: true
# 是否从server拉取注册信息
fetch-registry: true
# 服务注册中心地址
service-url:
defaultZone: http://localhost:1200/eureka/
spring:
profiles: 1201
---
server:
# 端口
port: 1202
eureka:
instance:
# eureka 实例的 host
hostname: localhost
client:
# 是否注册到server
register-with-eureka: true
# 是否从server拉取注册信息
fetch-registry: true
# 服务注册中心地址
service-url:
defaultZone: http://localhost:1200/eureka/
spring:
profiles: 1202
在Ribbon客户端中也加入一个接口来调用Eureka客户端的测试接口
@RestController
public class ServiceController {
@Autowired
private RestTemplate restTemplate;
@RequestMapping("clientprofile")
public String clientProfile() {
return restTemplate.getForObject("http://api-client/profile", String.class);
}
}
这里使用服务名来调用接口,Ribbon会通过服务名来找到具体服务并根据一些策略来确定具体调用哪个服务。
启动
分别启动 Eureka服务端,1201,1202两个Eureka客户端以及1301这个Ribbon客户端。
在浏览器中输入http://localhost:1301/clientprofile
,发现响应结果为1201,1202交替出现。说明没有总是调用同一个服务,Ribbon发挥了负载均衡的作用。