AbstractTransactionalJUnit4SpringContextTestsのサブクラスを使用して、Weblogic8.1にデプロイされたレガシーアプリケーションの統合テストを作成しようとしています。
私のテストメソッドには次のアノテーションがあります。
@Test
@Rollback(true)
public void testDeployedEJBCall throws Exception {...}
テストクラスは、org.springframework.ejb.access.SimpleRemoteStatelessSessionProxyFactoryBeanタイプのBeanも参照します。これは、weblogicサーバーにデプロイされたEJBをプロキシします。
テストメソッドでこのプロキシBeanのメソッドを順番に呼び出すと、テストの終了時にトランザクションが正しくロールバックされます。
例:
@Test
@Rollback(true)
public void testDeployedEJBCall throws Exception {
Long result1 = myejb.method(100L);
Long result2 = myejb.method(200L);
...
}
ただし、同じEJBメソッドに対して2つの並列呼び出しを行いたいと思います。したがって、2つの異なるスレッドでメソッドを呼び出し、それらを並行して実行するために、Callableを実装する内部クラスを作成しました。
ただし、これを行うと、ejbメソッドがトランザクションの外部で呼び出されるようになり、何もロールバックされません。
メソッド呼び出しを並行して実行する場合、完全なテストクラスは次のようになります。
import org.springframework.test.annotation.*;
@RunWith(SpringJUnit4ClassRunner.class)
@Transactional
@ContextConfiguration(locations = {"classpath:path/to/tests-config.xml"})
@TransactionConfiguration(defaultRollback=true)
public final class IntegrationTests extends AbstractTransactionalJUnit4SpringContextTests {
@Autowired
protected JndiTemplate jndiTemplate;
@Resource
protected Proxy myEJB;
public IntegrationTests() {
super();
this.logger = Logger.getLogger(IntegrationTests.class);
}
@Test
@Rollback(true)
public void testDeployedEJBCall() throws Exception {
// Create a thread pool for parallel execution.
ExecutorService exec = Executors.newFixedThreadPool(2);
// Prepare the tasks for parallel execution
List<CallEJBTask> tasks = new ArrayList<CallEJBTask>();
tasks.add(new CallEJBTask(100L, this.myEJB));
tasks.add(new CallEJBTask(200L, this.myEJB));
// Execute all pending tasks in the exec Threadpool
List<Future<Long>> results = exec.invokeAll(tasks);
// Get the results of each task
Long result1 = results.get(0).get();
Long result2 = results.get(1).get();
...
}
}
private class CallEBJTask implements Callable<Long> {
private final Long valueToTest;
private final MyEJB myEJB;
public CallEJBTask(Long valueToTest, Proxy myEJBProxy)
this.valueToTest = valueToTest;
this.myEJB = (MyEJB)myEJBProxy;
}
public Long call() throws Exception {
return getResult();
}
public Long getResult() {
Long result = null;
try {
result = this.myEJB.method(this.patient);
} catch (Exception e) {
...
}
return result;
}
}
このロールバックを作成する方法はありますか?
ご協力いただきありがとうございます。
よろしく、
フィリップ