web-dev-qa-db-ja.com

Spring @Around AOPメソッドの単体テスト

私は、Springの「こと」を行わなくても、ほとんどのSpringクラスを単体テストできます。

Springを使用せずに@Beforeアドバイスメソッドを単体テストすることもできます。

コード例:

@Before("execution(* run(..)) && " + "" +
          "target(target) && " +
        "args(name)")
public void logName(Object target, String name) {
    logger.info("{} - run: {}", target, name);
}

テストの例:

@Test
public void testLogName() {
    aspect.setLogger(mockLogger);
    aspect.logName(this,"Barry");
    assertTrue(mockLogger.hasLogged("TestAspect - run: Barry"));
}

ただし、@ AroundアドバイスはProceedingJoinPointオブジェクトを扱います。

@Around("com.xyz.myapp.SystemArchitecture.businessService()")
public Object doBasicProfiling(ProceedingJoinPoint pjp) throws Throwable {
   // start stopwatch
   Object retVal = pjp.proceed();
   // stop stopwatch
   return retVal;
 }

ProceedingJoinPointオブジェクトをインスタンス化する方法がわかりません。 Springアプリケーションコンテキスト全体を起動せずにこのクラスをテストするにはどうすればよいですか?

31
slim

プログラムでプロキシを作成することにより、Springアスペクトをテストできます。

MyInterface target = new MyClass();
AspectJProxyFactory factory = new AspectJProxyFactory(target);
MyAspect aspect = new MyAspect(arg);
factory.addAspect(aspect);
MyInterface proxy = factory.getProxy();

...次に、proxyでメソッドを呼び出し、aspectproxyおよびtargetについてアサーションを作成できます。

68
slim