SpringCloud微服务实战——搭建企业级开发框架(三十七):微服务日志系统设计与实现

  针对业务开发人员通常面对的业务需求,我们将日志分为操作(请求)日志和系统运行日志,操作(请求)日志可以让管理员或者运营人员方便简单的在系统界面中查询追踪用户具体做了哪些操作,便于分析统计用户行为;系统运行日志又分为不同的级别(Log4j2): OFF > FATAL > ERROR > WARN > INFO > DEBUG > TRACE > ALL,这些日志级别由开发人员在代码编写时确定,并编写在代码中,系统运行时记录,方便系统开发人员分析定位解决问题,查找系统性能瓶颈。
  我们可以自定义注解利用AOP拦截Controller请求实现系统(日志)操作日志的记录,系统运行日志可以使用log4j2或者logback。在SpringCloud微服务架构下,可以使用Gateway统一记录操作(请求)日志,由于微服务分布式集群部署,同一服务也存在多个,这里的日志追踪就需要借助Skywalking和ELK来实现具体的追踪分析记录。
  由于最近爆发的log4j2和logback的漏洞问题,请选择最新修复漏洞的版本。根据网上很多性能的对比,log4j2显著优于logback,所以我们将SpringBoot默认的日志Logback修改为Log4j2。
  在框架设计时,我们尽可能的考虑到日志系统的使用场景,将日志系统实现方式设计为可动态配置的,然后具体根据业务需求,选择使用合适的日志系统,根据常用业务需求,我们暂将微服务日志系统以如下方式实现:

操作日志:
  • 使用AOP特性,自定义注解拦截Controller请求实现系统操作日志
    优势:实现简单,通过注解即实现记录操作日志。
    缺点:需要硬编码到代码中,灵活性差。
  • 在网关Gateway通过读取配置,统一记录操作日志
    优势:可配置,实时更改需要记录哪些操作日志。
    缺点:配置实现稍复杂。

操作日志分为两种实现方式,各有优劣,不管哪种实现方式,日志记录都通过Log4j2来记录,通过Log4j2的配置,可动态选择记录到文件、关系型数据库MySQL、NoSQL数据库MongoDB、消息中间件Kafka等。

系统日志:
  • Log4j2记录日志,ELK采集分析展示
    系统日志我们就采取通用的日志记录方式即可,通过Log4j2记录到日志文件,在通过ELK采集分析展示。

下面是具体实现步骤:

一、配置SkyWalking+Log4j2打印链路追踪TraceId

  很早之前,大家最常用的Java日志记录工具是log4j,后来由log4j的创始人设计了另外一款日志记录工具logback,它比log4j更加优秀,详细对比可参照官方说明,所以SpringBoot默认使用logback作为日志记录工具。近年来Apache对Log4j进行了升级,推出了log4j2版本,无论从设计还是性能方面都优于log4j和logback,详细对比可自行测试,网上也有相应的测试报告,这里不详细说明。所以,我们肯定需要选择目前最合适的日志记录工具。

1、将SpringBoot默认日志Logback修改为Log4j2

排除spring-boot-starter-web等依赖的logback

        
            org.springframework.boot
            spring-boot-starter-web
            
            
                
                    org.springframework.boot
                    spring-boot-starter-logging
                
            
        

引入spring-boot-starter-log4j2依赖,因为对应版本的SpringBoot引入的Log4j2版本漏洞问题,这里排除默认log4j2版本,引入最新的修复漏洞版本。

        
            org.springframework.boot
            spring-boot-starter-log4j2
            
                
                    org.apache.logging.log4j
                    log4j-api
                
                
                    org.apache.logging.log4j
                    log4j-core
                
            
        

引入log4j2修复漏洞版本的依赖

            
            2.17.1
            
             3.4.4

            
            
                org.apache.logging.log4j
                log4j-api
                ${log4j2.version}
            
            
                org.apache.logging.log4j
                log4j-core
                ${log4j2.version}
            
            
            
                org.apache.logging.log4j
                log4j-spring-boot
                ${log4j2.version}
            
            
            
                com.lmax
                disruptor
                ${log4j2.disruptor.version}
            

因为在SpringBoot中存在很多子依赖,以及在jar包中存在其他依赖logback的jar包,这里需要使用Maven工具来定位查找这些依赖Logback的jar包,逐一排除掉。在工程文件夹下执行Maven命令:

mvn dependency:tree -Dverbose -Dincludes="ch.qos.logback:logback-classic"

SpringCloud微服务实战——搭建企业级开发框架(三十七):微服务日志系统设计与实现_第1张图片
如上图所示都是依赖logback的jar包,需要都排除,否则会和log4j2冲突。

2、集成可打印SkyWalking链路追踪TraceId的依赖
            
            6.4.0

            
            
                org.apache.skywalking
                apm-toolkit-log4j-2.x
                ${skywalking.log4j2.version}
            
2、Log4j2配置实例

配置自己需要的log4j2.xml,在Pattern中配置[%traceId]可以显示链路追踪ID, 如果要读取springboot中yaml的配置,一定要引入log4j-spring-boot依赖。




    
    
        
        
        
        
        
        
        
        
        
        
        
    

    
        
        
            
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        
    

    
    
    

        
        
            
        

        
        
            
        

        
            
            
            
            
            
        

        
            
            
            
            
            
        
    
3、IDEA控制台显示彩色日志

  在上面Log4j2.xml中*LOG_PATTERN的配置已经设置了,每种日志显示同的颜色,在IDEA中默认没有效果,这里需要设置一下:点击右上角运行窗口的Edit Configurations,在VM options中添加-Dlog4j.skipJansi=false ,再次运行,就可以看到IDEA控制台显示彩色日志了。

二、自定义扩展日志级别,实现可配置的日志存取方式

  虽然Log4j2提供了将日志保存到MySQL、MongoDB等,但是这里并不建议直接使用Log4j2将日志保存到MySQL、MongoDB等数据库,这样做不但在每个微服务引入Log4j2组件的时候,增加数据库链接池数量(不要考虑复用业务系统已有的数据库连接池,因为不是每个微服务都要有日志表),还有在高并发的情况下,对于整个业务系统来说这将是致命的问题。如果考虑到项目系统访问和操作很少,为了降低系统维护的复杂度,避免引入过多组件和环境,使用这种方式的话,那么就需要考虑业务系统是否需要使用微服务架构的问题了。
  在高并发等情况下,我们推荐有两种方式来记录操作日志:一是将日志先保存到消息队列,作为数据库的一个缓冲,由消费者分批将日志数据保存到数据库,降低耦合,尽量使日志的操作不影响业务操作;二是使用Log4j2的异步文件日志,配合搭建ELK日志采集分析系统,来实现保存操作日志功能。

1、自定义操作日志和接口访问日志级别

  默认的日志记录级别不能够满足我们记录操作日志和接口日志的需求,这里我们自己扩展Log4j2的日志级别来实现自定义的操作日志和接口日志。

新建LogLevelConstant定义日志级别

/**
 * 自定义日志级别
 * 业务操作日志级别(级别越高,数字越小) off 0, fatal 100, error 200, warn 300, info 400, debug 500
 * warn operation api
 * @author GitEgg
 */
public class LogLevelConstant {

    /**
     * 操作日志
     */
    public static final Level OPERATION_LEVEL = Level.forName("OPERATION", 310);

    /**
     * 接口日志
     */
    public static final Level API_LEVEL = Level.forName("API", 320);

    /**
     * 操作日志信息
     */
    public static final String OPERATION_LEVEL_MESSAGE = "{type:'operation', content:{}}";

    /**
     * 接口日志信息
     */
    public static final String API_LEVEL_MESSAGE = "{type:'api', content:{}}";

}

这里需要注意在使用日志时,需要使用@Log4j2注解而不是@Slf4j,因为@Slf4j默认提供的方法不能设置日志级别,测试代码:

log.log(LogLevelConstant.OPERATION_LEVEL,"操作日志:{} , {}", "参数1", "参数2");

log.log(LogLevelConstant.API_LEVEL,"接口日志:{} , {}", "参数1", "参数2");
2、自定义操作日志注解

  在记录操作日志时,我们可能不需要在代码中直接写记录日志的代码,这里可以自定义注解,通过注解来实现操作日志的记录。首先根据Spring AOP的特性自定义三类日志记录类型、BeforeLog(执行方法之前)AfterLog(执行方法之后)、AroundLog(执行前和执行后)

BeforeLog

/**
 * 
 * @ClassName: BeforeLog
 * @Description: 记录前置日志
 * @author GitEgg
 * @date 2019年4月27日 下午3:36:29
 *
 */
@Retention(RetentionPolicy.RUNTIME)
@Target({ ElementType.METHOD })
public @interface BeforeLog {

    String name() default "";
}

AfterLog

/**
 * 
 * @ClassName: AfterLog
 * @Description: 记录后置日志
 * @author GitEgg
 * @date 2019年4月27日 下午3:36:29
 *
 */
@Retention(RetentionPolicy.RUNTIME)
@Target({ ElementType.METHOD })
public @interface AfterLog {

    String name() default "";
}

AroundLog

/**
 * 
 * @ClassName: AroundLog
 * @Description:记录around日志
 * @author GitEgg
 * @date 2019年4月27日 下午3:36:29
 *
 */
@Retention(RetentionPolicy.RUNTIME)
@Target({ ElementType.METHOD })
public @interface AroundLog {

    String name() default "";
}

上面自定义注解之后,再编写LogAspect日志记录的切面实现

/**
 * 
 * @ClassName: LogAspect
 * @Description:
 * @author GitEgg
 * @date 2019年4月27日 下午4:02:12
 *
 */
@Log4j2
@Aspect
@Component
public class LogAspect {

    /**
     * Before切点
     */
    @Pointcut("@annotation(com.gitegg.platform.base.annotation.log.BeforeLog)")
    public void beforeAspect() {
    }

    /**
     * After切点
     */
    @Pointcut("@annotation(com.gitegg.platform.base.annotation.log.AfterLog)")
    public void afterAspect() {
    }

    /**
     * Around切点
     */
    @Pointcut("@annotation(com.gitegg.platform.base.annotation.log.AroundLog)")
    public void aroundAspect() {
    }

    /**
     * 前置通知 记录用户的操作
     * 
     * @param joinPoint 切点
     */
    @Before("beforeAspect()")
    public void doBefore(JoinPoint joinPoint) {
        try {
            // 处理入参
            Object[] args = joinPoint.getArgs();
            StringBuffer inParams = new StringBuffer("");
            for (Object obj : args) {
                if (null != obj && !(obj instanceof ServletRequest) && !(obj instanceof ServletResponse)) {
                    String objJson = JsonUtils.objToJson(obj);
                    inParams.append(objJson);
                }
            }
            Method method = getMethod(joinPoint);
            String operationName = getBeforeLogName(method);
            addSysLog(joinPoint, String.valueOf(inParams), "BeforeLog", operationName);
        } catch (Exception e) {
            log.error("doBefore日志记录异常,异常信息:{}", e.getMessage());
        }
    }

    /**
     * 后置通知 记录用户的操作
     * 
     * @param joinPoint 切点
     */
    @AfterReturning(value = "afterAspect()", returning = "returnObj")
    public void doAfter(JoinPoint joinPoint, Object returnObj) {
        try {
            // 处理出参
            String outParams = JsonUtils.objToJson(returnObj);
            Method method = getMethod(joinPoint);
            String operationName = getAfterLogName(method);
            addSysLog(joinPoint, "AfterLog", outParams, operationName);
        } catch (Exception e) {
            log.error("doAfter日志记录异常,异常信息:{}", e.getMessage());
        }
    }

    /**
     * 前后通知 用于拦截记录用户的操作记录
     * 
     * @param joinPoint 切点
     * @throws Throwable
     */
    @Around("aroundAspect()")
    public Object doAround(ProceedingJoinPoint joinPoint) throws Throwable {
        // 出参
        Object value = null;
        // 拦截的方法是否执行
        boolean execute = false;
        // 入参
        Object[] args = joinPoint.getArgs();
        try {
            // 处理入参
            StringBuffer inParams = new StringBuffer();
            for (Object obj : args) {
                if (null != obj && !(obj instanceof ServletRequest) && !(obj instanceof ServletResponse)) {
                    String objJson = JsonUtils.objToJson(obj);
                    inParams.append(objJson);
                }
            }
            execute = true;
            // 执行目标方法
            value = joinPoint.proceed(args);
            // 处理出参
            String outParams = JsonUtils.objToJson(value);
            Method method = getMethod(joinPoint);
            String operationName = getAroundLogName(method);
            // 记录日志
            addSysLog(joinPoint, String.valueOf(inParams), String.valueOf(outParams), operationName);
        } catch (Exception e) {
            log.error("around日志记录异常,异常信息:{}", e.getMessage());
            // 如果未执行则继续执行,日志异常不影响操作流程继续
            if (!execute) {
                value = joinPoint.proceed(args);
            }
            throw e;
        }
        return value;
    }

    /**
     * 日志入库 addSysLog(这里用一句话描述这个方法的作用)
     *
     * @Title: addSysLog
     * @Description:
     * @param joinPoint
     * @param inParams
     * @param outParams
     * @param operationName
     * @return void
     */
    @SneakyThrows
    public void addSysLog(JoinPoint joinPoint, String inParams, String outParams, String operationName) throws Exception {
        try {
            HttpServletRequest request = ((ServletRequestAttributes) RequestContextHolder.getRequestAttributes())
                    .getRequest();
            String ip = request.getRemoteAddr();
            GitEggLog gitEggLog = new GitEggLog();
            gitEggLog.setMethodName(joinPoint.getSignature().getName());
            gitEggLog.setInParams(String.valueOf(inParams));
            gitEggLog.setOutParams(String.valueOf(outParams));
            gitEggLog.setOperationIp(ip);
            gitEggLog.setOperationName(operationName);
            log.log(LogLevelConstant.OPERATION_LEVEL,LogLevelConstant.OPERATION_LEVEL_MESSAGE, JsonUtils.objToJson(gitEggLog));
        } catch (Exception e) {
            log.error("addSysLog日志记录异常,异常信息:{}", e.getMessage());
            throw e;
        }
    }

    /**
     * 获取注解中对方法的描述信息
     * 
     * @param joinPoint 切点
     * @return 方法描述
     * @throws Exception
     */
    public Method getMethod(JoinPoint joinPoint) throws Exception {
        String targetName = joinPoint.getTarget().getClass().getName();
        String methodName = joinPoint.getSignature().getName();
        Object[] arguments = joinPoint.getArgs();
        Class targetClass = Class.forName(targetName);
        Method[] methods = targetClass.getMethods();
        Method methodReturn = null;
        for (Method method : methods) {
            if (method.getName().equals(methodName)) {
                Class[] clazzs = method.getParameterTypes();
                if (clazzs.length == arguments.length) {
                    methodReturn = method;
                    break;
                }
            }
        }
        return methodReturn;
    }

    /**
     * 
     * getBeforeLogName(获取before名称)
     *
     * @Title: getBeforeLogName
     * @Description:
     * @param method
     * @return String
     */
    public String getBeforeLogName(Method method) {
        String name = method.getAnnotation(BeforeLog.class).name();
        return name;
    }

    /**
     * 
     * getAfterLogName(获取after名称)
     *
     * @Title: getAfterLogName
     * @Description:
     * @param method
     * @return String
     */
    public String getAfterLogName(Method method) {
        String name = method.getAnnotation(AfterLog.class).name();
        return name;
    }

    /**
     * 
     * getAroundLogName(获取around名称)
     * @Title: getAroundLogName
     * @Description:
     * @param method
     * @return String
     *
     */
    public String getAroundLogName(Method method) {
        String name = method.getAnnotation(AroundLog.class).name();
        return name;
    }

上面代码工作完成之后,接下来需要在log4j2.xml中配置自定义日志级别,实现将自定义的日志打印到指定的文件中:

        
        
            
            
            
            
                
                
                
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        


    
        
            
            
            
            
            
            
            
        

        
            
            
            
            
            
            
            
        
    
3、实现将日志保存到Kafka

  前面的配置已基本满足了我们对于日志系统的基础需求,在这里,我们可以考虑通过配置Log4j2的配置文件,来实现动态配置将日志文件记录到指定的文件或消息中间件。
  Log4j2将日志消息发送到Kafka需要用到Kfaka的客户端jar包,所以,这里首先引入kafka-clients包:

            
            3.1.0



            
            
                org.apache.kafka
                kafka-clients
                ${kafka.clients.version}
            

修改log4j2.xml配置将操作日志记录到Kafka,这里需要注意,Log4j2官网说明了这里必须加配置,否则会出现递归调用。

        
            
            
            172.16.20.220:9092,172.16.20.221:9092,172.16.20.222:9092
            2000
        

        
            
            
            172.16.20.220:9092,172.16.20.221:9092,172.16.20.222:9092
            2000
        

    
    
    

        
        
            
        

        
        
            
        

        
        

        
            
            
            
            
            
            
            
            
            
        

        
            
            
            
            
            
            
            
            
            
        
    

综上,修改后完整的log4j.xml如下,可根据配置自己选择不将操作日志记录到文件:




    
    
        
        
        
        
        
        
        
        ${spring:logging.file.path}
        
        ${spring:spring.application.name}
        
        
        
    

    
        
        
            
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        

        
        
            
            
            
            
                
                
                
            
            
            
        

        
            
            
            172.16.20.220:9092,172.16.20.221:9092,172.16.20.222:9092
            2000
        

        
            
            
            172.16.20.220:9092,172.16.20.221:9092,172.16.20.222:9092
            2000
        

    

    
    
    

        
        
            
        

        
        
            
        

        
        

        
            
            
            
            
            
            
            
            
            
        

        
            
            
            
            
            
            
            
            
            
        
    

以上配置完成之后,我们对日志记录进行测试,查看日志是否记录到异步文件和kafka中,在Kfaka服务器启动消费者服务,可以实时观察日志是否推送到Kafka:
操作日志
接口日志

4、由Gateway记录可配置的请求日志

  在业务开发过程中,除了操作日志的需求,我们通常还会遇到接口日志的需求,系统需要对接口的请求做统计分析。网关负责把请求转发到各个微服务,在此处比较适合进行API日志收集。
  我们必然面临着哪些服务需要收集API日志,需要收集哪些类型的API日志的问题,那么在设计的时候,我们需要考虑使API日志收集可灵活配置。基于简单配置的考虑,我们将这些配置放到Nacos配置中心,如果有更多详细定制化的需求可以设计实现系统配置界面,将配置放到Redis缓存。
  因为请求中的RequestBody和ResponseBody都是只能读取一次的,所以这里需要在过滤器中对数据进行一下处理,尽管Gateway提供了缓存RequestBody的过滤器AdaptCachedBodyGlobalFilter,但是我们这里除了一些对请求的定制化需求外,有可能会用到ResponseBody,所以这里最好还是自定义过滤器。
  有一款开源插件spring-cloud-gateway-plugin非常全面的实现Gateway收集请求日志的过滤器,这里我们直接引用其实现,因为此款插件除了日志记录还有其他不需要的功能,且插件依赖SpringCloud版本,所以,这里只取其日志记录的功能,并根据我们的需求进行部分调整。
1、在我们的配置文件中增加如下配置项:

  • 日志插件开关
  • 记录请求参数开关
  • 记录返回参数开关
  • 需要记录API日志的微服务ID列表
  • 需要记录API日志的URL列表

    spring:
    cloud:
      gateway:
        plugin: 
          config:
            # 是否开启Gateway日志插件
            enable: true
            # requestLog==true && responseLog==false时,只记录请求参数日志;responseLog==true时,记录请求参数和返回参数。
            # 记录入参 requestLog==false时,不记录日志
            requestLog: true
            # 生产环境,尽量只记录入参,因为返回参数数据太大,且大多数情况是无意义的
            # 记录出参
            responseLog: true
            # all: 所有日志 configure:serviceId和pathList交集 serviceId: 只记录serviceId配置列表 pathList:只记录pathList配置列表
            logType: all
            serviceIdList:
             - "gitegg-oauth"
             - "gitegg-service-system"
            pathList:
             - "/gitegg-oauth/oauth/token"
             - "/gitegg-oauth/oauth/user/info"

    2、GatewayPluginConfig配置类,可以根据配置项,选择启用初始化哪些过滤器,根据spring-cloud-gateway-plugin GatewayPluginConfig.java修改。

    /**
     * Quoted from @see https://github.com/chenggangpro/spring-cloud-gateway-plugin
     *
     * Gateway Plugin Config
     * @author chenggang
     * @date 2019/01/29
     */
    @Slf4j
    @Configuration
    public class GatewayPluginConfig {
    
      @Bean
      @ConditionalOnMissingBean(GatewayPluginProperties.class)
      @ConfigurationProperties(GatewayPluginProperties.GATEWAY_PLUGIN_PROPERTIES_PREFIX)
      public GatewayPluginProperties gatewayPluginProperties(){
          return new GatewayPluginProperties();
      }
    
      @Bean
      @ConditionalOnBean(GatewayPluginProperties.class)
      @ConditionalOnMissingBean(GatewayRequestContextFilter.class)
      @ConditionalOnProperty(prefix = GatewayPluginProperties.GATEWAY_PLUGIN_PROPERTIES_PREFIX, value = { "enable", "requestLog" },havingValue = "true")
      public GatewayRequestContextFilter gatewayContextFilter(@Autowired GatewayPluginProperties gatewayPluginProperties , @Autowired(required = false) ContextExtraDataGenerator contextExtraDataGenerator){
          GatewayRequestContextFilter gatewayContextFilter = new GatewayRequestContextFilter(gatewayPluginProperties, contextExtraDataGenerator);
          log.debug("Load GatewayContextFilter Config Bean");
          return gatewayContextFilter;
      }
    
      @Bean
      @ConditionalOnMissingBean(GatewayResponseContextFilter.class)
      @ConditionalOnProperty(prefix = GatewayPluginProperties.GATEWAY_PLUGIN_PROPERTIES_PREFIX, value = { "enable", "responseLog" }, havingValue = "true")
      public GatewayResponseContextFilter responseLogFilter(){
          GatewayResponseContextFilter responseLogFilter = new GatewayResponseContextFilter();
          log.debug("Load Response Log Filter Config Bean");
          return responseLogFilter;
      }
    
      @Bean
      @ConditionalOnBean(GatewayPluginProperties.class)
      @ConditionalOnMissingBean(RemoveGatewayContextFilter.class)
      @ConditionalOnProperty(prefix = GatewayPluginProperties.GATEWAY_PLUGIN_PROPERTIES_PREFIX, value = { "enable" }, havingValue = "true")
      public RemoveGatewayContextFilter removeGatewayContextFilter(){
          RemoveGatewayContextFilter gatewayContextFilter = new RemoveGatewayContextFilter();
          log.debug("Load RemoveGatewayContextFilter Config Bean");
          return gatewayContextFilter;
      }
    
      @Bean
      @ConditionalOnMissingBean(RequestLogFilter.class)
      @ConditionalOnProperty(prefix = GatewayPluginProperties.GATEWAY_PLUGIN_PROPERTIES_PREFIX, value = { "enable" },havingValue = "true")
      public RequestLogFilter requestLogFilter(@Autowired GatewayPluginProperties gatewayPluginProperties){
          RequestLogFilter requestLogFilter = new RequestLogFilter(gatewayPluginProperties);
          log.debug("Load Request Log Filter Config Bean");
          return requestLogFilter;
      }
    
    }

    3、GatewayRequestContextFilter处理请求参数的过滤器,根据spring-cloud-gateway-plugin GatewayContextFilter.java修改。

    /**
     * Quoted from @see https://github.com/chenggangpro/spring-cloud-gateway-plugin
     *
     * Gateway Context Filter
     * @author chenggang
     * @date 2019/01/29
     */
    @Slf4j
    @AllArgsConstructor
    public class GatewayRequestContextFilter implements GlobalFilter, Ordered {
    
      private GatewayPluginProperties gatewayPluginProperties;
    
      private ContextExtraDataGenerator contextExtraDataGenerator;
    
      private static final AntPathMatcher ANT_PATH_MATCHER = new AntPathMatcher();
    
      /**
       * default HttpMessageReader
       */
      private static final List> MESSAGE_READERS = HandlerStrategies.withDefaults().messageReaders();
    
      @Override
      public Mono filter(ServerWebExchange exchange, GatewayFilterChain chain) {
          ServerHttpRequest request = exchange.getRequest();
          GatewayContext gatewayContext = new GatewayContext();
          gatewayContext.setReadRequestData(shouldReadRequestData(exchange));
          gatewayContext.setReadResponseData(gatewayPluginProperties.getResponseLog());
          HttpHeaders headers = request.getHeaders();
          gatewayContext.setRequestHeaders(headers);
          if(Objects.nonNull(contextExtraDataGenerator)){
              GatewayContextExtraData gatewayContextExtraData = contextExtraDataGenerator.generateContextExtraData(exchange);
              gatewayContext.setGatewayContextExtraData(gatewayContextExtraData);
          }
          if(!gatewayContext.getReadRequestData()){
              exchange.getAttributes().put(GatewayContext.CACHE_GATEWAY_CONTEXT, gatewayContext);
              log.debug("[GatewayContext]Properties Set To Not Read Request Data");
              return chain.filter(exchange);
          }
          gatewayContext.getAllRequestData().addAll(request.getQueryParams());
          /*
           * save gateway context into exchange
           */
          exchange.getAttributes().put(GatewayContext.CACHE_GATEWAY_CONTEXT, gatewayContext);
          MediaType contentType = headers.getContentType();
          if(headers.getContentLength()>0){
              if(MediaType.APPLICATION_JSON.equals(contentType) || MediaType.APPLICATION_JSON_UTF8.equals(contentType)){
                  return readBody(exchange, chain,gatewayContext);
              }
              if(MediaType.APPLICATION_FORM_URLENCODED.equals(contentType)){
                  return readFormData(exchange, chain,gatewayContext);
              }
          }
          log.debug("[GatewayContext]ContentType:{},Gateway context is set with {}",contentType, gatewayContext);
          return chain.filter(exchange);
    
      }
    
    
      @Override
      public int getOrder() {
          return FilterOrderEnum.GATEWAY_CONTEXT_FILTER.getOrder();
      }
    
      /**
       * check should read request data whether or not
       * @return boolean
       */
      private boolean shouldReadRequestData(ServerWebExchange exchange){
          if(gatewayPluginProperties.getRequestLog()
                  && GatewayLogTypeEnum.ALL.getType().equals(gatewayPluginProperties.getLogType())){
              log.debug("[GatewayContext]Properties Set Read All Request Data");
              return true;
          }
    
          boolean serviceFlag = false;
          boolean pathFlag = false;
          boolean lbFlag = false;
    
          List readRequestDataServiceIdList = gatewayPluginProperties.getServiceIdList();
    
          List readRequestDataPathList = gatewayPluginProperties.getPathList();
    
          if(!CollectionUtils.isEmpty(readRequestDataPathList)
                  && (GatewayLogTypeEnum.PATH.getType().equals(gatewayPluginProperties.getLogType())
                      || GatewayLogTypeEnum.CONFIGURE.getType().equals(gatewayPluginProperties.getLogType()))){
              String requestPath = exchange.getRequest().getPath().pathWithinApplication().value();
              for(String path : readRequestDataPathList){
                  if(ANT_PATH_MATCHER.match(path,requestPath)){
                      log.debug("[GatewayContext]Properties Set Read Specific Request Data With Request Path:{},Math Pattern:{}", requestPath, path);
                      pathFlag =  true;
                      break;
                  }
              }
          }
    
          Route route = exchange.getAttribute(ServerWebExchangeUtils.GATEWAY_ROUTE_ATTR);
          URI routeUri = route.getUri();
          if(!"lb".equalsIgnoreCase(routeUri.getScheme())){
              lbFlag = true;
          }
    
          String routeServiceId = routeUri.getHost().toLowerCase();
          if(!CollectionUtils.isEmpty(readRequestDataServiceIdList)
                  && (GatewayLogTypeEnum.SERVICE.getType().equals(gatewayPluginProperties.getLogType())
                  || GatewayLogTypeEnum.CONFIGURE.getType().equals(gatewayPluginProperties.getLogType()))){
              if(readRequestDataServiceIdList.contains(routeServiceId)){
                  log.debug("[GatewayContext]Properties Set Read Specific Request Data With ServiceId:{}",routeServiceId);
                  serviceFlag =  true;
              }
          }
    
          if (GatewayLogTypeEnum.CONFIGURE.getType().equals(gatewayPluginProperties.getLogType())
                  && serviceFlag && pathFlag && !lbFlag)
          {
              return true;
          }
          else if (GatewayLogTypeEnum.SERVICE.getType().equals(gatewayPluginProperties.getLogType())
                  && serviceFlag && !lbFlag)
          {
              return true;
          }
          else if (GatewayLogTypeEnum.PATH.getType().equals(gatewayPluginProperties.getLogType())
                  && pathFlag)
          {
              return true;
          }
    
          return false;
      }
    
      /**
       * ReadFormData
       * @param exchange
       * @param chain
       * @return
       */
      private Mono readFormData(ServerWebExchange exchange, GatewayFilterChain chain, GatewayContext gatewayContext){
          HttpHeaders headers = exchange.getRequest().getHeaders();
          return exchange.getFormData()
                  .doOnNext(multiValueMap -> {
                      gatewayContext.setFormData(multiValueMap);
                      gatewayContext.getAllRequestData().addAll(multiValueMap);
                      log.debug("[GatewayContext]Read FormData Success");
                  })
                  .then(Mono.defer(() -> {
                      Charset charset = headers.getContentType().getCharset();
                      charset = charset == null? StandardCharsets.UTF_8:charset;
                      String charsetName = charset.name();
                      MultiValueMap formData = gatewayContext.getFormData();
                      /*
                       * formData is empty just return
                       */
                      if(null == formData || formData.isEmpty()){
                          return chain.filter(exchange);
                      }
                      StringBuilder formDataBodyBuilder = new StringBuilder();
                      String entryKey;
                      List entryValue;
                      try {
                          /*
                           * repackage form data
                           */
                          for (Map.Entry> entry : formData.entrySet()) {
                              entryKey = entry.getKey();
                              entryValue = entry.getValue();
                              if (entryValue.size() > 1) {
                                  for(String value : entryValue){
                                      formDataBodyBuilder.append(entryKey).append("=").append(URLEncoder.encode(value, charsetName)).append("&");
                                  }
                              } else {
                                  formDataBodyBuilder.append(entryKey).append("=").append(URLEncoder.encode(entryValue.get(0), charsetName)).append("&");
                              }
                          }
                      }catch (UnsupportedEncodingException e){}
                      /*
                       * substring with the last char '&'
                       */
                      String formDataBodyString = "";
                      if(formDataBodyBuilder.length()>0){
                          formDataBodyString = formDataBodyBuilder.substring(0, formDataBodyBuilder.length() - 1);
                      }
                      /*
                       * get data bytes
                       */
                      byte[] bodyBytes =  formDataBodyString.getBytes(charset);
                      int contentLength = bodyBytes.length;
                      HttpHeaders httpHeaders = new HttpHeaders();
                      httpHeaders.putAll(exchange.getRequest().getHeaders());
                      httpHeaders.remove(HttpHeaders.CONTENT_LENGTH);
                      /*
                       * in case of content-length not matched
                       */
                      httpHeaders.setContentLength(contentLength);
                      /*
                       * use BodyInserter to InsertFormData Body
                       */
                      BodyInserter bodyInserter = BodyInserters.fromObject(formDataBodyString);
                      CachedBodyOutputMessage cachedBodyOutputMessage = new CachedBodyOutputMessage(exchange, httpHeaders);
                      log.debug("[GatewayContext]Rewrite Form Data :{}",formDataBodyString);
                      return bodyInserter.insert(cachedBodyOutputMessage,  new BodyInserterContext())
                              .then(Mono.defer(() -> {
                                  ServerHttpRequestDecorator decorator = new ServerHttpRequestDecorator(
                                          exchange.getRequest()) {
                                      @Override
                                      public HttpHeaders getHeaders() {
                                          return httpHeaders;
                                      }
                                      @Override
                                      public Flux getBody() {
                                          return cachedBodyOutputMessage.getBody();
                                      }
                                  };
                                  return chain.filter(exchange.mutate().request(decorator).build());
                              }));
                  }));
      }
    
      /**
       * ReadJsonBody
       * @param exchange
       * @param chain
       * @return
       */
      private Mono readBody(ServerWebExchange exchange, GatewayFilterChain chain, GatewayContext gatewayContext){
          return DataBufferUtils.join(exchange.getRequest().getBody())
                  .flatMap(dataBuffer -> {
                      /*
                       * read the body Flux, and release the buffer
                       * //TODO when SpringCloudGateway Version Release To G.SR2,this can be update with the new version's feature
                       * see PR https://github.com/spring-cloud/spring-cloud-gateway/pull/1095
                       */
                      byte[] bytes = new byte[dataBuffer.readableByteCount()];
                      dataBuffer.read(bytes);
                      DataBufferUtils.release(dataBuffer);
                      Flux cachedFlux = Flux.defer(() -> {
                          DataBuffer buffer = exchange.getResponse().bufferFactory().wrap(bytes);
                          DataBufferUtils.retain(buffer);
                          return Mono.just(buffer);
                      });
                      /*
                       * repackage ServerHttpRequest
                       */
                      ServerHttpRequest mutatedRequest = new ServerHttpRequestDecorator(exchange.getRequest()) {
                          @Override
                          public Flux getBody() {
                              return cachedFlux;
                          }
                      };
                      ServerWebExchange mutatedExchange = exchange.mutate().request(mutatedRequest).build();
                      return ServerRequest.create(mutatedExchange, MESSAGE_READERS)
                              .bodyToMono(String.class)
                              .doOnNext(objectValue -> {
                                  gatewayContext.setRequestBody(objectValue);
                                  log.debug("[GatewayContext]Read JsonBody Success");
                              }).then(chain.filter(mutatedExchange));
                  });
      }
    
    }

    4、GatewayResponseContextFilter处理返回参数的过滤器,根据spring-cloud-gateway-plugin ResponseLogFilter.java修改。

    /**
     * Quoted from @see https://github.com/chenggangpro/spring-cloud-gateway-plugin
     *
     *
     * @author: chenggang
     * @createTime: 2019-04-11
     * @version: v1.2.0
     */
    @Slf4j
    public class GatewayResponseContextFilter implements GlobalFilter, Ordered {
    
      @Override
      public Mono filter(ServerWebExchange exchange, GatewayFilterChain chain) {
          GatewayContext gatewayContext = exchange.getAttribute(GatewayContext.CACHE_GATEWAY_CONTEXT);
          if(!gatewayContext.getReadResponseData()){
              log.debug("[ResponseLogFilter]Properties Set Not To Read Response Data");
              return chain.filter(exchange);
          }
          ServerHttpResponseDecorator responseDecorator = new ServerHttpResponseDecorator(exchange.getResponse()) {
              @Override
              public Mono writeWith(Publisher body) {
                  return DataBufferUtils.join(Flux.from(body))
                          .flatMap(dataBuffer -> {
                              byte[] bytes = new byte[dataBuffer.readableByteCount()];
                              dataBuffer.read(bytes);
                              DataBufferUtils.release(dataBuffer);
                              Flux cachedFlux = Flux.defer(() -> {
                                  DataBuffer buffer = exchange.getResponse().bufferFactory().wrap(bytes);
                                  DataBufferUtils.retain(buffer);
                                  return Mono.just(buffer);
                              });
                              BodyInserter, ReactiveHttpOutputMessage> bodyInserter = BodyInserters.fromDataBuffers(cachedFlux);
                              CachedBodyOutputMessage outputMessage = new CachedBodyOutputMessage(exchange, exchange.getResponse().getHeaders());
                              DefaultClientResponse clientResponse = new DefaultClientResponse(new ResponseAdapter(cachedFlux, exchange.getResponse().getHeaders()), ExchangeStrategies.withDefaults());
                              Optional optionalMediaType = clientResponse.headers().contentType();
                              if(!optionalMediaType.isPresent()){
                                  log.debug("[ResponseLogFilter]Response ContentType Is Not Exist");
                                  return Mono.defer(()-> bodyInserter.insert(outputMessage, new BodyInserterContext())
                                          .then(Mono.defer(() -> {
                                              Flux messageBody = cachedFlux;
                                              HttpHeaders headers = getDelegate().getHeaders();
                                              if (!headers.containsKey(HttpHeaders.TRANSFER_ENCODING)) {
                                                  messageBody = messageBody.doOnNext(data -> headers.setContentLength(data.readableByteCount()));
                                              }
                                              return getDelegate().writeWith(messageBody);
                                          })));
                              }
                              MediaType contentType = optionalMediaType.get();
                              if(!contentType.equals(MediaType.APPLICATION_JSON) && !contentType.equals(MediaType.APPLICATION_JSON_UTF8)){
                                  log.debug("[ResponseLogFilter]Response ContentType Is Not APPLICATION_JSON Or APPLICATION_JSON_UTF8");
                                  return Mono.defer(()-> bodyInserter.insert(outputMessage, new BodyInserterContext())
                                          .then(Mono.defer(() -> {
                                              Flux messageBody = cachedFlux;
                                              HttpHeaders headers = getDelegate().getHeaders();
                                              if (!headers.containsKey(HttpHeaders.TRANSFER_ENCODING)) {
                                                  messageBody = messageBody.doOnNext(data -> headers.setContentLength(data.readableByteCount()));
                                              }
                                              return getDelegate().writeWith(messageBody);
                                          })));
                              }
                              return clientResponse.bodyToMono(Object.class)
                                      .doOnNext(originalBody -> {
                                          GatewayContext gatewayContext = exchange.getAttribute(GatewayContext.CACHE_GATEWAY_CONTEXT);
                                          gatewayContext.setResponseBody(originalBody);
                                          log.debug("[ResponseLogFilter]Read Response Data To Gateway Context Success");
                                      })
                                      .then(Mono.defer(()-> bodyInserter.insert(outputMessage, new BodyInserterContext())
                                              .then(Mono.defer(() -> {
                                                  Flux messageBody = cachedFlux;
                                                  HttpHeaders headers = getDelegate().getHeaders();
                                                  if (!headers.containsKey(HttpHeaders.TRANSFER_ENCODING)) {
                                                      messageBody = messageBody.doOnNext(data -> headers.setContentLength(data.readableByteCount()));
                                                  }
                                                  return getDelegate().writeWith(messageBody);
                                              }))));
                          });
    
              }
    
              @Override
              public Mono writeAndFlushWith(Publisher> body) {
                  return writeWith(Flux.from(body)
                          .flatMapSequential(p -> p));
              }
          };
          return chain.filter(exchange.mutate().response(responseDecorator).build());
      }
    
      @Override
      public int getOrder() {
          return FilterOrderEnum.RESPONSE_DATA_FILTER.getOrder();
      }
    
      public class ResponseAdapter implements ClientHttpResponse {
    
          private final Flux flux;
          private final HttpHeaders headers;
    
          public ResponseAdapter(Publisher body, HttpHeaders headers) {
              this.headers = headers;
              if (body instanceof Flux) {
                  flux = (Flux) body;
              } else {
                  flux = ((Mono)body).flux();
              }
          }
    
          @Override
          public Flux getBody() {
              return flux;
          }
    
          @Override
          public HttpHeaders getHeaders() {
              return headers;
          }
    
          @Override
          public HttpStatus getStatusCode() {
              return null;
          }
    
          @Override
          public int getRawStatusCode() {
              return 0;
          }
    
          @Override
          public MultiValueMap getCookies() {
              return null;
          }
      }
    
    }

    5、RemoveGatewayContextFilter清空请求参数的过滤器,根据spring-cloud-gateway-plugin RemoveGatewayContextFilter.java修改。

    /**
     * Quoted from @see https://github.com/chenggangpro/spring-cloud-gateway-plugin
     *
     * remove gatewayContext Attribute
     * @author chenggang
     * @date 2019/06/19
     */
    @Slf4j
    public class RemoveGatewayContextFilter implements GlobalFilter, Ordered {
    
      @Override
      public Mono filter(ServerWebExchange exchange, GatewayFilterChain chain) {
         return chain.filter(exchange).doFinally(s -> exchange.getAttributes().remove(GatewayContext.CACHE_GATEWAY_CONTEXT));
      }
    
      @Override
      public int getOrder() {
         return HIGHEST_PRECEDENCE;
      }
    
    }

    6、RequestLogFilter进行日志记录的过滤器,根据spring-cloud-gateway-plugin RequestLogFilter.java修改。

    /**
     * Quoted from @see https://github.com/chenggangpro/spring-cloud-gateway-plugin
     *
     * Filter To Log Request And Response(exclude response body)
     * @author chenggang
     * @date 2019/01/29
     */
    @Log4j2
    @AllArgsConstructor
    public class RequestLogFilter implements GlobalFilter, Ordered {
    
      private static final String START_TIME = "startTime";
    
      private static final String HTTP_SCHEME = "http";
    
      private static final String HTTPS_SCHEME = "https";
    
      private GatewayPluginProperties gatewayPluginProperties;
    
      @Override
      public Mono filter(ServerWebExchange exchange, GatewayFilterChain chain) {
          ServerHttpRequest request = exchange.getRequest();
          URI requestURI = request.getURI();
          String scheme = requestURI.getScheme();
          GatewayContext gatewayContext = exchange.getAttribute(GatewayContext.CACHE_GATEWAY_CONTEXT);
          /*
           * not http or https scheme
           */
          if ((!HTTP_SCHEME.equalsIgnoreCase(scheme) && !HTTPS_SCHEME.equals(scheme)) || !gatewayContext.getReadRequestData()){
              return chain.filter(exchange);
          }
    
          long startTime = System.currentTimeMillis();
          exchange.getAttributes().put(START_TIME, startTime);
    
          // 当返回参数为true时,记录请求参数和返回参数
          if (gatewayPluginProperties.getEnable())
          {
              return chain.filter(exchange).then(Mono.fromRunnable(() -> logApiRequest(exchange)));
          }
          else {
              return chain.filter(exchange);
          }
      }
    
      @Override
      public int getOrder() {
          return FilterOrderEnum.REQUEST_LOG_FILTER.getOrder();
      }
    
      /**
       * log api request
       * @param exchange
       */
      private Mono logApiRequest(ServerWebExchange exchange){
    
          ServerHttpRequest request = exchange.getRequest();
          URI requestURI = request.getURI();
          String scheme = requestURI.getScheme();
    
          Long startTime = exchange.getAttribute(START_TIME);
          Long endTime = System.currentTimeMillis();
          Long duration = ( endTime - startTime);
          ServerHttpResponse response = exchange.getResponse();
    
          GatewayApiLog gatewayApiLog = new GatewayApiLog();
          gatewayApiLog.setClientHost(requestURI.getHost());
          gatewayApiLog.setClientIp(IpUtils.getIP(request));
          gatewayApiLog.setStartTime(startTime);
          gatewayApiLog.setEndTime(startTime);
          gatewayApiLog.setDuration(duration);
          gatewayApiLog.setMethod(request.getMethodValue());
          gatewayApiLog.setScheme(scheme);
          gatewayApiLog.setRequestUri(requestURI.getPath());
          gatewayApiLog.setResponseCode(String.valueOf(response.getRawStatusCode()));
    
          GatewayContext gatewayContext = exchange.getAttribute(GatewayContext.CACHE_GATEWAY_CONTEXT);
          // 记录参数请求日志
          if (gatewayPluginProperties.getRequestLog())
          {
              MultiValueMap queryParams = request.getQueryParams();
              if(!queryParams.isEmpty()){
                  queryParams.forEach((key,value)-> log.debug("[RequestLogFilter](Request)Query Param :Key->({}),Value->({})",key,value));
                  gatewayApiLog.setQueryParams(JsonUtils.mapToJson(queryParams));
              }
              HttpHeaders headers = request.getHeaders();
              MediaType contentType = headers.getContentType();
              long length = headers.getContentLength();
              log.debug("[RequestLogFilter](Request)ContentType:{},Content Length:{}",contentType,length);
              if(length>0 && null != contentType && (contentType.includes(MediaType.APPLICATION_JSON)
                      ||contentType.includes(MediaType.APPLICATION_JSON_UTF8))){
                  log.debug("[RequestLogFilter](Request)JsonBody:{}",gatewayContext.getRequestBody());
                  gatewayApiLog.setRequestBody(gatewayContext.getRequestBody());
              }
              if(length>0 && null != contentType  && contentType.includes(MediaType.APPLICATION_FORM_URLENCODED)){
                  log.debug("[RequestLogFilter](Request)FormData:{}",gatewayContext.getFormData());
                  gatewayApiLog.setRequestBody(JsonUtils.mapToJson(gatewayContext.getFormData()));
              }
          }
    
          // 记录参数返回日志
          if (gatewayPluginProperties.getResponseLog())
          {
              log.debug("[RequestLogFilter](Response)HttpStatus:{}",response.getStatusCode());
              HttpHeaders headers = response.getHeaders();
              headers.forEach((key,value)-> log.debug("[RequestLogFilter]Headers:Key->{},Value->{}",key,value));
              MediaType contentType = headers.getContentType();
              long length = headers.getContentLength();
              log.info("[RequestLogFilter](Response)ContentType:{},Content Length:{}", contentType, length);
    
    
              log.debug("[RequestLogFilter](Response)Response Body:{}", gatewayContext.getResponseBody());
              try {
                  gatewayApiLog.setResponseBody(JsonUtils.objToJson(gatewayContext.getResponseBody()));
              } catch (Exception e) {
                  log.error("记录API日志返回数据转换JSON发生错误:{}", e);
              }
    
              log.debug("[RequestLogFilter](Response)Original Path:{},Cost:{} ms", exchange.getRequest().getURI().getPath(), duration);
          }
    
          Route route = exchange.getAttribute(ServerWebExchangeUtils.GATEWAY_ROUTE_ATTR);
          URI routeUri = route.getUri();
          String routeServiceId = routeUri.getHost().toLowerCase();
          // API日志记录级别
          try {
              log.log(LogLevelConstant.API_LEVEL,"{\"serviceId\":{}, \"data\":{}}", routeServiceId, JsonUtils.objToJson(gatewayApiLog));
          } catch (Exception e) {
              log.error("记录API日志数据发生错误:{}", e);
          }
    
          return Mono.empty();
      }
    
    }

    7、启动服务,对数据进行测试,我们可以在控制台启动Kfaka消费者,并查看是否有api_log主题的消息:
    监听api_log消息
    监听api_log消息

8、关于日志数据的存储和处理
  将日志消息保存到文件或者Kafka之后,就需要考虑如何处理这些数据,在有规模的微服务集群模式下,是尽量不提倡或者说禁止保存到MySQL这类关系数据库的,如果实在有需要的话,可以通过上篇介绍的,使用Spring Cloud Stream消费日志消息,并保存到指定数据库。下一篇讲如何搭建ELK日志分析系统,处理分析提取这些数据量庞大的日志数据。

GitEgg-Cloud是一款基于SpringCloud整合搭建的企业级微服务应用开发框架,开源项目地址:

Gitee: https://gitee.com/wmz1930/GitEgg
GitHub: https://github.com/wmz1930/GitEgg

你可能感兴趣的:(SpringCloud微服务实战——搭建企业级开发框架(三十七):微服务日志系统设计与实现)