Android Jetpack Navigation 处理推送通知

Jetpack Navigation 的页面跳转让我们可以方便的开发出单 ActivityFragment 的应用。

以前多 Activity 的时候收到通知之后往往是点击跳转到指定 Activity,现在变成单 ActivityFragment 之后不知道怎么跳转了,其实Google 提供了 DeepLink 来专门处理这种问题。

我们项目中用到了极光,在收到自定义消息之后,我们需要弹出一个通知

private void sendNotification(Context context, CustomMessage message) {
    if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
        int importance = NotificationManager.IMPORTANCE_DEFAULT;
        NotificationChannel channel = new NotificationChannel(CHANNEL_ID, CHANNEL_NAME, importance);
        channel.setDescription("description");
        NotificationManager notificationManager = context.getSystemService(NotificationManager.class);
        notificationManager.createNotificationChannel(channel);
    }

    NotificationCompat.Builder builder = new NotificationCompat.Builder(context, CHANNEL_ID)
            .setSmallIcon(R.drawable.ic_avatar)
            .setContentTitle(message.title)
            .setContentText(message.message)
            .setPriority(NotificationCompat.PRIORITY_DEFAULT)
            .setContentIntent(getPendingIntent(context, message))
            .setAutoCancel(true);

    NotificationManagerCompat notificationManager = NotificationManagerCompat.from(context);
    notificationManager.notify(new Random().nextInt(10000), builder.build());
}

这里基本和我们以前处理的一样,只是构造 PendingIntent 这里有点区别:

private PendingIntent getPendingIntent(Context context, CustomMessage message) {
    NoticeType noticeType = new Gson().fromJson(message.extra, NoticeType.class);
    // String type = noticeType.type;
    int destId = R.id.articleDetailFragment;
    Bundle bundle = new Bundle();
    bundle.putString(ArticleDetailFragment.ID, noticeType.id);
    PendingIntent pendingIntent = new NavDeepLinkBuilder(context)
            .setGraph(R.navigation.main_navigation)
            .setDestination(destId)
            .setArguments(bundle)
            .createPendingIntent();
    return pendingIntent;
}
  • 这里注意一下 destId 是需要跳转的 Fragment Id , 不是 Navigation 里面的 Action Id

之后可能还会遇到问题,比如每次打开通知页面之后返回以前的界面都会重新构建一次,感觉没有类似的回退栈。这个问题 Google 也提供了解决办法

显式深层链接是深层链接的一个实例,该实例使用 PendingIntent 将用户转到应用内的特定位置。例如,您可以在通知、应用快捷方式或应用微件中显示显式深层链接。

当用户通过显式深层链接打开您的应用时,任务返回堆栈会被清除,并被替换为相应的深层链接目的地。当嵌套图表时,每个嵌套级别的起始目的地(即层次结构中每个 元素的起始目的地)也会添加到相应堆栈中。也就是说,当用户从深层链接目的地按下返回按钮时,他们会返回到相应的导航堆栈,就像从入口点进入您的应用一样。

具体参考 点我

你可能感兴趣的:(Android Jetpack Navigation 处理推送通知)