我有一个用例,我试图确保在我的类中调用特定方法时抛出抽象异常。
我使用Mockito来做这件事,但是注意到Mockito在调用方法时并没有抛出异常。
要测试的类:
public void doSomething() throws CustomException {
try {
Collection<T> results = dao.getDatabaseResults();
} catch (ProblemException e) {
throw new CustomException("There was an exception", e);
}
}
问题异常类:
public abstract class ProblemException extends RuntimeException {
public ProblemException(String message) {
super(message);
}
public ProblemException(String message, Throwable e) {
super(message, e);
}
测试类:
public testDoSomething() throws Exception {
CustomDAO mockDAO = Mockito.mock(CustomDAO.class);
Mockito.when(mockDAO.getDatabaseResults()).thenThrow(new ProblemException);
try {
foo.doSomething();
Assert.fail();
} catch (CustomException e) {
//Some more asserts
}
目前上述测试类将无法编译,因为您无法创建抽象类的新实例。
我没有更改AbstractException类的权限,也无法更改DAO类上getDatabaseResults()方法抛出的异常类型。
对于这个问题,您对最干净的解决方案有什么建议吗?
我能想到的一件事是在我的doSomething()方法中捕获RuntimeException(因为ProblemException扩展了这个类)。如果有更好的方法,我只是好奇吗?
由于
答案 0 :(得分:11)
你不能直接实例化一个抽象类,但是你可以很容易地实例化一个匿名子类,在这种情况下这很简单,因为你不必强制定义任何方法:
Mockito.when(mockDAO.getDatabaseResults()).thenThrow(new ProblemException(){});
或者,您可以使用另一个模拟:
Mockito.when(mockDAO.getDatabaseResults()).thenThrow(Mockito.mock(ProblemException.class));
如果抽象类强制定义您在测试中不关心的其他方法,那么这是有意义的。