标签:逻辑 概述 xsd targe property -- back test aspect
AOP(Aspect Orient Programming),面向切面编程,是面向对象编程OOP的一种补充。面向对象编程是从静态角度考虑程序的结构,而面向切面编程是从动态角度考虑程序运行过程。
AOP底层就是采用动态代理模式实现的,采用了两种代理:JDK的动态代理与CGLIB的动态代理。
面向切面编程,就是将交叉业务逻辑封装成切面,利用AOP容器的功能将切面织入到主业务逻辑中。所谓交叉业务逻辑是指,通用的、与主业务逻辑无关的代码。如安全检查、事务、日志等。
若不是用AOP,则会出现代码纠缠,即交叉业务逻辑与主业务逻辑混合在一起,这样会使主业务逻辑变的混杂不清。
定义前置通知,需要实现MethodBeforeAdvice接口。该接口中有一个方法before(),会在目标方法执行之前执行。
前置通知的特点:
1、在目标方法执行之前执行。
2、不改变目标方法的执行流程,前置通知代码不能阻止目标方法执行。
3、不改变目标方法执行的结果。
举例:
创建IService接口:
package com.ietree.spring.basic.aop.beforeadvice; public interface IService { void doFirst(); void doSecond(); }
创建接口的实现类:
package com.ietree.spring.basic.aop.beforeadvice; public class SomeServiceImpl implements IService { @Override public void doFirst() { System.out.println("执行doFirst()方法"); } @Override public void doSecond() { System.out.println("执行doFirst()方法"); } }
创建前置通知类MyMethodBeforeAdvice,该类必须实现MethodBeforeAdvice接口:
package com.ietree.spring.basic.aop.beforeadvice; import java.lang.reflect.Method; import org.springframework.aop.MethodBeforeAdvice; /** * 前置通知 * * @author Root */ public class MyMethodBeforeAdvice implements MethodBeforeAdvice { // 当前方法在目标方法执行之前执行 // method:目标方法 // args:目标方法参数列表 // target:目标对象 @Override public void before(Method method, Object[] args, Object target) throws Throwable { // 对于目标方法的增强代码就写在这里 System.out.println("执行前置通知..."); } }
配置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" xsi:schemaLocation=" http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd"> <!-- 1、注册目标对象 --> <bean id="someService" class="com.ietree.spring.basic.aop.beforeadvice.SomeServiceImpl"/> <!-- 2、注册切面:通知 --> <bean id="myAdvice" class="com.ietree.spring.basic.aop.beforeadvice.MyMethodBeforeAdvice"/> <!-- 3、生成代理对象 --> <bean id="serviceProxy" class="org.springframework.aop.framework.ProxyFactoryBean"> <!-- 指定目标对象 --> <!-- <property name="targetName" value="someService"/> --> <property name="target" ref="someService"/> <!-- 指定切面 --> <property name="interceptorNames" value="myAdvice"/> </bean> </beans>
测试:
package com.ietree.spring.basic.aop.beforeadvice; import org.junit.Test; import org.springframework.context.ApplicationContext; import org.springframework.context.support.ClassPathXmlApplicationContext; public class MyTest { @Test public void test() { String resource = "com/ietree/spring/basic/aop/beforeadvice/applicationContext.xml"; ApplicationContext ac = new ClassPathXmlApplicationContext(resource); IService service = (IService)ac.getBean("serviceProxy"); service.doFirst(); System.out.println("=============="); service.doSecond(); } }
输出:
执行前置通知... 执行doFirst()方法 ============== 执行前置通知... 执行doFirst()方法
注意:执行之前需要导入spring-aop-4.3.9.RELEASE.jar包
标签:逻辑 概述 xsd targe property -- back test aspect
原文地址:http://www.cnblogs.com/Dylansuns/p/7100989.html