Как отправить push-уведомление на устройства Android, даже если приложение убито? - PullRequest
1 голос
/ 24 апреля 2019

Я могу отправить уведомление, когда приложение находится на переднем и заднем плане.Но не удается отправить его, когда приложение убито, т.е. приложение не работает в фоновом режиме.Другие приложения на моем мобильном телефоне могут отправлять мне уведомления, даже если они работают в фоновом режиме.Я использую версию Oreo.

Я тоже заменил «уведомление» на «данные», что не имело значения.Я уже добавил пользовательское уведомление о методе onMessageReceived, оба «уведомления» и «данные» дают уведомление на переднем и на заднем плане.Разница лишь в том, что data работает на методе MessageReceived и в фоновом режиме.Но на обоих, уведомление не получено, когда приложение убито. Я попробовал следующий код на php.Что я делаю не так?

function sendPushNotification($token) {

    $url = "https://fcm.googleapis.com/fcm/send";

    $serverKey = 'AAAA.....theKey';
    $title = "My App";
    $body = "hello there!!";
    $notification = array('title' =>$title , 'body' => $body, 'sound' => 'default', 'badge' => '1');
    $arrayToSend = array('to' => $token, 'notification' => $notification,'priority'=>'high');
    $json = json_encode($arrayToSend);
    $headers = array();
    $headers[] = 'Content-Type: application/json';
    $headers[] = 'Authorization: key='. $serverKey;
    $ch = curl_init();
    curl_setopt($ch, CURLOPT_URL, $url);
    curl_setopt($ch, CURLOPT_CUSTOMREQUEST,"POST");
    curl_setopt($ch, CURLOPT_POSTFIELDS, $json);
    curl_setopt($ch, CURLOPT_HTTPHEADER,$headers);
    //Send the request
    $response = curl_exec($ch);
    //Close request
 /*   if ($response === FALSE) {
    die('FCM Send Error: ' . curl_error($ch));
    }*/
    curl_close($ch);

   // echo "<br>";

   return $response;

}

Следующий метод onMessageReceived:

Для «уведомления»:

public void onMessageReceived(RemoteMessage remoteMessage) {

    Log.d("apkflow","onMessageReceived Started");

    if (remoteMessage.getNotification() != null) {
        title = remoteMessage.getNotification().getTitle();
        body = remoteMessage.getNotification().getBody();

        Log.d("apkflow","title = " + title);
        Log.d("apkflow","body = " + body);
    }
}

Для «данных»:

        title = remoteMessage.getData().get("title");
        body = remoteMessage.getData().get("body");

ОБНОВЛЕНИЕ :: Я получил решение сейчас !!Это связано с обновлениями мобильного телефона.В мобильных устройствах, таких как Vivo, oppo, xiomi и т. Д., Когда приложение очищено, оно принудительно останавливает приложение, заставляя останавливать все службы.Таким образом, услуги FCM также остановлены, и никакое уведомление не получено на мобильном телефоне.Таким образом, для получения уведомления пользователь должен разрешить запуск приложения в фоновом режиме. Необходимо разрешить проверку «разрешить в фоновом режиме».Это решает проблему.Если проблема не устранена, оставьте комментарий !!

1 Ответ

1 голос
/ 24 апреля 2019

Сообщения с уведомлением и полезной нагрузкой данных при получении в фоновом режиме.

Измените тип notification data

$arrayToSend = array('to' => $token, 'data' => $notification,'priority'=>'high');

Пожалуйста, просмотритеПриведенная ниже документация https://firebase.google.com/docs/cloud-messaging/android/receive

Необходимо создать пользовательское уведомление.

private void setNotification(RemoteMessage content) {
        Log.d(TAG, "custom notification: ");
        Intent intent = new Intent(this, NotificationActivity.class);
        if (!content.getData().get("url").isEmpty())
            intent.putExtra("url", content.getData().get("url"));
        intent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP);
        intent.setAction(Long.toString(System.currentTimeMillis()));
        PendingIntent pendingIntent = PendingIntent.getActivity(this, 0, intent,
                PendingIntent.FLAG_ONE_SHOT);


        RemoteViews remoteViews = new RemoteViews(getPackageName(),
                R.layout.custome_notification);

        remoteViews.setTextViewText(R.id.tvTime, currentDate());
        remoteViews.setTextViewText(R.id.text, content.getData().get("text"));

        Uri defaultSoundUri = RingtoneManager.getDefaultUri(RingtoneManager.TYPE_NOTIFICATION);
        NotificationCompat.Builder notificationBuilder = new NotificationCompat.Builder(this, getPackageName())
                .setSmallIcon(R.drawable.ic_alert)
                .setContent(remoteViews)
                .setAutoCancel(true)
                .setSound(defaultSoundUri);
        notificationBuilder.setContentIntent(pendingIntent);
        NotificationManager notificationManager =
                (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);
        // To avoid replacing old notification by new one. To set new id for every new Notification following notifications.
        if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
            int importance = NotificationManager.IMPORTANCE_HIGH;
            NotificationChannel mChannel = new NotificationChannel(getPackageName(), "AppName", importance);
            notificationManager.createNotificationChannel(mChannel);
        }
        int notifyId = (int) System.currentTimeMillis();
        notificationManager.notify(notifyId, notificationBuilder.build());
    }
...