Существует два известных мне способа, позволяющих вам контролировать «отключение» тестов в TestNG.
Различие, которое очень важно отметить, состоит в том, что SkipException прервет все последующие тесты, в то время как реализация IAnnotationTransformer использует Reflection для отмены отдельных тестов в зависимости от указанного условия. Я объясню как SkipException, так и IAnnotationTransfomer.
Пример исключения SKIP
import org.testng.*;
import org.testng.annotations.*;
public class TestSuite
{
// You set this however you like.
boolean myCondition;
// Execute before each test is run
@BeforeMethod
public void before(Method methodName){
// check condition, note once you condition is met the rest of the tests will be skipped as well
if(myCondition)
throw new SkipException();
}
@Test(priority = 1)
public void test1(){}
@Test(priority = 2)
public void test2(){}
@Test(priority = 3)
public void test3(){}
}
IAnnotationTransformer example
Немного сложнее, но идея, лежащая в основе, - это концепция, известная как Отражение.
Wiki - http://en.wikipedia.org/wiki/Reflection_(computer_programming)
Сначала реализуйте интерфейс IAnnotation, сохраните его в файле * .java.
import java.lang.reflect.Constructor;
import java.lang.reflect.Method;
import org.testng.IAnnotationTransformer;
import org.testng.annotations.ITestAnnotation;
public class Transformer implements IAnnotationTransformer {
// Do not worry about calling this method as testNG calls it behind the scenes before EVERY method (or test).
// It will disable single tests, not the entire suite like SkipException
public void transform(ITestAnnotation annotation, Class testClass, Constructor testConstructor, Method testMethod){
// If we have chose not to run this test then disable it.
if (disableMe()){
annotation.setEnabled(false);
}
}
// logic YOU control
private boolean disableMe()){
}
Затем в вашем тестовом наборе java-файла выполните следующее в функции @BeforeClass
import org.testng.*;
import org.testng.annotations.*;
/* Execute before the tests run. */
@BeforeClass
public void before(){
TestNG testNG = new TestNG();
testNG.setAnnotationTransformer(new Transformer());
}
@Test(priority = 1)
public void test1(){}
@Test(priority = 2)
public void test2(){}
@Test(priority = 3)
public void test3(){}
Последний шаг - добавление прослушивателя в файл build.xml.
Мой получился похожим на это, это всего лишь одна строка из build.xml:
<testng classpath="${test.classpath}:${build.dir}" outputdir="${report.dir}"
haltonfailure="false" useDefaultListeners="true"
listeners="org.uncommons.reportng.HTMLReporter,org.uncommons.reportng.JUnitXMLReporter,Transformer"
classpathref="reportnglibs"></testng>