我已经用@Test注释编写了一些JUnit测试。如果我的测试方法抛出一个检查过的异常,并且如果我想断言该消息与异常一起,是否有一种方法可以使用JUnit @Test注释来做到这一点?AFAIK, JUnit 4.7不提供这个功能,但是将来的版本会提供吗?我知道在。net中你可以断言消息和异常类。在Java世界中寻找类似的特性。

这就是我想要的:

@Test (expected = RuntimeException.class, message = "Employee ID is null")
public void shouldThrowRuntimeExceptionWhenEmployeeIDisNull() {}

当前回答

如果使用@Rule,则异常集将应用于test类中的所有测试方法。

其他回答

我更喜欢使用AssertJ。

        assertThatExceptionOfType(ExpectedException.class)
        .isThrownBy(() -> {
            // method call
        }).withMessage("My message");

我喜欢@Rule的答案。但是,如果出于某种原因您不想使用规则。还有第三种选择。

@Test (expected = RuntimeException.class)
public void myTestMethod()
{
   try
   {
      //Run exception throwing operation here
   }
   catch(RuntimeException re)
   {
      String message = "Employee ID is null";
      assertEquals(message, re.getMessage());
      throw re;
    }
    fail("Employee Id Null exception did not throw!");
  }

你可以使用@Rule注释和ExpectedException,就像这样:

@Rule
public ExpectedException expectedEx = ExpectedException.none();

@Test
public void shouldThrowRuntimeExceptionWhenEmployeeIDisNull() throws Exception {
    expectedEx.expect(RuntimeException.class);
    expectedEx.expectMessage("Employee ID is null");

    // do something that should throw the exception...
    System.out.println("=======Starting Exception process=======");
    throw new NullPointerException("Employee ID is null");
}

注意,ExpectedException文档中的例子(目前)是错误的——没有公共构造函数,所以你必须使用ExpectedException.none()。

@Test (expectedExceptions = ValidationException.class, expectedExceptionsMessageRegExp = "This is not allowed")
public void testInvalidValidation() throws Exception{
     //test code
}

我从来不喜欢用Junit断言异常的方式。如果我在注释中使用“预期”,从我的观点来看,我们似乎违反了“给定,当,然后”模式,因为“然后”被放置在测试定义的顶部。

同样,如果我们使用“@Rule”,我们必须处理大量的样板代码。所以,如果你可以为你的测试安装新的库,我建议你看看AssertJ(这个库现在随SpringBoot一起来了)

然后是一个不违反“给定/当/然后”原则的测试,并使用AssertJ来验证:

1 -例外是我们所期待的。 2 -它也有一个预期的信息

会是这样的:

 @Test
void should_throwIllegalUse_when_idNotGiven() {

    //when
    final Throwable raisedException = catchThrowable(() -> getUserDAO.byId(null));

    //then
    assertThat(raisedException).isInstanceOf(IllegalArgumentException.class)
            .hasMessageContaining("Id to fetch is mandatory");
}