Глубокая связь с push-уведомлениями - FCM - Android - PullRequest
0 голосов
/ 03 июля 2018

Что я хочу: Я хочу отправить push-уведомление пользователям. Когда пользователь нажимает на это уведомление, пользователь должен перейти к определенной деятельности.

Что я сделал: Я создал одну глубокую ссылку в консоли Firebase. Я также реализовал FirebaseInstanceIdService & FirebaseMessagingService . Я могу перехватить сообщение Firebase, отправленное с консоли Firebase.

В чем проблема: Я не могу перехватить динамическую ссылку, созданную в консоли Firebase.

Мой код похож на ниже.

MyFirebaseInstanceIDService.java

    public class MyFirebaseInstanceIDService extends FirebaseInstanceIdService {

    private final String TAG = "MyFirebaseInstanceID";

    @Override
    public void onTokenRefresh() {

        String refreshedToken = FirebaseInstanceId.getInstance().getToken();

        Log.e(TAG, "Refreshed token: " + refreshedToken);
    }
}

MyFirebaseMessagingService.java

    public class MyFirebaseMessagingService extends FirebaseMessagingService {

    private final String TAG = "MyFbaseMessagingService";

    @Override
    public void onMessageReceived(RemoteMessage remoteMessage) {

        String message = remoteMessage.getNotification().getBody();

        Log.e(TAG, "\nmessage: " + message);

        sendNotification(message);
    }

    private void sendNotification(String message) {

        Intent intent = new Intent(this, TestDeepLinkActivity.class);
        intent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP);

        Uri defaultSoundUri = RingtoneManager.getDefaultUri(RingtoneManager.TYPE_NOTIFICATION);

        PendingIntent pendingIntent = PendingIntent.getActivity(this, 0, intent, PendingIntent.FLAG_UPDATE_CURRENT);

        NotificationCompat.Builder builder = new NotificationCompat.Builder(this)
                .setAutoCancel(true)
                .setContentTitle("FCM Test")
                .setContentText(message)
                .setSound(defaultSoundUri)
                .setSmallIcon(R.drawable.common_google_signin_btn_icon_dark)
                .setContentIntent(pendingIntent);

        NotificationManager manager = (NotificationManager) getSystemService(NOTIFICATION_SERVICE);

        manager.notify(0, builder.build());
    }
}

Изображение консоли Firebase

Firebase Console Image

1 Ответ

0 голосов
/ 09 августа 2018

Решение:

  • Мне нужно добавить фильтр намерений в действие в файле манифеста, к которому я хочу перейти, нажав на push-уведомление. Это уведомление будет иметь некоторый URL, который в терминологии Android называется deeplink. Вы можете обратиться по ссылке ниже для получения дополнительной информации о Deeplink.

https://developer.android.com/training/app-links/deep-linking

  • Я использовал эти две ссылки в качестве ссылки: "www.somedomain.com/about" & "www.somedomain.com/app".

  • Пожалуйста, не добавляйте http или https в intent-filter, они не поддерживаются. Chekout это разговор для уточнения. Я помещаю изображение этого чата, а также, если в будущем ссылка истекает.

enter image description here

  • Пожалуйста, ознакомьтесь с кодом ниже, чтобы узнать, как я передаю диплинк в NotificationManager. Фильтр намерений автоматически перехватывает и запускает это конкретное действие.

MyFirebaseMessagingService.java

    public class MyFirebaseMessagingService extends FirebaseMessagingService {

    @Override
    public void onMessageReceived(RemoteMessage remoteMessage) {

        Map<String, String> data = remoteMessage.getData();

        String title = data.get("title");
        String message = data.get("message");
        String deepLink = data.get("deepLink");

        Notification notification = new Notification();
        notification.setTitle(title);
        notification.setMessage(message);
        notification.setDeepLink(deepLink);

        sendNotification(this, title, message, deepLink);
    }

    public static void sendNotification(Context context, String title, String message, String deepLink) {

        NotificationManager notificationManager = (NotificationManager) context.getSystemService(Context.NOTIFICATION_SERVICE);

        if (Build.VERSION.SDK_INT >= 26) {
            NotificationChannel notificationChannel = new NotificationChannel("any_default_id", "any_channel_name",
                    NotificationManager.IMPORTANCE_HIGH);
            notificationChannel.setDescription("Any description can be given!");
            notificationManager.createNotificationChannel(notificationChannel);
        }

        Uri defaultSoundUri = RingtoneManager.getDefaultUri(RingtoneManager.TYPE_NOTIFICATION);

        NotificationCompat.Builder notificationBuilder = new NotificationCompat.Builder(context)
                .setAutoCancel(true)
                .setSound(defaultSoundUri)
                .setSmallIcon(R.mipmap.ic_launcher)
                .setPriority(android.app.Notification.PRIORITY_MAX)
                .setDefaults(android.app.Notification.DEFAULT_ALL)
                .setLargeIcon(BitmapFactory.decodeResource(context.getResources(), R.mipmap.ic_launcher));

        Intent intent = new Intent();

        intent.setAction(Intent.ACTION_VIEW);
        intent.setData(Uri.parse(deepLink));
        intent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP);

        PendingIntent pendingIntent = PendingIntent.getActivity(context, 0, intent, PendingIntent.FLAG_ONE_SHOT);

        notificationBuilder
                    .setContentTitle(title)
                    .setContentText(message)
                    .setContentIntent(pendingIntent);

        notificationManager.notify(0, notificationBuilder.build());
    }
}

AndroidManifest.xml

        <activity
        android:name=".mvp.view.activity.ActivityName"
        android:label="@string/title_activity_name"
        android:theme="@style/AppTheme.NoActionBar">

        <intent-filter>
            <action android:name="android.intent.action.VIEW" />

            <category android:name="android.intent.category.DEFAULT" />
            <category android:name="android.intent.category.BROWSABLE" />

            <data
                android:host="www.somedomain.com"
                android:path="/about"
                android:scheme="app" />
        </intent-filter>

        <intent-filter>
            <action android:name="android.intent.action.VIEW" />

            <category android:name="android.intent.category.DEFAULT" />
            <category android:name="android.intent.category.BROWSABLE" />

            <data
                android:host="www.somedomain.com"
                android:path="/contact"
                android:scheme="app" />
        </intent-filter>
    </activity>

Дополнительно:

  • Если вы хотите получить больше данных (например, userId или loanId) в этом действии, вы можете передать их при отправке push-уведомлений с вашего сервера (то есть серверной или веб-панели мониторинга). Вы можете сделать, как показано ниже.

    {
     "data": {
     "userId": "65431214564651251456",
     "deepLink": "www.somedomain.com/app",
     "title": "This is title!",
     "message": "This is message!"
     },
    "to": "FCM token here"
    }
    
  • Важное замечание: Ниже JSON не будет работать, это только для справки. Это также нигде не упоминается в документации. Так что будь добр, позаботься об этом. Правильный JSON выше.

    {
      "to": "FCM Token here",
       "notification": {
       "Body": "This week’s edition is now available.",
        "title": "NewsMagazine.com",
        "icon": "new"
         },
      "data": {
      "title": "This is title!",
      "message": "This is message!"
      }
    }
    
  • Вы можете получить дополнительные данные (например, userId или loanId) в методе onMessageReceived из MyFirebaseMessagingService класса, как показано ниже.

    String userId = data.get("userId");
    intent.putExtra(Intent.EXTRA_TEXT, userId);
    
  • И в этом упражнении вы можете написать, как показано ниже, в методе onCreate.

    Intent intent = getIntent();
    if (intent != null) {
    String intentStringExtra = intent.getStringExtra(Intent.EXTRA_TEXT);
    if (intentStringExtra != null) {
        userId = intentStringExtra;
       }
    }
    
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...