我一直在尝试创建一个像这样的通用 trycatch 方法:
public static void tryCatchAndLog(Runnable tryThis) {
try {
tryThis.run();
} catch (Throwable throwable) {
Log.Write(throwable);
}
}
但是,如果我尝试像这样使用它,则会得到一个未处理的异常:
tryCatchAndLog(() -> {
methodThatThrowsException();
});
如何实现这一点,以便编译器知道 tryCatchAndLog 将处理异常?
最佳答案
试试这个 :
@FunctionalInterface
interface RunnableWithEx {
void run() throws Throwable;
}
public static void tryCatchAndLog(final RunnableWithEx tryThis) {
try {
tryThis.run();
} catch (final Throwable throwable) {
throwable.printStackTrace();
}
}
然后这段代码编译:
public void t() {
tryCatchAndLog(() -> {
throw new NullPointerException();
});
tryCatchAndLog(this::throwX);
}
public void throwX() throws Exception {
throw new Exception();
}
关于java - 是否可以使用 lambda 表达式在 Java 中实现通用的 try catch 方法?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/41300500/