java – 如何知道android应用程序上次是否崩溃了

我有一个
Android应用程序,我想知道这个应用程序的启动是否我的应用程序先前崩溃了.此故障可能是由应用程序上的操作系统强制执行的崩溃,以节省内存或任何其他原因.它可能无法在UnhandledExceptionHandler中捕获.我到目前为止所处理的内容如下所示,并没有缓存那些本机操作系统相关和内存强制执行的情况

UncaughtExceptionHandler handler = new UncaughtExceptionHandler();
Thread.setDefaultUncaughtExceptionHandler(handler);

编辑:

请不要建议第三方图书馆.

最佳答案 这将通过SharedPreferences实现,首先当您在MainActivity中输入您的应用程序时创建一个名为crash的布尔变量并将其保存到您的SharedPreferences,其值为false,然后在捕获崩溃时,只需使用该值重新保存此变量为true,这将自动覆盖之前存储的崩溃值.

要保存价值:

private void savePreferences(String key, String value) {
    SharedPreferences sharedPreferences = PreferenceManager
            .getDefaultSharedPreferences(this);
    Editor editor = sharedPreferences.edit();
    editor.putBoolean("crash", false);
    editor.commit();
}

要加载保存的值:

private void loadSavedPreferences() {
    SharedPreferences sharedPreferences = PreferenceManager
            .getDefaultSharedPreferences(this);
    boolean crash = sharedPreferences.getBoolean("crash", false);
    if(crash){
        // then your app crashed the last time
    }else{
        // then your app worked perfectly the last time
    }
}

因此,在崩溃处理程序类中,只需将值保存为true:

附:这必须针对所有unHandled Exceptions运行,无论是来自操作系统的应用程序.

public class CrashHandler extends Application{

    public static Context context;

    public void onCreate(){
        super.onCreate();

        CrashHandler.context = getApplicationContext();
        // Setup handler for uncaught exceptions.
        Thread.setDefaultUncaughtExceptionHandler (new Thread.UncaughtExceptionHandler()
        {
          @Override
          public void uncaughtException (Thread thread, Throwable e)
          {
            handleUncaughtException (thread, e);
          }
        });

    }

    public void handleUncaughtException (Thread thread, Throwable e)
    {
      e.printStackTrace(); // not all Android versions will print the stack trace automatically

      SharedPreferences sharedPreferences = PreferenceManager
                .getDefaultSharedPreferences(context);
        Editor editor = sharedPreferences.edit();
        editor.putBoolean("crash", true);
        editor.commit();

    }

}
点赞