Android:在应用被杀死时保持服务运行


76

IntentService即使应用被杀死,我也希望在后台继续运行。“杀死”的意思是长时间按主页按钮->查看所有正在运行的应用程序->将我的应用程序滑到一边->应用程序被杀死,或者长时间按后退按钮->应用程序被杀死

我的代码如下。在我的MainActivity中:

Intent intent = new Intent(this, MyService.class);
this.startService(intent);

在我的MyService中:

public class MyService extends IntentService {

@Override
protected void onHandleIntent(Intent intent) {
    System.out.println("MyService started");
    run();
}

private void run() {
    while (true){
        System.out.println("MyService still running");
        doSomething();
        waitSomeTime();
    }
}

}

打开应用程序后,我看到该服务正在运行。通过主页按钮最小化应用程序时,它仍在运行。通过后退按钮关闭应用程序时,它仍在运行。但是,如果我如上所述杀死它,它将停止。我该如何解决?



我尝试了一下(下载了示例):是的,该服务可以通过任务管理器杀死,但是不能存活“长时间按后退按钮”。你有什么主意吗
user2078872

这回答了你的问题了吗?应用程序关闭时,Android服务停止
Josh Correia

也许我的回答对某人有用:stackoverflow.com/a/64113820/2877427
AnasSafi

1
目前,所有答案中哪些是实际可行的?
Ahmad

Answers:


70

所有答案似乎都是正确的,因此我将在此处给出完整答案。

首先,最简单的方法是在应用程序被手动终止时在Android中启动广播,然后定义一个自定义设置以触​​发服务重启。BroadcastReceiver

现在,让我们进入代码。


在以下位置创建服务 YourService.java

请注意该onCreate()方法,在此方法中,对于高于Android Oreo的Build版本,我们将以不同的方式启动前台服务。这是因为最近引入了严格的通知政策,我们必须定义自己的通知政策。通知通道以正确显示它们。

this.sendBroadcast(broadcastIntent);onDestroy()方法是异步发送一个广播动作名称的声明"restartservice"。稍后,我们将以此为触发来重新启动我们的服务。

在这里,我们定义了一个简单的Timer任务,该任务每1秒钟打印一次计数器值,Log而每次打印时都会递增一次。

public class YourService extends Service {
public int counter=0;

    @Override
    public void onCreate() {
        super.onCreate();
        if (Build.VERSION.SDK_INT > Build.VERSION_CODES.O)
            startMyOwnForeground();
        else
            startForeground(1, new Notification());
    }

    @RequiresApi(Build.VERSION_CODES.O)
    private void startMyOwnForeground()
    {
        String NOTIFICATION_CHANNEL_ID = "example.permanence";
        String channelName = "Background Service";
        NotificationChannel chan = new NotificationChannel(NOTIFICATION_CHANNEL_ID, channelName, NotificationManager.IMPORTANCE_NONE);
        chan.setLightColor(Color.BLUE);
        chan.setLockscreenVisibility(Notification.VISIBILITY_PRIVATE);
        
        NotificationManager manager = (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);
        assert manager != null;
        manager.createNotificationChannel(chan);

        NotificationCompat.Builder notificationBuilder = new NotificationCompat.Builder(this, NOTIFICATION_CHANNEL_ID);
        Notification notification = notificationBuilder.setOngoing(true)
                .setContentTitle("App is running in background")
                .setPriority(NotificationManager.IMPORTANCE_MIN)
                .setCategory(Notification.CATEGORY_SERVICE)
                .build();
        startForeground(2, notification);
    }


    @Override
    public int onStartCommand(Intent intent, int flags, int startId) {
        super.onStartCommand(intent, flags, startId);
        startTimer();
        return START_STICKY;
    }


    @Override
    public void onDestroy() {
        super.onDestroy();
        stoptimertask();

        Intent broadcastIntent = new Intent();
        broadcastIntent.setAction("restartservice");
        broadcastIntent.setClass(this, Restarter.class);
        this.sendBroadcast(broadcastIntent);
    }



    private Timer timer;
    private TimerTask timerTask;
    public void startTimer() {
        timer = new Timer();
        timerTask = new TimerTask() {
            public void run() {
                Log.i("Count", "=========  "+ (counter++));
            }
        };
        timer.schedule(timerTask, 1000, 1000); //
    }

    public void stoptimertask() {
        if (timer != null) {
            timer.cancel();
            timer = null;
        }
    }

    @Nullable
    @Override
    public IBinder onBind(Intent intent) {
        return null;
    }
}

创建广播接收器以响应您在中定义的广播 Restarter.java

现在应该使用"restartservice"您刚刚在其中定义的操作名称进行广播,YourService.java以触​​发将重新启动服务的方法。这是使用完成的BroadcastReceiver在Android中。

我们在中重写了内置onRecieve()方法,BroadcastReceiver以添加将重新启动服务的语句。该功能startService()无法在Android Oreo 8.1及更高版本中正常运行,因为严格的后台策略将在应用终止后重启后立即终止服务。因此,我们将startForegroundService()用作更高版本,并显示连续的通知以保持服务运行。

public class Restarter extends BroadcastReceiver {
    @Override
    public void onReceive(Context context, Intent intent) {
        Log.i("Broadcast Listened", "Service tried to stop");
        Toast.makeText(context, "Service restarted", Toast.LENGTH_SHORT).show();

        if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
            context.startForegroundService(new Intent(context, YourService.class));
        } else {
            context.startService(new Intent(context, YourService.class));
        }
    }
}

定义你的 MainActivity.java在应用启动时调用服务。

在这里,我们定义了一个单独的isMyServiceRunning()方法来检查后台服务的当前状态。如果服务不是运行,请使用启动它startService()

由于应用程序已经在前台运行,因此我们无需将服务作为前台服务启动以防止自身终止。

请注意,在其中onDestroy()我们专门调用stopService(),以便我们的重写方法被调用。如果不这样做,则该服务将在应用终止后自动终止,而无需onDestroy()YourService.java

public class MainActivity extends AppCompatActivity {
    Intent mServiceIntent;
    private YourService mYourService;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);

        mYourService = new YourService();
        mServiceIntent = new Intent(this, mYourService.getClass());
        if (!isMyServiceRunning(mYourService.getClass())) {
            startService(mServiceIntent);
        }
    }

    private boolean isMyServiceRunning(Class<?> serviceClass) {
        ActivityManager manager = (ActivityManager) getSystemService(Context.ACTIVITY_SERVICE);
        for (ActivityManager.RunningServiceInfo service : manager.getRunningServices(Integer.MAX_VALUE)) {
            if (serviceClass.getName().equals(service.service.getClassName())) {
                Log.i ("Service status", "Running");
                return true;
            }
        }
        Log.i ("Service status", "Not running");
        return false;
    }


    @Override
    protected void onDestroy() {
        //stopService(mServiceIntent);
        Intent broadcastIntent = new Intent();
        broadcastIntent.setAction("restartservice");
        broadcastIntent.setClass(this, Restarter.class);
        this.sendBroadcast(broadcastIntent);
        super.onDestroy();
    }
}

最后将它们注册到您的 AndroidManifest.xml

以上三个类别均需在中单独注册AndroidManifest.xml

请注意,我们定义intent-filter动作名称"restartservice",将Restarter.java其注册为receiver。这样可以确保BroadcastReciever在系统遇到具有给定操作名称的广播时调用我们的自定义。

<application
    android:allowBackup="true"
    android:icon="@mipmap/ic_launcher"
    android:label="@string/app_name"
    android:supportsRtl="true"
    android:theme="@style/AppTheme">

    <receiver
        android:name="Restarter"
        android:enabled="true"
        android:exported="true">
        <intent-filter>
            <action android:name="restartservice" />
        </intent-filter>
    </receiver>

    <activity android:name="MainActivity">
        <intent-filter>
            <action android:name="android.intent.action.MAIN" />
            <category android:name="android.intent.category.LAUNCHER" />
        </intent-filter>
    </activity>

    <service
        android:name="YourService"
        android:enabled="true" >
    </service>
</application>

现在,如果应用程序已从任务管理器中终止,这应该再次重新启动您的服务。只要用户未Force Stop从“应用程序设置”中选择该应用程序,该服务就会在后台继续运行。

UPDATE:荣誉对Dr.jacky指点出来。上面提到的方法仅在onDestroy()调用服务的时才有效,在某些时候可能并非如此,而我没有意识到。谢谢。


2
当应用被杀死或奥利奥背景时,这仍然无法在后台工作。仅在应用程序处于前台时才起作用。..请帮助解决这个问题。
拉玛·图拉西

4
onDestroy可能不会调用该服务:stackoverflow.com/a/7237522/421467
Dr.jacky '19

1
谢谢!我更新了我的答案以确保知道这种可能性。我今天学了些新东西。
Sayan Sil

1
当我们已经从onStartCommand()返回START_STICKY时,这意味着如果操作系统被终止,它将重新启动该服务。那么,为什么我们需要在服务的onDestroy()中启动服务的广播?操作系统是否已经开始重新启动?
DevAndroid

1
它不工作,我的不叫的onDestroy(),那么,我们如何在后台运行..服务无止境
马斯兄弟

46

如果您的服务是由您的应用启动的,那么实际上您的服务正在主进程上运行。因此,当应用被终止时,服务也会停止。因此,您可以做的是,从onTaskRemoved您的服务方法发送广播,如下所示:

 Intent intent = new Intent("com.android.ServiceStopped");
 sendBroadcast(intent);

并有一个广播接收器,它将再次启动服务。我试过了 服务会从所有类型的终止中重新启动。


19
这是正确的答案。我在博客条目中
FabioC,2017年

请告诉我我写的意图是什么意思“ com.android.ServiceStopped”是什么意思我在sendBroadcast方法中调用的意图是创建一个新的意图来停止服务
Ahmad Joyia

1
@BhendiGawaar我和你说的一样。但它不工作的定制操作系统的手机一样体内,OPO,MIUI等上
罗汉辛德

3
有时,当android指定需要杀死一些进程以释放更多ram时,它甚至不调用onTaskRemoved表单服务。它只是杀死了它。
马赫迪·马尔夫

1
我使用的是Lenovo TB3-730X。当应用程序被用户杀死并且我也尝试过onDestroy时,不会调用onTaskRemoved。也无法正常工作。请提出任何解决方案,建议我
Megala Mani

13

在您的服务中,添加以下代码。

@Override
public void onTaskRemoved(Intent rootIntent){
    Intent restartServiceIntent = new Intent(getApplicationContext(), this.getClass());
    restartServiceIntent.setPackage(getPackageName());

    PendingIntent restartServicePendingIntent = PendingIntent.getService(getApplicationContext(), 1, restartServiceIntent, PendingIntent.FLAG_ONE_SHOT);
    AlarmManager alarmService = (AlarmManager) getApplicationContext().getSystemService(Context.ALARM_SERVICE);
    alarmService.set(
    AlarmManager.ELAPSED_REALTIME,
    SystemClock.elapsedRealtime() + 1000,
    restartServicePendingIntent);

    super.onTaskRemoved(rootIntent);
 }

5

放在onstart命令中START_STICKY...除非执行过多任务,并且内核要为此杀死它,否则该服务将不会被杀死...

@Override
        public int onStartCommand(Intent intent, int flags, int startId) {
            Log.i("LocalService", "Received start id " + startId + ": " + intent);
            // We want this service to continue running until it is explicitly
            // stopped, so return sticky.
            return START_STICKY;
        }

可以通过任务管理器进行杀死,但是该服务在“长时间按后退按钮”中无法生存:/
user2078872 2015年

在应用程序关闭后,start sticky将再次运行服务,因此从某种意义上说,它将重新启动服务。
Fahad Alkamli

6
在某个时候,如果用户杀死了应用程序,也许我们应该尊重用户并让服务终止。
马赛·法里耶尔

4

原因是您正在尝试使用IntentService。这是API文档的一行

IntentService执行以下操作:

在处理完所有启动请求后停止服务,因此您不必调用stopSelf()。

因此,如果您希望服务无限期运行,建议您扩展Service类。但是,这不能保证您的服务将无限期运行。如果服务的优先级较低,则在内存不足的状态下您的服务仍然有可能被内核杀死。因此,您有两个选择:
1)通过调用startForeground() 方法使它在前台运行。
2)如果服务被终止,请重新启动。这是文档示例的一部分,他们讨论在服务终止后重新启动服务

 public int onStartCommand(Intent intent, int flags, int startId) {
      Toast.makeText(this, "service starting", Toast.LENGTH_SHORT).show();

      // For each start request, send a message to start a job and deliver the 
      // start ID so we know which request we're stopping when we finish the job 
      Message msg = mServiceHandler.obtainMessage();
      msg.arg1 = startId;
      mServiceHandler.sendMessage(msg);

      // If we get killed, after returning from here, restart 
      return START_STICKY;
  }  

-3

您可以android:stopWithTask="false"在清单中将其用作波纹管,这意味着,即使用户通过从任务列表中删除应用杀死了该应用,您的服务也不会停止。

 <service android:name=".service.StickyService"
                  android:stopWithTask="false"/>

29
默认是假的!
Kishore Jethava '18
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.