Намерение Сервиса должно быть явным: Намерение

У меня есть приложение, в котором я вызываю службу через широковещательный приемник (MyStartupIntentReceiver). Код в приемнике вещания для вызова услуги:

public void onReceive(Context context, Intent intent) {
    Intent serviceIntent = new Intent();
    serviceIntent.setAction("com.duk3r.eortologio2.MyService");
    context.startService(serviceIntent);
}

Проблема в том, что в Android 5.0 Lollipop я получаю следующую ошибку (в предыдущих версиях Android все работает нормально):

Unable to start receiver com.duk3r.eortologio2.MyStartupIntentReceiver: java.lang.IllegalArgumentException: Service Intent must be explicit: Intent { act=com.duk3r.eortologio2.MyService }

Что я должен изменить, чтобы служба была объявлена ​​как явная и запускалась нормально? Пробовал некоторые ответы в других похожих темах, но, хотя я и избавился от сообщения, служба не запустилась.

6 ответов

Решение

Любое намерение, которое вы делаете для службы, действия и т. д. в вашем приложении, должно всегда следовать этому формату

Intent serviceIntent = new Intent(context,MyService.class);
context.startService(serviceIntent);

или же

Intent bi = new Intent("com.android.vending.billing.InAppBillingService.BIND");
bi.setPackage("com.android.vending");

неявные намерения (то, что у вас есть в вашем коде в настоящее время) считаются угрозой безопасности

Установите свой packageName работает.

intent.setPackage(this.getPackageName());

Преобразуйте неявное намерение в явное намерение, а затем запустите службу запуска.

        Intent implicitIntent = new Intent();
        implicitIntent.setAction("com.duk3r.eortologio2.MyService");
        Context context = getApplicationContext();
        Intent explicitIntent = convertImplicitIntentToExplicitIntent(implicitIntent, context);
        if(explicitIntent != null){
            context.startService(explicitIntent);
            }


    public static Intent convertImplicitIntentToExplicitIntent(Intent implicitIntent, Context context) {
            PackageManager pm = context.getPackageManager();
            List<ResolveInfo> resolveInfoList = pm.queryIntentServices(implicitIntent, 0);

            if (resolveInfoList == null || resolveInfoList.size() != 1) {
                return null;
            }
            ResolveInfo serviceInfo = resolveInfoList.get(0);
            ComponentName component = new ComponentName(serviceInfo.serviceInfo.packageName, serviceInfo.serviceInfo.name);
            Intent explicitIntent = new Intent(implicitIntent);
            explicitIntent.setComponent(component);
            return explicitIntent;
        }

Для ленивых людей, как я, просто используйте

public static Intent createExplicitFromImplicitIntent(Context context, Intent implicitIntent) {
    // Retrieve all services that can match the given intent
    PackageManager pm = context.getPackageManager();
    List<ResolveInfo> resolveInfo = pm.queryIntentServices(implicitIntent, 0);

   // Make sure only one match was found
   if (resolveInfo == null || resolveInfo.size() != 1) {
      return null;
   }

   // Get component info and create ComponentName
   ResolveInfo serviceInfo = resolveInfo.get(0);
   String packageName = serviceInfo.serviceInfo.packageName;
   String className = serviceInfo.serviceInfo.name;
   ComponentName component = new ComponentName(packageName, className);

   // Create a new intent. Use the old one for extras and such reuse
   Intent explicitIntent = new Intent(implicitIntent);

   // Set the component to be explicit
   explicitIntent.setComponent(component);

   return explicitIntent;
}

Отправьте контекст и ваше намерение в этом методе и получите результат намерения использовать.

Попробуй это. меня устраивает. Здесь MonitoringService - мой класс обслуживания. У меня есть два действия, которые указывают на службу, чтобы остановить или запустить. Я отправляю это значение из моего получателя вещания в зависимости от AIRPLANE_MODE_CHANGED.

@Override
public void onReceive(Context context, Intent intent) {   
    String action = intent.getAction();

    if(Intent.ACTION_AIRPLANE_MODE_CHANGED.equalsIgnoreCase(action)){
         boolean isOn = intent.getBooleanExtra("state", false);
         String serviceAction = isOn? MonitoringService.StopAction : MonitoringService.StartAction;
         Intent serviceIntent = new Intent(context, MonitoringService.class);
         serviceIntent.setAction(serviceAction);
         context.startService(serviceIntent);
    }
}

ПРИМЕЧАНИЕ. Я добавляю следующий код для запуска моего широковещательного приемника с именем: ManageLocationListenerReceiver.

<receiver
     android:name=".ManageLocationListenerReceiver"
     android:enabled="true"
     android:exported="true">
     <intent-filter>
         <action android:name="android.intent.action.AIRPLANE_MODE" />
     </intent-filter>
</receiver>

Я улучшил ответ Shahidul, чтобы удалить контекстную зависимость:

public class ServiceUtils {
    public static void startService(String intentUri) {
        Intent implicitIntent = new Intent();
        implicitIntent.setAction(intentUri);
        Context context = SuperApplication.getContext();
        Intent explicitIntent = convertImplicitIntentToExplicitIntent(implicitIntent, context);
        if(explicitIntent != null){
            context.startService(explicitIntent);
        }
    }

    private static Intent convertImplicitIntentToExplicitIntent(Intent implicitIntent, Context context) {
        PackageManager pm = context.getPackageManager();
        List<ResolveInfo> resolveInfoList = pm.queryIntentServices(implicitIntent, 0);

        if (resolveInfoList == null || resolveInfoList.size() != 1) {
            return null;
        }
        ResolveInfo serviceInfo = resolveInfoList.get(0);
        ComponentName component = new ComponentName(serviceInfo.serviceInfo.packageName, serviceInfo.serviceInfo.name);
        Intent explicitIntent = new Intent(implicitIntent);
        explicitIntent.setComponent(component);
        return explicitIntent;
    }
}

Внутри класса SuperApplication:

public class SuperApplication extends Application {
    private static MyApp instance;

    public static SuperApplication getInstance() {
        return instance;
    }

    public static Context getContext(){
        return instance;
        // or return instance.getApplicationContext();
    }

    @Override
    public void onCreate() {
        instance = this;
        super.onCreate();
    }
}

В вашем манифесте:

<application
    android:name="com.example.app.SuperApplication "
    android:icon="@drawable/icon"
    android:label="@string/app_name"
    .......
    <activity
        ......

А потом просто позвоните:

ServiceUtils.startService("com.myservice");
Другие вопросы по тегам