Detect home button press in android
Asked Answered
S

18

105

This has been driving me nuts for a while now.

Is there any way of reliably detecting if the home button has been pressed in an android application?

Failing that, is there a robust way of telling what caused an activity to go into onPause? i.e Can we detect if it was caused by a new activity launching or by pressing back/home.

One suggestion I have seen is to override onPause() and call isFinishing() but this will return false when pressing the home button just as it would if a new activity is starting so this fails to distinguish between the two.

Any help much appreciated.

** Update** : Thanks to @android-hungry for this link: https://nishandroid.blogspot.com/

Overiding the following method:

@Override
public void onAttachedToWindow() {
    super.onAttachedToWindow();
    this.getWindow().setType(WindowManager.LayoutParams.TYPE_KEYGUARD);           
}

Then the following event WILL get fired for home button presses:

@Override
public boolean onKeyDown(int keyCode, KeyEvent event) {     

    if(keyCode == KeyEvent.KEYCODE_HOME)
    {
       //The Code Want to Perform. 
    }
});

I'm not sure if there are any side effects with this line:

this.getWindow().setType(WindowManager.LayoutParams.TYPE_KEYGUARD);   

So it would seem that contrary to popular belief, you can in fact listen out for the home key. Worryingly, you can return false and have the home key do nothing.

Update: As expected, there are some side affects with this - it seems that embedded videos and google maps are not visible with this mode enabled.

Update: Supposedly this hack no longer works as of Android 4.0 onwards

Scrag answered 16/1, 2012 at 15:12 Comment(19)
My problem wasn't to disguise between back and home -key but I wanted to finish application on both cases. Which I did using Activity.onUserLeaveHint().Codon
The only problem is onUserLeaveHint() will also fire when I start an activity from said activity, I only want to know if back or home has been pressed. Thanks for suggestion thoughScrag
That's true, but unfortunately, as far as I know, it's the only place to receive any information on Home -key usage. Making it more of a problem to harvest out false -positives, out of many can be recognized easily, but still making easy sounding task rather complicated.Codon
Yes, i've got round it previously by setting a flag whenever I start activities and checking for this flag in the onPause() so I know if it was caused by a new intent or by a homekkey press. I was looking for a more elegant solutionScrag
The average app can get along fine without needing to know the difference between a Home press and a pause event. In other words, onPause() is usually sufficient. Why do you want to do this? Giving us more information about your intentions could lead to a better overall strategy for you.Bashkir
Hi Josh, I need the app to relaunch from scratch everytime it is opened. So if the appllication is killed from a backkey press - no problem. But if the user presses the homekey and then relaunches, it resumes. I am fully aware that from a user-experience point of view this is bad and it goes against the android application lifecycle completely but unfortunately my client wants it and they won't budge.Scrag
So many things wrong with this I don't know where to start. 1) There are many ways to get to an app (like returning to it after answering a phone call), so "every time it is opened" doesn't make sense unless you define all of those transitions. 2) Are you saying you want to achieve your "always relaunch" strategy by killing the app any time it is not visible on screen? 3) How does differentiating between Home and Back (or any other onPause event) help your cause?Bashkir
4) Your client may "think" they want the app relaunched from scratch all the time, but they probably just don't know how mobile apps work.Bashkir
Don't mean to sound rude, just trying to point out the potential flaws and hopefully convince you you're going down the wrong path.Bashkir
1) Whenever the app is launched from it's icon, it needs to start from scratch. So if it is coming back from a phonecall etc it can resume as it normally does. 2) No, I want to kill the app when the back is pressed and when the home key is pressed, NOT when I launch a new activity. 3)I don't need to differentiate between home and back, I need to differentiate between home/back and new intents - if the pause is caused by a new intent I DON'T want to finish the activity - if it is caused by backbutton or home key I DO want to finish the activity.Scrag
4) Indeed, and this app has to mirror an iPhone app pixel for pixel. So I have on screen back buttons etc, it's sacrilegious but I cannot convince them otherwise.Scrag
@DeanWild: did u read this: nisha113a5.blogspot.comDerickderide
Haha, ok, at least we know that you're not the crazy one now. Check out my other answer for possible solutions.Bashkir
@android_hungry - im stunned but this actually works.Scrag
@DeanWild: i l post this answer , so that others find it useful ! cheersDerickderide
its not working in ICSPhyle
This no longer works as of 4.0. The last comment on this post: groups.google.com/forum/#!topic/android-developers/trRI99-HszQKleinstein
TYPE_KEYGUARD constant was removed from WindowManager.LayoutParams in Android 5.0Eyot
ACTION_CLOSE_SYSTEM_DIALOGS intent action is deprecated as of Android 12. If your app targets Android 12 or higher, a SecurityException occurs. developer.android.com/about/versions/12/…Telespectroscope
A
155

Following code works for me :)

HomeWatcher mHomeWatcher = new HomeWatcher(this);
mHomeWatcher.setOnHomePressedListener(new OnHomePressedListener() {
    @Override
    public void onHomePressed() {
        // do something here...
    }
    @Override
    public void onHomeLongPressed() {
    }
});
mHomeWatcher.startWatch();
import android.content.BroadcastReceiver;
import android.content.Context;
import android.content.Intent;
import android.content.IntentFilter;
import android.util.Log;

public class HomeWatcher {

    static final String TAG = "hg";
    private Context mContext;
    private IntentFilter mFilter;
    private OnHomePressedListener mListener;
    private InnerReceiver mReceiver;

    public HomeWatcher(Context context) {
        mContext = context;
        mFilter = new IntentFilter(Intent.ACTION_CLOSE_SYSTEM_DIALOGS);
    }

    public void setOnHomePressedListener(OnHomePressedListener listener) {
        mListener = listener;
        mReceiver = new InnerReceiver();
    }

    public void startWatch() {
        if (mReceiver != null) {
            mContext.registerReceiver(mReceiver, mFilter);
        }
    }

    public void stopWatch() {
        if (mReceiver != null) {
            mContext.unregisterReceiver(mReceiver);
        }
    }

    class InnerReceiver extends BroadcastReceiver {
        final String SYSTEM_DIALOG_REASON_KEY = "reason";
        final String SYSTEM_DIALOG_REASON_GLOBAL_ACTIONS = "globalactions";
        final String SYSTEM_DIALOG_REASON_RECENT_APPS = "recentapps";
        final String SYSTEM_DIALOG_REASON_HOME_KEY = "homekey";

        @Override
        public void onReceive(Context context, Intent intent) {
            String action = intent.getAction();
            if (action.equals(Intent.ACTION_CLOSE_SYSTEM_DIALOGS)) {
                String reason = intent.getStringExtra(SYSTEM_DIALOG_REASON_KEY);
                if (reason != null) {
                    Log.e(TAG, "action:" + action + ",reason:" + reason);
                    if (mListener != null) {
                        if (reason.equals(SYSTEM_DIALOG_REASON_HOME_KEY)) {
                            mListener.onHomePressed();
                        } else if (reason.equals(SYSTEM_DIALOG_REASON_RECENT_APPS)) {
                            mListener.onHomeLongPressed();
                        }
                    }
                }
            }
        }
    }
}
public interface OnHomePressedListener {
    void onHomePressed();
    void onHomeLongPressed();
}
Akee answered 15/1, 2015 at 3:16 Comment(21)
Your onHomeLongPressed actually seems to correspond to the opening of the "Recents" system activity. On my phone, that's triggered by pressing the recents button next to the home button, so your code's assumption about it being a home long press isn't always correct.Hysterectomy
why it don't work for me, i did exact same except registered the broadcast through manifest.Ultranationalism
Registered in application class, Working so far.. +1, I wonder whats the catch? I mean, what original case would we be missing.. :^)Ultranationalism
sometimes intent.getStringExtra(SYSTEM_DIALOG_REASON_KEY); return null. I would like to know what it's happening ??Lossa
Still works fine, but for those interested, LONG_PRESS is handled a bit differently.Puerilism
Is it possible to do this from a service while the screen is locked? This code uses the ACTION_CLOSE_SYSTEM_DIALOGS filter which doesn't work while the screen is off.Ponton
I managed to do this by starting a dummy activity and show it on the lockscreen, it isn't perfect but it works for my needsPonton
I have the same issue as @Lossa My IDE doesn't even show it in the hintsContemporaneous
The long press reason is now called final String SYSTEM_DIALOG_REASON_LONG_PRESS = "assist" Theocritus
Thanks a lot. It's working, just add voiceinteraction on long press event.Birthright
It is working great in all devices except Samsung devices (example Samsung J7), Does anyone knows specific reason or solution?Conventionalism
It works. Awesome. This can detect home and recent app menu click from any appDoralin
Omg thank you. I was able to make react native module out of this! Let me know if you'd like to contribute. npmjs.com/package/react-native-home-pressedFiberglass
Perfect solution for me also, saved my day :)Nkrumah
Ok, it detects the click on Home button but it does not prevent from going to the home screen (springboard)... Any solution to avoid going back to springboard? regards.Taconite
This solution works. But it does not prevent the app from going into background. How do i avoid that?Desperation
Its working, but how can I prevent the close app when the home button is pressed?Duodecillion
@Duodecillion : Did you find a solution on how to prevent closing app?Allanson
Thanks a lot, works like a charm. For gesture navigation on Android Q however, the onHomeLongPressed was triggered instead of onHomePressed when swiping up to home. I used this answer (#56689710) for a workaround, detecting what type of navigation is used and acting accordingly. Thought it might be useful to some.Pyroxenite
ACTION_CLOSE_SYSTEM_DIALOGS - This constant was deprecated in API level 31.Guthrie
ACTION_CLOSE_SYSTEM_DIALOGS intent action is deprecated as of Android 12. If your app targets Android 12 or higher, a SecurityException occurs. developer.android.com/about/versions/12/…Telespectroscope
M
57

This is an old question but it might help someone.

@Override
protected void onUserLeaveHint()
{
    Log.d("onUserLeaveHint","Home button pressed");
    super.onUserLeaveHint();
}

According to the documentation, the onUserLeaveHint() method is called when the user clicks the home button OR when something interrupts your application (like an incoming phone call).

This works for me.. :)

Maley answered 7/7, 2015 at 14:28 Comment(3)
Not Correct !!! That is worked at home button pressed but it is also worked when Swiching Activity with Intent!!Bernhard
This will execute before onStop() always, even if other activity comes on the top or user forcefully leave the activity or clicking home button...Malamute
@NikunjParadva You can use onBackPressed() method in other activities to solve this issue.Twittery
H
7

It is impossible to detect and/or intercept the HOME button from within an Android app. This is built into the system to prevent malicious apps that cannot be exited.

Hattie answered 16/1, 2012 at 15:20 Comment(5)
check the accepted answer, it is possible. Not tested on many devices yet though.Scrag
Yeah... crashed app on mine.Sheedy
what about launchers/home replacement apps? I'm building one and I want to go to the first screen when the users clicks homeClearsighted
For Launchers use this: @Override protected void onNewIntent(Intent intent) { super.onNewIntent(intent); /*Do what you want*/ }Zephyrus
@Clearsighted launcher and or home replacements are still not supported by google (src diane hackborn) and therefore you can't prevent the user to click the homebutton. You can still, add your view as a system alert dialog, which will overlay everything. But the home button clicks will go through it.Fritzsche
F
7

I needed to start/stop background music in my application when first activity opens and closes or when any activity is paused by home button and then resumed from task manager. Pure playback stopping/resuming in Activity.onPause() and Activity.onResume() interrupted the music for a while, so I had to write the following code:

@Override
public void onResume() {
  super.onResume();

  // start playback here (if not playing already)
}

@Override
public void onPause() {
  super.onPause();

  ActivityManager manager = (ActivityManager) this.getSystemService(Activity.ACTIVITY_SERVICE);
  List<ActivityManager.RunningTaskInfo> tasks = manager.getRunningTasks(Integer.MAX_VALUE);
  boolean is_finishing = this.isFinishing();
  boolean is_last = false;
  boolean is_topmost = false;
  for (ActivityManager.RunningTaskInfo task : tasks) {
    if (task.topActivity.getPackageName().startsWith("cz.matelier.skolasmyku")) {
      is_last = task.numRunning == 1;
      is_topmost = task.topActivity.equals(this.getComponentName());
      break;
    }
  }

  if ((is_finishing && is_last) || (!is_finishing && is_topmost && !mIsStarting)) {
    mIsStarting = false;
    // stop playback here
  }
}

which interrupts the playback only when application (all its activities) is closed or when home button is pressed. Unfortunatelly I didn't manage to change order of calls of onPause() method of the starting activity and onResume() of the started actvity when Activity.startActivity() is called (or detect in onPause() that activity is launching another activity other way) so this case have to be handled specially:

private boolean mIsStarting;

@Override
public void startActivity(Intent intent) {
  mIsStarting = true;
  super.startActivity(intent);
}

Another drawback is that this requires GET_TASKS permission added to AndroidManifest.xml:

<uses-permission
  android:name="android.permission.GET_TASKS"/>

Modifying this code that it only reacts on home button press is straighforward.

Fleeta answered 14/3, 2013 at 19:57 Comment(0)
M
4

Override onUserLeaveHint() in the activity. There will never be any callback to the activity when a new activity comes over it or user presses back press.

Mudlark answered 21/4, 2014 at 11:41 Comment(1)
it is also called also when going from one activity to another within the appJessejessee
T
4

onUserLeaveHint();

override this activity class method.This will detect the home key click . This method is called right before the activity's onPause() callback.But it will not be called when an activity is interrupted like a in-call activity comes into foreground, apart from that interruptions it will call when user click home key.

@Override
protected void onUserLeaveHint() {
    super.onUserLeaveHint();
    Log.d(TAG, "home key clicked");
}
Thorvaldsen answered 6/10, 2017 at 14:18 Comment(0)
D
3

Since API 14 you can use the function onTrimMemory() and check for the flag TRIM_MEMORY_UI_HIDDEN. This will tell you that your Application is going to the background.

So in your custom Application class you can write something like:

override fun onTrimMemory(level: Int) {
    if (level == TRIM_MEMORY_UI_HIDDEN) {
        // Application going to background, do something
    }
}

For an in-depth study of this, I invite you to read this article: http://www.developerphil.com/no-you-can-not-override-the-home-button-but-you-dont-have-to/

Dubbin answered 12/3, 2019 at 19:25 Comment(2)
Good article - useful alternative that probably does what most people needScrag
Nice solution. Do you know how to reset the flag when the application returns from the background? For instance if I create a boolean isInBackground, I would want to reset it to once we return from the background.Anxious
G
2

Try to create a counter for each screen. If the user touch HOME, then the counter will be zero.

public void onStart() {
  super.onStart();
  counter++;
}

public void onStop() {
  super.onStop();
  counter--;    
  if (counter == 0) {
      // Do..
  }
}
Gerri answered 14/8, 2012 at 18:4 Comment(1)
If you mean global application counter it will be zero in a moment when one activity is being moved to back stack and another is being moved to top or when top ativity is finished and back stack activity is being moved to top which is the usual place when you want to react on home button press. If you mean activity-wide counter it will be zero any time the activity is not visible (not necessarily caused by home button press). The only solution would be to postpone your reaction using timer to skip this transition but the necessary delay may not be predictable or desirable.Fleeta
H
2

You might consider a solution by Andreas Shrade in his post on How-To Create a Working Kiosk Mode in Android. It's a bit hacky, but given the reasons that interception of the home button is prevented it has to be ;)

Haukom answered 28/7, 2015 at 14:15 Comment(0)
B
1

Since you only wish for the root activity to be reshown when the app is launched, maybe you can get this behavior by changing launch modes, etc. in the manifest?

For instance, have you tried applying the android:clearTaskOnLaunch="true" attribute to your launch activity, perhaps in tandem with android:launchMode="singleInstance"?

Tasks and Back Stack is a great resource for fine-tuning this sort of behavior.

Bashkir answered 16/1, 2012 at 16:43 Comment(1)
This would seem like the most elegant solution but I have found it to be quite unreliable. After a few open/close/pause cycles the app will start to just resume rather than restart completelyScrag
A
1

I had this problem, and since overriding the onKeyDown() method didn't accomplish anything because of the underlying android system didn't call this method, I solved this with overriding onBackPressed(), and I had a boolean value set there to false, because I pressed back, let me show you what I mean in code:

import android.util.Log;
public class HomeButtonActivity extends Activity {
    boolean homePressed = false;
    // override onCreate() here.

    @Override
    public void onBackPressed() {
        homePressed = false; // simply set homePressed to false
    }

    @Overide
    public void onResume() {
        super.onResume();
        homePressed = true; // default: other wise onBackPressed will set it to false
    }

    @Override
    public void onPause() {
        super.onPause();
        if(homePressed) { Log.i("homePressed", "yay"); }
    }

So the reason why this worked is because the only way to navigate outside this activity is by pressing back or home so if back was pressed then i know the cause wasn't home, but otherwise the cause was home, therefore i set the default boolean value for homePressed to be true. However this will only work with a single activity instance in your application because otherwise you have more possibilities to cause the onPause() method to be called.

Agma answered 30/7, 2015 at 22:49 Comment(3)
in fact when you go to another activity, the onpause method is calledLossa
That's why i explicitly stated that this will only work if your application only incorporates a single activity!Agma
And what if multiple unrelated activites are running at the same time, and the user is simply switching between them? Modern Android devices support multi-tasking. With this code, it looks like switching back to your app would set homePressed to true, and then switching to another app would think Home was pressed when it really wasn't.Pylos
I
1

Recently I was trying to detect the home press button, because I needed it to do the same as the method "onBackPressed()". In order to do this, I had to override the method "onSupportNavigateUp()" like this:

override fun onSupportNavigateUp(): Boolean {
    onBackPressed()
    return true
}

It worked perfectly. =)

Immunogenic answered 26/11, 2018 at 13:48 Comment(0)
D
1

enter image description here Android Home Key handled by the framework layer you can't able to handle this in the application layer level. Because the home button action is already defined in the below level. But If you are developing your custom ROM, then It might be possible. Google restricted the HOME BUTTON override functions because of security reasons.

Deplete answered 27/9, 2019 at 6:39 Comment(0)
G
0

An option for your application would be to write a replacement Home Screen using the android.intent.category.HOME Intent. I believe this type of Intent you can see the home button.

More details:

http://developer.android.com/guide/topics/intents/intents-filters.html#imatch

Gaylegayleen answered 16/1, 2012 at 15:48 Comment(1)
interesting idea but a little long winded and not as elegant as I would have hoped forScrag
R
0

It's a bad idea to change the behavior of the home key. This is why Google doesn't allow you to override the home key. I wouldn't mess with the home key generally speaking. You need to give the user a way to get out of your app if it goes off into the weeds for whatever reason.

I'd image any work around will have unwanted side effects.

Recede answered 18/7, 2012 at 20:26 Comment(2)
You are absolutely spot on but some clients won't take no for an answer and don't understand why they shouldn't break the guidelines.Scrag
The problem is that even if you don't want to chage home button behaviour, you occasionally have to react differently on the situation that application is moved to back due to home button press differently than on the situation that you current activity is paused for wathever reason. The same problem is with the fact that Application.onDestroy() cannot be used for poduction builds. Such examples is pausing a game when user hides the appication, stopping background music, etc.Fleeta
T
0

Jack's answer is perfectly working for click event while longClick is considering is as menu button click.

By the way, if anyone is wondering how to do via kotlin,

class HomeButtonReceiver(private var context: Context,private var listener: OnHomeButtonClickListener) {
    private val mFilter: IntentFilter = IntentFilter(Intent.ACTION_CLOSE_SYSTEM_DIALOGS)
    private var mReceiver: InnerReceiver = InnerReceiver()

    fun startWatch() {
        context.registerReceiver(mReceiver, mFilter)
    }

    fun stopWatch() {
        context.unregisterReceiver(mReceiver)
    }

    inner class InnerReceiver: BroadcastReceiver() {
        private val systemDialogReasonKey = "reason"
        private val systemDialogReasonHomeKey = "homekey"
        override fun onReceive(context: Context?, intent: Intent?) {
            val action = intent?.action
            if (action == Intent.ACTION_CLOSE_SYSTEM_DIALOGS) {
                val reason = intent.getStringExtra(systemDialogReasonKey)
                if (reason != null && reason == systemDialogReasonHomeKey) {
                    listener.onHomeButtonClick()
                }
            }
        }
    } 
}
Tobacco answered 27/3, 2019 at 16:11 Comment(0)
G
0

SOLVED: This works for BACK, HOME and TASK OVERVIEW

@Override
public void onBackPressed() {
}

@Override
public void onPause() {
    if (isApplicationSentToBackground(MainActivity.this)){
        // Do what you want to do on detecting Home Key being Pressed
        Toast.makeText(this, "You pressed the task button!", Toast.LENGTH_LONG).show();
    }
    super.onPause();
    ActivityManager activityManager = (ActivityManager) getApplicationContext()
            .getSystemService(Context.ACTIVITY_SERVICE);

    activityManager.moveTaskToFront(getTaskId(), 0);
}

@SuppressWarnings("deprecation")
public boolean isApplicationSentToBackground(final Context context) {
    ActivityManager am = (ActivityManager) context.getSystemService(Context.ACTIVITY_SERVICE);
    List<ActivityManager.RunningTaskInfo> tasks = am.getRunningTasks(1);
    if (!tasks.isEmpty()) {
        ComponentName topActivity = tasks.get(0).topActivity;
        if (!topActivity.getPackageName().equals(context.getPackageName())) {
            return true;
        }
    }
    return false;
}

And add to manifest: android.permission.REORDER_TASKS

Glossolalia answered 7/1, 2023 at 13:32 Comment(0)
C
-1

This works for me. You can override onUserLeaveHint method https://www.tutorialspoint.com/detect-home-button-press-in-android

@Override
    protected void onUserLeaveHint() {
        //
        super.onUserLeaveHint();
    }
Crosby answered 16/8, 2020 at 14:32 Comment(3)
This does work only when you have only one activity in your app. If you have multiple activity, this does not work bc when you switch to another activity, this method also triggered. Not good.Grenville
this also does not work if you trigger gallery intents and the likeMinatory
this was also suggested as an answer to this question in 2017Minatory

© 2022 - 2024 — McMap. All rights reserved.