1. 程式人生 > 其它 >【SpringAOP】SpringAOP註解配置

【SpringAOP】SpringAOP註解配置

配置檔案

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
       xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
       xmlns:aop="http://www.springframework.org/schema/aop"
       xmlns:context="http://www.springframework.org/schema/context"
       xsi:schemaLocation="http://www.springframework.org/schema/beans
        https://www.springframework.org/schema/beans/spring-beans.xsd
        http://www.springframework.org/schema/context
        https://www.springframework.org/schema/context/spring-context.xsd
        http://www.springframework.org/schema/aop
        https://www.springframework.org/schema/aop/spring-aop.xsd">


    <context:component-scan base-package="com.czy"></context:component-scan>
    
    <!--開啟aop註解配置-->
    <aop:aspectj-autoproxy></aop:aspectj-autoproxy>


</beans>

Aop類

package com.czy.utils;

import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.*;
import org.springframework.stereotype.Component;

/**
 * 用於記錄日誌的工具類,它裡面提供了公共的程式碼
 */
@Component
@Aspect
public class Logger {

    @Pointcut("execution(* com.czy.service.impl.*.*(..))")
    public void pt(){}

    /**
     * 前置通知
     */
    @Before("pt()")
    public void beforePrintLog(){
        System.out.println("前置通知...");
    }

    /**
     * 後置通知
     */
    @AfterReturning("pt()")
    public void afterReturningPrintLog(){
        System.out.println("後置通知...");
    }

    /**
     * 異常通知
     */
    @AfterThrowing("pt()")
    public void afterThrowingPrintLog(){
        System.out.println("異常通知...");
    }

    /**
     * 最終通知
     */
    @After("pt()")
    public void afterPrintLog(){
        System.out.println("最終通知...");
    }

    /**
     * 環繞通知
     * 問題:
     *      當我們配置了環繞通知之後,切入點方法沒有執行,而通知方法執行了
     * 分析:
     *      通過對比動態代理中的環繞通知程式碼,發現動態代理的環繞通知有明確的切入點方法呼叫,而我們的程式碼中沒有
     * 解決:
     *      Spring框架為我們提供了一個介面:ProceedingJointPoint。該介面有一個方法proceed(),此方法就相當於明確呼叫切入點方法
     *      該介面可以作為環繞通知的方法引數,在程式執行時,spring框架會為我們提供該介面的實現類供我們使用
     * spring中的環繞通知:
     *      它是spring框架為我們提供的一種可以在程式碼中手動控制增強方法何時執行的方式
     */
    //@Around("pt()")
    public Object aroundPrintLog(ProceedingJoinPoint pjp){
        Object rtValue = null;
        try {
            Object[] args = pjp.getArgs(); //得到方法執行所需要的引數
            beforePrintLog(); //前置通知
            rtValue = pjp.proceed(args); //明確呼叫切入點方法
            afterReturningPrintLog(); //後置通知
            return rtValue;
        } catch (Throwable throwable) {
            afterThrowingPrintLog(); //異常通知
            throwable.printStackTrace();
        }finally {
            afterPrintLog(); //最終通知
        }
        return rtValue;
    }
}