undefined

Push Notifications

Push Notifications provide a way to deliver some information to users while they are not using your app actively. The following use cases can be covered additionally with push notifications:

  • send a chat message when a recipient is offline (a push notification will be initiated automatically in this case)
  • make a video call with offline opponents (need to send a push notification manually)

Configuration

In order to start work with push notifications you need to configure it for all required platforms.

iOS and macOS

  • First of all you need to generate Apple push certificate (*.p12 file) and upload it to ConnectyCube dashboard. Here is a guide on how to do it https://developers.connectycube.com/ios/how-to-create-apns-certificate

  • Then you need to open Xcode project of your Flutter app and enable Push Notifications capabilities. Open Xcode, choose your project file, Signing & Capabilities tab and then add a Push Notifications capability. Also - tick a 'Remote notifications' checkbox in Background Modes section.

    Setup Xcode capabilities

Android and Web

In order to start working with push notifications functionality you need to configure it.

  1. Create and configure your Firebase project and obtain the Server key. If you have any difficulties with Firebase project registration, follow our guide.

    To find your FCM server key go to your Firebase console >> Cloud Messaging section: Find your FCM server key

  2. Copy your FCM server key to your Dashboard >> Your App >> Push Notifications >> Certificates & API keys, select the environment for which you are adding the key and hit Save key. Use the same key for development and production zones. Add your FCM server key to your Dashboard

  3. If you have not added Firebase to your project previously, follow this guide to Connect Firebase SDK.

Config firebase_messaging plugin

Note: Below provided the short guide for configuring the firebase_messaging. For more details and specific platform configs please follow the FlutterFire official documentation.

There is firebase_messaging plugin's official repo.

Add dependency

Add this to your package's pubspec.yaml file:

dependencies:
    ...
    firebase_core: ^x.x.x
    firebase_messaging: ^x.x.x
    ...

Install it

You can install packages from the command line:

flutter pub get

Add classpath for goggle services plugin

Add classpath to your build.gradle file by path android/build.gradle

buildscript {
    ...
    }

    dependencies {
        ...
        classpath 'com.google.gms:google-services:4.3.3'
    }
}

Apply Google Services plugin

Add at bottom of android/app/build.gradle next line:

apply plugin: 'com.google.gms.google-services'

Add required files from Firebase development console

  • add google-services.json to Android project;
  • add GoogleService-Info.plist to iOS project;

Add imports

import 'package:firebase_core/firebase_core.dart';
import 'package:firebase_messaging/firebase_messaging.dart';

Init and configure plugin in your app

...

void init() {
    Firebase.initializeApp();
    FirebaseMessaging firebaseMessaging = FirebaseMessaging.instance;

    // request permissions for showing notification in iOS
    firebaseMessaging.requestPermission(alert: true, badge: true, sound: true);

    // add listener for foreground push notifications
    FirebaseMessaging.onMessage.listen((remoteMessage) {
        log('[onMessage] message: $remoteMessage');
        showNotification(remoteMessage);
    });

    // set listener for push notifications, which will be received when app in background or killed
    FirebaseMessaging.onBackgroundMessage(onBackgroundMessage);
}

Automatic config using FlutterFire CLI

There is alternative way for configuring the FCM in your Flutter project. It is the FlutterFire CLI. Using this tool you can configure FCM in automatic mode. Just follow the guide on how to generate and use the configuration file.

FCM on the iOS/macOS

The Firebase provides the possibility of using FCM push notifications on the iOS and macOS platforms. The configuration of the Flutter project is easy and you can do it in a few simple steps by following the official FlutterFire documentation. The main steps include:

After that you can use the FCM push notifications on the iOS/macOS in the same way as the Android/Web. It means that you should use the FCM configuration for making the subscription on the iOS/macOS, namely:

CreateSubscriptionParameters parameters = CreateSubscriptionParameters();
parameters.channel = NotificationsChannels.GCM;
parameters.platform = CubePlatform.ANDROID;

FirebaseMessaging firebaseMessaging = FirebaseMessaging.instance;
var token = await firebaseMessaging.getToken();
parameters.pushToken = token;

// and other required parameters for subscription on the push notifications

Subscribe

In order to start receiving push notifications you need to subscribe your current device. First of all you have to get token:

FirebaseMessaging firebaseMessaging = FirebaseMessaging.instance;
String token;
if (Platform.isAndroid || kIsWeb) {
    token = await firebaseMessaging.getToken();
} else if (Platform.isIOS || Platform.isMacOS) {
    token = await firebaseMessaging.getAPNSToken();
}

if (!isEmpty(token)) {
    subscribe(token);
}

firebaseMessaging.onTokenRefresh.listen((newToken) {
    subscribe(newToken);
});

Then you can subscribe for push notifications using token:

subscribe(String token) async {
    log('[subscribe] token: $token');

    bool isProduction = bool.fromEnvironment('dart.vm.product');

    CreateSubscriptionParameters parameters = CreateSubscriptionParameters();
    parameters.environment =
        isProduction ? CubeEnvironment.PRODUCTION : CubeEnvironment.DEVELOPMENT;

    if (Platform.isAndroid) {
      parameters.channel = NotificationsChannels.GCM;
      parameters.platform = CubePlatform.ANDROID;
      parameters.bundleIdentifier = "com.connectycube.flutter.chat_sample";
    } else if (Platform.isIOS) {
      parameters.channel = NotificationsChannels.APNS;
      parameters.platform = CubePlatform.IOS;
      parameters.bundleIdentifier = Platform.isIOS
          ? "com.connectycube.flutter.chatSample.app"
          : "com.connectycube.flutter.chatSample.macOS";
    }

    String deviceId = await DeviceId.getID;
    parameters.udid = deviceId;
    parameters.pushToken = token;

    createSubscription(parameters.getRequestParameters())
        .then((cubeSubscription) {})
        .catchError((error) {});
}

Send push notifications

You can manually initiate a push notification to user/users on any event in your application. To do so you need to form a push notification parameters (payload) and set the push recipients:

bool isProduction = bool.fromEnvironment('dart.vm.product');

CreateEventParams params = CreateEventParams();
params.parameters = {
  'message': "Some message in push", // 'message' field is required
  'custom_parameter1': "custom parameter value 1",
  'custom_parameter2': "custom parameter value 2",
  'ios_voip': 1 // to send VoIP push notification to iOS
  //more standard parameters you can found by link https://developers.connectycube.com/server/push_notifications?id=universal-push-notifications 
};

params.notificationType = NotificationType.PUSH;
params.environment = isProduction ? CubeEnvironment.PRODUCTION : CubeEnvironment.DEVELOPMENT;
params.usersIds = [88707, 88708];

createEvent(params.getEventForRequest())
  .then((cubeEvent) {})
  .catchError((error) {});

Receive push notifications

Depending on a devices state, incoming messages are handled differently. They will receive in one of registered callbacks which you set during initialisation plugin according to documentation.

FirebaseMessaging.onMessage.listen((RemoteMessage message) {
    log('[onMessage] message: $message', TAG);
    showNotification(message);
});

FirebaseMessaging.onBackgroundMessage(onBackgroundMessage);

Future<void> onBackgroundMessage(RemoteMessage message) {
  log('[onBackgroundMessage] message: $message');
  showNotification(message);
  return Future.value();
}

Here you can add an appropriate logic in your app. The things can be one of the following:

Unsubscribe

In order to unsubscribe and stop receiving push notifications you need to list your current subscriptions and then choose those to be deleted:

getSubscriptions()
  .then((subscriptionsList) {
    int subscriptionIdToDelete = subscriptionsList[0].id; // or other subscription's id
    return deleteSubscription(subscriptionIdToDelete);
  })
  .then((voidResult) {})
  .catchError((error) {});

VoIP push notifications

ConnectyCube supports iOS VoIP push notifications via same API described above. The main use case for iOS VoIP push notifications is to show a native calling interface on incoming call when an app is in killed/background state - via CallKit.

The common flow of using VoIP push notifications is the following:

Wi will use our own development connectycube_flutter_call_kit in examples below.

So, get the VoIP token:

var token = await ConnectycubeFlutterCallKit.getToken();
  • then when token is retrieved, you need to subscribe to voip pushes by passing a notification_channel: apns_voip channel in a subscription request:
var token = await ConnectycubeFlutterCallKit.getToken();

subscribe(String token) async {
    CreateSubscriptionParameters parameters = CreateSubscriptionParameters();
    parameters.pushToken = token;

    bool isProduction = kReleaseMode ? CubeEnvironment.PRODUCTION : CubeEnvironment.DEVELOPMENT;

    if (Platform.isIOS) {
      parameters.channel = NotificationsChannels.APNS_VOIP;
      parameters.platform = CubePlatform.IOS;
    }

    String? deviceId = await PlatformDeviceId.getDeviceId;
    parameters.udid = deviceId;

    var packageInfo = await PackageInfo.fromPlatform();
    parameters.bundleIdentifier = packageInfo.packageName;

    createSubscription(parameters.getRequestParameters())
        .then((cubeSubscriptions) {
      log('[subscribe] subscription SUCCESS', TAG);
    }).catchError((error) {
      log('[subscribe] subscription ERROR: $error', TAG);
    });
}
  • then when you want to send a voip push notification, use ios_voip: 1 parameter in a push payload in a create event request:
P2PSession callSession; // the call session created before 

CreateEventParams params = CreateEventParams();
params.parameters = {
  'message': "Incoming ${callSession.callType == CallType.VIDEO_CALL ? "Video" : "Audio"} call",
  'call_type': callSession.callType,
  'session_id': callSession.sessionId,
  'caller_id': callSession.callerId,
  'caller_name': callerName,
  'call_opponents': callSession.opponentsIds.join(','),
  'signal_type': 'startCall',
  'ios_voip': 1,
};

params.notificationType = NotificationType.PUSH;
params.environment = kReleaseMode ? CubeEnvironment.PRODUCTION : CubeEnvironment.DEVELOPMENT;
params.usersIds = callSession.opponentsIds.toList();

createEvent(params.getEventForRequest()).then((cubeEvent) {
    // event was created
}).catchError((error) {
    // something went wrong during event creation
});