使用注解实现Aop
记得要导入SpringAop包
步骤①、首先在配置文件中加载
<!-- 使用注解实现IOC -->
<context:component-scan base-package="com.web"/>
<!-- 使用注解实现AOP -->
<aop:aspectj-autoproxy />
然后让切面类受spring容器所管理也就是
package com.web.interceptor;
import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.After;
import org.aspectj.lang.annotation.AfterReturning;
import org.aspectj.lang.annotation.AfterThrowing;
import org.aspectj.lang.annotation.Around;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;
import org.aspectj.lang.annotation.Pointcut;
import org.springframework.stereotype.Component;
//声明此类受spring容器管理
@Component
//声明此类为切面
//@Aspect
public class LogInterceptor {
//匹配完整方法原型
//@Pointcut("execution(public int com.web.service.impl.UserServiceImpl.saveUser(com.web.bean.User))")
//匹配返回值是任何类型
//@Pointcut("execution(public * com.web.service.impl.UserServiceImpl.saveUser(com.web.bean.User))")
//匹配方法参数是一个任意类型
//@Pointcut("execution(public * com.web.service.impl.UserServiceImpl.saveUser(*))")
//匹配方法参数是任意多个任意类型
//@Pointcut("execution(public * com.web.service.impl.UserServiceImpl.saveUser(..))")
//匹配某个类中所有的方法
//@Pointcut("execution(public * com.web.service.impl.UserServiceImpl.*(..))")
//匹配某个包下任意类中的任意方法
//@Pointcut("execution(public * com.web.service.impl.*.*(..))")
public void myMethod(){}
//@Before("myMethod()")
public void before(){
System.out.println("log start...");
}
//@After("myMethod()")
public void after(){
System.out.println("log end...");
}
//@AfterThrowing("myMethod()")
public void afterThrowing(){
System.out.println("afterThrowing....");
}
//@AfterReturning("myMethod()")
public void afterReturning(){
System.out.println("afterReturning....");
}
//@Around("myMethod()")
public Object around(ProceedingJoinPoint pjp){
Object o = null;
try {
System.out.println("around start...");
o = pjp.proceed(pjp.getArgs());//调用原始方法
System.out.println("around end...");
} catch (Throwable e) {
e.printStackTrace();
}
return o;
}
}
切面即为要切入到某个正在运行的类方法中,pointcut表示切入位置,@before…表示切入的时机。