上一段代码中使用了简单的消费者-服务者模式提供了最简单的微服务,使用Nacos做服务注册中心。Ribbon是带负载均衡的Http客户端。
有两种方法实现:
方法一
@EnableDiscoveryClient
@SpringBootApplication
public class NacosDiscoveryConsumerApplication {
public static void main(String[] args) {
SpringApplication.run(NacosDiscoveryConsumerApplication.class, args);
}
@Bean
public RestTemplate restTemplate(){
return new RestTemplate();
}
}
@RestController
public class HelloController {
@Autowired
RestTemplate restTemplate;
@Autowired
LoadBalancerClient loadBalancerClient;
@GetMapping("/hello")
public String HelloClient(String name){
ServiceInstance serviceInstance = loadBalancerClient.choose("nacos-discovery-provider");
URI uri = serviceInstance.getUri();
return restTemplate.getForObject(uri + "hello?name=" + name, String.class);
}
}
LoadBalancerClient
类的choose
负责查找合适的服务ip。
方法二
@EnableDiscoveryClient
@SpringBootApplication
public class NacosDiscoveryConsumerApplication {
public static void main(String[] args) {
SpringApplication.run(NacosDiscoveryConsumerApplication.class, args);
}
@Bean
@LoadBalanced
public RestTemplate restTemplate(){
return new RestTemplate();
}
}
@RestController
public class HelloController {
@Autowired
RestTemplate restTemplate;
@GetMapping("/hello")
public String HelloClient(String name){
return restTemplate.getForObject("http://nacos-discovery-provider/hello?name=" + name, String.class);
}
}
在注入RestTemplate
Bean时,同时添加@LoadBalanced
注解,那么调用getForObject
时就能有负载均衡的功能。
启动两个服务者
image-20201011110626187 image-20201011110643761一个是8086端口,一个是8085端口,然后调用消费者,可以看到轮训调用两个服务者:
image-20201011110856606 image-20201011110916780如何替换负载均衡策略
Ribbon提供7种负载均衡策略可以选择:
- RandomRule
- 随机策略
- 随机选择server
- RoundRobinRule
- 轮询策略
- 按照顺序选择server
- RetryRule
- 重试策略
- 在一个配置时间段内,当选择server不成功,则一直尝试选择一个可用的server
- BestAvailableRule
- 最低并发策略
- 逐个考察server,如果server断路器打开,则忽略,再选择其中并发链接最低的server
- AvailabilityFilteringRule
- 可用过滤策略
- 过滤掉一直失败并被标记为circuit tripped的server,过滤掉那些高并发链接的server(active connections超过配置的阈值)
- ResponseTimeWeightedRule
- 响应时间加权重策略
- 根据server的响应时间分配权重,响应时间越长,权重越低,被选择到的概率也就越低。响应时间越短,权重越高,被选中的概率越高,这个策略很贴切,综合了各种因素,比如:网络,磁盘,io等,都直接影响响应时间
- ZoneAvoidanceRule
- 区域权重策略
- 综合判断server所在区域的性能,和server的可用性,轮询选择server并且判断一个AWS Zone的运行性能是否可用,剔除不可用的Zone中的所有server
Ribbon默认的负载均衡策略是ZoneAvoidanceRule,如果没有检查到Zone,那么实际使用的是RoundRobinRule。
如何能更换负载均衡策略呢?
注入一个实现IRule
的bean即可
@Configuration
public class NacosRule {
@Bean
public IRule iRule(){
return new NacosWeightRandomRule();
}
}
上面的NacosWeightRandomRule
是自己实现Nacos权重负载均衡的策略,通过上面的配置可以修改Ribbon的负载均衡策略。
如果把上面的类放在@SpringBootApplication
所在的包或子包下,那么所有的微服务远程访问都是用此负载均衡策略。
如果只想把此负载均衡策略使用在某个微服务的请求上如何做呢?
把上面的类放在放在@SpringBootApplication
所在的包或子包外
然后在启动类上添加以下注解:
@RibbonClient(name = "nacos-discovery-provider", configuration = NacosRule.class)
- name,需要使用负载均衡策略的微服务名
- configuration,负载均衡策略类
网友评论