• Spring Cloud框架(原生Hoxton版本与Spring Cloud Alibaba)初级篇 ---- 服务调用


    一、Ribbon负载均衡服务调用

    概述

    在这里插入图片描述

    在这里插入图片描述

    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述

    Ribbon负载均衡演示

    Ribbon是客户端(消费者)负载均衡的工具。

    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    Ribbon的POM

      <!--Ribbon的依赖-->
      <dependency>
          <groupId>org.springframework.cloud</groupId>
          <artifactId>spring-cloud-starter-netflix-ribbon</artifactId>
     </dependency>
    
    • 1
    • 2
    • 3
    • 4
    • 5

    升级最新版本,eureka自带Ribbon的依赖

    在这里插入图片描述

    RestTemplate

    @LoadBalanced注解给RestTemplate开启负载均衡的能力。

    官方文档:https://docs.spring.io/spring-framework/docs/5.2.2.RELEASE/javadoc-api/org/springframework/web/client/RestTemplate.html

    getForObject/getForEntity方法


    测试getForEntity方法

        @GetMapping("/consumer/payment/getForEntity/{id}")
        public CommonResult<Payment> getPayment2(@PathVariable("id") Long id){
            ResponseEntity<CommonResult> entity = restTemplate.getForEntity(PAYMENT_URL + "/payment/get/" + id, CommonResult.class);
            if (entity.getStatusCode().is2xxSuccessful()){
                return entity.getBody();
            }else {
                return new CommonResult<>(444,"操作失败");
            }
        }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9

    重启测试

    在这里插入图片描述

    Ribbon核心组件IRule

    IRule:根据特定的算法从服务列表中选取一个要访问的服务。
    IRule接口的实现:

    在这里插入图片描述

    负载均衡常用规则:默认为RoundRobinRule轮询。

    在这里插入图片描述
    替换规则

    在这里插入图片描述
    Ribbon的自定义配置类不可以放在@ComponentScan所扫描的当前包下以及子包下,否则这个自定义配置类就会被所有的Ribbon客户端共享,达不到为指定的Ribbon定制配置,而@SpringBootApplication注解里就有@ComponentScan注解,所以不可以放在主启动类所在的包下。(因为Ribbon是客户端(消费者)这边的,所以Ribbon的自定义配置类是在客户端(消费者)添加,不需要在提供者或注册中心添加)

    1. 重新创建项目包
      在这里插入图片描述
    2. 创建MySelfRule规则类
    @Configuration
    public class MySelfRule {
        
        @Bean
        public IRule myRule(){
        	// 随机
            return new RandomRule();
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    1. 主启动添加@RibbonClient(name = "CLOUD-PAYMENT-SERVICE", configuration = MySelfRule.class),告诉服务用那种负载模式
    @SpringBootApplication
    @EnableEurekaClient
    @RibbonClient(name = "CLOUD-PAYMENT-SERVICE", configuration = MySelfRule.class)
    public class OrderMain80 {
        public static void main(String[] args) {
            SpringApplication.run(OrderMain80.class);
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    1. 启动测试,浏览器输入http://localhost/consumer/payment/get/1,多次刷新实现负载均衡为随机。

    Ribbon负载均衡算法

    原理(RoundRobinRule原理)

    在这里插入图片描述

    源码(RoundRobinRule)

        public Server choose(ILoadBalancer lb, Object key) {
            if (lb == null) {
                log.warn("no load balancer");
                return null;
            }
    
            Server server = null;
            int count = 0;
            while (server == null && count++ < 10) {
                List<Server> reachableServers = lb.getReachableServers();
                List<Server> allServers = lb.getAllServers();
                int upCount = reachableServers.size();
                int serverCount = allServers.size();
    
                if ((upCount == 0) || (serverCount == 0)) {
                    log.warn("No up servers available from load balancer: " + lb);
                    return null;
                }
    
                int nextServerIndex = incrementAndGetModulo(serverCount);
                server = allServers.get(nextServerIndex);
    
                if (server == null) {
                    /* Transient. */
                    Thread.yield();
                    continue;
                }
    
                if (server.isAlive() && (server.isReadyToServe())) {
                    return (server);
                }
    
                // Next.
                server = null;
            }
    
            if (count >= 10) {
                log.warn("No available alive servers after 10 tries from load balancer: "
                        + lb);
            }
            return server;
        }
    
        /**
         * Inspired by the implementation of {@link AtomicInteger#incrementAndGet()}.
         *
         * @param modulo The modulo to bound the value of the counter.
         * @return The next value.
         */
        private int incrementAndGetModulo(int modulo) {
            for (;;) {
                int current = nextServerCyclicCounter.get();
                int next = (current + 1) % modulo;
                if (nextServerCyclicCounter.compareAndSet(current, next))
                    return next;
            }
        }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43
    • 44
    • 45
    • 46
    • 47
    • 48
    • 49
    • 50
    • 51
    • 52
    • 53
    • 54
    • 55
    • 56
    • 57

    手写负载算法

    1. 启动7001、7002 eureka集群
    2. 修改8001、8002的controller
        @GetMapping(value = "/payment/lb")
        public String getPaymentLB(){
            return serverPort;
        }
    
    • 1
    • 2
    • 3
    • 4

    3.80订单微服务改造

    • 去掉ApplicationContextConfig里restTemplate方法上的@LoadBalanced注解。
    • 在springcloud包下新建lb.ILoadBalancer接口(自定义负载均衡机制(面向接口))
    public interface ILoadBalancer {
        //传入具体实例的集合,返回选中的实例
        ServiceInstance instance(List<ServiceInstance> serviceInstances);
    }
    
    • 1
    • 2
    • 3
    • 4
    • 在lb包下新建自定义ILoadBalancer接口的实现类
    @Component
    public class MyLB implements LoadBalancer {
    
        private AtomicInteger atomicInteger = new AtomicInteger(0);
    
        public final int getAndIncrement() {
            int current;
            int next;
            // 自旋锁
            do {
                current = this.atomicInteger.get();
                next = current >= 2147483647 ? 0 : current + 1;
            } while (!this.atomicInteger.compareAndSet(current,next));
            System.out.println("******第几次访问,next: "+next);
            return next;
        }
    
        @Override
        public ServiceInstance instance(List<ServiceInstance> serviceInstances) {
            int index = getAndIncrement() % serviceInstances.size();
    
            return serviceInstances.get(index);
        }
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 修改controller
       @Resource
        private RestTemplate restTemplate;
    
        @Resource
        private LoadBalancer loadBalancer;
        
        @GetMapping("/consumer/payment/lb")
        public String getPaymentLB() {
            List<ServiceInstance> instances = discoveryClient.getInstances("CLOUD-PAYMENT-SERVICE");
            if (instances == null || instances.size() <= 0){
                return null;
            }
            ServiceInstance serviceInstance = loadBalancer.instance(instances);
            URI uri = serviceInstance.getUri();
            return  restTemplate.getForObject(uri+"/payment/lb",String.class);
        }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16

    二、OpenFeign服务接口调用

    概述

    官网文档:https://cloud.spring.io/spring-cloud-static/Hoxton.SR1/reference/htmlsingle/#spring-cloud-openfeign

    在这里插入图片描述
    Feign是一个声明式的web服务客户端,让编写web服务客户端变得非常容易,只需创建一个接口并在接口上添加注解即可。

    在这里插入图片描述

    OpenFeign和Feign的区别

    在这里插入图片描述
    OpenFeign使用在客户端(消费测)
    在这里插入图片描述

    使用步骤

    1. 新建模块
      在这里插入图片描述
    2. 改POM
      <dependencies>
            
            <dependency>
                <groupId>org.springframework.cloudgroupId>
                <artifactId>spring-cloud-starter-openfeignartifactId>
            dependency>
            
            <dependency>
                <groupId>org.springframework.cloudgroupId>
                <artifactId>spring-cloud-starter-netflix-eureka-clientartifactId>
            dependency>
            
            <dependency>
                <groupId>com.zhao.springcloudgroupId>
                <artifactId>cloud-api-commonsartifactId>
                <version>1.0-SNAPSHOTversion>
            dependency>
            <dependency>
                <groupId>org.springframework.bootgroupId>
                <artifactId>spring-boot-starter-webartifactId>
            dependency>
            <dependency>
                <groupId>org.springframework.bootgroupId>
                <artifactId>spring-boot-starter-actuatorartifactId>
            dependency>
            
            <dependency>
                <groupId>org.springframework.bootgroupId>
                <artifactId>spring-boot-devtoolsartifactId>
                <scope>runtimescope>
                <optional>trueoptional>
            dependency>
            <dependency>
                <groupId>org.projectlombokgroupId>
                <artifactId>lombokartifactId>
                <optional>trueoptional>
            dependency>
            <dependency>
                <groupId>org.springframework.bootgroupId>
                <artifactId>spring-boot-starter-testartifactId>
                <scope>testscope>
            dependency>
        dependencies>
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43
    1. 写YML
    server:
      port: 80 
    
    eureka:
      client:
        register-with-eureka: false
        service-url:
          defaultZone: http://eureka7001.com:7001/eureka,http://eureka7002.com:7002/eureka,http://eureka7003.com:7003/eureka
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    1. 主启动类
    @SpringBootApplication
    // 激活开启feign
    @EnableFeignClients
    public class OrderFeign {
        public static void main(String[] args) {
            SpringApplication.run(OrderFeign.class);
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    1. 业务类
    @Component
    @FeignClient(value = "CLOUD-PAYMENT-SERVICE")
    public interface PaymentFeignService {
    
        @GetMapping("/payment/get/{id}")
        public CommonResult getPaymentById(@PathVariable("id") Long id);
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    1. 编写controller
    @RestController
    @Slf4j
    public class OrderFeignController {
        @Resource
        private PaymentFeignService paymentFeignService;
        @GetMapping("/consumer/payment/get/{id}")
        public CommonResult<Payment> getPaymentById(@PathVariable("id") Long id){
            return paymentFeignService.getPaymentById(id);
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10

    7.启动测试
    自带负载均衡功能
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述

    OpenFeign超时控制

    提供者在处理服务时用了3秒,提供者认为花3秒是正常,而消费者只愿意等1秒,1秒后,提供者会没返回数据,消费者就会造成超时调用报错。所以需要双方约定好时间,不使用默认的。

    模拟超时出错的情况

    在这里插入图片描述

    1. 在8001的PaymentController里添加:(模拟服务处理时间长)
        @GetMapping("/payment/feign/timeout")
        public String paymentFeignTimeout(){
            try{
                TimeUnit.SECONDS.sleep(3);
            }catch (InterruptedException e){
                e.printStackTrace();
            }
            return serverPort;
        }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    1. 在80的PaymentFeignService中添加:
    	@GetMapping("/payment/feign/timeout")
        public String paymentFeignTimeout();
    
    • 1
    • 2
    1. 然后在80的OrderFeignController中添加:
        @GetMapping("/consumer/payment/feign/timeout")
        public String paymentFeignTimeout(){
            //openFeign-ribbon,客户端一般默认等待1秒
            return paymentFeignService.paymentFeignTimeout();
        }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    1. 测试
      在这里插入图片描述
      在这里插入图片描述
    2. YML开启超时时间
    #没提示不管它,可以设置
    ribbon:
      #指的是建立连接后从服务器读取到可用资源所用的时间
      ReadTimeout: 5000
      #指的是建立连接使用的时间,适用于网络状况正常的情况下,两端连接所用的时间
      ConnectTimeout: 5000
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    1. 重新测试
      在这里插入图片描述

    OpenFeign日志打印功能

    概述

    在这里插入图片描述
    打印级别

    在这里插入图片描述
    设置步骤

    • 配置日志bean
    @Configuration
    public class FeignConfig {
        @Bean
        Logger.Level feignLogLevel(){
            return Logger.Level.FULL;
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • Yml中开启日志
    logging:
      level:
      #feign日志以什么级别监控哪个接口
        com.zhao.springcloud.service.PaymentFeignService: debug
    
    • 1
    • 2
    • 3
    • 4
    • 测试
      在这里插入图片描述
      在这里插入图片描述

    我的博客即将同步至腾讯云开发者社区,邀请大家一同入驻:https://cloud.tencent.com/developer/support-plan?invite_code=9pjswi3oo5to

  • 相关阅读:
    微信小程序商城如何构建私域流量池?
    复变函数在软件开发中的应用
    【机器学习】特征工程:特征预处理,归一化、标准化、处理缺失值
    数据结构与算法之美 复杂度分析(上)
    gitLab安装文档
    小程序中实现搜索功能
    内网渗透-横向移动外部工具的使用
    Revit基础知识:42个知识你知道吗?
    day31 代码随想录 分发饼干&摆动序列&最大子序和
    羊了个羊爆火,背后有什么样的营销套路?
  • 原文地址:https://blog.csdn.net/Zp_insist/article/details/127850422