• Spring-Cloud-Openfeign如何传递用户信息?


    用户信息传递

    微服务系统中,前端会携带登录生成的token访问后端接口,请求会首先到达网关,网关一般会做token解析,然后把解析出来的用户ID放到http的请求头中继续传递给后端的微服务,微服务中会有拦截器来做用户信息的拦截,把用户信息存放到ThreadLocal供接口使用。
    在这里插入图片描述

    feign远程调用的时候,有时候也需要把消费者端的用户信息传递到服务提供者端,否则可能因为没有用户信息而无法调用接口。feign调用并不会走网关,是由服务消费者直接去调用服务提供者,在消费者端已经有userId的前提下,只需要把userId放到Http的请求头中就可以继续复用微服务中HandlerInterceptor对userId的处理逻辑了。

    feign拦截器

    feign提供了一个拦截器的接口:

    public interface RequestInterceptor {
      /**
       * Called for every request. Add data using methods on the supplied {@link RequestTemplate}.
       */
      void apply(RequestTemplate template);
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6

    在这个接口中有一个RequestTemplate 对象,我们就可以使用这个对象来传递请求头。

    1)需要定义一个拦截器的实现类
    public class FeignRelayUserInterceptor implements RequestInterceptor {
        @Override
        public void apply(RequestTemplate template) {
            // 从TL中获取用户id
            Long userId = UserContext.getUserId();
            if (userId == null) {
                return;
            }
            // 放入http的请求头中
            template.header("userId", userId.toString());
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    2)在feign的配置类中注入这个拦截器
    public class FeignConfig {
        @Bean
        public FeignRelayUserInterceptor feignRelayUserInterceptor(){
            return new FeignRelayUserInterceptor();
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    3)在feign接口中引用这个配置类
    @FeignClient(value = "user-service", 
    	url = "http://localhost:8081", 
    	configuration = FeignConfig.class)
    public interface UserClient {
        @GetMapping("/user/{id}")
        public User queryById(@PathVariable("id") Long id);
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    测试

    在服务提供者端从请求头中获取userId:

    @GetMapping("/{id}")
        public User queryById(@PathVariable("id") Long id,
         @RequestHeader("userId")Long userId) {
            log.info("============>userId:{}", userId);
            return userService.queryById(id);
        }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6

    完整的源码下载:
    https://github.com/xjs1919/enumdemo/tree/master/feign-interceptor-demo

  • 相关阅读:
    机器学习算法(五):基于企鹅数据集的决策树分类预测
    搭建一个QQ机器人叫女友起床
    uni-app 框架中使用 vuex(store)
    【DesignMode】适配器模式(adapter pattern)
    vue2中实现滚动数字时钟效果
    【英语:基础进阶_语法进阶提升】F3.被动语态
    服务间歇性停顿问题优化|得物技术
    论文日记五:QueryInst
    什么是残差网络结构
    Python + Django4 搭建个人博客(五): 创建并连接数据库
  • 原文地址:https://blog.csdn.net/goldenfish1919/article/details/132634446