Iniciar serviço no Android

115

Quero chamar um serviço quando uma determinada atividade começar. Então, aqui está a classe de serviço:

public class UpdaterServiceManager extends Service {

    private final int UPDATE_INTERVAL = 60 * 1000;
    private Timer timer = new Timer();
    private static final int NOTIFICATION_EX = 1;
    private NotificationManager notificationManager;

    public UpdaterServiceManager() {}

    @Override
    public IBinder onBind(Intent intent) {
        // TODO Auto-generated method stub
        return null;
    }

    @Override
    public void onCreate() {
        // Code to execute when the service is first created
    }

    @Override
    public void onDestroy() {
        if (timer != null) {
            timer.cancel();
        }
    }

    @Override
    public int onStartCommand(Intent intent, int flags, int startid) {
        notificationManager = (NotificationManager) 
                getSystemService(Context.NOTIFICATION_SERVICE);
        int icon = android.R.drawable.stat_notify_sync;
        CharSequence tickerText = "Hello";
        long when = System.currentTimeMillis();
        Notification notification = new Notification(icon, tickerText, when);
        Context context = getApplicationContext();
        CharSequence contentTitle = "My notification";
        CharSequence contentText = "Hello World!";
        Intent notificationIntent = new Intent(this, Main.class);
        PendingIntent contentIntent = PendingIntent.getActivity(this, 0,
                notificationIntent, 0);
        notification.setLatestEventInfo(context, contentTitle, contentText,
                contentIntent);
        notificationManager.notify(NOTIFICATION_EX, notification);
        Toast.makeText(this, "Started!", Toast.LENGTH_LONG);
        timer.scheduleAtFixedRate(new TimerTask() {

            @Override
            public void run() {
                // Check if there are updates here and notify if true
            }
        }, 0, UPDATE_INTERVAL);
        return START_STICKY;
    }

    private void stopService() {
        if (timer != null) timer.cancel();
    }
}

E é assim que eu chamo:

Intent serviceIntent = new Intent();
serviceIntent.setAction("cidadaos.cidade.data.UpdaterServiceManager");
startService(serviceIntent);

O problema é que nada acontece. O bloco de código acima é chamado no final da atividade onCreate. Já depurei e nenhuma exceção foi lançada.

Qualquer ideia?

Miguel Ribeiro
fonte
1
Cuidado com os temporizadores - AFAIK quando o serviço for encerrado para liberar recursos, este temporizador não será reiniciado quando o serviço for reiniciado. Você está certo START_STICKYirá reiniciar o serviço, mas então apenas onCreate é chamado e o timer var não será reinicializado. Você pode usar START_REDELIVER_INTENTo serviço de alarme ou o API 21 Job Scheduler para consertar isso.
Georg
Caso tenha esquecido, verifique se você registrou o serviço no manifesto do Android usando <service android:name="your.package.name.here.ServiceClass" />a tag do aplicativo.
Japheth Ongeri - inkalimeva,

Respostas:

278

Provavelmente, você não tem o serviço em seu manifesto, ou ele não tem um <intent-filter>que corresponda à sua ação. Examinando LogCat (viaadb logcat DDMS ou a perspectiva DDMS no Eclipse) deve alguns avisos que podem ajudar.

Mais provavelmente, você deve iniciar o serviço por meio de:

startService(new Intent(this, UpdaterServiceManager.class));
CommonsWare
fonte
1
Como você pode depurar? nunca chamei meu serviço, meu depurador não mostra nada
entrega em
Adicione um pouco de tags Log.e em todos os lugares: antes de iniciar o serviço, o resultado da intenção do serviço, dentro da classe de serviço para onde ele viajaria (onCreate, onDestroy, qualquer e todos os métodos).
Zoe de
é trabalho para meus aplicativos no android sdk 26+, mas não no android sdk 25 ou inferior. tem alguma solução?
Mahidul Islam
@MahidulIslam: Eu recomendo que você faça uma pergunta separada do Stack Overflow, onde você pode fornecer um exemplo reproduzível mínimo explicando seu problema e sintomas em mais detalhes.
CommonsWare
@CommonsWare eu já fiz uma pergunta: - stackoverflow.com/questions/49232627/…
Mahidul Islam
81
startService(new Intent(this, MyService.class));

Apenas escrever esta linha não foi suficiente para mim. O serviço ainda não funcionou. Tudo funcionou somente após o registro do serviço no manifesto

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

    ...

    <service
        android:name=".MyService"
        android:label="My Service" >
    </service>
</application>
Vitalii Korsakov
fonte
1
Melhor exemplo para aprender tudo sobre os serviços no Android coderzpassion.com/implement-service-android e desculpe pelo atraso
Jagjit Singh
55

Código Java para iniciar o serviço :

Inicie o serviço a partir da atividade :

startService(new Intent(MyActivity.this, MyService.class));

Inicie o serviço do Fragment :

getActivity().startService(new Intent(getActivity(), MyService.class));

MyService.java :

import android.app.Service;
import android.content.Intent;
import android.os.Handler;
import android.os.IBinder;
import android.util.Log;

public class MyService extends Service {

    private static String TAG = "MyService";
    private Handler handler;
    private Runnable runnable;
    private final int runTime = 5000;

    @Override
    public void onCreate() {
        super.onCreate();
        Log.i(TAG, "onCreate");

        handler = new Handler();
        runnable = new Runnable() {
            @Override
            public void run() {

                handler.postDelayed(runnable, runTime);
            }
        };
        handler.post(runnable);
    }

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

    @Override
    public void onDestroy() {
        if (handler != null) {
            handler.removeCallbacks(runnable);
        }
        super.onDestroy();
    }

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

    @SuppressWarnings("deprecation")
    @Override
    public void onStart(Intent intent, int startId) {
        super.onStart(intent, startId);
        Log.i(TAG, "onStart");
    }

}

Defina este serviço no arquivo de manifesto do projeto:

Adicione a tag abaixo no arquivo Manifest :

<service android:enabled="true" android:name="com.my.packagename.MyService" />

Feito

Hiren Patel
fonte
7
Quanto melhora o desempenho quando deixo atividades e serviços no mesmo pacote? Nunca ouvi isso antes.
OneWorld
Talvez eles quisessem dizer desempenho em um sentido vago e vago, não sobre velocidade de corrida?
Anubian Noob
3

Eu gosto de torná-lo mais dinâmico

Class<?> serviceMonitor = MyService.class; 


private void startMyService() { context.startService(new Intent(context, serviceMonitor)); }
private void stopMyService()  { context.stopService(new Intent(context, serviceMonitor));  }

não se esqueça do manifesto

<service android:enabled="true" android:name=".MyService.class" />
Thiago
fonte
1
Intent serviceIntent = new Intent(this,YourActivity.class);

startService(serviceIntent);

adicionar serviço no manifist

<service android:enabled="true" android:name="YourActivity.class" />

para executar o serviço em oreo e dispositivos superiores, use para serviço em solo e mostre notificação ao usuário

ou use o serviço de fronteira geográfica virtual para atualização de localização na referência de segundo plano http://stackoverflow.com/questions/tagged/google-play-services

Asif Mehmood
fonte