[轉載] spring aop 環繞通知around和其他通知的區別

来源:https://www.cnblogs.com/Snail-1174158844/archive/2018/08/02/9407759.html
-Advertisement-
Play Games

前言: spring 的環繞通知和前置通知,後置通知有著很大的區別,主要有兩個重要的區別: 1) 目標方法的調用由環繞通知決定,即你可以決定是否調用目標方法,而前置和後置通知 是不能決定的,他們只是在方法的調用前後執行通知而已,即目標方法肯定是要執行的。 2) 環繞通知可以控制返回對象,即你可以返回 ...


前言:

     spring 的環繞通知和前置通知,後置通知有著很大的區別,主要有兩個重要的區別:

1) 目標方法的調用由環繞通知決定,即你可以決定是否調用目標方法,而前置和後置通知   是不能決定的,他們只是在方法的調用前後執行通知而已,即目標方法肯定是要執行的。

2)  環繞通知可以控制返回對象,即你可以返回一個與目標對象完全不同的返回值,雖然這很危險,但是你卻可以辦到。而後置方法是無法辦到的,因為他是在目標方法返回值後調用

   這裡是經過我自己測試的過的例子,使用面向切麵來處理一些問公共的問題,比如,許可權管理,事務的委托

下麵的例子就是使用環繞通知,當程式發生異常時,重覆提交請求,重覆的次數是可以設定的

    當我們開發企業級應用時,通常會想要從幾個切麵來引用模塊化的應用和特定操作的集合,下麵是一個典型的通用切麵,看起來可能像下麵這樣(這也是Spring文檔里的)

 

package test.prefer.aspect;

import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Pointcut;

@Aspect
public class SystemArchitecture {

  /**
   * A join point is in the web layer if the method is defined
   * in a type in the com.xyz.someapp.web package or any sub-package
   * under that.
   */
  @Pointcut("within(com.xyz.someapp.web..*)")
  public void inWebLayer() {}

  /**
   * A join point is in the service layer if the method is defined
   * in a type in the com.xyz.someapp.service package or any sub-package
   * under that.
   */
  @Pointcut("within(com.xyz.someapp.service..*)")
  public void inServiceLayer(){}

  /**
   * A join point is in the data access layer if the method is defined
   * in a type in the com.xyz.someapp.dao package or any sub-package
   * under that.
   */
  @Pointcut("within(com.xyz.someapp.dao..*)")
  public void inDataAccessLayer(){}

  /**
   * A business service is the execution of any method defined on a service
   * interface. This definition assumes that interfaces are placed in the
   * "service" package, and that implementation types are in sub-packages.
   * 
   * If you group service interfaces by functional area (for example, 
   * in packages com.xyz.someapp.abc.service and com.xyz.def.service) then
   * the pointcut expression "execution(* com.xyz.someapp..service.*.*(..))"
   * could be used instead.
   *
   * Alternatively, you can write the expression using the 'bean'
   * PCD, like so "bean(*Service)". (This assumes that you have
   * named your Spring service beans in a consistent fashion.)
   */
  @Pointcut("execution(* test.prefer.aspect.*.*(..))")
  public void businessService(){}
  
  /**
   * A data access operation is the execution of any method defined on a 
   * dao interface. This definition assumes that interfaces are placed in the
   * "dao" package, and that implementation types are in sub-packages.
   */
  @Pointcut("execution(* com.xyz.someapp.dao.*.*(..))")
  public void dataAccessOperation(){}

}

 

 一、定義自己的一個切麵

/*
*文件名:ConcurrentOperationExecutor.Java
*描述:<描述>
*修改人:Administrator
*/

package test.prefer.aspect;

import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.Around;
import org.aspectj.lang.annotation.Aspect;
import org.springframework.core.Ordered;

/**
 * @author 
 *@date 2010-6-1
 */
@Aspect
public class ConcurrentOperationExecutor implements Ordered {
   
   private static final int DEFAULT_MAX_RETRIES = 2;

   private int maxRetries = DEFAULT_MAX_RETRIES;
   private int order = 1;

   public void setMaxRetries(int maxRetries) {
      this.maxRetries = maxRetries;
   }
   
   public int getOrder(){
      return this.order;
   }
   public void setOrder(int order){
      this.order = order;
   }
   
   @Around("test.prefer.aspect.SystemArchitecture.businessService()")
   public Object doConcurrentOperation(ProceedingJoinPoint pjp) throws Throwable { 
    //環繞通知處理方法
      int numAttempts = 0;
      Exception lockFailureException;
      do {
         numAttempts++;
         try { 
          System.out.println("環繞通知方法[ doConcurrentOperation(ProceedingJoinPoint pjp) ].............");
            return pjp.proceed();
         }
         catch(Exception ex) {
            lockFailureException = ex;
         }
      }
      while(numAttempts <= this.maxRetries);
      throw lockFailureException;
   }

}

 

說明:

    請註意切麵實現了 Ordered 介面,這樣我們就可以把切麵的優先順序設定為高於事務通知 (我們每次重試的時候都想要在一個全新的事務中進行)。maxRetriesorder 屬性都可以在Spring中配置。主要的動作在doConcurrentOperation這個環繞通知方法中發生。 請註意這個時候我們所有的businessService()方法都會使用這個重試策略。 我們首先會嘗試處理,如果得到一個Exception異常, 我們僅僅重試直到耗盡所有預設的重試次數(spring開發文檔)

 

二、在配置文件里配置這個切麵

<aop:aspectj-autoproxy/>

<bean id="concurrentOperationExecutor"
  class="test.prefer.aspect.ConcurrentOperationExecutor">
     <property name="maxRetries" value="3"/>
     <property name="order" value="100"/>  
</bean>

 

好了,下麵我們就試一下效果吧

 

三、測試效果

    1)新建一個測試的bean: MyTestAspect,代碼如下:

package test.prefer.aspect;
/**
 * 這是一個切麵類
 */
import org.aspectj.lang.annotation.Aspect;

public class MyTestAspect {
 int k=0;
 public void test(String args) throws Exception{
  System.out.println("這裡是[ 目標 ]方法test()"+ ++k);
  if(k<2){
   throw new Exception();
  }
  
 }

}

 

這個類必須在連接點的包或者子包下麵,

在SystemArchitecture里有定義

 @Pointcut("execution(* test.prefer.aspect.*.*(..))")
  public void businessService(){}

 

2)applicationContext.xml里配置 MyTestAspect

<bean id="test" class="test.prefer.aspect.MyTestAspect"/>

 

3)好了,看看效果吧

package test;

import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;
import test.prefer.aspect.MyTestAspect;

public class example {
 
 public static void main(String args[]){
  
  ApplicationContext ctx = new ClassPathXmlApplicationContext("applicationContext.xml");
  MyTestAspect t =(MyTestAspect)ctx.getBean("test");
  try{
  t.test("");
  }catch(Exception e){
   System.out.println("main()中處理異常"+e);
  }
 }

}

輸出結果是:

環繞通知方法[ doConcurrentOperation(ProceedingJoinPoint pjp) ].............
這裡是[ 目標 ]方法test()1
環繞通知方法[ doConcurrentOperation(ProceedingJoinPoint pjp) ].............
這裡是[ 目標 ]方法test()


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 代碼可以在 https://pan.baidu.com/s/1uN120-18hvAzELpJCQfbXA 處下載 開始,創建一個paiziDm 的分支 git checkout -b paiziDm ,我們再寫代碼 下麵來 分析思路 就是模擬點擊 換徽章 的過程,如果沒有當前房間的徽章,則不戴。 ...
  • 最近開發小程式,為瞭解耦數據 寫了一個wenaox的庫,一開始放在libs里使用相對路徑引入,覺得很辛苦, 後面發現小程式的npm已經進入beta版本,於是下載了beta開發工具,構建後就可以直接import引入 很爽 有需要可以下載用一下 [Wenaox][wenaox url] [![NPM v ...
  • Javascript是一種基於對象的語言,你遇到的所有東西幾乎都是對象。但是,它又不是一種真正的面向對象編程(OOP)語言,因為它的語法中沒有Class。(不過,ES6引入了Class這個概念,作為對象的模板。通過class關鍵字,可以定義類。ES6入門:http://es6.ruanyifeng. ...
  • 1、代碼: <!DOCTYPE html><html><head> <meta charset="utf-8"> <title>JS過渡和變形效果演示</title> <style type="text/css"> *{ margin: 0; padding: 0; } .container{ wi ...
  • 1:children及find方法都用是用來獲得element的子elements的,兩者都不會返回 text node,就像大多數的jQuery方法一樣。 2:children方法獲得的僅僅是元素一下級的子元素,即:immediate children。 3:find方法獲得所有下級元素,即:de ...
  • CSS 的偽類選擇器和偽元素選擇器,讓 CSS 有了更為強大的功能。 偽類大家聽的多了,偽元素可能聽到的不是那麼頻繁,其實 CSS 對這兩個是有區分的。 有個錯誤有必要每次講到偽類都提一下,有時你會發現偽類元素使用了兩個冒號 (::) 而不是一個冒號 (:),這是 CSS3 規範中的一部分要求,目的 ...
  • 很多時候我們需要引入框架來開發項目,這時我們可能會遇到頁面還沒載入完源碼出來了的問題,給用戶一種不好的視覺體驗,這是便需要loading載入了,來完善用戶體驗! ...
  • 工廠方法模式 概要 1. 一個抽象產品類 2. 多個具體產品類 3. 一個抽象工廠 4. 多個具體工廠 每一個具體產品對應一個具體工廠 5. 符合 "OCP開放封閉原則" 優點 1. 降低了代碼耦合度,對象的生成交給子類去完成 2. 實現了開放封閉原則 每次添加子產品 不需要修改原有代碼 缺點 1. ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...