Answers:
仅Mockito并不是处理异常的最佳解决方案,请将Mockito与Catch-Exception结合使用
given(otherServiceMock.bar()).willThrow(new MyException());
when(() -> myService.foo());
then(caughtException()).isInstanceOf(MyException.class);
caughtException
啊
com.googlecode.catchexception.CatchException.caughtException;
首先回答您的第二个问题。如果您使用的是JUnit 4,则可以使用
@Test(expected=MyException.class)
断言发生了异常。并使用嘲笑“模拟”异常,请使用
when(myMock.doSomething()).thenThrow(new MyException());
如果还要测试异常消息,则可以将JUnit的ExpectedException与Mockito一起使用:
@Rule
public ExpectedException expectedException = ExpectedException.none();
@Test
public void testExceptionMessage() throws Exception {
expectedException.expect(AnyException.class);
expectedException.expectMessage("The expected message");
given(foo.bar()).willThrow(new AnyException("The expected message"));
}
given()
这是哪里来的?
更新了2015年6月19日的答案(如果您使用的是Java 8)
只需使用assertj
使用assertj-core-3.0.0 + Java 8 Lambdas
@Test
public void shouldThrowIllegalArgumentExceptionWhenPassingBadArg() {
assertThatThrownBy(() -> myService.sumTingWong("badArg"))
.isInstanceOf(IllegalArgumentException.class);
}
参考:http : //blog.codeleak.pl/2015/04/junit-testing-exceptions-with-java-8.html
如果您使用的是JUnit 4和Mockito 1.10.x,请使用以下方法注释测试方法:
@Test(expected = AnyException.class)
并抛出所需的异常使用:
Mockito.doThrow(new AnyException()).when(obj).callAnyMethod();
像这样使异常发生:
when(obj.someMethod()).thenThrow(new AnException());
通过断言您的测试将引发此类异常来验证是否已发生:
@Test(expected = AnException.class)
或通过普通的模拟验证:
verify(obj).someMethod();
如果您的测试旨在证明中间代码可以处理该异常(即不会从您的测试方法抛出该异常),则需要使用后一个选项。
verify
呼叫是否断言异常?
when
子句正确,则必须抛出异常。
使用Mockito的doThrow,然后捕获所需的异常以断言该异常是在以后抛出的。
@Test
public void fooShouldThrowMyException() {
// given
val myClass = new MyClass();
val arg = mock(MyArgument.class);
doThrow(MyException.class).when(arg).argMethod(any());
Exception exception = null;
// when
try {
myClass.foo(arg);
} catch (MyException t) {
exception = t;
}
// then
assertNotNull(exception);
}
使用mockito,可以使异常发生。
when(testingClassObj.testSomeMethod).thenThrow(new CustomException());
使用Junit5,您可以断言异常,断言在调用测试方法时是否引发该异常。
@Test
@DisplayName("Test assert exception")
void testCustomException(TestInfo testInfo) {
final ExpectCustomException expectEx = new ExpectCustomException();
InvalidParameterCountException exception = assertThrows(InvalidParameterCountException.class, () -> {
expectEx.constructErrorMessage("sample ","error");
});
assertEquals("Invalid parametercount: expected=3, passed=2", exception.getMessage());
}
在此处找到示例:断言异常junit
通过异常消息声明:
try {
MyAgent.getNameByNode("d");
} catch (Exception e) {
Assert.assertEquals("Failed to fetch data.", e.getMessage());
}