AOP的定义
AOP基本上是通过代理机制实现的,他是OOP的延续也是spring框架中最重要的内容之一.
- 定义:运行时,动态地将代码切入到类的指定方法、指定位置上的编程思想就是面向切面的编程.
- 使用场景:日志、事务、缓存、调试等
AOP中基本概念
- Aspect(切面):将关注点进行模块化.
- Join Point(连接点):在程序执行过程中的某个特定的点,如谋方法调用时或处理异常时.
- Advice(通知):在切面的某个特定的连接点上执行的动作.
- PointCut(切入点):匹配连接点的断言.
- Introduction(引入):声明额外的方法或某个类型的字段.
- Target Object(目标对象):被一个或多个切面所通知的对象.
- AOP Proxy(AOP代理):AOP框架创建的对象,用来实现Aspect Contract包括通知方法执行等功能.
- Weaving(织入):把切面连接到其他的应用程序类型或对象上,并创建一个Advice的对象.
AOP代理
Spring AOP默认使用标准的JDK动态代理来作为AOP的代理,这样任何接口都可以被代理.
- 使用AspectJ
配置为:
<dependency>
<groupId>org.aspectj</groupId>
<artifactId>aspectjrt</artifactId>
<version>${aspectj.version}</version>
</dependency>
- 实际应用
public interface Hello {
String getHellow();
}
public class HelloImpl implements Hello{
@Override
public String getHellow() {
return "Hello,spring AOP";
}
}
public class MyBeforeAdvice {
private static final Logger logger= LoggerFactory.getLogger(MyBeforeAdvice.class);
//定义前置方法
public void beforeMethod(){
logger.info("this is a pig");
// System.out.println("this is a before method.");
}
}
<bean id="hello" class="com.spring.aop.HelloImpl"/>
<bean id="myBeforeAdvice" class="com.spring.aop.MyBeforeAdvice"/>
<!--配置aop-->
<aop:config>
<aop:aspect id="before" ref="myBeforeAdvice">
<aop:pointcut id="myPointCut" expression="execution(* com.spring.aop.*.*(..))"/>
<aop:before method="beforeMethod" pointcut-ref="myPointCut"/>
</aop:aspect>
</aop:config>
public class HelloApp {
public static void main(String[] args) {
ApplicationContext context = new ClassPathXmlApplicationContext("/beans.xml");
Hello hello = context.getBean(Hello.class);
System.out.println(hello.getHellow());
}
}
网友评论