Home key press behaviour

I’ve struggled with this odd behavior for more than a month but I finally found out the explanation by trial and error.

This behavior happens when you start your application from Eclipse, from command line or if you install an application and press on the Open button(instead of the Done button) to start the application right after you installed it.

If in one of those cases, you start your apllication, go to Activity1 and then to Activity 2, press HOME button and then press the application icon, it will open a new instance of Activity1. Don’t take my word for it. Just press BACK and see that it gets you to your Activity2 that you left when you pressed HOME.

It seems that the launcher activity is not put on the activity stack if the application is started in one of those ways mentioned above so that’s why it creates a new instance of the launcher activity on top of the current activities in the application’s stack. This looks to me like a bug.

So, the workaround would be to exit the application, the first time it was started from Eclipse or command line or Open button etc., by pressing the BACK button as many times as needed, and then enter the application again. From then on, the behavior will be as expected.

EDIT:
A better workaround would be this: Create a DummyActivity and set it up as the main entry point into the application. Also, add the flag android:noHistory="true". The DummyActivity is simple and would look like this:

public class DummyActivity extends Activity {

@Override
protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);

    if (!MyApplication.startedApp) {
        Intent intent = new Intent(this, HomeActivity.class);
        startActivity(intent);
    }

    finish();
} }

MyApplication is a class that extends android.app.Application and is defined inside AndroidManifest.xml. In HomeActivity.class you set inside the onCreate() method the boolean field startedApp to true. If the user presses BACK from the screen, you need to move the value for startedApp to false.

public class HomeActivity extends Activity {

@Override
public void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);

    MyApplication.startedApp = true;
}

@Override
public void onBackPressed() {
    MacawApplication.startedApp = false;
    super.onBackPressed();
}

}

So, the first time the app is launched it enters the if block and launches the first real activity in our application. If you navigate through the app, then press HOME and then launch the app again, DummyActivity will get called a second time and it will just call finish() on itself and the app will show the last activity before you pressed HOME.

Leave a Comment