我有许多类型的异常,它们都具有相同的特征:它们拥有一个始终非零的状态(int)字段。代码通常检查状态变量,如果它不为零,则抛出相应的异常(取决于上下文)。IE:
if (status != 0) throw new AStatusException(status);
... // other context
if (status != 0) throw new BStatusException(status);
... // other context
if (status != 0) throw new CStatusException(status);
出于好奇,我想我可能会在throwIfNotZero
基类的静态方法中实现这个通用功能,StatusException
并让各种A, B, CStatusException
类都继承该类。这有望让我编写如下代码:
AStatusException.throwIfNonZero(status);
... // other context
BStatusException.throwIfNonZero(status);
... // other context
CStatusException.throwIfNonZero(status);
可悲的是,我得到的最接近的是我在帖子末尾附加的代码,这不是很令人满意。有没有更好的方法来做到这一点,也许不使用反射和/或避免传递看起来多余的类实例的要求(参见“用法”)?
基本例外
import java.lang.reflect.InvocationTargetException;
public class StatusException extends Exception {
public int status;
public StatusException (int status) {
this.status = status;
}
public static <T extends StatusException> void raiseIfNotZero(Class<T> klass, int code) throws T{
try {
if (code != 0) throw klass.getConstructor(Integer.TYPE).newInstance(code);
} catch (NoSuchMethodException e) {
throw new RuntimeException(e);
} catch (InstantiationException e) {
throw new RuntimeException(e);
} catch (IllegalAccessException e) {
throw new RuntimeException(e);
} catch (InvocationTargetException e) {
throw new RuntimeException(e);
}
}
}
用法:
AStatusException.raiseIfNotZero(AStatusException.class, status);
BStatusException.raiseIfNotZero(BStatusException.class, status);