我正在尝试使用 AbstractTransactionalJUnit4SpringContextTests 的子类为部署在 Weblogic 8.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 次并行调用。因此,我创建了一个实现 Callable 的内部类,以便在 2 个不同的线程中调用我的方法并希望并行运行这些方法。
但是,这样做似乎会使 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;
}
}
有没有办法让这个回滚???
谢谢你的帮助。
问候,
菲利普