Надсилання сповіщення від служби в Android


105

У мене працює служба, і я хотів би надіслати сповіщення. Шкода, що для об’єкта сповіщення потрібні Context, як Activity, а не а Service.

Чи знаєте ви який-небудь спосіб пройти це? Я намагався створити Activityдля кожного сповіщення, але це здається некрасивим, і я не можу знайти спосіб запустити Activityбез жодного View.


14
Гм ... Служба - це контекст!
Ісаак Уоллер

19
Боже, я такий дурман. Гаразд, вибачте, що всі витрачаєте час.
e-satis

28
Це добре - це гарне питання Google.
Ісаак Уоллер

Як і ваш другий коментар: D: D
Faizan Mubasher

Цей пост просто врятував мені день ...
Мухаммед Файзан

Відповіді:


109

І насправді, Activityі тому ви можете просто використовувати їх як у вашому .Serviceextend ContextthisContextService

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
Майте на увазі, що у вас виникне багато проблем з повідомленням служби. Якщо у вас є проблеми, то подивіться на це groups.google.com/group/android-developers/browse_thread/thread/…
Karussell,

1
як це можна зробити за допомогою Notification.Builder? тому що setLatestEventInfo вже застарілий.
Kairi San

77

Цей тип сповіщення застарілий, як видно з документів:

@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 */ }

Кращий спосіб
Ви можете надіслати сповіщення таким чином:

// 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); 

Кращий спосіб
Кодексу вище потрібний мінімальний рівень API 11 (Android 3.0).
Якщо ваш мінімальний рівень API нижчий за 11, вам слід використовувати клас підтримки NotificationCompat бібліотеки підтримки .

Тож якщо ваш мінімальний цільовий рівень API становить 4+ (Android 1.6+), використовуйте це:

    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
це має бути найкращою відповіддю, оскільки прийняте застаріле
Марсель Кривек

4
@MarcelKrivek Здається, він або вона "забули" цитувати їх джерело. vogella.com/tutorials/AndroidNotifications/article.html
StarWind0

Що таке "NotificationReceiver"?
user3690202

"NotificationReceiver" - це діяльність, яку буде відкрито сповіщенням. Перевірте посилання, надане @ StarWind0.
Джордж Теодоракіс

NotificationCompat.Builder вже застарілий. Його тепер вже не найкраща відповідь
Мрія диявола

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);
}

Питання теми - від SERVICE not Activity
Duna

1

Ну, я не впевнений, чи найкраще є моє рішення. Використання NotificationBuilderмого коду виглядає так:

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());
    }

Маніфест:

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

і ось Служба:

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

Я не знаю, чи дійсно є singleTaskат, Serviceале це працює належним чином на мою заявку ...


що в цьому будівельник?
Вісванат Лекшман

Використовуючи наш веб-сайт, ви визнаєте, що прочитали та зрозуміли наші Політику щодо файлів cookie та Політику конфіденційності.
Licensed under cc by-sa 3.0 with attribution required.