Работает с июля 2019 года
Android compileSdkVersion 28, buildToolsVersion 28.0.3 и Firebase-Messaging: 19.0.1
После многих часов исследований по всем остальным вопросам и ответам StackOverflow и пробования бесчисленных устаревших решений этому решению удалось отобразить уведомления в следующих 3 сценариях:
- Приложение находится на переднем плане:
уведомление получено методом onMessageReceived в моем классе MyFirebaseMessagingService
- Приложение было убито (оно не работает в фоновом режиме):
уведомление отправляется на панель уведомлений автоматически с помощью FCM. Когда пользователь касается уведомления, приложение запускается путем вызова действия, в котором есть android.intent.category.LAUNCHER в манифесте. Вы можете получить часть данных уведомления, используя getIntent (). GetExtras () в методе onCreate ().
- Приложение в фоновом режиме:
уведомление отправляется на панель уведомлений автоматически с помощью FCM. Когда пользователь касается уведомления, приложение выводится на передний план, запуская действие, в котором есть android.intent.category.LAUNCHER в манифесте. Поскольку мое приложение имеет launchMode = "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. = default_channel_id Ключ пользовательских данных: значение заголовка: (здесь тот же текст, что и в поле «Заголовок» раздела «Уведомления») ключ: значение тела: (здесь тот же текст, что и в поле «Сообщение» раздела «Уведомления») ключ: значение click_action: .MainActivity Sound = Отключено
Истекает = 4 недели
Вы можете отладить его в эмуляторе с API 28 в Google Play.
Удачного кодирования!
Not getting messages here? See why this may be: goo.gl/39bRNJ
. Решение, как и приведенные ниже ответы, можно найти в документации в Сообщениях с уведомлением и полезными данными