AOP全名为Aspect Oriented Programming
意思是面向切面编程
通过预编译和运行期动态代理的方式实现程序的统一维护的一种技术
利用AOP可以使得业务逻辑的各个部分进行隔离,从而使得业务逻辑的耦合性降低,提高程序的重用性
想要在Spring中使用AOP
,有两种方式
1.注解
2.XML配置
本文主要讲解的是使用注解的方法
Spring AOP中将日志记录,性能统计,安全控制事物处理,异常处理等与业务代码无关的代码从业务代码中剖离开来
结合实例看一下具体用法
@Component
@Aspect
public class AlphaAspect {
//AOP只支持方法层的切入点,也就是说你只能在方法上定义Pointcut,一个切入点声明主要由两个部分确定:1包含名称和参数的签名(方法签名必须是public及void型,一个能确定执行方法的切入点表达式
//在使用过程中,通过常规方法定义提供切入点签名,并使用@Pointcut指明切入点表达式
@Pointcut("execution(* com.nowcoder.community.service.*.*(..))")//这里就是切入点表达式
public void pointcut() {
//Pointcut中的方法只需要方法签名,而不需要在方法体内编写实际代码
}
//标识一个前置增强方法
@Before("pointcut()")
public void before() {
System.out.println("before");
}
//@After: 不管是抛出异常或者正常退出都会执行
@After("pointcut()")
public void after() {
System.out.println("after");
}
//方法正常退出时执行
@AfterReturning("pointcut()")
public void afterRetuning() {
System.out.println("afterRetuning");
}
//异常抛出时增强
@AfterThrowing("pointcut()")
public void afterThrowing() {
System.out.println("afterThrowing");
}
//环绕增强
@Around("pointcut()")
public Object around(ProceedingJoinPoint joinPoint) throws Throwable {
System.out.println("around before");
Object obj = joinPoint.proceed();
System.out.println("around after");
return obj;
}
}
任何advice方法都可以将org.aspectj.lang.joinpoint类型的参数声明为其第一个参数(请注意,需要使用around
advice从而声明ProceedingJoinPoint类型作为第一个参数,该参数是JoinPoint的子类)。JoinPoint接口提供了许多有用的方法:getArgs(): 返回方法参数
getThis(): 返回代理对象
getTarget(): 返回目标对象
getSignature(): 返回被advice的方法描述
toString():打印被advice方法的有用描述
一个用到JoinPoint的例子如下:
@Component
@Aspect
public class ServiceLogAspect {
private static final Logger logger = LoggerFactory.getLogger(ServiceLogAspect.class);
@Pointcut("execution(* com.nowcoder.community.service.*.*(..))")
public void pointcut() {
}
@Before("pointcut()")
public void before(JoinPoint joinPoint) {
// 用户[1.2.3.4],在[xxx],访问了[com.nowcoder.community.service.xxx()].
ServletRequestAttributes attributes = (ServletRequestAttributes) RequestContextHolder.getRequestAttributes();
if (attributes == null) {
return;
}
HttpServletRequest request = attributes.getRequest();
String ip = request.getRemoteHost();
String now = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss").format(new Date());
String target = joinPoint.getSignature().getDeclaringTypeName() + "." + joinPoint.getSignature().getName();
logger.info(String.format("用户[%s],在[%s],访问了[%s].", ip, now, target));
}
}
可以看到通过JoinPoint获得了当前访问的方法