Android-부팅시 서비스 시작


107

Stack Exchange 및 다른 곳에서 본 모든 것에서 Android OS 부팅시 IntentService를 시작하도록 모든 것이 올바르게 설정되었습니다. 불행히도 부팅시 시작되지 않으며 오류가 발생하지 않습니다. 전문가가 도움이 될 수 있습니다 ...

명백한:

<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
  package="com.phx.batterylogger"
  android:versionCode="1"
  android:versionName="1.0"
  android:installLocation="internalOnly">

<uses-sdk android:minSdkVersion="8" />
<uses-permission android:name="android.permission.RECEIVE_BOOT_COMPLETED" />
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
<uses-permission android:name="android.permission.BATTERY_STATS" />

<application android:icon="@drawable/icon" android:label="@string/app_name">
    <service android:name=".BatteryLogger"/>
    <receiver android:name=".StartupIntentReceiver">  
        <intent-filter>  
            <action android:name="android.intent.action.BOOT_COMPLETED" />  
        </intent-filter>  
    </receiver>
</application>

</manifest>

시작을위한 BroadcastReceiver :

package com.phx.batterylogger;

import android.content.BroadcastReceiver;
import android.content.Context;
import android.content.Intent;

public class StartupIntentReceiver extends BroadcastReceiver {
    @Override
    public void onReceive(Context context, Intent intent) {
        Intent serviceIntent = new Intent(context, BatteryLogger.class);
        context.startService(serviceIntent);
    }
}

업데이트 : 나는 아래의 모든 제안을 시도했고 Log.v("BatteryLogger", "Got to onReceive, about to start service");StartupIntentReceiver의 onReceive 핸들러 와 같은 로깅을 추가 했지만 아무것도 기록되지 않았습니다. 따라서 BroadcastReceiver에 도달하지도 않습니다.

Eclipse에서 Debug를 실행하고 콘솔에서 \ BatteryLogger \ bin \ BatteryLogger.apk에서 내 Xoom 태블릿에 성공적으로 설치했다고 APK를 배포하고 올바르게 테스트하고 있다고 생각합니다. 그런 다음 테스트를 위해 태블릿을 재부팅 한 다음 DDMS에서 로그를보고 OS 설정에서 실행중인 서비스를 확인합니다. 이 모든 것이 맞습니까, 아니면 뭔가 빠졌습니까? 다시 한 번 모든 도움을 주시면 감사하겠습니다.


1
어떤 문제가 발생하고 있습니까? UI가 나오지 않습니까 ..?
Lalit Poptani 2011 년

1
서비스가 시작되지 않는 것이 문제입니다.
Gady

서비스가 시작되지 않는다는 것을 어떻게 알게 되었습니까? 로그 또는 이와 유사한 것을 인쇄 했습니까 ..?
Lalit Poptani 2011 년

1
실행되지 않는지 확인하기 위해 로그가 필요하지 않습니다. Android OS는 실행중인 서비스를 노출합니다. 그러나 로깅을 사용하여 오류가 발생하는지 확인하는 것이 좋습니다. 오류가 발생하면 context.startService () 전에 발생한다고 추측합니다.
Tony

1
Log.v("BatteryLogger", "Got to onReceive, about to start service");onReceive 핸들러에 추가 했는데 로그에 표시되지 않습니다. 리스너가 실패 그래서 (?)
Gady

답변:


302

다음은 AutoStart 애플리케이션의 전체 예입니다.

AndroidManifest 파일

<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
    package="pack.saltriver" android:versionCode="1" android:versionName="1.0">

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

    <application android:icon="@drawable/icon" android:label="@string/app_name">

        <receiver android:name=".autostart">
            <intent-filter>
                <action android:name="android.intent.action.BOOT_COMPLETED" />
            </intent-filter>
        </receiver>

        <activity android:name=".hello"></activity>
        <service android:enabled="true" android:name=".service" />
    </application>
</manifest>

autostart.java

public class autostart extends BroadcastReceiver 
{
    public void onReceive(Context context, Intent arg1) 
    {
        Intent intent = new Intent(context,service.class);
        if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
            context.startForegroundService(intent);
        } else {
            context.startService(intent);
        }
        Log.i("Autostart", "started");
    }
}

service.java

public class service extends Service
{
    private static final String TAG = "MyService";
    @Override
    public IBinder onBind(Intent intent) {
        return null;
    }
    public void onDestroy() {
        Toast.makeText(this, "My Service Stopped", Toast.LENGTH_LONG).show();
        Log.d(TAG, "onDestroy");
    }

    @Override
    public void onStart(Intent intent, int startid)
    {
        Intent intents = new Intent(getBaseContext(),hello.class);
        intents.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
        startActivity(intents);
        Toast.makeText(this, "My Service Started", Toast.LENGTH_LONG).show();
        Log.d(TAG, "onStart");
    }
}

hello.java -Applicaton을 한 번 실행 한 후 장치를 시작할 때마다 팝업됩니다.

public class hello extends Activity 
{   
    public void onCreate(Bundle savedInstanceState) 
    {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);
        Toast.makeText(getBaseContext(), "Hello........", Toast.LENGTH_LONG).show();
    }
}

10
완전한 예는 +1. 어쩌면 나는 평범한 구식 서비스에 onHandleIntent 내 IntentService을 변경해야합니다
Gady

6
이것은 궁극적으로 그것을 해결했습니다. 문제는 내 서비스가 평범한 오래된 서비스 대신 IntentService 인 서비스와 서비스 코드의 오류의 조합이었습니다. 이 답변의 철저 함과 Android 로그인은 내 문제를 해결하는 데 도움이되었습니다.
Gady

3
자세한 예는 +1. 이것은 활동 없이도 작동합니까?
balas 2013

1
onStart () 콜백은 더 이상 사용되지 않습니다. 대신 onStartCommand ()를 사용해야합니다.
mmBs

1
@mmBs이 답변은 거의 5 년이 되었기 때문에 분명합니다
Lalit Poptani

3

부팅 후 장치가 절전 모드로 전환되어 서비스가 완료되기 전에 서비스가 종료 될 수 있습니다. 먼저 wake lock을 얻어야합니다. 다행히 지원 라이브러리는 이를 수행 할 수 있는 클래스제공 합니다.

public class SimpleWakefulReceiver extends WakefulBroadcastReceiver {
    @Override
    public void onReceive(Context context, Intent intent) {
        // This is the Intent to deliver to our service.
        Intent service = new Intent(context, SimpleWakefulService.class);

        // Start the service, keeping the device awake while it is launching.
        Log.i("SimpleWakefulReceiver", "Starting service @ " + SystemClock.elapsedRealtime());
        startWakefulService(context, service);
    }
}

그런 다음 서비스에서 wake lock을 해제해야합니다.

    @Override
    protected void onHandleIntent(Intent intent) {
        // At this point SimpleWakefulReceiver is still holding a wake lock
        // for us.  We can do whatever we need to here and then tell it that
        // it can release the wakelock.

...
        Log.i("SimpleWakefulReceiver", "Completed service @ " + SystemClock.elapsedRealtime());
        SimpleWakefulReceiver.completeWakefulIntent(intent);
    }

WAKE_LOCK 권한을 추가하는 것을 잊지 마십시오.

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

1
나는 같은 문제가 있습니다. 도와 주 시겠어요? 감사! stackoverflow.com/questions/35373525/starting-my-service
Ruchir Baronia에게

2

다음이 작동합니다. 확인했습니다. 문제가 다른 곳일 수 있습니다.

public class MyReceiver extends BroadcastReceiver{

    @Override
    public void onReceive(Context context, Intent intent) {
        Log.d("TAG", "MyReceiver");
        Intent serviceIntent = new Intent(context, Test1Service.class);
        context.startService(serviceIntent);
    }
}




public class Test1Service extends Service {
    /** Called when the activity is first created. */
    @Override
    public void onCreate() {
        super.onCreate();
        Log.d("TAG", "Service created.");
    }

    @Override
    public int onStartCommand(Intent intent, int flags, int startId) {
        Log.d("TAG", "Service started.");
        return super.onStartCommand(intent, flags, startId);
    }

    @Override
    public void onStart(Intent intent, int startId) {
        super.onStart(intent, startId);
        Log.d("TAG", "Service started.");
    }
    @Override
    public IBinder onBind(Intent arg0) {
        return null;
    }
}




<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
      package="com.test"
      android:versionCode="1"
      android:versionName="1.0"
      android:installLocation="internalOnly">
    <uses-sdk android:minSdkVersion="8" />

    <application android:icon="@drawable/icon" android:label="@string/app_name">

    <uses-permission android:name="android.permission.RECEIVE_BOOT_COMPLETED" />
    <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
    <uses-permission android:name="android.permission.BATTERY_STATS" 
    />
<!--        <activity android:name=".MyActivity">
            <intent-filter>  
                <action android:name="android.intent.action.MAIN" /> 
                <category android:name="android.intent.category.LAUNCHER"></category> 
            </intent-filter>
       </activity> -->
        <service android:name=".Test1Service" 
                  android:label="@string/app_name"
                  >
        </service>
        <receiver android:name=".MyReceiver">  
            <intent-filter>  
                <action android:name="android.intent.action.BOOT_COMPLETED" /> 
            </intent-filter>  
        </receiver> 
    </application>
</manifest>

고맙지 만 여전히 작동하지 않았습니다. 로그에는 StartupIntentReceiver에 도달한다는 사실조차 표시되지 않습니다. 다른 아이디어가 있습니까?
Gady 2011 년

1
코드가 에뮬레이터에서 작동합니까? 에뮬레이터에서 의도를받을 수 있습니까?
비벡

에뮬레이터에서 테스트 한 결과 DDMS에서 오류가 발생했지만 최소한 서비스가 시작을 시도하고있는 것 같습니다.하지만 내 Log()명령문이없고 에뮬레이터 장치가 내 서비스가 OS 설정에서 실행중인 것으로 표시되지는 않습니다. 다음은 DDMS의 오류입니다.System.err - at com.phx.batterylogger$1.onReceive(BatteryLogger.java:43) 문제가 내 BatteryLogger 서비스의 43 행에 있음을 의미합니까?
Gady 2011 년

2

기기가 재부팅 될 때 애플리케이션이 제대로 실행되도록하는 방법을 찾았습니다. 성공하려면 아래 단계를 따르세요.

AndroidManifest 파일

<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="pack.saltriver" android:versionCode="1" android:versionName="1.0">
<uses-permission 
android:name="android.permission.REQUEST_IGNORE_BATTERY_OPTIMIZATIONS"/>
<uses-permission android:name="android.permission.RECEIVE_BOOT_COMPLETED" />

<application android:icon="@drawable/icon" android:label="@string/app_name">

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

            <category android:name="android.intent.category.LAUNCHER" />
        </intent-filter>
    </activity>
    <receiver android:name=".UIBootReceiver" android:enabled="true" 
    android:exported="true">
        <intent-filter>
            <action android:name="android.intent.action.BOOT_COMPLETED" />
            <category android:name="android.intent.category.DEFAULT" />
        </intent-filter>
    </receiver>
     <service android:name=".class_Service" />
</application>

UIBootReceiver

public class UIBootReceiver extends BroadcastReceiver {

private static final String TAG = "UIBootReceiver";
@Override

    public void onReceive(Context context, Intent arg1)
    {
        Toast.makeText(context, "started", Toast.LENGTH_SHORT).show();
        Intent intent = new Intent(context,class_Service.class);
        context.startService(intent);
    }
  }

백그라운드에서 안정적으로 실행할 수 있도록이 앱의 배터리 절약 관리가 필요없는 권한을 요청하는 것입니다.

MainActivity 클래스의 onCreate ()에서이 코드를 선언합니다.

   Intent myIntent = new Intent();
    if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) {
        myIntent.setAction(Settings.ACTION_REQUEST_IGNORE_BATTERY_OPTIMIZATIONS);
        myIntent.setData(Uri.parse("package:" + 
   DeviceMovingSpeed.this.getPackageName()));
    }
    startActivity(myIntent);

1

것과 매우 비슷해 보이지만 수신자의 전체 패키지 이름을 사용합니다.

<receiver android:name=".StartupIntentReceiver">

나는 가지고있다:

<receiver android:name="com.your.package.AutoStart"> 

예, 문제를 정렬하는 것이 약간되었으므로 hello world 예제를 게시하는 것이 좋습니다.
Lalit Poptani 2011 년

1

전체 패키지없이 성공했습니다. 콜 체인이 중단되는 위치를 알고 있습니까? 디버깅하는 경우Log()'s로 어떤 시점에서 더 이상 작동하지 않습니까?

나는 그것이 당신의 IntentService에있을 수 있다고 생각합니다.


Log.v("BatteryLogger", "Got to onReceive, about to start service");onReceive 핸들러에 추가 했는데 로그에 표시되지 않습니다. 리스너가 실패 그래서 (?)
Gady

전화가 부팅 될 때 broadcast receiver가 시작되는 이유는 무엇입니까? 감사!
Ruchir Baronia

소년. 나는 몇 년 동안 안드로이드를 만지지 않았습니다. 죄송합니다 @Ruchir
Phix

0

주석에서 언급했듯이 검색을 더 쉽게 만들기 위해 3.1 https://stackoverflow.com/a/19856367/6505257 이후로는 불가능합니다.


동일한 답변의 주석 섹션에서 Think Twice Code Once 에서 언급했듯이 사실이 아닙니다 .
Ricardo A.

내 주장을 뒷받침하는 더 자세한 설명 : stackoverflow.com/questions/20441308/…
Ricardo A.

내가 안드로이드로 무엇이든해온 지 정말 오래되었지만 당신이 옳습니다. 가능합니다. 다른 주장은 필요하지 않습니다. (나는 대답을 편집 할 것입니다)
MrKew
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.