我正在设置一个Junit Test Suite
。我知道如何使用运行类中所有测试的标准方法来设置测试套件,例如here。
是否可以创建test suite
并且只能从几个不同的类中运行某些测试?
如果是这样,我该怎么做?
答案 0 :(得分:2)
是否可以创建测试套件并仅运行某些测试 几个不同的班级?
选项(1)(更喜欢这个):您可以使用@Category
来实际执行此操作,您可以查看here
选项(2):您可以按照以下步骤执行此操作:
您需要在测试用例中使用JUnit自定义测试@Rule
并使用简单的自定义注释(如下所示)。基本上,规则将在运行测试之前评估所需的条件。如果满足前提条件,则执行Test方法,否则,将忽略Test方法。
现在,您需要照常使用@Suite
的所有测试类。
代码如下:
MyTestCondition自定义注释:
@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.METHOD)
public @interface MyTestCondition {
public enum Condition {
COND1, COND2
}
Condition condition() default Condition.COND1;
}
MyTestRule类:
public class MyTestRule implements TestRule {
//Configure CONDITION value from application properties
private static String condition = "COND1"; //or set it to COND2
@Override
public Statement apply(Statement stmt, Description desc) {
return new Statement() {
@Override
public void evaluate() throws Throwable {
MyTestCondition ann = desc.getAnnotation(MyTestCondition.class);
//Check the CONDITION is met before running the test method
if(ann != null && ann.condition().name().equals(condition)) {
stmt.evaluate();
}
}
};
}
}
MyTests课程:
public class MyTests {
@Rule
public MyTestRule myProjectTestRule = new MyTestRule();
@Test
@MyTestCondition(condition=Condition.COND1)
public void testMethod1() {
//testMethod1 code here
}
@Test
@MyTestCondition(condition=Condition.COND2)
public void testMethod2() {
//this test will NOT get executed as COND1 defined in Rule
//testMethod2 code here
}
}
MyTestSuite类:
@RunWith(Suite.class)
@Suite.SuiteClasses({MyTests.class
})
public class MyTestSuite {
}