0

在我的 android 应用程序中,我想检测从静止步行的活动变化并开始跟踪位置,无论应用程序的状态如何(在后台或完全关闭)。

我能够通过将其设置为前台服务(显示通知)来创建在后台运行的位置跟踪服务,但我无法根据活动检测开始跟踪。

这是 的代码片段IntentService,它应该在接收到检测到活动转换的意图后启动位置跟踪服务:

class ActivityDetectionIntent : IntentService(TAG) {
    override fun onHandleIntent(intent: Intent?) {
        val i = Intent(this@ActivityDetectionIntent, LocationTracking::class.java)
        if (Build.VERSION.SDK_INT >= 26) {
            startForegroundService(i)
            // this followed by foregroundService call in LocationTracking service
        } else {
            startService(i)
        }
    }
    // ...
}

这是我收到的错误消息:

2019-12-04 19:57:59.797 3866-15015/? W/ActivityManager:不允许后台启动:服务 Intent { cmp=com.anatoliymakesapps.myapplication/.ActivityDetectionIntent (has extras) } 从 pid=-1 uid=10377 pkg=com.anatoliymakesapps 到 com.anatoliymakesapps.myapplication/.ActivityDetectionIntent。我的应用程序 startFg?=false

我想知道我是否遗漏了一些明显的东西,或者整个方法是错误的,我需要尝试其他方法?任何达到预期结果的建议都值得赞赏。

我尝试更改IntentService为,JobIntentService但没有任何区别,错误看起来相同。

4

1 回答 1

1

原来意图服务不能直接启动,但可以通过广播接收器间接实现。

这是我使用的,而不是IntentService

class ActivityTransitionBroadcastReceiver : BroadcastReceiver() {

    override fun onReceive(context: Context, intent: Intent) {
        Log.i(TAG, "got activity transition signal")
        val i = Intent(context, LocationTrackingService::class.java)
        if (Build.VERSION.SDK_INT >= 26) {
            startForegroundService(context, i)
        } else {
            context.startService(i)
        }
    }

    companion object {
        private val TAG = ActivityTransitionBroadcastReceiver::class.java.simpleName
    }

}

显现:

        <receiver android:name=".ActivityTransitionBroadcastReceiver"  android:exported="true" />
于 2019-12-05T13:36:01.653 回答