How to force a service restart?

Under newer versions, a service will have the following events triggered:

onCreate()

Followed by…

int onStartCommand(Intent intent, int flags, int startid)

I know in the comments above you mention using that, but it’s worth repeating: Don’t use the old “onStart()” event. onStartCommand is the new way of doing things.

the onCreate() can be used to create any objects, etc. but do the actually code of your service in the onStartCommand().

When done with the onStartCommand() you should return a result. Using “START_STICKY” tells the OS it can restart if it needs to kill it. Using “START_NOT_STICKY” tells the os not to bother trying to restart it after memory becomes available again. That means your application would need to manually start the service again. There are other options as well – check the API docs.

Checking those flags will allow you to see why your service has started – if your own app launched it or if the OS launched it to restart it. You’ll need to be periodically storing the state of any important variables so that if the OS has relaunched it you can retrieve those – you could probably use a SharedPreferences private storage to store those. Definitely store any in the onDestroy event, but don’t count on that being called.

Also, it’s recommended that you store the startID field in a variable and use it with a stopSelfResult(startId) when your service is done running.

Keep in mind that if your service is killed by the OS you may not have the chance to store any variables. You need to be able to see if your state is where you expect when restarted by the OS and if not just reset everything or gracefully die maybe.

As far as debugging, have you considered writing another app that does nothing but suck memory in an Activity in order to force a low memory condition? The top activity should get preference to the memory and force the service to die.

Additional threads launched in the service are still part of the same application process, so they would be killed along with the service (and the rest of the application.) You can verify this by adding regular log statements inside the threads and then killing the service.

Something else that might be useful for you is checking to see if your service is already running from inside your application. Here’s a function to do that:

// Determine if one of my services is currently running
public static boolean isMyServiceRunning(Context context, String servicename) {
    ActivityManager manager = (ActivityManager) context.getSystemService(Context.ACTIVITY_SERVICE);
    for (RunningServiceInfo service : manager.getRunningServices(Integer.MAX_VALUE)) {
        if (servicename.equals(service.service.getClassName())) {
            return true;
        }
    }
    return false;
}

Leave a Comment