junit实现多个跑步者

时间:2011-10-21 07:31:52

标签: java junit annotations suite junit-runner

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

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

我需要帮助来管理这两个跑步者,还有什么方法可以将两个跑步者组合起来进行特定测试吗?还有其他方法可以解决这个问题或者更简单的方法吗?

1 个答案:

答案 0 :(得分: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!";
  }
}

这是您的测试类;

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可能真的很方便。尝试创建复合规则,玩游戏肯定会被粘在一起..

希望有所帮助。