2

高级别的,我有一个非常简单的 JUnit 测试类。我有几个@Tests 和一个@Before,它们做了一些设置。对于一个测试用例,设置会有所不同(我不希望它运行)。

通过一些搜索,我找到了https://stackoverflow.com/a/13017452/413254。这建议创建一个 @Rule 来检查特定注释并执行 @Before 语句。

我的困惑在于如何在规则中执行 @Before 方法。有没有办法做到这一点?还是我需要传入测试类本身并执行@before 方法(setup()在下面的示例中)?

public class NoBeforeRule implements TestRule {

    @Override
    public Statement apply(final Statement base, final Description description) {
        return new Statement() {
            @Override
            public void evaluate() throws Throwable {
                if (description.getAnnotation(NoBefore.class) == null) {
                    // Is there something like `base.executeAllTheBefores()' 
                }

                base.evaluate();
            }
        };
    }
}

相关测试代码:

@Rule public NoBeforeRule mNoBeforeRule = new NoBeforeRule(this);

@Before
@Override
public void setup() {
}

@Test
public void testNeedSetup() {
    // this should run setup()
}

@NoBefore
@Test
public void testNoSetup() {
    // this should NOT run setup()
}
4

3 回答 3

3

为什么不将测试分成 2 个单独的测试类?需要设置的进入一个类,而那些不需要设置的进入另一个类。

没有规则(甚至指南)规定一个类的所有测试必须进入一个单独的测试类,这实际上是我经常做的事情。

您有一个或多个不需要通用设置的测试这一事实可能表明测试本身没有凝聚力,并且正在测试您的测试类的不同变体。例如,我可能有一堆方法以特定方式为正面测试设置了模拟设置,但是其他需要它的测试针对失败场景进行了不同的配置。我会将这些测试分为 2 类 - 特别是用于积极场景的测试和用于失败场景的测试。

玩弄规则之类的东西来明确避免运行标准@Before方法只会让事情变得更加复杂,并且让你未来的自己或同事对为什么不运行设置方法而摸不着头脑

于 2015-04-12T11:31:37.700 回答
1

也许玩弄规则 TestName

@Rule public TestName name = new TestName();

@Before 
public void setup() {
     if(listOfTestNeedSetup.contains(name.getMethodName()) {
        // need setup
     }
}
于 2015-04-09T17:14:41.297 回答
0
  • 在自定义规则实现中调用 setup()。

  • 删除 setup() 上的 @Before 注释,因为包含 @Rule 将导致每次运行自定义规则。

    public class MyTest {
    
       class NoBeforeRule implements TestRule {
          @Override
          public Statement apply(final Statement base, final Description description) {
              return new Statement() {
                  @Override
                  public void evaluate() throws Throwable {
                      if (description.getAnnotation(NoBefore.class) == null) {
                          setup(); 
                      }
    
                      base.evaluate();
                  }
              };
          }
       }
    
       @Rule 
       public NoBeforeRule mNoBeforeRule = new NoBeforeRule();
    
    
       public void setup() {}
    
       @Test
       public void testNeedSetup() {
          // this should run setup()
       }
    
       @NoBefore
       @Test
       public void testNoSetup() {
          // this should NOT run setup()
       }
    }
    
于 2021-07-15T16:41:08.600 回答