SpringAop @Around執行兩次的原因及解決

在使用AOP環繞通知做日志處理的時候,發現@Around方法執行瞭兩次,雖然這裡環繞通知本來就會執行兩次,但是正常情況下是在切點方法前執行一次,切點方法後執行一次,但是實際情況卻是,切點方法前執行兩次,切點方法後執行兩次。

文字不好理解,還是寫一下代碼:

    @Around("logPointCut()")
    public Object doAround(ProceedingJoinPoint pjp) throws Throwable {
        logger.debug("==========Request log==========");
        long startTime = System.currentTimeMillis();
        Object ob = pjp.proceed();
        ServletRequestAttributes attributes = (ServletRequestAttributes) RequestContextHolder.getRequestAttributes();
        HttpServletRequest request = attributes.getRequest();
        //JSONObject ipInfo = JSONObject.fromObject(URLDecoder.decode(WebUtils.getCookie(request,"IP_INFO").getValue(),"utf-8"));
        //logger.debug("IP: {}", ipInfo.get("ip"));
        //logger.debug("CITY {}", ipInfo.get("city"));
        logger.debug("IP: {}", BlogUtil.getClientIpAddr(request));
        logger.debug("REQUEST_URL: {}", request.getRequestURL().toString());
        logger.debug("HTTP_METHOD: {}", request.getMethod());
        logger.debug("CLASS_METHOD: {}", pjp.getSignature().getDeclaringTypeName() + "."
                + pjp.getSignature().getName());
        //logger.info("參數 : " + Arrays.toString(pjp.getArgs()));
        logger.debug("USE_TIME: {}", System.currentTimeMillis() - startTime);
        logger.debug("==========Request log end==========");
        return ob;
    }

然後刷新一下頁面,得到的日志如下:

可以看到,雖然隻刷新瞭一次,但是卻輸出瞭兩次日志,是不應該的。然後通過斷點調試發現,是因為在Controller中使用瞭@ModelAttribute

@ModelAttribute
public void counter(Model model) {
    counter.setCount(counter.getCount() + 1);
    model.addAttribute("count", counter.getCount());
}

@ModelAttribute註解的方法會在Controller方法執行之前執行一次,並且我將它放在瞭Controller中,並且攔截的是所有Controller中的方法,

這樣就導致瞭:

1、首先頁面請求到Controller,執行@ModelAttribute標註的方法,此時會被AOP攔截到一次。

2、執行完@ModelAttribute標註的方法後,執行@RequestMapping標註的方法,又被AOP攔截到一次。

所以,會有兩次日志輸出。

解決辦法:

1、將Controller中的@ModelAttribute方法,提取出來,放到@ControllerAdvice中。

2、對AOP攔截規則添加註解匹配,例如:

execution(public * com.blog.controller.*.*(..)) && (@annotation(org.springframework.web.bind.annotation.RequestMapping))

&& (@annotation(org.springframework.web.bind.annotation.RequestMapping

表明這樣隻會攔截RequestMappping標註的方法。

註意:

如果是一個方法a()調用同一個類中的方法b(),如果對方法a()做攔截的話,AOP隻會攔截到a(),而不會攔截到b(),因為啊a()對b()的調用是通過this.b()調用的,而AOP正真執行的是生成的代理類,通過this自然無法攔截到方法b()瞭。

瞭解Spring @Around使用及註意

註意:

1、Spring 切面註解的順序

  • @before
  • @Around( 要代理的方法執行在其中)
  • @AfterReturning
  • @after

2、沒有@Around,則 要代理的方法執行 異常才會被@AfterThrowing捕獲;

3、在@Around如何執行 要代理的方法執行

@Around("execution(* cn.com.xalead.spring.MeInterface.*(..)) || execution(* cn.com.xalead.spring.KingInterface.*(..))")
public Object test(ProceedingJoinPoint proceeding) {
    Object o = null;
    try {
        //執行
        o = proceeding.proceed(proceeding.getArgs());
    } catch (Throwable e) {
        e.printStackTrace();
    }
    return o;
}

以上為個人經驗,希望能給大傢一個參考,也希望大傢多多支持WalkonNet。

推薦閱讀: