标签:text 面向 runtime component throwable 重要 ret 实现 值类型
Spring AOP 面向切面编程(Aspect Oriented Programming) ,通过预编译方式和运行期动态代理实现程序功能的统一维护的一种技术。AOP是OOP的延续,是软件开发中的一个热点,也是Spring框架中的一个重要内容,是函数式编程的一种衍生范型。利用AOP可以对业务逻辑的各个部分进行隔离,从而使得业务逻辑各部分之间的耦合度降低,提高程序的可重用性,同时提高了开发的效率。
使用aop标签需要在配置文件中加入命名空间http://www.springframework.org/schema/aop 和 http://www.springframework.org/schema/aop/spring-aop.xsd
<?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" 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.xsd"> <bean id="methodService" class="my.spring.aop.DemoMethodService" /> <bean id="logAspect" class="my.spring.aop.LogAspect" /> <aop:config> <aop:aspect id="myAop" ref="logAspect"> <aop:pointcut id="target" expression="execution(* my.spring.aop.DemoMethodService.*(..) )"/> <aop:after method="after" pointcut-ref="target" /> <aop:before method="before" pointcut-ref="target" /> </aop:aspect> </aop:config> </beans>
使用Aspect的注解,还依赖xml文件的需要配置<aop:aspectj-autoproxy /> ; 使用Config类的需要增加 @EnableAspectJAutoProxy
1. 自定义一个注解
@Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) @Documented public @interface AopAction { String name(); }
2. 创建Advisor
需要添加依赖
<dependency>
<groupId>org.aspectj</groupId>
<artifactId>aspectjrt</artifactId>
<version>1.8.10</version>
</dependency>
<dependency>
<groupId>org.aspectj</groupId>
<artifactId>aspectjweaver</artifactId>
<version>1.8.10</version>
</dependency>
@Aspect
@Component
public class LogAspect {
@Pointcut("@annotation(my.spring.aop.AopAction)") //声明在AopAction注解的方法上拦截
private void annotationPointCut(){
System.out.println("LogAspect.annotationPointCut execute.");
}
@Before("annotationPointCut()") //在该注解的方法之前执行
public void before(JoinPoint joinPoint){
MethodSignature signature = (MethodSignature) joinPoint.getSignature();
Method method = signature.getMethod();
System.out.println("方法式拦截," + method.getName());
}
@After("execution(* my.spring.aop.DemoMethodService.*(..) )") // 在该方法调用之后执行
public void after(JoinPoint joinPoint){
MethodSignature signature = (MethodSignature) joinPoint.getSignature();
Method method = signature.getMethod();
System.out.println("注解式拦截," + method.getName());
}
@Around("execution(* my.spring.aop.DemoMethodService.*(..) )")
public Object around(ProceedingJoinPoint joinPoint){
System.out.println("around before");
Object result = null;
try{
joinPoint.proceed();
} catch (Throwable throwable) {
System.out.println(throwable.getMessage());
}
System.out.println("around after");
return result;
}
}
execution(* my.spring.aop.DemoMethodService.*(..) )
第一个*代表所有的返回值类型
第二个*代表所有的类
第三个*代表类所有方法
最后一个..代表所有的参数。
标签:text 面向 runtime component throwable 重要 ret 实现 值类型
原文地址:http://www.cnblogs.com/panyueting/p/7536341.html