Spring學習總結(二)——靜態代理、JDK與CGLIB動態代理、AOP+IoC

AOP(Aspect Oriented Programming)意爲:面向切面編程,經過預編譯方式和運行期動態代理實現程序功能的統一維護的一種技術。AOP是OOP的延續,是軟件開發中的一個熱點,也是Spring框架中的一個重要內容,是函數式編程的一種衍生範型。利用AOP能夠對業務邏輯的各個部分進行隔離,從而使得業務邏輯各部分之間的耦合度下降,提升程序的可重用性,同時提升了開發的效率。java

1、爲何須要代理模式

假設需實現一個計算的類Math、完成加、減、乘、除功能,以下所示:git

 1 package com.zhangguo.Spring041.aop01;
 2 
 3 public class Math {
 4     //
 5     public int add(int n1,int n2){
 6         int result=n1+n2;
 7         System.out.println(n1+"+"+n2+"="+result);
 8         return result;
 9     }
10     
11     
12     //
13     public int sub(int n1,int n2){
14         int result=n1-n2;
15         System.out.println(n1+"-"+n2+"="+result);
16         return result;
17     }
18     
19     //
20     public int mut(int n1,int n2){
21         int result=n1*n2;
22         System.out.println(n1+"X"+n2+"="+result);
23         return result;
24     }
25     
26     //
27     public int div(int n1,int n2){
28         int result=n1/n2;
29         System.out.println(n1+"/"+n2+"="+result);
30         return result;
31     }
32 }

如今需求發生了變化,要求項目中全部的類在執行方法時輸出執行耗時。最直接的辦法是修改源代碼,以下所示:spring

 1 package com.zhangguo.Spring041.aop01;
 2 
 3 import java.util.Random;
 4 
 5 public class Math {
 6     //
 7     public int add(int n1,int n2){
 8         //開始時間
 9         long start=System.currentTimeMillis();
10         lazy();
11         int result=n1+n2;
12         System.out.println(n1+"+"+n2+"="+result);
13         Long span= System.currentTimeMillis()-start;
14         System.out.println("共用時:"+span);
15         return result;
16     }
17     
18     //
19     public int sub(int n1,int n2){
20         //開始時間
21         long start=System.currentTimeMillis();
22         lazy();
23         int result=n1-n2;
24         System.out.println(n1+"-"+n2+"="+result);
25         Long span= System.currentTimeMillis()-start;
26         System.out.println("共用時:"+span);
27         return result;
28     }
29     
30     //
31     public int mut(int n1,int n2){
32         //開始時間
33         long start=System.currentTimeMillis();
34         lazy();
35         int result=n1*n2;
36         System.out.println(n1+"X"+n2+"="+result);
37         Long span= System.currentTimeMillis()-start;
38         System.out.println("共用時:"+span);
39         return result;
40     }
41     
42     //
43     public int div(int n1,int n2){
44         //開始時間
45         long start=System.currentTimeMillis();
46         lazy();
47         int result=n1/n2;
48         System.out.println(n1+"/"+n2+"="+result);
49         Long span= System.currentTimeMillis()-start;
50         System.out.println("共用時:"+span);
51         return result;
52     }
53     
54     //模擬延時
55     public void lazy()
56     {
57         try {
58             int n=(int)new Random().nextInt(500);
59             Thread.sleep(n);
60         } catch (InterruptedException e) {
61             e.printStackTrace();
62         }
63     }
64 }

測試運行:數據庫

package com.zhangguo.Spring041.aop01;

public class Test {
    
    @org.junit.Test
    public void test01()
    {
        Math math=new Math();
        int n1=100,n2=5;
        math.add(n1, n2);
        math.sub(n1, n2);
        math.mut(n1, n2);
        math.div(n1, n2);
    }
}

運行結果:express

缺點:apache

一、工做量特別大,若是項目中有多個類,多個方法,則要修改屢次。編程

二、違背了設計原則:開閉原則(OCP),對擴展開放,對修改關閉,而爲了增長功能把每一個方法都修改了,也不便於維護。後端

三、違背了設計原則:單一職責(SRP),每一個方法除了要完成本身自己的功能,還要計算耗時、延時;每個方法引發它變化的緣由就有多種。api

四、違背了設計原則:依賴倒轉(DIP),抽象不該該依賴細節,二者都應該依賴抽象。而在Test類中,Test與Math都是細節。數組

使用靜態代理能夠解決部分問題。

2、靜態代理

 一、定義抽象主題接口。

package com.zhangguo.Spring041.aop02;

/**
 * 接口
 * 抽象主題
 */
public interface IMath {
    //
    int add(int n1, int n2);

    //
    int sub(int n1, int n2);

    //
    int mut(int n1, int n2);

    //
    int div(int n1, int n2);

}

二、主題類,算術類,實現抽象接口。

package com.zhangguo.Spring041.aop02;

/**
 * 被代理的目標對象
 *真實主題
 */
public class Math implements IMath {
    //
    public int add(int n1,int n2){
        int result=n1+n2;
        System.out.println(n1+"+"+n2+"="+result);
        return result;
    }
    
    //
    public int sub(int n1,int n2){
        int result=n1-n2;
        System.out.println(n1+"-"+n2+"="+result);
        return result;
    }
    
    //
    public int mut(int n1,int n2){
        int result=n1*n2;
        System.out.println(n1+"X"+n2+"="+result);
        return result;
    }
    
    //
    public int div(int n1,int n2){
        int result=n1/n2;
        System.out.println(n1+"/"+n2+"="+result);
        return result;
    }
}

三、代理類

 1 package com.zhangguo.Spring041.aop02;
 2 
 3 import java.util.Random;
 4 
 5 /**
 6  * 靜態代理類
 7  */
 8 public class MathProxy implements IMath {
 9 
10     //被代理的對象
11     IMath math=new Math();
12     
13     //
14     public int add(int n1, int n2) {
15         //開始時間
16         long start=System.currentTimeMillis();
17         lazy();
18         int result=math.add(n1, n2);
19         Long span= System.currentTimeMillis()-start;
20         System.out.println("共用時:"+span);
21         return result;
22     }
23 
24     //減法
25     public int sub(int n1, int n2) {
26         //開始時間
27         long start=System.currentTimeMillis();
28         lazy();
29         int result=math.sub(n1, n2);
30         Long span= System.currentTimeMillis()-start;
31         System.out.println("共用時:"+span);
32         return result;
33     }
34 
35     //
36     public int mut(int n1, int n2) {
37         //開始時間
38         long start=System.currentTimeMillis();
39         lazy();
40         int result=math.mut(n1, n2);
41         Long span= System.currentTimeMillis()-start;
42         System.out.println("共用時:"+span);
43         return result;
44     }
45     
46     //
47     public int div(int n1, int n2) {
48         //開始時間
49         long start=System.currentTimeMillis();
50         lazy();
51         int result=math.div(n1, n2);
52         Long span= System.currentTimeMillis()-start;
53         System.out.println("共用時:"+span);
54         return result;
55     }
56 
57     //模擬延時
58     public void lazy()
59     {
60         try {
61             int n=(int)new Random().nextInt(500);
62             Thread.sleep(n);
63         } catch (InterruptedException e) {
64             e.printStackTrace();
65         }
66     }
67 }

四、測試運行

 1 package com.zhangguo.Spring041.aop02;
 2 
 3 public class Test {
 4     
 5     IMath math=new MathProxy();
 6     @org.junit.Test
 7     public void test01()
 8     {
 9         int n1=100,n2=5;
10         math.add(n1, n2);
11         math.sub(n1, n2);
12         math.mut(n1, n2);
13         math.div(n1, n2);
14     }
15 }

 

五、小結

經過靜態代理,是否徹底解決了上述的4個問題:

已解決:

5.一、解決了「開閉原則(OCP)」的問題,由於並無修改Math類,而擴展出了MathProxy類。

5.二、解決了「依賴倒轉(DIP)」的問題,經過引入接口。

5.三、解決了「單一職責(SRP)」的問題,Math類再也不須要去計算耗時與延時操做,但從某些方面講MathProxy仍是存在該問題。

未解決:

5.四、若是項目中有多個類,則須要編寫多個代理類,工做量大,很差修改,很差維護,不能應對變化。

若是要解決上面的問題,可使用動態代理。

3、動態代理,使用JDK內置的Proxy實現

只須要一個代理類,而不是針對每一個類編寫代理類。

在上一個示例中修改代理類MathProxy以下:

 1 package com.zhangguo.Spring041.aop03;
 2 
 3 import java.lang.reflect.InvocationHandler;
 4 import java.lang.reflect.Method;
 5 import java.lang.reflect.Proxy;
 6 import java.util.Random;
 7 
 8 /**
 9  * 動態代理類
10  */
11 public class DynamicProxy implements InvocationHandler {
12 
13     //被代理的對象
14     Object targetObject;
15     
16     /**
17      * 得到被代理後的對象
18      * @param object 被代理的對象
19      * @return 代理後的對象
20      */
21     public Object getProxyObject(Object object){
22         this.targetObject=object;
23         return Proxy.newProxyInstance(
24                 targetObject.getClass().getClassLoader(), //類加載器
25                 targetObject.getClass().getInterfaces(),  //得到被代理對象的全部接口
26                 this);  //InvocationHandler對象
27         //loader:一個ClassLoader對象,定義了由哪一個ClassLoader對象來生成代理對象進行加載
28         //interfaces:一個Interface對象的數組,表示的是我將要給我須要代理的對象提供一組什麼接口,若是我提供了一組接口給它,那麼這個代理對象就宣稱實現了該接口(多態),這樣我就能調用這組接口中的方法了
29         //h:一個InvocationHandler對象,表示的是當我這個動態代理對象在調用方法的時候,會關聯到哪個InvocationHandler對象上,間接經過invoke來執行
30     }
31     
32     
33     /**
34      * 當用戶調用對象中的每一個方法時都經過下面的方法執行,方法必須在接口
35      * proxy 被代理後的對象
36      * method 將要被執行的方法信息(反射)
37      * args 執行方法時須要的參數
38      */
39     public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
40         //被織入的內容,開始時間
41         long start=System.currentTimeMillis();
42         lazy();
43         
44         //使用反射在目標對象上調用方法並傳入參數
45         Object result=method.invoke(targetObject, args);
46         
47         //被織入的內容,結束時間
48         Long span= System.currentTimeMillis()-start;
49         System.out.println("共用時:"+span);
50         
51         return result;
52     }
53     
54     //模擬延時
55     public void lazy()
56     {
57         try {
58             int n=(int)new Random().nextInt(500);
59             Thread.sleep(n);
60         } catch (InterruptedException e) {
61             e.printStackTrace();
62         }
63     }
64 
65 }

測試運行:

 1 package com.zhangguo.Spring041.aop03;
 2 
 3 public class Test {
 4     
 5     //實例化一個MathProxy代理對象
 6     //經過getProxyObject方法得到被代理後的對象
 7     IMath math=(IMath)new DynamicProxy().getProxyObject(new Math());
 8     @org.junit.Test
 9     public void test01()
10     {
11         int n1=100,n2=5;
12         math.add(n1, n2);
13         math.sub(n1, n2);
14         math.mut(n1, n2);
15         math.div(n1, n2);
16     }
17     
18     IMessage message=(IMessage) new DynamicProxy().getProxyObject(new Message());
19     @org.junit.Test
20     public void test02()
21     {
22         message.message();
23     }
24 }

 

 小結:

 JDK內置的Proxy動態代理能夠在運行時動態生成字節碼,而不必針對每一個類編寫代理類。中間主要使用到了一個接口InvocationHandler與Proxy.newProxyInstance靜態方法,參數說明以下:

 使用內置的Proxy實現動態代理有一個問題:被代理的類必須實現接口,未實現接口則沒辦法完成動態代理。

若是項目中有些類沒有實現接口,則不該該爲了實現動態代理而刻意去抽出一些沒有實例意義的接口,經過cglib能夠解決該問題。

、動態代理,使用cglib實現

CGLIB(Code Generation Library)是一個開源項目,是一個強大的,高性能,高質量的Code生成類庫,它能夠在運行期擴展Java類與實現Java接口,通俗說cglib能夠在運行時動態生成字節碼

 4.一、引用cglib,經過maven

 修改pom.xml文件,添加依賴

保存pom.xml配置文件,將自動從共享資源庫下載cglib所依賴的jar包,主要有以下幾個:

4.二、使用cglib完成動態代理,大概的原理是:cglib繼承被代理的類,重寫方法,織入通知,動態生成字節碼並運行,由於是繼承因此final類是沒有辦法動態代理的。具體實現以下:

 1 package com.zhangguo.Spring041.aop04;
 2 
 3 import java.lang.reflect.Method;
 4 import java.util.Random;
 5 
 6 import net.sf.cglib.proxy.Enhancer;
 7 import net.sf.cglib.proxy.MethodInterceptor;
 8 import net.sf.cglib.proxy.MethodProxy;
 9 
10 /*
11  * 動態代理類
12  * 實現了一個方法攔截器接口
13  */
14 public class DynamicProxy implements MethodInterceptor {
15 
16     // 被代理對象
17     Object targetObject;
18 
19     //Generate a new class if necessary and uses the specified callbacks (if any) to create a new object instance. 
20     //Uses the no-arg constructor of the superclass.
21     //動態生成一個新的類,使用父類的無參構造方法建立一個指定了特定回調的代理實例
22     public Object getProxyObject(Object object) {
23         this.targetObject = object;
24         //加強器,動態代碼生成器
25         Enhancer enhancer=new Enhancer();
26         //回調方法
27         enhancer.setCallback(this);
28         //設置生成類的父類類型
29         enhancer.setSuperclass(targetObject.getClass());
30         //動態生成字節碼並返回代理對象
31         return enhancer.create();
32     }
33 
34     // 攔截方法
35     public Object intercept(Object object, Method method, Object[] args, MethodProxy methodProxy) throws Throwable {
36         // 被織入的橫切內容,開始時間 before
37         long start = System.currentTimeMillis();
38         lazy();
39 
40         // 調用方法
41         Object result = methodProxy.invoke(targetObject, args);
42 
43         // 被織入的橫切內容,結束時間
44         Long span = System.currentTimeMillis() - start;
45         System.out.println("共用時:" + span);
46         
47         return result;
48     }
49 
50     // 模擬延時
51     public void lazy() {
52         try {
53             int n = (int) new Random().nextInt(500);
54             Thread.sleep(n);
55         } catch (InterruptedException e) {
56             e.printStackTrace();
57         }
58     }
59 
60 }

參數:Object爲由CGLib動態生成的代理類實例,Method爲上文中實體類所調用的被代理的方法引用,Object[]爲參數值列表,MethodProxy爲生成的代理類對方法的代理引用。

返回:從代理實例的方法調用返回的值。

測試運行:

package com.zhangguo.Spring041.aop04;

public class Test {
    //實例化一個DynamicProxy代理對象
    //經過getProxyObject方法得到被代理後的對象
    Math math=(Math)new DynamicProxy().getProxyObject(new Math());
    @org.junit.Test
    public void test01()
    {
        int n1=100,n2=5;
        math.add(n1, n2);
        math.sub(n1, n2);
        math.mut(n1, n2);
        math.div(n1, n2);
    }
    //另外一個被代理的對象,再也不須要從新編輯代理代碼
    Message message=(Message) new DynamicProxy().getProxyObject(new Message());
    @org.junit.Test
    public void test02()
    {
        message.message();
    }
}

 

運行結果:

4.三、小結

使用cglib能夠實現動態代理,即便被代理的類沒有實現接口,但被代理的類必須不是final類。

5、使用Spring實現AOP

橫切關注點:跨越應用程序多個模塊的方法或功能。(軟件系統,能夠看作由一組關注點即業務或功能或方法組成。其中,直接的業務關注點是直切關注點,而爲直切關注點服務的,就是橫切關注點。)便是,與咱們業務邏輯無關的,可是咱們須要關注的部分,就是橫切關注點。

切面(ASPECT):橫切關注點被模塊化的特殊對象。即,它是一個類。

通知(Advice):切面必需要完成的工做。即,它是類中的一個方法。

目標(Target):被通知對象。

代理(Proxy):向目標對象應用通知以後建立的對象。

切入點(PointCut):切面通知執行的「地點」的定義。

鏈接點(JointPoint):與切入點匹配的執行點。

下面示意圖:

SpringAOP中,經過Advice定義橫切邏輯,Spring中支持5種類型的Advice:

5.一、新建 一個Maven項目,在項目中引入Spring核心庫與AOP,修改pom.xml文件,在dependencies中增長以下節點:

    <dependency>
        <groupId>org.springframework</groupId>
        <artifactId>spring-context</artifactId>
        <version>4.3.0.RELEASE</version>
    </dependency>

 

當保存pom.xml文件時會從遠程共享庫自動將須要引入的jar包下載到本地並引入項目中:

5.二、定義通知(Advice)

 前置通知

 1 package com.zhangguo.Spring041.aop05;
 2 
 3 import java.lang.reflect.Method;
 4 
 5 import org.springframework.aop.MethodBeforeAdvice;
 6 
 7 /**
 8  * 前置通知
 9  */
10 public class BeforeAdvice implements MethodBeforeAdvice {
11 
12     /**
13      * method 方法信息
14      * args 參數
15      * target 被代理的目標對象
16      */
17     public void before(Method method, Object[] args, Object target) throws Throwable {
18         System.out.println("-----------------前置通知-----------------");
19     }
20 }

後置通知

 1 package com.zhangguo.Spring041.aop05;
 2 
 3 import java.lang.reflect.Method;
 4 
 5 import org.springframework.aop.AfterReturningAdvice;
 6 
 7 /**
 8  * 後置通知
 9  *
10  */
11 public class AfterAdvice implements AfterReturningAdvice {
12 
13     /*
14      * returnValue 返回值
15      * method 被調用的方法
16      * args 方法參數
17      * target 被代理對象
18      */
19     public void afterReturning(Object returnValue, Method method, Object[] args, Object target) throws Throwable {
20         System.out.println("-----------------後置通知-----------------");
21     }
22 
23 }

環繞通知

 1 package com.zhangguo.Spring041.aop05;
 2 
 3 import org.aopalliance.intercept.MethodInterceptor;
 4 import org.aopalliance.intercept.MethodInvocation;
 5 
 6 /**
 7  * 環繞通知
 8  * 方法攔截器
 9  *
10  */
11 public class SurroundAdvice implements MethodInterceptor {
12 
13     public Object invoke(MethodInvocation i) throws Throwable {
14         //前置橫切邏輯
15         System.out.println("方法" + i.getMethod() + " 被調用在對象" + i.getThis() + "上,參數 " + i.getArguments());
16         //方法調用
17         Object ret = i.proceed();
18         //後置橫切邏輯
19         System.out.println("返回值:"+ ret);
20         return ret;
21     }
22 }

5.三、建立代理工廠、設置被代理對象、添加通知。

 1 package com.zhangguo.Spring041.aop05;
 2 
 3 import org.springframework.aop.framework.ProxyFactory;
 4 
 5 public class Test {
 6 
 7     @org.junit.Test
 8     public void test01()
 9     {
10         //實例化Spring代理工廠
11         ProxyFactory factory=new ProxyFactory();
12         //設置被代理的對象
13         factory.setTarget(new Math());
14         //添加通知,橫切邏輯
15         factory.addAdvice(new BeforeAdvice());
16         factory.addAdvice(new AfterAdvice());
17         factory.addAdvice(new SurroundAdvice());
18         //從代理工廠中得到代理對象
19         IMath math=(IMath) factory.getProxy();
20         int n1=100,n2=5;
21         math.add(n1, n2);
22         math.sub(n1, n2);
23         math.mut(n1, n2);
24         math.div(n1, n2);
25     }
26     @org.junit.Test
27     public void test02()
28     {
29         //message.message();
30     }
31 }

運行結果:

5.四、封裝代理建立邏輯

 在上面的示例中若是要代理不一樣的對象須要反覆建立ProxyFactory對象,代碼會冗餘。一樣以實現方法耗時爲示例代碼以下:

5.4.一、建立一個環繞通知:

 1 package com.zhangguo.Spring041.aop05;
 2 
 3 import java.util.Random;
 4 
 5 import org.aopalliance.intercept.MethodInterceptor;
 6 import org.aopalliance.intercept.MethodInvocation;
 7 
 8 /**
 9  * 用於完成計算方法執行時長的環繞通知
10  */
11 public class TimeSpanAdvice implements MethodInterceptor {
12 
13     public Object invoke(MethodInvocation invocation) throws Throwable {
14         // 被織入的橫切內容,開始時間 before
15         long start = System.currentTimeMillis();
16         lazy();
17         
18         //方法調用
19         Object result = invocation.proceed();
20         
21         // 被織入的橫切內容,結束時間
22         Long span = System.currentTimeMillis() - start;
23         System.out.println("共用時:" + span);
24         
25         return result;
26     }
27 
28     // 模擬延時
29     public void lazy() {
30         try {
31             int n = (int) new Random().nextInt(500);
32             Thread.sleep(n);
33         } catch (InterruptedException e) {
34             e.printStackTrace();
35         }
36     }
37 }

 5.4.二、封裝動態代理類

 1 package com.zhangguo.Spring041.aop05;
 2 
 3 import org.springframework.aop.framework.ProxyFactory;
 4 
 5 /**
 6  * 動態代理類
 7  *
 8  */
 9 public abstract class DynamicProxy {
10     /**
11      * 得到代理對象
12      * @param object 被代理的對象
13      * @return 代理對象
14      */
15     public static Object getProxy(Object object){
16         //實例化Spring代理工廠
17         ProxyFactory factory=new ProxyFactory();
18         //設置被代理的對象
19         factory.setTarget(object);
20         //添加通知,橫切邏輯
21         factory.addAdvice(new TimeSpanAdvice());
22         return factory.getProxy();
23     }
24 }

5.4.三、測試運行

 1 package com.zhangguo.Spring041.aop05;
 2 
 3 import org.springframework.aop.framework.ProxyFactory;
 4 
 5 public class Test {
 6 
 7     @org.junit.Test
 8     public void test01()
 9     {
10         //從代理工廠中得到代理對象
11         IMath math=(IMath) DynamicProxy.getProxy(new Math());
12         int n1=100,n2=5;
13         math.add(n1, n2);
14         math.sub(n1, n2);
15         math.mut(n1, n2);
16         math.div(n1, n2);
17     }
18     @org.junit.Test
19     public void test02()
20     {
21         IMessage message=(IMessage) DynamicProxy.getProxy(new Message());
22         message.message();
23     }
24 }

運行結果:

封裝動態代理類:

package spring_aop_26;

import org.aopalliance.intercept.MethodInterceptor;
import org.aopalliance.intercept.MethodInvocation;
import org.springframework.aop.framework.ProxyFactory;

public class SpringProxy<T> implements MethodInterceptor {

    /**得到代理後的對象*/
    public T getProxyObject(Object target){
        //代理工廠
        ProxyFactory proxy=new ProxyFactory();
        //添加被代理的對象
        proxy.setTarget(target);
        //添加環繞通知
        proxy.addAdvice(this);
        //得到代理後的對象
        return (T) proxy.getProxy();
    }

    public Object invoke(MethodInvocation methodInvocation) throws Throwable {
        before();
        //調用方法得到結果
        Object result=methodInvocation.proceed();
        after(result);
        return result;
    }

    public void before(){
        System.out.println("調用方法前");
    }
    public void after(Object result){
        System.out.println("調用方法後"+result);
    }
}

運行結果:

經過反射建立對象:

            Class<T> entityClass = (Class<T>) ((ParameterizedType) getClass().getGenericSuperclass()).getActualTypeArguments()[0];
            T entity = entityClass.newInstance();

6、使用IOC配置的方式實現AOP

6.一、引入Spring IOC的核心jar包,方法與前面相同。

6.二、建立IOC的配置文件beans.xml,內容以下:

 1 <?xml version="1.0" encoding="UTF-8"?>
 2 <beans xmlns="http://www.springframework.org/schema/beans"
 3     xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:p="http://www.springframework.org/schema/p"
 4     xsi:schemaLocation="http://www.springframework.org/schema/beans
 5         http://www.springframework.org/schema/beans/spring-beans.xsd">
 6     <!-- 被代理的目標對象 -->
 7     <bean id="target" class="com.zhangguo.Spring041.aop06.Math"></bean>
 8     <!--通知、橫切邏輯-->
 9     <bean id="advice" class="com.zhangguo.Spring041.aop06.AfterAdvice"></bean>
10     <!--代理對象 -->
11     <!--interceptorNames 通知數組 -->
12     <!--p:target-ref 被代理的對象-->
13     <!--p:proxyTargetClass 被代理對象是否爲一個類,若是是則使用cglib,不然使用jdk動態代理  -->
14     <bean id="proxy" class="org.springframework.aop.framework.ProxyFactoryBean"
15         p:interceptorNames="advice"
16         p:target-ref="target"
17         p:proxyTargetClass="true"></bean>
18 </beans>

6.三、得到代理類的實例並測試運行

 1 package com.zhangguo.Spring041.aop06;
 2 
 3 import org.springframework.context.ApplicationContext;
 4 import org.springframework.context.support.ClassPathXmlApplicationContext;
 5 
 6 public class Test {
 7 
 8     @org.junit.Test
 9     public void test01()
10     {
11         //容器
12         ApplicationContext ctx=new ClassPathXmlApplicationContext("beans.xml");
13         //從代理工廠中得到代理對象
14         IMath math=(IMath)ctx.getBean("proxy");
15         int n1=100,n2=5;
16         math.add(n1, n2);
17         math.sub(n1, n2);
18         math.mut(n1, n2);
19         math.div(n1, n2);
20     }
21 }

 6.四、小結

這裏有個值得注意的問題:從容器中得到proxy對象時應該是org.springframework.aop.framework.ProxyFactoryBean類型的對象(以下代碼所示),但這裏直接就轉換成IMath類型了,這是由於:ProxyFactoryBean本質上是一個用來生產Proxy的FactoryBean。若是容器中的某個對象持有某個FactoryBean的引用它取得的不是FactoryBean自己而是 FactoryBean的getObject()方法所返回的對象。因此若是容器中某個對象依賴於ProxyFactoryBean那麼它將會使用到 ProxyFactoryBean的getObject()方法所返回的代理對象這就是ProxyFactryBean得以在容器中使用的緣由。

1         ProxyFactoryBean message=new ProxyFactoryBean();
2         message.setTarget(new Message());
3         message.addAdvice(new SurroundAdvice());
4         ((IMessage)message.getObject()).message();

7、使用XML配置Spring AOP切面

7.一、添加引用,須要引用一個新的jar包:aspectjweaver,該包是AspectJ的組成部分。能夠去http://search.maven.org搜索後下載或直接在maven項目中添加依賴。

示例中使用pom.xml文件以下所示:

<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
    <modelVersion>4.0.0</modelVersion>
    <groupId>com.zhangguo</groupId>
    <artifactId>Spring041</artifactId>
    <version>0.0.1-SNAPSHOT</version>
    <packaging>jar</packaging>
    <name>Spring041</name>
    <url>http://maven.apache.org</url>
    <properties>
        <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
        <spring.version>4.3.0.RELEASE</spring.version>
    </properties>
    <dependencies>
        <dependency>
            <groupId>junit</groupId>
            <artifactId>junit</artifactId>
            <scope>test</scope>
            <version>4.10</version>
        </dependency>
        <dependency>
            <groupId>org.springframework</groupId>
            <artifactId>spring-context</artifactId>
            <version>${spring.version}</version>
        </dependency>
        <dependency>
            <groupId>org.aspectj</groupId>
            <artifactId>aspectjweaver</artifactId>
            <version>1.8.9</version>
        </dependency>
        <dependency>
            <groupId>cglib</groupId>
            <artifactId>cglib</artifactId>
            <version>3.2.4</version>
        </dependency>
    </dependencies>
</project>

7.二、定義通知

該通知再也不須要實現任何接口或繼承抽象類,一個普通的bean便可,方法能夠帶一個JoinPoint鏈接點參數,用於得到鏈接點信息,如方法名,參數,代理對象等。

 1 package com.zhangguo.Spring041.aop08;
 2 
 3 import org.aspectj.lang.JoinPoint;
 4 
 5 /**
 6  * 通知
 7  */
 8 public class Advices {
 9     //前置通知
10     public void before(JoinPoint jp)
11     {
12         System.out.println("--------------------bofore--------------------");
13         System.out.println("方法名:"+jp.getSignature()+",參數:"+jp.getArgs().length+",代理對象:"+jp.getTarget());
14     }
15     //後置通知
16     public void after(JoinPoint jp){
17         System.out.println("--------------------after--------------------");
18     }
19 }

通知的類型有多種,有些參數會不同,特別是環繞通知,通知類型以下:

 1 //前置通知
 2 public void beforeMethod(JoinPoint joinPoint)
 3 
 4 //後置通知
 5 public void afterMethod(JoinPoint joinPoint)
 6 
 7 //返回值通知
 8 public void afterReturning(JoinPoint joinPoint, Object result)
 9 
10 //拋出異常通知
11 //在方法出現異常時會執行的代碼能夠訪問到異常對象,能夠指定在出現特定異常時在執行通知代碼
12 public void afterThrowing(JoinPoint joinPoint, Exception ex)
13 
14 //環繞通知
15 //環繞通知須要攜帶ProceedingJoinPoint類型的參數
16 //環繞通知相似於動態代理的全過程:ProceedingJoinPoint類型的參數能夠決定是否執行目標方法。
17 //並且環繞通知必須有返回值,返回值即爲目標方法的返回值
18 public Object aroundMethod(ProceedingJoinPoint pjd)

7.三、配置IOC容器依賴的XML文件beansOfAOP.xml

 1 <?xml version="1.0" encoding="UTF-8"?>
 2 <beans xmlns="http://www.springframework.org/schema/beans"
 3     xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 
 4     xmlns:p="http://www.springframework.org/schema/p"
 5  xmlns:aop="http://www.springframework.org/schema/aop"
 6     xsi:schemaLocation="http://www.springframework.org/schema/beans
 7         http://www.springframework.org/schema/beans/spring-beans.xsd
 8  http://www.springframework.org/schema/aop  9  http://www.springframework.org/schema/aop/spring-aop-4.3.xsd">
10      
11     <!--被代理的目標對象 -->
12     <bean id="math" class="com.zhangguo.Spring041.aop08.Math"></bean>
13     <!-- 通知 -->
14     <bean id="advice" class="com.zhangguo.Spring041.aop08.Advices"></bean>
15     <!-- AOP配置 -->
16     <!-- proxy-target-class屬性表示被代理的類是否爲一個沒有實現接口的類,Spring會依據實現了接口則使用JDK內置的動態代理,若是未實現接口則使用cblib -->
17     <aop:config proxy-target-class="true">
18         <!-- 切面配置 -->
19         <!--ref表示通知對象的引用 -->
20         <aop:aspect ref="advice">
21             <!-- 配置切入點(橫切邏輯將注入的精確位置) -->
22             <aop:pointcut expression="execution(* com.zhangguo.Spring041.aop08.Math.*(..))" id="pointcut1"/>
23             <!--聲明通知,method指定通知類型,pointcut指定切點,就是該通知應該注入那些方法中 -->
24             <aop:before method="before" pointcut-ref="pointcut1"/>
25             <aop:after method="after" pointcut-ref="pointcut1"/>
26         </aop:aspect>
27     </aop:config>
28 </beans>

 加粗部分的內容是在原IOC內容中新增的,主要是爲AOP服務,若是引入失敗則沒有智能提示。xmlns:是xml namespace的簡寫。xmlns:xsi:其xsd文件是xml須要遵照的規範,經過URL能夠看到,是w3的統一規範,後面經過xsi:schemaLocation來定位全部的解析文件,這裏只能成偶數對出現。

<bean id="advice" class="com.zhangguo.Spring041.aop08.Advices"></bean>表示通知bean,也就是橫切邏輯bean。<aop:config proxy-target-class="true">用於AOP配置,proxy-target-class屬性表示被代理的類是否爲一個沒有實現接口的類,Spring會依據實現了接口則使用JDK內置的動態代理,若是未實現接口則使用cblib;在Bean配置文件中,全部的Spring AOP配置都必須定義在<aop:config>元素內部。對於每一個切面而言,都要建立一個<aop:aspect>元素來爲具體的切面實現引用後端Bean實例。所以,切面Bean必須有一個標識符,供<aop:aspect>元素引用。

aop:aspect表示切面配置, ref表示通知對象的引用;aop:pointcut是配置切入點,就是橫切邏輯將注入的精確位置,那些包,類,方法須要攔截注入橫切邏輯。

aop:before用於聲明通知,method指定通知類型,pointcut指定切點,就是該通知應該注入那些方法中。在aop Schema中,每種通知類型都對應一個特定地XML元素。通知元素須要pointcut-ref屬性來引用切入點,或者用pointcut屬性直接嵌入切入點表達式。method屬性指定切面類中通知方法的名稱。有以下幾種:

<!-- 前置通知 -->
<aop:before method="before" pointcut-ref="pointcut1"/>
<!-- 後置通知 -->
<aop:after method="after" pointcut-ref="pointcut1"/>
<!--環繞通知 -->
<aop:around method="around" pointcut="execution(* com.zhangguo.Spring041.aop08.Math.s*(..))"/>
<!--異常通知 -->
<aop:after-throwing method="afterThrowing" pointcut="execution(* com.zhangguo.Spring041.aop08.Math.d*(..))"  throwing="exp"/>
<!-- 返回值通知 -->
<aop:after-returning method="afterReturning" pointcut="execution(* com.zhangguo.Spring041.aop08.Math.m*(..))" returning="result"/>

參數解釋:

7.3.1 表達式類型

標準的Aspectj Aop的pointcut的表達式類型是很豐富的,可是Spring Aop只支持其中的9種,外加Spring Aop本身擴充的一種一共是10種類型的表達式,分別以下。

  • execution:通常用於指定方法的執行,用的最多。
  • within:指定某些類型的所有方法執行,也可用來指定一個包。
  • this:Spring Aop是基於代理的,生成的bean也是一個代理對象,this就是這個代理對象,當這個對象能夠轉換爲指定的類型時,對應的切入點就是它了,Spring Aop將生效。
  • target:當被代理的對象能夠轉換爲指定的類型時,對應的切入點就是它了,Spring Aop將生效。
  • args:當執行的方法的參數是指定類型時生效。
  • @target:當代理的目標對象上擁有指定的註解時生效。
  • @args:當執行的方法參數類型上擁有指定的註解時生效。
  • @within:與@target相似,看官方文檔和網上的說法都是@within只須要目標對象的類或者父類上有指定的註解,則@within會生效,而@target則是必須是目標對象的類上有指定的註解。而根據筆者的測試這二者都是隻要目標類或父類上有指定的註解便可。
  • @annotation:當執行的方法上擁有指定的註解時生效。
  • bean:當調用的方法是指定的bean的方法時生效。

7.3.2 使用示例

(1) execution

execution是使用的最多的一種Pointcut表達式,表示某個方法的執行,其標準語法以下。

execution(modifiers-pattern? ret-type-pattern declaring-type-pattern? name-pattern(param-pattern) throws-pattern?)

modifiers-pattern表示方法的訪問類型,public等;

ret-type-pattern表示方法的返回值類型,如String表示返回類型是String,「*」表示全部的返回類型;

declaring-type-pattern表示方法的聲明類,如「com.elim..*」表示com.elim包及其子包下面的全部類型;

name-pattern表示方法的名稱,如「add*」表示全部以add開頭的方法名;

param-pattern表示方法參數的類型,name-pattern(param-pattern)實際上是一塊兒的表示的方法集對應的參數類型,如「add()」表示不帶參數的add方法,「add(*)」表示帶一個任意類型的參數的add方法,「add(*,String)」則表示帶兩個參數,且第二個參數是String類型的add方法;

throws-pattern表示異常類型;其中以問號結束的部分都是能夠省略的。

  • 一、「execution(* add())」匹配全部的不帶參數的add()方法。
  • 二、「execution(public * com..*.add*(..))」匹配全部com包及其子包下全部類的以add開頭的全部public方法。
  • 三、「execution(* *(..) throws Exception)」匹配全部拋出Exception的方法。

(2) within

within是用來指定類型的,指定類型中的全部方法將被攔截。

  • 一、「within(com.spring.aop.service.UserServiceImpl)」匹配UserServiceImpl類對應對象的全部方法外部調用,並且這個對象只能是UserServiceImpl類型,不能是其子類型。
  • 二、「within(com.elim..*)」匹配com.elim包及其子包下面全部的類的全部方法的外部調用。

(3) this

Spring Aop是基於代理的,this就表示代理對象。this類型的Pointcut表達式的語法是this(type),當生成的代理對象能夠轉換爲type指定的類型時則表示匹配。基於JDK接口的代理和基於CGLIB的代理生成的代理對象是不同的。

  • 一、「this(com.spring.aop.service.IUserService)」匹配生成的代理對象是IUserService類型的全部方法的外部調用。

(4) target

Spring Aop是基於代理的,target則表示被代理的目標對象。當被代理的目標對象能夠被轉換爲指定的類型時則表示匹配。

  • 一、「target(com.spring.aop.service.IUserService)」則匹配全部被代理的目標對象可以轉換爲IUserService類型的全部方法的外部調用。

(5) args

args用來匹配方法參數的。

  • 一、「args()」匹配任何不帶參數的方法。
  • 二、「args(java.lang.String)」匹配任何只帶一個參數,並且這個參數的類型是String的方法。
  • 三、「args(..)」帶任意參數的方法。
  • 四、「args(java.lang.String,..)」匹配帶任意個參數,可是第一個參數的類型是String的方法。
  • 五、「args(..,java.lang.String)」匹配帶任意個參數,可是最後一個參數的類型是String的方法。

(6) @target

@target匹配當被代理的目標對象對應的類型及其父類型上擁有指定的註解時。

  • 一、「@target(com.spring.support.MyAnnotation)」匹配被代理的目標對象對應的類型上擁有MyAnnotation註解時。

(7) @args

@args匹配被調用的方法上含有參數,且對應的參數類型上擁有指定的註解的狀況。

  • 一、「@args(com.spring.support.MyAnnotation)」匹配方法參數類型上擁有MyAnnotation註解的方法調用。如咱們有一個方法add(MyParam param)接收一個MyParam類型的參數,而MyParam這個類是擁有註解MyAnnotation的,則它能夠被Pointcut表達式「@args(com.elim.spring.support.MyAnnotation)」匹配上。

(8) @within

@within用於匹配被代理的目標對象對應的類型或其父類型擁有指定的註解的狀況,但只有在調用擁有指定註解的類上的方法時才匹配。

  • 一、「@within(com.spring.support.MyAnnotation)」匹配被調用的方法聲明的類上擁有MyAnnotation註解的狀況。好比有一個ClassA上使用了註解MyAnnotation標註,而且定義了一個方法a(),那麼在調用ClassA.a()方法時將匹配該Pointcut;若是有一個ClassB上沒有MyAnnotation註解,可是它繼承自ClassA,同時它上面定義了一個方法b(),那麼在調用ClassB().b()方法時不會匹配該Pointcut,可是在調用ClassB().a()時將匹配該方法調用,由於a()是定義在父類型ClassA上的,且ClassA上使用了MyAnnotation註解。可是若是子類ClassB覆寫了父類ClassA的a()方法,則調用ClassB.a()方法時也不匹配該Pointcut。

(9) @annotation

@annotation用於匹配方法上擁有指定註解的狀況。

  • 一、「@annotation(com.spring.support.MyAnnotation)」匹配全部的方法上擁有MyAnnotation註解的方法外部調用。

(10) bean

bean用於匹配當調用的是指定的Spring的某個bean的方法時。

  • 一、「bean(abc)」匹配Spring Bean容器中id或name爲abc的bean的方法調用。
  • 二、「bean(user*)」匹配全部id或name爲以user開頭的bean的方法調用。

7.3.4 表達式組合

表達式的組合其實就是對應的表達式的邏輯運算,與、或、非。能夠經過它們把多個表達式組合在一塊兒。

  • 一、「bean(userService) && args()」匹配id或name爲userService的bean的全部無參方法。
  • 二、「bean(userService) || @annotation(MyAnnotation)」匹配id或name爲userService的bean的方法調用,或者是方法上使用了MyAnnotation註解的方法調用。
  • 三、「bean(userService) && !args()」匹配id或name爲userService的bean的全部有參方法調用。

7.3.5  基於Aspectj註解的Pointcut表達式應用

在使用基於Aspectj註解的Spring Aop時,咱們能夠把經過@Pointcut註解定義Pointcut,指定其表達式,而後在須要使用Pointcut表達式的時候直接指定Pointcut。

@Component
@Aspect
public class MyAspect {

    @Pointcut("execution(* add(..))")
    private void beforeAdd() {}
    
    @Before("beforeAdd()")
    public void before() {
        System.out.println("-----------before-----------");
    }
    
}

上面的代碼中咱們就是在@Before()中直接指定使用當前類定義的beforeAdd()方法對應的Pointcut的表達式,若是咱們須要指定的Pointcut定義不是在當前類中的,咱們須要加上類名稱,以下面這個示例中引用的就是定義在MyService中的add()方法上的Pointcut的表達式。

@Before("com.spring.aop.service.MyService.add()")
public void before2() {
    System.out.println("-----------before2-----------");
}

固然了,除了經過引用Pointcut定義間接的引用其對應的Pointcut表達式外,咱們也能夠直接使用Pointcut表達式的,以下面這個示例就直接在@Before中使用了Pointcut表達式。

/**
 * 全部的add方法的外部執行時
 */
@Before("execution(* add())")
public void beforeExecution() {
    System.out.println("-------------before execution---------------");
}

7.四、得到代理對象

 1 package com.zhangguo.Spring041.aop08;
 2 
 3 import org.springframework.aop.framework.ProxyFactoryBean;
 4 import org.springframework.context.ApplicationContext;
 5 import org.springframework.context.support.ClassPathXmlApplicationContext;
 6 
 7 public class Test {
 8 
 9     @org.junit.Test
10     public void test01()
11     {
12         //容器
13         ApplicationContext ctx=new ClassPathXmlApplicationContext("beansOfAOP.xml");
14         //從代理工廠中得到代理對象
15         IMath math=(IMath)ctx.getBean("math");
16         int n1=100,n2=5;
17         math.add(n1, n2);
18         math.sub(n1, n2);
19         math.mut(n1, n2);
20         math.div(n1, n2);
21     }
22 }

7.五、測試運行

7.六、環繞通知、異常後通知、返回結果後通知

在配置中咱們發現共有5種類型的通知,前面咱們試過了前置通知與後置通知,另外幾種類型的通知以下代碼所示:

package com.zhangguo.Spring041.aop08;

import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.ProceedingJoinPoint;

/**
 * 通知
 */
public class Advices {
    //前置通知
    public void before(JoinPoint jp)
    {
        System.out.println("--------------------前置通知--------------------");
        System.out.println("方法名:"+jp.getSignature().getName()+",參數:"+jp.getArgs().length+",被代理對象:"+jp.getTarget().getClass().getName());
    }
    //後置通知
    public void after(JoinPoint jp){
        System.out.println("--------------------後置通知--------------------");
    }
    //環繞通知
    public Object around(ProceedingJoinPoint pjd) throws Throwable{
        System.out.println("--------------------環繞開始--------------------");
        Object object=pjd.proceed();
        System.out.println("--------------------環繞結束--------------------");
        return object;
    }
    //異常後通知
    public void afterThrowing(JoinPoint jp,Exception exp)
    {
        System.out.println("--------------------異常後通知,發生了異常:"+exp.getMessage()+"--------------------");
    }
    //返回結果後通知
    public void afterReturning(JoinPoint joinPoint, Object result)
    {
        System.out.println("--------------------返回結果後通知--------------------");
        System.out.println("結果是:"+result);
    }
}

參數說明:

Spring的AOP中before,afterReturning,afterThrowing參數說明: 
一、持行方法以前:public void before(Method method, Object[] args, Object cObj) throws Throwable; 
method:調用的方法; 
args:調用方法所傳的參數數組; 
cObj:調用的類對象; 

二、持行方法以後:public void afterReturning(Object rObj, Method method, Object[] args, Object cObj) throws Throwable; 
rObj:調用方法返回的對象; 
method:調用的方法; 
args:調用方法所傳的參數數組; 
cObj:調用的類對象; 

三、有異常拋出時:public void afterThrowing(Method method, Object[] args, Object cObj, Exception e); 
method:調用的方法; 
args:調用方法所傳的參數數組; 
cObj:調用的類對象; 
e:所拋出的異常類型; 

在異常拋出時的Exception必須指定爲具體的異常對象,如ClassNotFoundException。 

容器配置文件beansOfAOP.xml以下:

<?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:p="http://www.springframework.org/schema/p"
    xmlns:aop="http://www.springframework.org/schema/aop"
    xsi:schemaLocation="http://www.springframework.org/schema/beans
        http://www.springframework.org/schema/beans/spring-beans.xsd
        http://www.springframework.org/schema/aop
        http://www.springframework.org/schema/aop/spring-aop-4.3.xsd">
     
    <!--被代理的目標對象 -->
    <bean id="math" class="com.zhangguo.Spring041.aop08.Math"></bean>
    <!-- 通知 -->
    <bean id="advice" class="com.zhangguo.Spring041.aop08.Advices"></bean>
    <!-- AOP配置 -->
    <!-- proxy-target-class屬性表示被代理的類是否爲一個沒有實現接口的類,Spring會依據實現了接口則使用JDK內置的動態代理,若是未實現接口則使用cblib -->
    <aop:config proxy-target-class="true">
        <!-- 切面配置 -->
        <!--ref表示通知對象的引用 -->
        <aop:aspect ref="advice">
            <!-- 配置切入點(橫切邏輯將注入的精確位置) -->
            <aop:pointcut expression="execution(* com.zhangguo.Spring041.aop08.Math.a*(..))" id="pointcut1"/>
            <!--聲明通知,method指定通知類型,pointcut指定切點,就是該通知應該注入那些方法中 -->
            <aop:before method="before" pointcut-ref="pointcut1"/>
            <aop:after method="after" pointcut-ref="pointcut1"/>
            <aop:around method="around" pointcut="execution(* com.zhangguo.Spring041.aop08.Math.s*(..))"/>
            <aop:after-throwing method="afterThrowing" pointcut="execution(* com.zhangguo.Spring041.aop08.Math.d*(..))"  throwing="exp"/>
            <aop:after-returning method="afterReturning" pointcut="execution(* com.zhangguo.Spring041.aop08.Math.m*(..))" returning="result"/>
        </aop:aspect>
    </aop:config>
</beans>

測試代碼:

package com.zhangguo.Spring041.aop08;

import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;

public class Test {

    @org.junit.Test
    public void test01()
    {
        //容器
        ApplicationContext ctx=new ClassPathXmlApplicationContext("beansOfAOP.xml");
        //從代理工廠中得到代理對象
        IMath math=(IMath)ctx.getBean("math");
        int n1=100,n2=0;
        math.add(n1, n2);
        math.sub(n1, n2);
        math.mut(n1, n2);
        math.div(n1, n2);
    }
}

運行結果:

小結:不一樣類型的通知參數可能不相同;aop:after-throwing須要指定通知中參數的名稱throwing="exp",則方法中定義應該是這樣:afterThrowing(JoinPoint jp,Exception exp);aop:after-returning一樣須要設置returning指定方法參數的名稱。經過配置切面的方法使AOP變得更加靈活。

7.六、spring中使用Aspect方式進行AOP如何獲得method對象

        Signature signature = pjp.getSignature();
        MethodSignature methodSignature = (MethodSignature) signature;
        Method method = methodSignature.getMethod();
        
        try
        {
            Object[] arguments = pjp.getArgs();
            result = method.invoke(mock, arguments);
            s_logger.debug("Mocking " + formatCall(a_joinPoint));
        }
        catch (InvocationTargetException e)
        {
            s_logger.debug("Failed to delegate to mock: "
                    + formatCall(a_joinPoint), e);
            throw e.getTargetException();
        }

 

8、示例下載

https://git.coding.net/zhangguo5/Spring.git

點擊下載

9、視頻

https://www.bilibili.com/video/av16071354/

10、做業

第一次做業

1.一、請使用靜態代理實現第1,2節中的算術示例。

1.二、請使用動態代理實現第3節中的算術示例。

1.三、請定義一個商品管理系統的數據訪問接口層IxxDao,定義Dao的實現類如xxDao,要求管理至少兩個對象如(User,Product),每一個對象中至少有3個方法,不要求真實的訪問數據庫能夠以輸出信息的方式代替。

增長一個靜態代理與動態代理類,比較其特色。

IUserDao UserDao

IProductDao ProductDao

Proxy

DynamicProxy

測試類

第二次做業

2.一、自學任意一個Java日誌框架,如:

Log4j Apache Log4j是一個基於Java的日誌記錄工具。它是由Ceki Gülcü獨創的,如今則是Apache軟件基金會的一個項目。 Log4j是幾種Java日誌框架之一。

Log4j 2 Apache Log4j 2是apache開發的一款Log4j的升級產品。

Commons Logging Apache基金會所屬的項目,是一套Java日誌接口,以前叫Jakarta Commons Logging,後改名爲Commons Logging。

Slf4j 相似於Commons Logging,是一套簡易Java日誌門面,自己並沒有日誌的實現。(Simple Logging Facade for Java,縮寫Slf4j)。

Logback 一套日誌組件的實現(slf4j陣營)。

Jul (Java Util Logging),自Java1.4以來的官方日誌實現。
View Code

Log4j2:

使用 Log4J 框架首先須要引入依賴的包:

<!-- Log4J -->
<dependency>
  <groupId>org.apache.logging.log4j</groupId>
  <artifactId>log4j-api</artifactId>
  <version>2.6.2</version>
</dependency>
<dependency>
  <groupId>org.apache.logging.log4j</groupId>
  <artifactId>log4j-core</artifactId>
  <version>2.6.2</version>
</dependency>
View Code

增長配置文件 log4j2.xml 放在 resource 目錄下:

<?xml version="1.0" encoding="UTF-8"?>
<Configuration status="WARN">
    <Appenders>
        <Console name="Console" target="SYSTEM_OUT">
            <PatternLayout pattern="%d{HH:mm:ss.SSS} [%t] %-5level %logger{36} - %msg%n"/>
        </Console>
    </Appenders>
    <Loggers>
        <Root level="info">
            <AppenderRef ref="Console"/>
        </Root>
    </Loggers>
</Configuration>
View Code

在項目中應用:

import org.apache.logging.log4j.LogManager;
import org.apache.logging.log4j.Logger;
 
/****
 ** Log4J Demo
 **/
public class Log4jLog {
    public static void main(String args[]) {
        Logger logger = LogManager.getLogger(Log4jLog.class);
        logger.debug("Debug Level");
        logger.info("Info Level");
        logger.warn("Warn Level");
        logger.error("Error Level");
    }
}
View Code

2.二、將瑞麗玉源的大做業中每個數據訪問方法增長訪問日誌,按天存放,要求經過動態代理實現。

 第三次做業

一、復現全部上課示例

二、將瑞麗玉源的大做業中每個數據訪問方法增長訪問日誌,按天存放,要求經過動態代理實現。

  2.一、要求訪問頁面時對數據庫的請求記錄日誌

  2.二、按天存放文件

  2.三、要求控制檯與文件中同時記錄信息

  2.四、徹底實現多條件過濾

  2.五、分頁

  2.六、使用XML配置Spring AOP切面(第七小節技術)

三、完成任務指導手冊上的Spring及已學習過的章節的理論做業

四、我的項目的頁面

  4.一、前臺頁面(至少5個)

  4.二、後臺頁面(至少1個)

五、完成前面未完成的實操做業

相關文章
相關標籤/搜索