1.什么是AOP
AOP(Aspect Oriented Programming)意为:面向切面编程,通过预编译方式和运行期动态代理实现程序功能的统一维护的一种技术。AOP是OOP的延续,是软件开发中的一个热点,也是Spring框架中的一个重要内容,是函数式编程的一种衍生范型。利用AOP可以对业务逻辑的各个部分进行隔离,从而使得业务逻辑各部分之间的耦合度降低,提高程序的可重用性,同时提高了开发的效率。
动态代理这块,后面设计模块那块详细研究,比较重要,整个Spring得AOP就是通过动态代理加上反射完成的。
这块我们直接用注解进行开发,配置文件的方式看上面的笔记即可。
1.1AOP的使用场景。
AOP的底层是动态代理,相当于用代理的类对一个类的功能进行增强,而不改变原来的类的代码。
由此衍生出面向切面编程,比如原有的逻辑写完之后,不想改变代码,每块的业务逻辑都实现自己的功能,然后我想在每块的删除都加入日志记录,这个时候就可以用AOP切入功能。
2.注解的方式实现AOP
1.applicationcontext.xml
<?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:context="http://www.springframework.org/schema/context"
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/context
http://www.springframework.org/schema/context/spring-context.xsd
http://www.springframework.org/schema/aop
http://www.springframework.org/schema/aop/spring-aop.xsd">
<!-- 开启注解支持-->
<context:annotation-config/>
<!-- 配置要扫描的包下的注解生效-->
<context:component-scan base-package="com.liu"/>
<!-- 开启Aspect生成代理对象-->
<aop:aspectj-autoproxy/>
</beans>
之前我们用的纯注解,@Configuration代替xml,不过aop开启aop:aspectj-autoproxy/这句话我没找到注解,先用xml学习测试,后面springboot再完全取代配置文件
2.Hello类
package com.liu.pojo;
import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.stereotype.Component;
@Data
@AllArgsConstructor
@NoArgsConstructor
@Component
public class Hello {
@Value("刘涛")
private String name;
public void show(){
System.out.println("Hello,"+ name );
}
}
这块还是简单的用之前的类,就不用修改代码了
3.增强的类
package com.liu.config;
import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.After;
import org.aspectj.lang.annotation.Around;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;
import org.springframework.stereotype.Component;
@Component
@Aspect
public class AnnotationPointcut {
@Before("execution(* com.liu.pojo.Hello.*(..))")
public void before(){
System.out.println("---------方法执行前---------");
}
@After("execution(* com.liu.pojo.Hello.*(..))")
public void after(){
System.out.println("---------方法执行后---------");
}
@Around("execution(* com.liu.pojo.Hello.*(..))")
public void around(ProceedingJoinPoint jp) throws Throwable {
System.out.println("环绕前");
System.out.println("签名:"+jp.getSignature());
//执行目标方法proceed
Object proceed = jp.proceed();
System.out.println("环绕后");
System.out.println(proceed);
}
}
这块是核心,需要增强的类用execution注明
4.测试
@Test
public void test(){
ApplicationContext context = new ClassPathXmlApplicationContext("applicationContext.xml");
Hello hello = context.getBean("hello", Hello.class);
hello.show();
}
这样我们就完成了不修改源代码的基础上对某个方法或者某些类的所有方法进行切面,方法增强。