我已经提到了AspectJ引用here它指出'cflow'是
cflow(Pointcut)
- 每个加入点 每个连接点P的控制流程 由Pointcut选出,包括P. 本身
这对我来说并不完全清楚,我想知道是否有人可以详细说明cflow的含义吗?为何使用它?
非常感谢。
答案 0 :(得分:52)
cflow可以帮助您建议整个控制流程。我们试试一个例子,我有4个小班
public class A {
public static void methodA() {
B.methodB();
}
}
public class B {
public static void methodB() {
C.methodC();
int a = 1;
int b = 2;
System.out.println( a + b );
}
}
public class C {
public static void methodC() {
D.methodD();
}
}
public class D {
public static void methodD() {
}
}
我的方面:
public aspect CFlow {
public pointcut flow() : cflow(call( * B.methodB() ) ) && !within(CFlow);
before() : flow() {
System.out.println( thisJoinPoint );
}
}
和我的跑步者(只是为了看看会发生什么):
public class Test {
public static void main(String[] args) {
A.methodA();
}
}
在我的切入点你可以看到cflow(call( * B.methodB() ) )
,所以我想从B.methodB
调用开始进行方面控制流程,当你运行Test类时,你会在控制台上看到:
call(void test.B.methodB())
staticinitialization(test.B.<clinit>)
execution(void test.B.methodB())
call(void test.C.methodC())
staticinitialization(test.C.<clinit>)
execution(void test.C.methodC())
call(void test.D.methodD())
staticinitialization(test.D.<clinit>)
execution(void test.D.methodD())
get(PrintStream java.lang.System.out)
call(void java.io.PrintStream.println(int))
3
最后一个字符串不属于方面,只是因为System.out.println
内的methodB
。所有打印的节目都可以控制流程 - 方法链和“事件”(执行,调用,初始化......)。你看,我是从Test
类开始的,它调用methodA
但它们不在'堆栈'中,因为我们对methodB
控制流感兴趣。
如果你想获得那个堆栈,但没有第一行(自己调用),你可以尝试定义
public pointcut flow() : cflowbelow(call( * B.methodB() ) ) && !within(CFlow);
cflowbelow是另一个切入点,这意味着控制流不包括指定的(在我们的例子中调用B.methodB
)。
小心在切入点中添加!within(_aspect_)
,否则除了StackOverflowError
之外你什么都不会好。这是因为cflow无法在编译时定义,并且在运行时方面也属于控制流(因此它会导致永久递归...)
好吧,想想控制流与调用堆栈类似,那么你就会知道它的用法;)