我一直在尝试通过创建扩展runner的suiterunner来创建个性化的测试套件。在用@RunWith(suiterunner.class)注释的测试套件中,我指的是需要执行的测试类。

在测试类中,我需要重复特定的测试,为此,我使用的是此处提到的解决方案:http://codehowtos.blogspot.com/2011/04/run-junit-test-repeatedly.html。但是由于我已经创建了触发测试类的suiterunner,并且在该测试类中我正在实现@RunWith(ExtendedRunner.class),因此引发了初始化错误。

我需要帮助来管理这2个运行者,并且是否有任何方法可以将2个运行者组合在一起进行特定测试?是否有其他方法可以解决此问题,或者有更简单的方法可以继续?

最佳答案

如果您使用的是最新的JUnit,则@Rules可能是解决问题的更简洁的解决方案。这是一个样本;

想象这是您的应用程序;

package org.zero.samples.junit;

/**
 * Hello world!
 *
 */
public class App {
  public static void main(String[] args) {
    System.out.println(new App().getMessage());
  }

  String getMessage() {
    return "Hello, world!";
  }
}

这是您的测试类(class);
package org.zero.samples.junit;

import static org.junit.Assert.*;

import org.junit.Rule;
import org.junit.Test;

/**
 * Unit test for simple App.
 */
public class AppTest {

  @Rule
  public RepeatRule repeatRule = new RepeatRule(3); // Note Rule

  @Test
  public void testMessage() {
    assertEquals("Hello, world!", new App().getMessage());
  }
}

创建一个规则类,例如;
package org.zero.samples.junit;

import org.junit.rules.TestRule;
import org.junit.runner.Description;
import org.junit.runners.model.Statement;

public class RepeatRule implements TestRule {

  private int repeatFor;

  public RepeatRule(int repeatFor) {
    this.repeatFor = repeatFor;
  }

  public Statement apply(final Statement base, Description description) {
    return new Statement() {

      @Override
      public void evaluate() throws Throwable {
        for (int i = 0; i < repeatFor; i++) {
          base.evaluate();
        }
      }
    };
  }

}

像往常一样执行您的测试用例,只是这次您的测试用例将重复给定的次数。您可能会发现有趣的用例,其中@Rule可能真的很方便。尝试创建复合规则,您周围的玩耍一定会被黏住。

希望能有所帮助。

09-26 08:46