日期:2014-05-17  浏览次数:20967 次

Spring AOP @AspectJ 入门实例
from:http://blog.csdn.net/tanghw/archive/2009/02/04/3862987.aspx


从Spring 2.0开始,可以使用基于schema及@AspectJ的方式来实现AOP,本文以一个简单的实例介绍了如何以@AspectJ方式在Spring中实现AOP。由于@Aspect是基于注解的,因此要求支持注解的5.0版本以上的JDK。

环境要求:
1. Web应用
2. 有一个专门提供系统服务的Service层

我们的目标是,如果用户调用Service层中任一方法,都在其插入一个记录信息的功能。

1. 一个最简单的AOP

     共有2步。

     1.1 定义一个Aspect

    1.  package com.sarkuya.aop.aspect;
2.  import org.aspectj.lang.annotation.Aspect;
3.  import org.aspectj.lang.annotation.Before;
4.  @Aspect
5.  public class SampleAspect {
6.      @Before("execution(* com.sarkuya.service..*.*(..))")
7.      public void doBeforeInServiceLayer() {
8.          System.out.println("=====================================");
9.          System.out.println("Aop: do before in Service layer");
10.         System.out.println("=====================================");
11.   }
12. }

    第4行,必须使用@Aspect在类名之前注解。

    第6行,当用户调用com.sarkuya.service包中任一类的任一方法,在调用前,Spring将自动执行下面的doBeforeInServiceLayer()方法,此方法只是简单地打印一些信息。

     1.2 在Spring配置文件applicationContext.xml中配置

     <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-2.5.xsd
http://www.springframework.org/schema/aop http://www.springframework.org/schema/aop/spring-aop-2.5.xsd">

         <aop:aspectj-autoproxy />
<bean class="com.sarkuya.aop.aspect.SampleAspect" />

         <!-- ================ YOUR CONTENTS GOES BELOW =================== -->
</bean>

     就这么简单。

2. 将Pointcut及Advice分开

     上面的Aspect中混杂了Pointcut及Advice,因此最好将其分开。共有3步。

     2.1 定义Pointcut

     1.  package com.sarkuya.aop.aspect;
2.  import org.aspectj.lang.annotation.Aspect;
3.  import org.aspectj.lang.annotation.Pointcut;
4.  @Aspect
5.  public class SampleAspect {
6.      @Pointcut("execution(* com.sarkuya.service..*.*(..))")
7.      public void inServiceLayer() {
8.      }
9.  }

    Pointcut是植入Advice的触发条件。每个Pointcut的定义包括2部分,一是表达式,如第6行;二是方法签名,如第7行。方法签名必须是 public及void型。可以将Pointcut中的方法看作是一个被Advice引用的助记符,因为表达式不直观,因此我们可以通过方法签名的方式为 此表达式命名。因此Pointcut中的方法只需要方法签名,而不需要在方法体内编写实际代码。

     2.2 定义Advice

    1.  package com.sarkuya.aop.advice;
2.  import org.aspectj.lang.annotation.Aspect;
3.  import org.aspectj.lang.annotation.Before;
4.  @Aspect
5.  public class SampleAdvice {
6.      @Before("com.sarkuya.aop.aspect.SampleAspect.inServiceLayer()")
7.      public void logInfo() {
8.          System.out.println("=====================================");
9.          System.out.println("Aop: do before in service layer");
10.&nb