Fork me on GitHub

spring AOP

AOP概念:

①面向切面(方面)编程,扩展功能不修改源代码实现
②采取横向抽取机制,取代了传统纵向继承体系重复性代码

AOP操作术语:

Joinpoint(连接点):类里面可以被增强的方法
Pointcut(切入点):指要对哪些Joinpoint进行拦截的定义
Advice(通知/增强):指拦截到Joinpoint之后所要做的事情。通知分为前置通知,后置通知,异常通知,最终通知,环绕通知
Aspect(切面):是切入点和通知(引介)的结合。

spring进行AOP操作

在spring中进行aop操作,使用aspectj实现(需在官网下载aspectj所需jar包。)
aspectj不是spring的一部分,和spring一起使用进行aop操作

使用aspectj实现aop的方式

基于aspectj的xml配置

  • 导包

    1
    2
    3
    spring-aop-5.0.6.RELEASE.jar
    aspectjweaver.jar
    spring-aspects-5.0.6.RELEASE.jar
  • xml文件约束

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    <?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">
    </beans>

使用表达式配置切入点
常用的表达式:

1
2
3
4
5
execution(<访问修饰符>?<返回类型><方法名>(<参数>)<异常>)
execution(* cn.itcast.aop.Book.add(..))
execution(* cn.itcast.aop.Book.*(..))
execution(* *.*(..))
execution(* save*(..))//匹配所有save开头的方法

  • Book.java

    1
    2
    3
    4
    5
    6
    package cn.itcast.aop;
    public class Book {
    public void add() {
    System.out.println("add.........");
    }
    }
  • MyBook.java

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    package cn.itcast.aop;
    import org.aspectj.lang.ProceedingJoinPoint;
    public class MyBook {
    public void before1() {
    System.out.println("前置增强.........");
    }
    public void after1() {
    System.out.println("后置增强.........");
    }
    public void around1(ProceedingJoinPoint proceedingJoinPoint) throws Throwable {
    System.out.println("方法之前.........");
    proceedingJoinPoint.proceed();
    System.out.println("方法之后.........");
    }
    }
  • xml文件使用

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    <bean id="book" class="cn.itcast.aop.Book"></bean>
    <bean id="myBook" class="cn.itcast.aop.MyBook"></bean>
    <aop:config>
    <aop:pointcut expression="execution(* cn.itcast.aop.Book.*(..))" id="pointcut1"/>
    <aop:aspect ref="myBook">
    <aop:before method="before1" pointcut-ref="pointcut1"/>
    <aop:after-returning method="after1" pointcut-ref="pointcut1"/>
    <aop:around method="around1" pointcut-ref="pointcut1"/>
    </aop:aspect>
    </aop:config>
  • test测试文件

    1
    2
    3
    4
    5
    6
    @Test
    public void testUser() {
    ApplicationContext context= new ClassPathXmlApplicationContext("bean2.xml");
    Book book=(Book) context.getBean("book");
    book.add();
    }

运行下,得到

-------------本文结束感谢您的阅读-------------