微服务学习Day01_02 服务拆分及远程调用

服务拆分及远程调用

1 服务拆分注意事项

  1. 不同微服务,不要重复开发相同业务
  2. 微服务数据独立,不要访问其它微服务的数据库
  3. 微服务可以将自己的业务暴露为接口,供其它微服务调用

微服务学习Day01_02 服务拆分及远程调用_第1张图片

2 微服务远程调用

2.1 根据订单id查询订单功能

需求:根据订单id查询订单的同时,把订单所属的用户信息一起返回

微服务学习Day01_02 服务拆分及远程调用_第2张图片

2.2 远程调用方式分析

微服务学习Day01_02 服务拆分及远程调用_第3张图片

微服务远程调用-查询订单

步骤:

  1. 注册RestTemplate(在order-service的OrderApplication中注册RestTemplate

    @MapperScan("cn.itcast.order.mapper")
    @SpringBootApplication
    public class OrderApplication {
    
        public static void main(String[] args) {
            SpringApplication.run(OrderApplication.class, args);
        }
    
        /**
         * 创建RestTemplate并注入到Spring容器
         * @return
         */
        @Bean
        public RestTemplate restTemplate(){
            return new RestTemplate();
        }
    }
    
  2. 服务远程调用RestTemplate(修改order-service中的OrderService的queryOrderByld方法

    @Service
    public class OrderService {
    
        @Autowired
        private OrderMapper orderMapper;
    
        @Autowired
        private RestTemplate restTemplate;
        public Order queryOrderById(Long orderId) {
            // 1.查询订单
            Order order = orderMapper.findById(orderId);
            // 2.利用RestTemplate发起http请求,通过id查询用户信息
            // 2.1.url路径
            String url = "http://localhost:8081/user/"+order.getUserId();
            // 2.2.发起http请求,实现远程调用
            // 默认返回值是Json对象,可以指定特定的类反序列化为指定对象
            User user = restTemplate.getForObject(url, User.class);
            // 3.封装user到Order
            order.setUser(user);
            // 4.返回
            return order;
        }
    }
    

3 提供者和消费者

  • 服务提供者:一次业务中,被其它微服务调用的服务。(提供接口给其它微服务)
  • 服务消费者:一次业务中,调用其它微服务的服务。(调用其它微服务提供的接口)

在这里插入图片描述

一个服务既可以是服务提供者,也可以是服务消费者

你可能感兴趣的:(微服务,java,spring,cloud)