遅いかもしれませんが、プロキシに関する懸念を説明する何かに遭遇しました(プロキシ経由で着信する「外部」メソッド呼び出しのみが傍受されます)。
たとえば、次のようなクラスがあるとします
@Component("mySubordinate")
public class CoreBusinessSubordinate {
public void doSomethingBig() {
System.out.println("I did something small");
}
public void doSomethingSmall(int x){
System.out.println("I also do something small but with an int");
}
}
そしてあなたはこのように見えるアスペクトを持っています:
@Component
@Aspect
public class CrossCuttingConcern {
@Before("execution(* com.intertech.CoreBusinessSubordinate.*(..))")
public void doCrossCutStuff(){
System.out.println("Doing the cross cutting concern now");
}
}
次のように実行すると:
@Service
public class CoreBusinessKickOff {
@Autowired
CoreBusinessSubordinate subordinate;
// getter/setters
public void kickOff() {
System.out.println("I do something big");
subordinate.doSomethingBig();
subordinate.doSomethingSmall(4);
}
}
上記のコードを指定して、上記のkickOffを呼び出した結果。
I do something big
Doing the cross cutting concern now
I did something small
Doing the cross cutting concern now
I also do something small but with an int
しかし、コードを次のように変更すると
@Component("mySubordinate")
public class CoreBusinessSubordinate {
public void doSomethingBig() {
System.out.println("I did something small");
doSomethingSmall(4);
}
public void doSomethingSmall(int x){
System.out.println("I also do something small but with an int");
}
}
public void kickOff() {
System.out.println("I do something big");
subordinate.doSomethingBig();
//subordinate.doSomethingSmall(4);
}
メソッドが内部的に別のメソッドを呼び出すので、インターセプトされず、出力は次のようになります。
I do something big
Doing the cross cutting concern now
I did something small
I also do something small but with an int
あなたはそれを行うことでこれを回避することができます
public void doSomethingBig() {
System.out.println("I did something small");
//doSomethingSmall(4);
((CoreBusinessSubordinate) AopContext.currentProxy()).doSomethingSmall(4);
}
抜粋:https :
//www.intertech.com/Blog/secrets-of-the-spring-aop-proxy/