aop切面编程注解方式
时间: 2023-11-03 17:53:39 浏览: 106
在AOP(面向切面编程)中,注解方式是一种常见的实现方式,可以用于声明切面和通知。在Spring框架中使用注解方式实现AOP可以更加简洁和便捷。
要使用AOP注解方式,首先需要在Spring配置文件中启用AspectJ自动代理,通过在配置文件中添加`<aop:aspectj-autoproxy></aop:aspectj-autoproxy>`来实现。
接下来,可以使用以下注解来实现AOP切面编程:
1. `@Aspect`:用于声明一个类为切面类。
2. `@Pointcut`:用于声明一个切入点,切入点定义了何时何地应该执行切面的通知方法。
3. `@Before`:在目标方法执行之前执行通知。
4. `@After`:在目标方法执行之后(无论是否发生异常)执行通知。
5. `@AfterReturning`:在目标方法执行后返回结果时执行通知。
6. `@AfterThrowing`:在目标方法抛出异常时执行通知。
7. `@Around`:在目标方法执行前后执行通知。
下面是一个使用注解方式实现AOP的示例代码:
```java
@Aspect
public class LoggingAspect {
@Pointcut("execution(* com.example.service.*.*(..))")
private void serviceMethods() {}
@Before("serviceMethods()")
public void beforeAdvice(JoinPoint joinPoint) {
System.out.println("Before advice: " + joinPoint.getSignature().getName());
}
@After("serviceMethods()")
public void afterAdvice(JoinPoint joinPoint) {
System.out.println("After advice: " + joinPoint.getSignature().getName());
}
@AfterReturning(pointcut = "serviceMethods()", returning = "result")
public void afterReturningAdvice(JoinPoint joinPoint, Object result) {
System.out.println("After returning advice: " + joinPoint.getSignature().getName() + ", result: " + result);
}
@AfterThrowing(pointcut = "serviceMethods()", throwing = "exception")
public void afterThrowingAdvice(JoinPoint joinPoint, Exception exception) {
System.out.println("After throwing advice: " + joinPoint.getSignature().getName() + ", exception: " + exception.getMessage());
}
@Around("serviceMethods()")
public Object aroundAdvice(ProceedingJoinPoint joinPoint) throws Throwable {
System.out.println("Before around advice: " + joinPoint.getSignature().getName());
Object result = joinPoint.proceed();
System.out.println("After around advice: " + joinPoint.getSignature().getName());
return result;
}
}
```
在上面的示例中,`LoggingAspect`类使用了`@Aspect`注解声明为切面类,然后通过`@Pointcut`注解定义了一个切入点`serviceMethods()`,它匹配了`com.example.service`包下的所有方法。
接着,使用各种不同的注解来实现不同类型的通知,比如`@Before`、`@After`、`@AfterReturning`、`@AfterThrowing`和`@Around`,并在这些通知方法中实现相应的逻辑。
以上就是使用注解方式实现AOP切面编程的简要介绍。
阅读全文