目前,每当我需要为了响应另一个线程中抛出的异常而导致测试失败时,我会这样写:
package com.example;
import java.util.ArrayList;
import java.util.List;
import org.testng.annotations.Test;
import static java.util.Arrays.asList;
import static java.util.Collections.synchronizedList;
import static org.testng.Assert.fail;
public final class T {
@Test
public void testFailureFromLambda() throws Throwable {
final List<Throwable> errors = synchronizedList(new ArrayList<>());
asList("0", "1", "2").parallelStream().forEach(s -> {
try {
/*
* The actual code under test here.
*/
throw new Exception("Error " + s);
} catch (final Throwable t) {
errors.add(t);
}
});
if (!errors.isEmpty()) {
errors.forEach(Throwable::printStackTrace);
final Throwable firstError = errors.iterator().next();
fail(firstError.getMessage(), firstError);
}
}
}
同步列表可以替换为AtomicReference<Throwable>
,但一般来说代码几乎相同。
使用 Java (TestNG,JUnit,Hamcrest中提供的任何测试框架,是否有任何标准(且不那么详细)的方法,AssertJ等)?
答案 0 :(得分:4)
默认情况下,当测试方法抛出异常时,TestNG会失败。我相信JUnit也会发生同样的事情,如果它引发了意外的异常,它会将测试标记为errored
。
如果您要处理Streams
,那么您需要将其包含在RuntimeException
变体中,以便Java不会抱怨。 TestNG会自动通过测试。
以下是一个示例:
@Test
public void testFailureFromLambdaRefactored() {
asList("0", "1", "2").parallelStream().forEach(s -> {
try {
/*
* The actual code under test here.
*/
if (s.equals("2")) {
throw new Exception("Error " + s);
}
} catch (final Throwable t) {
throw new RuntimeException(t);
}
});
}
这适用于涉及lambdas和stream的场景。一般来说,如果您想了解从@Test
方法分离的新线程中发生的异常,则需要使用ExecutorService
。
以下是一个示例:
@Test
public void testFailureInAnotherThread() throws InterruptedException, ExecutionException {
List<String> list = asList("0", "1", "2");
ExecutorService service = Executors.newFixedThreadPool(2);
List<Future<Void>> futures = service.invokeAll(Arrays.asList(new Worker(list)));
for (Future future : futures) {
future.get();
}
}
public static class Worker implements Callable<Void> {
private List<String> list;
public Worker(List<String> list) {
this.list = list;
}
@Override
public Void call() throws Exception {
for (String s : list) {
if (s.equals("2")) {
throw new Exception("Error " + s);
}
}
return null;
}
}