我有一个用例,我试图确保在我的类中调用特定方法时引发抽象异常。
我正在使用 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 扩展了此类)。我只是好奇是否有更好的方法?
谢谢