Enviando uma notificação de um serviço no Android


105

Tenho um serviço em execução e gostaria de enviar uma notificação. Que pena, o objeto de notificação requer um Context, como um Activitye não um Service.

Você conhece alguma maneira de contornar isso? Tentei criar um Activitypara cada notificação, mas parece feio e não consigo encontrar uma maneira de iniciar um Activitysem nenhum View.


14
Umm ... um serviço é um contexto!
Isaac Waller

19
Deus, eu sou um idiota. Ok, desculpe por desperdiçar o tempo de todos.
e-satis

28
Tudo bem - é uma boa pergunta do Google.
Isaac Waller

Como seu segundo comentário: D: D
Faizan Mubasher

Este post salvou meu dia ...
Muhammad Faizan

Respostas:


109

Tanto Activitye Servicerealmente extend Contextassim você pode simplesmente usar thiscomo seu Contextdentro de seu Service.

NotificationManager notificationManager =
    (NotificationManager) getSystemService(Service.NOTIFICATION_SERVICE);
Notification notification = new Notification(/* your notification */);
PendingIntent pendingIntent = /* your intent */;
notification.setLatestEventInfo(this, /* your content */, pendingIntent);
notificationManager.notify(/* id */, notification);

4
Lembre-se de que você terá muitos problemas ao fazer notificações de um serviço. Se você tiver problemas, dê uma olhada em groups.google.com/group/android-developers/browse_thread/thread/…
Karussell

1
como você pode fazer isso usando o Notification.Builder? porque setLatestEventInfo já está obsoleto.
Kairi San

77

Este tipo de notificação está obsoleto conforme visto nos documentos:

@java.lang.Deprecated
public Notification(int icon, java.lang.CharSequence tickerText, long when) { /* compiled code */ }

public Notification(android.os.Parcel parcel) { /* compiled code */ }

@java.lang.Deprecated
public void setLatestEventInfo(android.content.Context context, java.lang.CharSequence contentTitle, java.lang.CharSequence contentText, android.app.PendingIntent contentIntent) { /* compiled code */ }

Melhor maneira
Você pode enviar uma notificação como esta:

// prepare intent which is triggered if the
// notification is selected

Intent intent = new Intent(this, NotificationReceiver.class);
PendingIntent pIntent = PendingIntent.getActivity(this, 0, intent, 0);

// build notification
// the addAction re-use the same intent to keep the example short
Notification n  = new Notification.Builder(this)
        .setContentTitle("New mail from " + "test@gmail.com")
        .setContentText("Subject")
        .setSmallIcon(R.drawable.icon)
        .setContentIntent(pIntent)
        .setAutoCancel(true)
        .addAction(R.drawable.icon, "Call", pIntent)
        .addAction(R.drawable.icon, "More", pIntent)
        .addAction(R.drawable.icon, "And more", pIntent).build();


NotificationManager notificationManager = 
  (NotificationManager) getSystemService(NOTIFICATION_SERVICE);

notificationManager.notify(0, n); 

Melhor forma O
código acima precisa de um nível mínimo de API 11 (Android 3.0).
Se o seu nível mínimo de API for inferior a 11, você deve usar a biblioteca de suporte classe NotificationCompat da desta forma.

Portanto, se o nível mínimo de API de destino for 4+ (Android 1.6+), use:

    import android.support.v4.app.NotificationCompat;
    -------------
    NotificationCompat.Builder builder =
            new NotificationCompat.Builder(this)
                    .setSmallIcon(R.drawable.mylogo)
                    .setContentTitle("My Notification Title")
                    .setContentText("Something interesting happened");
    int NOTIFICATION_ID = 12345;

    Intent targetIntent = new Intent(this, MyFavoriteActivity.class);
    PendingIntent contentIntent = PendingIntent.getActivity(this, 0, targetIntent, PendingIntent.FLAG_UPDATE_CURRENT);
    builder.setContentIntent(contentIntent);
    NotificationManager nManager = (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);
    nManager.notify(NOTIFICATION_ID, builder.build());

4
esta deve ser a melhor resposta, já que a aceita está obsoleta
Marcel Krivek,

4
@MarcelKrivek Parece que ele "esqueceu" de citar a fonte. vogella.com/tutorials/AndroidNotifications/article.html
StarWind0

O que é "NotificationReceiver"?
user3690202

"NotificationReceiver" é a atividade que será aberta pela notificação. Verifique o link fornecido por @ StarWind0.
George Theodorakis

NotificationCompat.Builder já obsoleto. Agora não é mais a melhor resposta
Devil's Dream

7
@TargetApi(Build.VERSION_CODES.JELLY_BEAN)
public void PushNotification()
{
    NotificationManager nm = (NotificationManager)context.getSystemService(NOTIFICATION_SERVICE);
    Notification.Builder builder = new Notification.Builder(context);
    Intent notificationIntent = new Intent(context, MainActivity.class);
    PendingIntent contentIntent = PendingIntent.getActivity(context,0,notificationIntent,0);

    //set
    builder.setContentIntent(contentIntent);
    builder.setSmallIcon(R.drawable.cal_icon);
    builder.setContentText("Contents");
    builder.setContentTitle("title");
    builder.setAutoCancel(true);
    builder.setDefaults(Notification.DEFAULT_ALL);

    Notification notification = builder.build();
    nm.notify((int)System.currentTimeMillis(),notification);
}

A questão do tópico é de um SERVIÇO, não de uma atividade
Duna

1

Bem, não tenho certeza se minha solução é a prática recomendada. Usar o NotificationBuildermeu código é assim:

private void showNotification() {
    Intent notificationIntent = new Intent(this, MainActivity.class);

    PendingIntent contentIntent = PendingIntent.getActivity(
                this, 0, notificationIntent, PendingIntent.FLAG_UPDATE_CURRENT);
    builder.setContentIntent(contentIntent);
    NotificationManager notificationManager =
            (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);
    notificationManager.notify(NOTIFICATION_ID, builder.build());
    }

Manifesto:

    <activity
        android:name=".MainActivity"
        android:launchMode="singleInstance"
    </activity>

e aqui o Serviço:

    <service
        android:name=".services.ProtectionService"
        android:launchMode="singleTask">
    </service>

Não sei se realmente existe um singleTaskat Servicemas funciona bem na minha aplicação ...


qual é o construtor nisso?
Viswanath Lekshmanan

-2

Se nenhum desses funcionar, tente getBaseContext(), em vez de contextou this.


2
Você não deve usar getBaseContext()esses cenários.
Rahat Zaman
Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.