# spring AOP(xml配置方式) ## 一、说明 ### 1.1 项目结构说明 切面配置位于resources下的aop.xml文件,其中CustomAdvice是自定义切面类,OrderService是待切入的方法。 ![spring+redis项目目录结构](D:\spring-samples-for-all\pictures\spring-aop.png) ### 1.2 依赖说明 除了spring的基本依赖外,需要导入aop依赖包 ```xml org.springframework spring-aop ${spring-base-version} ``` ## 二、spring aop #### 2.1 创建待切入接口及其实现类 ```java public interface OrderService { Order queryOrder(Long id); Order createOrder(Long id, String productName); } ``` ```java public class OrderServiceImpl implements OrderService { public Order queryOrder(Long id) { return new Order(id, "product", new Date()); } public Order createOrder(Long id, String productName) { // 模拟抛出异常 // int j = 1 / 0; return new Order(id, "new Product", new Date()); } } ``` #### 2.2 创建自定义切面类 ```java /** * @author : heibaiying * @description : 自定义切面 */ public class CustomAdvice { //前置通知 public void before(JoinPoint joinPoint) { //获取节点名称 String name = joinPoint.getSignature().getName(); Object[] args = joinPoint.getArgs(); System.out.println(name + "方法调用前:获取调用参数" + Arrays.toString(args)); } //后置通知(抛出异常后不会被执行) public void afterReturning(JoinPoint joinPoint, Object result) { System.out.println("后置返回通知结果" + result); } //环绕通知 public Object around(ProceedingJoinPoint joinPoint) throws Throwable { System.out.println("环绕通知-前"); //调用目标方法 Object proceed = joinPoint.proceed(); System.out.println("环绕通知-后"); return proceed; } //异常通知 public void afterException(JoinPoint joinPoint, Exception exception) { System.err.println("后置异常通知:" + exception); } ; // 后置通知 总会执行 但是不能访问到返回值 public void after(JoinPoint joinPoint) { System.out.println("后置通知"); } } ``` #### 2.3 配置切面 ```xml ``` #### 2.4 测试切面 ```java @RunWith(SpringRunner.class) @ContextConfiguration("classpath:aop.xml") public class AopTest { @Autowired private OrderService orderService; @Test public void save() { orderService.createOrder(1283929319L, "手机"); orderService.queryOrder(4891894129L); } } ```