Працює з липня 2019 року
Android compileSdkVersion 28, buildToolsVersion 28.0.3 та обмін повідомленнями firebase: 19.0.1
Після багатогодинного дослідження всіх інших запитань та відповідей StackOverflow та спробу незліченних застарілих рішень, це рішення вдалося показати сповіщення у цих трьох сценаріях:
- Додаток на передньому плані:
повідомлення отримується методом onMessageReceived в моєму класі MyFirebaseMessagingService
- Додаток убитий (він не працює у фоновому режимі):
повідомлення автоматично надсилається FCM в лоток сповіщень. Коли користувач торкається сповіщення, додаток запускається, викликаючи активність, яка має в маніфесті android.intent.category.LAUNCHER. Ви можете отримати частину даних сповіщення за допомогою getIntent (). GetExtras () методом onCreate ().
- Додаток перебуває у фоновому режимі:
повідомлення надсилається FCM в лоток сповіщень автоматично. Коли користувач торкається сповіщення, додаток виводиться на перший план, запускаючи активність, яка має в маніфесті android.intent.category.LAUNCHER. Оскільки в моєму додатку запускається запускMMM = "singleTop" у цій діяльності, метод onCreate () не викликається, оскільки одна активність того ж класу вже створена, натомість метод onNewIntent () цього класу викликається, і ви отримуєте частину даних повідомлення там, використовуючи intent.getExtras ().
Етапи: 1- Якщо ви визначаєте основну діяльність додатка так:
<activity
android:name=".MainActivity"
android:label="@string/app_name"
android:largeHeap="true"
android:screenOrientation="portrait"
android:launchMode="singleTop">
<intent-filter>
<action android:name=".MainActivity" />
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
<category android:name="android.intent.category.DEFAULT" />
</intent-filter>
</activity>
2- додайте ці рядки методом onCreate () вашого MainActivity.class
Intent i = getIntent();
Bundle extras = i.getExtras();
if (extras != null) {
for (String key : extras.keySet()) {
Object value = extras.get(key);
Log.d(Application.APPTAG, "Extras received at onCreate: Key: " + key + " Value: " + value);
}
String title = extras.getString("title");
String message = extras.getString("body");
if (message!=null && message.length()>0) {
getIntent().removeExtra("body");
showNotificationInADialog(title, message);
}
}
і ці методи до того ж MainActivity.class:
@Override
public void onNewIntent(Intent intent){
//called when a new intent for this class is created.
// The main case is when the app was in background, a notification arrives to the tray, and the user touches the notification
super.onNewIntent(intent);
Log.d(Application.APPTAG, "onNewIntent - starting");
Bundle extras = intent.getExtras();
if (extras != null) {
for (String key : extras.keySet()) {
Object value = extras.get(key);
Log.d(Application.APPTAG, "Extras received at onNewIntent: Key: " + key + " Value: " + value);
}
String title = extras.getString("title");
String message = extras.getString("body");
if (message!=null && message.length()>0) {
getIntent().removeExtra("body");
showNotificationInADialog(title, message);
}
}
}
private void showNotificationInADialog(String title, String message) {
// show a dialog with the provided title and message
AlertDialog.Builder builder = new AlertDialog.Builder(this);
builder.setTitle(title);
builder.setMessage(message);
builder.setPositiveButton("OK", new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int whichButton) {
dialog.cancel();
}
});
AlertDialog alert = builder.create();
alert.show();
}
3- створити клас MyFirebase так:
package com.yourcompany.app;
import android.content.Intent;
import android.util.Log;
import com.google.firebase.messaging.FirebaseMessagingService;
import com.google.firebase.messaging.RemoteMessage;
public class MyFirebaseMessagingService extends FirebaseMessagingService {
public MyFirebaseMessagingService() {
super();
}
@Override
public void onMessageReceived(RemoteMessage remoteMessage) {
Log.d(Application.APPTAG, "myFirebaseMessagingService - onMessageReceived - message: " + remoteMessage);
Intent dialogIntent = new Intent(this, NotificationActivity.class);
dialogIntent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
dialogIntent.putExtra("msg", remoteMessage);
startActivity(dialogIntent);
}
}
4- створити новий клас NotificationActivity.class так:
package com.yourcompany.app;
import android.app.Activity;
import android.app.AlertDialog;
import android.content.DialogInterface;
import android.os.Bundle;
import android.util.Log;
import androidx.appcompat.app.AppCompatActivity;
import androidx.appcompat.view.ContextThemeWrapper;
import com.google.firebase.messaging.RemoteMessage;
public class NotificationActivity extends AppCompatActivity {
private Activity context;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
context = this;
Bundle extras = getIntent().getExtras();
Log.d(Application.APPTAG, "NotificationActivity - onCreate - extras: " + extras);
if (extras == null) {
context.finish();
return;
}
RemoteMessage msg = (RemoteMessage) extras.get("msg");
if (msg == null) {
context.finish();
return;
}
RemoteMessage.Notification notification = msg.getNotification();
if (notification == null) {
context.finish();
return;
}
String dialogMessage;
try {
dialogMessage = notification.getBody();
} catch (Exception e){
context.finish();
return;
}
String dialogTitle = notification.getTitle();
if (dialogTitle == null || dialogTitle.length() == 0) {
dialogTitle = "";
}
AlertDialog.Builder builder = new AlertDialog.Builder(new ContextThemeWrapper(context, R.style.myDialog));
builder.setTitle(dialogTitle);
builder.setMessage(dialogMessage);
builder.setPositiveButton(getResources().getString(R.string.accept), new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int whichButton) {
dialog.cancel();
}
});
AlertDialog alert = builder.create();
alert.show();
}
}
5- Додайте ці рядки до програми "Маніфест" всередині тегів
<service
android:name=".MyFirebaseMessagingService"
android:exported="false">
<intent-filter>
<action android:name="com.google.firebase.MESSAGING_EVENT" />
</intent-filter>
</service>
<meta-data android:name="com.google.firebase.messaging.default_notification_channel_id" android:value="@string/default_notification_channel_id"/>
<activity android:name=".NotificationActivity"
android:theme="@style/myDialog"> </activity>
<meta-data
android:name="com.google.firebase.messaging.default_notification_icon"
android:resource="@drawable/notification_icon"/>
<meta-data
android:name="com.google.firebase.messaging.default_notification_color"
android:resource="@color/color_accent" />
6- додайте ці рядки у метод Application.java onCreate () або в метод MainActivity.class onCreate ():
// notifications channel creation
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
// Create channel to show notifications.
String channelId = getResources().getString("default_channel_id");
String channelName = getResources().getString("General announcements");
NotificationManager notificationManager = getSystemService(NotificationManager.class);
notificationManager.createNotificationChannel(new NotificationChannel(channelId,
channelName, NotificationManager.IMPORTANCE_LOW));
}
Зроблено.
Тепер, щоб це добре працювало у 3 згаданих сценаріях, вам потрібно надіслати повідомлення з веб-консолі Firebase таким чином:
У розділі "Сповіщення": Назва повідомлення = Назва для відображення в діалоговому вікні сповіщення (необов'язково) Текст сповіщення = Повідомлення для показу користувачеві (обов’язково) Потім у розділі "Ціль": Додаток = ваш додаток Android та в розділі "Додаткові параметри": Android Notification Channel = default_channel_id Спеціальний ключ даних: значення заголовка: (той самий текст тут, ніж у полі заголовка розділу Повідомлення) ключ: значення тіла: (той самий текст тут, ніж у полі Повідомлення в розділі Повідомлення) ключ: значення керування клацанням: .MainActivity Sound = Інвалід
закінчується = 4 тижні
Ви можете налагодити його в Емуляторі за допомогою API 28 із Google Play.
Щасливого кодування!
Not getting messages here? See why this may be: goo.gl/39bRNJ
. Рішення, як і наведені нижче відповіді, можна знайти в документації в Повідомленнях із повідомленнями та корисними навантаженнями