我有一个实用程序方法,可以在整个项目中计时和记录各种查询。
问题是,在查看crashlytics
时,现在所有不相关的崩溃都会连接成一个崩溃实例。
我可以捕获实用程序方法的所有异常,并在从堆栈中删除该方法后抛出它们吗?
环境为Android
(Java
)
更新
基于@Dhananjay在下面的回答,这是我的代码:
public static Cursor get(...) {
try {
// my utility code
} catch (RuntimeException e) {
throw cleanException(e);
}
}
private static RuntimeException cleanException(RuntimeException e) {
try {
StackTraceElement[] stackTrace = e.getStackTrace();
StackTraceElement[] subTrace = new StackTraceElement[stackTrace.length - 1];
System.arraycopy(stackTrace, 1, subTrace, 0, subTrace.length);
e.setStackTrace(subTrace);
return e;
} catch (Throwable ignored) {
return e;
}
}
答案 0 :(得分:3)
这种方法可以解决您的问题:在实用程序日志记录方法中设置异常的堆栈跟踪以排除实用程序方法本身,然后抛出异常,这是一个工作示例,您可以修改它以消除任何{{1你想要:
StackTraceElement
以下是此程序的输出,现在堆栈跟踪中不存在package test;
public class TestMain {
public static void main(String args[]) throws Exception {
try {
apiCall();
} catch(Exception e) {
e.printStackTrace();
}
}
public static void apiCall() throws Exception {
logAndThrow();
}
public static void logAndThrow() throws Exception {
Exception e = new Exception();
StackTraceElement[] cleanedUpStackTrace = new StackTraceElement[e.getStackTrace().length -1];
// Eliminate this mehod i.e. logAndThrow's stack trace entry (i.e. the first one) in cleanedUpStackTrace
System.arraycopy(e.getStackTrace(), 1, cleanedUpStackTrace, 0, cleanedUpStackTrace.length);
for(StackTraceElement ste : cleanedUpStackTrace) {
System.out.println(ste.getMethodName());
}
e.setStackTrace(cleanedUpStackTrace);
throw e;
}
}
方法:
logAndThrow