必须将Junit的@BeforeClass@AfterClass声明为静态。对于@BeforeClass,有一个不错的解决方法here。我的类里面有很多单元测试,只想初始化和清理一次。对如何获得@AfterClass的解决方法有任何帮助吗?我想在不引入其他依赖的情况下使用Junit。谢谢!

最佳答案

如果您想要类似于@BeforeClass提到的解决方法,则可以跟踪已运行了多少个测试,然后在运行完所有测试后最终执行结束的清理代码。

public class MyTestClass {
  // ...
  private static int totalTests;
  private int testsRan;
  // ...

  @BeforeClass
  public static void beforeClass() {
    totalTests = 0;
    Method[] methods = MyTestClass.class.getMethods();
    for (Method method : methods) {
      if (method.getAnnotation(Test.class) != null) {
        totalTests++;
      }
    }
  }

  // test cases...

  @After
  public void after() {
    testsRan++;
    if (testsRan == totalTests) {
       // One time clean up code here...
    }
  }
}

假设您使用的是JUnit4。如果需要考虑从父类(super class)继承的方法,请参见this,因为此解决方案无法获取继承的方法。

10-06 07:17