Maison >Java >javaDidacticiel >Comment SpringBoot utilise AOP pour enregistrer les journaux d'opérations de l'interface

Comment SpringBoot utilise AOP pour enregistrer les journaux d'opérations de l'interface

PHPz
PHPzavant
2023-05-11 16:58:141461parcourir

1. Introduction à l'AOP

1. Qu'est-ce que l'AOP

AOP : Programmation orientée aspect# 🎜🎜 #

AOP ne se concentre pas sur une certaine classe ou certaines méthodes ; il contrôle un grand nombre de ressources et se concentre sur un grand nombre de classes et de méthodes.

2.Scénarios d'application AOP et termes courants

  • Contrôle des autorisations, contrôle du cache, Contrôle des transactions, traçage distribué, gestion des exceptions, etc.

  • Target : classe cible, c'est-à-dire la classe qui doit être proxy. Par exemple : UserService

  • Joinpoint (point de connexion) : le soi-disant point de connexion fait référence aux méthodes qui peuvent être interceptées. Par exemple : Toutes les méthodes

  • PointCut Pointcut : Un point de connexion qui a été amélioré. Par exemple : addUser()

  • Notification/amélioration des conseils, code d'amélioration. Par exemple : après, avant

  • Tissage : fait référence au processus d'application de conseils améliorés à l'objet cible pour créer un nouveau proxy d'objet proxy.#🎜🎜 Fonctionnalités AOP

  • 1) Réduire le couplage entre modules et améliorer l'agrégation du code métier. (Haute cohésion et faible couplage)
  • 2) Améliore la réutilisabilité du code

  • 3) Améliore l'évolutivité du système. (Les versions supérieures sont compatibles avec les versions inférieures)

4) De nouvelles fonctions peuvent être ajoutées sans affecter les fonctions d'origine 2. springBoot utilise AOP pour implémenter le processus

1. Introduire les dépendances

<!-- Spring AOP -->
  <dependency>
      <groupId>org.springframework.boot</groupId>
      <artifactId>spring-boot-starter-aop</artifactId>
</dependency>

2. 🎜🎜#3. Écrivez la classe d'annotation

(classe d'annotation de journal personnalisée)

@Getter
@Setter
@ApiModel(value = "Systemlog对象", description = "")
public class Systemlog implements Serializable {

    private static final long serialVersionUID = 1L;

      @ApiModelProperty("ID")
      @TableId(value = "id", type = IdType.AUTO)
      private Integer id;

      @ApiModelProperty("用户名")
      private String userName;

      @ApiModelProperty("用户ID")
      private Integer userId;

      @ApiModelProperty("操作描述")
      private String operate;

      @ApiModelProperty("模块")
      private String module;

      @ApiModelProperty("创建日志时间")
      @DateTimeFormat(pattern = "yyyy-MM-dd HH:mm:ss")
      private Date createTime;

      @ApiModelProperty("操作结果")
      private String result;

}

4. Écrivez la classe d'aspect du journal d'opération

/**
 * controller层切面日志注解
 * @author hsq
 */
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface SystemControllerLog {
    // 操作描述
    String operate();
    // 模块
    String module();
}
# 🎜 🎜#5.contrôleur utilisant

**
 * @author hsq
 */
@Aspect
@Component
public class SystemLogAspect {

    private static final Logger logger = LoggerFactory.getLogger(SystemLogAspect.class);

    @Autowired
    private ISystemlogService iSystemlogService;

    @Autowired
    private UserService userService;

    /**
     * Controller层切点
     */
    @Pointcut("@annotation(com.hsq.demo.config.SystemControllerLog)")
    public void SystemControllerLog(){

    }
    
   
    /**
     * 前置通知 用于拦截Controller层记录用户的操作的开始时间
     * @param joinPoint 切点
     * @throws InterruptedException
     */
    @Before("SystemControllerLog()")
    public void doBefore(JoinPoint joinPoint) throws InterruptedException{
        logger.info("进入日志切面前置通知!");

    }

    @After("SystemControllerLog()")
    public void doAfter(JoinPoint joinPoint) {
        logger.info("进入日志切面后置通知!");

    }

    /**value切入点位置
     * returning 自定义的变量,标识目标方法的返回值,自定义变量名必须和通知方法的形参一样
     * 特点:在目标方法之后执行的,能够获取到目标方法的返回值,可以根据这个返回值做不同的处理
     */
    @AfterReturning(value = "SystemControllerLog()", returning = "ret")
    public void doAfterReturning(Object ret) throws Throwable {
    }

    /***
     * 异常通知 记录操作报错日志
     * * @param joinPoint
     * * @param e
     * */
    @AfterThrowing(pointcut = "SystemControllerLog()", throwing = "e")
    public void doAfterThrowing(JoinPoint joinPoint, Throwable e) {
        logger.info("进入日志切面异常通知!!");
        logger.info("异常信息:" + e.getMessage());
    }
        
        
    //使用这个方法先注释前面三个方法,留before方法就行
    /**
     * 通知包裹了目标方法,在目标方法调用之前和之后执行自定义的行为
     * ProceedingJoinPoint切入点可以获取切入点方法上的名字、参数、注解和对象
     * @param joinPoint
     */
    @Around("SystemControllerLog() && @annotation(systemControllerLog)")
  public Result doAfterReturning(ProceedingJoinPoint joinPoint, SystemControllerLog systemControllerLog) throws Throwable {
        logger.info("设置日志信息存储到表中!");
        //joinPoint.proceed() 结果集
        //参数数组
        Object[] args = joinPoint.getArgs();
        //请求参数数据
        String requestJson = JSONUtil.toJsonStr(args);
        //方法名
        String methodName = joinPoint.getSignature().getName();
        //得到request
        HttpServletRequest request = ((ServletRequestAttributes) RequestContextHolder.getRequestAttributes()).getRequest();
        //得到token
        String token = request.getHeader("token");
        String userId = JWT.decode(token).getAudience().get(0);
        User user = userService.getById(userId);
        logger.info("得到用户信息:"+user.toString());
        //写入数据库操作日志
        Systemlog systemlog = new Systemlog();
        systemlog.setUserId(user.getUid());
        systemlog.setUserName(user.getUname());
        systemlog.setOperate(systemControllerLog.operate());
        systemlog.setModule(systemControllerLog.module());
        systemlog.setCreateTime(new Date());
        //存入返回的结果集 joinPoint.proceed()
        Result proceed = (Result) joinPoint.proceed();
        systemlog.setResult(JSONUtil.toJsonStr(joinPoint.proceed()));
        //保存
       saveSystemLog(systemlog);

       return proceed;

    }

}
6. #

Ce qui précède est le contenu détaillé de. pour plus d'informations, suivez d'autres articles connexes sur le site Web de PHP en chinois!

Déclaration:
Cet article est reproduit dans:. en cas de violation, veuillez contacter admin@php.cn Supprimer