Я столкнулся с поведением в управлении процессами Android в сочетании с сервисами переднего плана, которое меня действительно смущает.
Что для меня разумно
- Когда вы проводите свое приложение из «Недавних приложений», ОС должна завершить процесс приложения в относительно ближайшем будущем.
- При удалении приложения из списка «Недавние приложения» во время работы службы переднего плана оно остается активным.
- Когда вы останавливаете службу переднего плана перед удалением приложения из списка «Недавние приложения», вы получаете то же, что и для 1).
Что меня смущает
Когда вы останавливаете службу переднего плана, не имея никаких действий на переднем плане (приложение не отображается в «Недавних приложениях»), я ожидаю, что приложение будет убито сейчас.
Однако этого не происходит, процесс приложения еще жив.
пример
Я создал минимальный пример, который показывает это поведение.
ForegroundService:
import android.app.Notification
import android.app.NotificationChannel
import android.app.NotificationManager
import android.app.PendingIntent
import android.app.Service
import android.content.Context
import android.content.Intent
import android.os.Build
import android.os.IBinder
import androidx.core.app.NotificationCompat
import timber.log.Timber
class MyService : Service() {
override fun onBind(intent: Intent?): IBinder? = null
override fun onCreate() {
super.onCreate()
Timber.d("onCreate")
}
override fun onDestroy() {
super.onDestroy()
Timber.d("onDestroy")
// just to make sure the service really stops
stopForeground(true)
stopSelf()
}
override fun onStartCommand(intent: Intent?, flags: Int, startId: Int): Int {
Timber.d("onStartCommand")
startForeground(ID, serviceNotification())
return START_NOT_STICKY
}
private fun serviceNotification(): Notification {
createChannel()
val stopServiceIntent = PendingIntent.getBroadcast(
this,
0,
Intent(this, StopServiceReceiver::class.java),
PendingIntent.FLAG_UPDATE_CURRENT
)
return NotificationCompat.Builder(this, CHANNEL_ID)
.setSmallIcon(R.drawable.ic_launcher_foreground)
.setContentTitle("This is my service")
.setContentText("It runs as a foreground service.")
.addAction(0, "Stop", stopServiceIntent)
.build()
}
private fun createChannel() {
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
val notificationManager = getSystemService(NotificationManager::class.java)
notificationManager.createNotificationChannel(
NotificationChannel(
CHANNEL_ID,
"Test channel",
NotificationManager.IMPORTANCE_DEFAULT
)
)
}
}
companion object {
private const val ID = 532207
private const val CHANNEL_ID = "test_channel"
fun newIntent(context: Context) = Intent(context, MyService::class.java)
}
}
BroadcastReceiver для остановки службы:
import android.content.BroadcastReceiver
import android.content.Context
import android.content.Intent
class StopServiceReceiver : BroadcastReceiver() {
override fun onReceive(context: Context, intent: Intent) {
val serviceIntent = MyService.newIntent(context)
context.stopService(serviceIntent)
}
}
Активность:
import androidx.appcompat.app.AppCompatActivity
import android.os.Bundle
class MainActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
startService(MyService.newIntent(this))
}
}
Манифест:
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
package="com.christophlutz.processlifecycletest">
<uses-permission android:name="android.permission.FOREGROUND_SERVICE" />
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:roundIcon="@mipmap/ic_launcher_round"
android:supportsRtl="true"
android:theme="@style/AppTheme">
<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=".MyService"/>
<receiver android:name=".StopServiceReceiver" />
</application>
</manifest>
Попробуйте это следующими способами:
- Запустите приложение, остановите службу переднего плана, удалите приложение из «Недавних приложений»
- Запустите приложение, удалите приложение из «Недавних приложений», остановите приоритетный сервис
В LogCat Android Studio видно, что процесс приложения помечен [DEAD] для случая 1, но не для случая 2.
Так как это довольно легко воспроизвести, это может быть предполагаемое поведение, но я не нашел никакого реального упоминания об этом в документации.
Кто-нибудь знает, что здесь происходит?
onDestroy
(Служба) вызывается, но процесс остается живым даже после того, как все прошло. Даже если ОС поддерживала процесс в случае перезапуска службы, я не понимаю, почему она не делает то же самое, когда вы сначала останавливаете службу, а затем удаляете приложение из последних. Отображаемое поведение кажется довольно неинтуитивным, особенно с учетом недавних изменений пределов фонового выполнения, поэтому было бы неплохо узнать, как обеспечить остановку процесса