我有一个类,上面有几个方法,这个类的接口看起来像这样
一些主程序调用方法doA操作,该方法又根据业务规则调用类中的其他方法。我有一种情况,在调用该类中的一些方法后,我必须填充一些统计信息。
举个例子,在调用doOps1后,在数据库中填充一些stats表,指示在特定表中插入/更新/删除了多少条记录,以及通过doOps1方法花费了多少时间。我正试图为此目的使用SpringAOP。然而,我面临的问题是,预期的代码没有被调用。
这是完整的代码(仅用于示例目的)
package spring.aop.exp;
public interface Business {
void doSomeOperation();
void doOps1();
}
package spring.aop.exp;
public class BusinessImpl implements Business {
public void doSomeOperation() {
System.out.println("I am within doSomeOperation");
try {
Thread.sleep(200);
} catch (InterruptedException e) {
System.out.println("Thread interrupted");
}
System.out.println("Done with sleeping.");
doOps1();
}
public void doOps1() {
System.out.println("within Ops1");
}
}
方面类
package spring.aop.exp;
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.Pointcut;
@Aspect
public class BusinessProfiler {
@Pointcut("execution(* doOps1*(..))")
public void businessMethods1() { }
@After("businessMethods1()")
public void profile1() throws Throwable {
//this method is supposed to populate the db stats and other statistics
System.out.println("populating stats");
}
}
--主要班级
package spring.aop.exp;
import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;
public class SpringAOPDemo {
/**
* @param args
*/
public static void main(String[] args) {
ApplicationContext context = new ClassPathXmlApplicationContext(
"ExpAOP.xml");
Business bc = (Business) context.getBean("myBusinessClass");
bc.doSomeOperation();
}
}
*和配置文件***
<?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-2.5.xsd
http://www.springframework.org/schema/aop http://www.springframework.org/schema/aop/spring-aop-2.5.xsd">
<!-- Enable the @AspectJ support -->
<aop:aspectj-autoproxy />
<bean id="businessProfiler" class="spring.aop.exp.BusinessProfiler" />
<bean id="myBusinessClass" class="spring.aop.exp.BusinessImpl" />
</beans>
在运行主程序时,我得到了输出(它没有从Aspect类-BusinessProfiler调用profile 1)。但是,如果我直接从main类调用doOps1,则会调用方面方法。我想知道如果仅从main方法调用方面,而不是其他方法,方面是否应该工作。
*我在做一些操作完成睡眠。在Ops1***
SpringAOP
默认是基于代理的,当您从同一类的另一个方法中调用该类上的方法时,您的调用不会通过方面代理,而是直接指向该方法-这就是为什么您的方面代码不会被调用。要更好地理解它,请阅读Spring档留关于理解AOP代理的本章。