我正在使用JUnit测试套件来运行一些测试,其中一个使用@Parameterized运行多次。我发现当我运行测试时,@ Parameterized函数在@BeforeClass之前运行。这是预期的行为还是其他事情发生了?我原以为@BeforeClass会在任何测试开始之前运行。
这是我的测试套件:
@RunWith(Suite.class)
@SuiteClasses({ Test1.class, Test2.class })
public class TestSuite {
@BeforeClass
public static void setup() throws Exception {
// setup, I want this to be run before anything else
}
}
Test1使用@Parameterized:
public class Test1 {
private String value;
// @Parameterized function which appears to run before @BeforeClass setup()
@Parameterized.Parameters
public static Collection<Object[]> configurations() throws InterruptedException {
// Code which relies on setup() to be run first
}
public Test1(String value) {
this.value = value;
}
@Test
public void testA() {
// Test
}
}
如何在运行其他任何内容之前修复此问题以运行@BeforeClass setup()函数?
答案 0 :(得分:10)
不幸的是,这是按预期工作的。 JUnit需要在开始测试之前枚举所有测试用例,对于参数化测试,用@Parameterized.Parameters
注释的方法用于确定有多少测试。
答案 1 :(得分:6)
虽然有点different解决方案,但静态块可以解决问题。还要注意,它必须在Test1.class中。但除此之外它有效; - )
@RunWith(Parameterized.class)
public class Test1 {
static{
System.out.println("Executed before everything");
}
private String value;
// @Parameterized function which appears to run before @BeforeClass setup()
@Parameterized.Parameters
public static Collection<Object[]> configurations() throws InterruptedException {
// Code which relies on setup() to be run first
}
public Test1(String value) {
this.value = value;
}
@Test
public void testA() {
// Test
}
}
答案 2 :(得分:4)
最近遇到类似问题并使用Function解决了问题。示例如下。
@RunWith(Parameterized.class)
public class MyClassTest {
@Parameterized.Parameters
public static Iterable functions() {
return Arrays.<Object, Object>asList(
param -> new Object()
);
}
Object param;
Function function;
public MyClassTest(Function f) {
this.function = f;
}
@Before
public void before() {
// construct dependency
param = "some value";
}
@Test
public void test() {
assertThat(myClass.doSomething(function.apply(param)), is(equalTo(expectedValue)));
}
}
在你的场景中,在@Before或@BeforeClass中进行数据库设置然后注入函数
答案 3 :(得分:0)
我发现了一个黑手,迫使代码段在所有其他用on
注释的方法之前运行。
只需创建一个参数化的虚拟测试,如下所示:
@Parameterized.Parameters
然后在您的测试套件中,首先添加此测试:
@RunWith(Parameterized.class)
public class DummyInitTest
{
@Parameterized.Parameters
public static Collection<?> constructorFeeder()
{
// Your setup here. This will run before anything else.
// Return empty list so no tests will be executed for this test class.
return ImmutableList.of();
}
}