代码之家  ›  专栏  ›  技术社区  ›  Val

JUnit测试的层次结构

  •  2
  • Val  · 技术社区  · 11 年前

    我需要以下测试

    @runwith(cache, memory)
    class CollectionA is -- this is a suite (aka folder)
      class Cache {   -- this is a sub-suite (aka folder)
        @test testCache1()  -- this is a method (aka file)
        @test testCache2()
        @test testCache3()
      }
      class RAM {  -- this is a sub-suite (aka folder)
        @test testRAM1()
        @test testRAM2()
      }
      @test testIO()
      @test testKeyboard()
      @test testMouse()
      @test testMonitor()
      @test testPower()
      @test testBoot()
    

    请注意,只有缓存和RAM需要分组。层次结构有助于克服复杂性,并在必要时单独运行相关测试,例如缓存子系统。问题是,一旦我使用@runwith进行分组,JUnit就会忽略除了RAM和Cache集合之外的所有单个测试方法。似乎在JUnit设计中不能有同级文件和文件夹。中的评论 the official example of grouping 也暗示

    @RunWith(Suite.class)
    @Suite.SuiteClasses({
      TestA.class,
      TestA.class
    })
    
    public class FeatureTestSuite {
      // the class remains empty,
      // used only as a holder for the above annotations
      // HEY!!! WHAT ABOUT MY @Tests HERE?
    }
    

    答案是我是否需要完成每一项测试,例如。 testPower 换上他们的单品套装,或者把套装压扁——如果层次结构完全取消的话。

    所以,JUnit被设计为不允许将单个文件(@test方法)和文件夹(@runwith-suites)混合在一起,这是对的吗?为什么?如何解决这一问题?可能有其他选择 @runwith.Suite ?

    2 回复  |  直到 11 年前
        1
  •  4
  •   bechte    11 年前

    您喜欢创建的是一种混合类型,JUnit运行程序不支持这种类型。所以,是的,你是对的,这是不可能的。

    为此,我创建了一个附加组件,可用于为测试创建分层上下文。在我看来,这是JUnit中缺少的一个功能,我也会保持联系,将其包含在JUnit核心中。

    该插件提供了一个HierarchicalContextRunner,它允许使用内部类将测试分组到上下文中。每个上下文都可以包含测试或其他上下文。它还允许有@Before、@After、@Rule方法和字段,以及其他功能,如标准Runner的@Ignore。:-)

    例子:

    @RunWith(HierarchicalContextRunner.class)
    public class CollectionA {
        public class Cache {
            @Test testCache1() {...}
            @Test testCache2() {...}
            @Test testCache3() {...}
        }
        public class RAM {
            @Test testRAM1() {...}
            @Test testRAM2() {...}
        }
        @Test testIO() {...}
        @Test testKeyboard() {...}
        @Test Mouse() {...}
        @Test testMonitor() {...}
        @Test testPower() {...}
        @Test testBoot() {...}
    }
    

    试试看: https://github.com/bechte/junit-hierarchicalcontextrunner/wiki

    非常感谢投票和反馈。:)

        2
  •  1
  •   John B    11 年前

    你的设计应该是这样的:

    // folder com.myco.project
    SuiteX.java
    TestA.java
    TestB.java
    
    
    // contents of TestA.java
    public class TestA{
       @Test
       public void someTestInA(){...}
    }
    
    // contents of TestB.java
    public class TestB{
       @Test
       public void someTestInB(){...}
    }
    
    // contents of SuiteX.java
    @RunWith(Suite.class)
    @Suite.SuiteClasses({
      TestA.class,
      TestB.class
    })
    public class FeatureTestSuite {
      // the class remains empty,
      // used only as a holder for the above annotations
    }
    

    正如我在评论中所说,为每个测试类使用单独的java文件。不要使用内部类。