Firebase Cloud Messaging (FCM)

Integrate Firebase Cloud Messaging and display notifications with Notifee.

Firebase Cloud Messaging (FCM) is a messaging solution that lets you reliably send messages at no cost to both Android & iOS devices.

Using FCM, you can send data payloads (via a message) to a device for a specific application. Each message can transfer a payload of up to 4KB to a client. FCM also provides features to build basic notifications from the Firebase console, versatile message targeting, client-to-client communication and web notifications support.

React Native Firebase

React Native Firebase is the officially recommended library for integrating React Native with Firebase. Using React Native Firebase, we can easily integrate with FCM and display notifications with Notifee.

Installation & Setup

To get started, you must have the following prerequisites setup and installed:

For more information on how to get started with React Native Firebase, check out the quick start guide for integrating with your Firebase project, and the steps required to install the Messaging package.

Subscribing to messages

React Native Firebase provides two methods for subscribing to messages and both receive a remote message payload:

  • onMessage: Handles FCM messages when the application is alive/in the foreground.
  • setBackgroundMessageHandler: Handles FCM messages when the app is in a killed state.

Both expect an async message handling function (or a function that returns a Promise) as an argument.

For the purpose of this guide, we'll set both subscribers up to trigger the same function when called so we don't have to worry about the application's state:

import messaging from '@react-native-firebase/messaging';

// Note that an async function or a function that returns a Promise 
// is required for both subscribers.
async function onMessageReceived(message) {
  // Do something
}

messaging().onMessage(onMessageReceived);
messaging().setBackgroundMessageHandler(onMessageReceived);

Sending messages

In most cases, messages will be sent via the FCM service using an external service running alongside your application (e.g. an API). To send a message, we need to create a messaging token that is unique to each device . Once acquired, it then needs to be saved to a datastore (e.g. an external database). When the time comes to send a message, the token is read from the datastore and a data payload is sent via FCM to the specific device with the token assigned.

A messaging token is unique per device and application.

Create token

FCM provides a handy method for retrieving our device-specific token. Once the token is retrieved, it is advised that you store the token in your backend database of choice as you will need to use the token to send messages via FCM to that specific device.

Within a bootstrap function inside your application, fetch the token & save it against the current user in your datastore. The example below saves the token via an example API call:

import messaging from '@react-native-firebase/messaging';

async function onAppBootstrap() {
  // Register the device with FCM
  await messaging().registerDeviceForRemoteMessages();

  // Get the token
  const token = await messaging().getToken();

  // Save the token
  await postToApi('/users/1234/tokens', { token });
}

If required, you can also listen for token refreshes whilst the application is open in-case a token changes.

Using tokens

Once we have the tokens stored, we can use them to send messages via the FCM service. This guide covers sending messages via the Node.JS firebase-admin SDK, however it is also possible to use Java, Python, C# or the Go SDKs, or even directly via a HTTP request.

Within a Node environment using the firebase-admin SDK, it is possible to send a message using the tokens from our datastore, for example:

// Node.js
var admin = require('firebase-admin');

// Initialize Firebase
admin.initializeApp({
  credential: admin.credential.applicationDefault(),
  databaseURL: 'https://<DATABASE_NAME>.firebaseio.com',
});

async function sendMessage() {
  // Fetch the tokens from an external datastore (e.g. database)
  const tokens = await getTokensFromDatastore();

  // Send a message to devices with the registered tokens
  await admin.messaging().sendMulticast({
    tokens, // ['token_1', 'token_2', ...]
    data: { hello: 'world!' },
  });
}

// Send messages to our users
sendMessage();

The admin SDK will send a data payload to all devices with the registered tokens. We can now modify our onMessageReceived handler we created earlier to log out the data:

function onMessageReceived(message) {
  console.log(`Hello ${message.data.hello}`); // Hello world!
}

Integrating Notifee

Integrating Notifee with an FCM payload comes down to personal preference. You could send an entire Notification object with the message, or use it to construct your own message.

Data payloads via the messaging API only accept a string, key/value pairs where the value is always a string type. Please bear in mind, each property in the data object sent via FCM must be a string as noted below.

Server creation

Construct an entire notification object directly on the server:

// Node.JS
await admin.messaging().sendMulticast({
  tokens,
  data: {
    notifee: JSON.stringify({
      body: 'This message was sent via FCM!',
      android: {
        channelId: 'default',
        actions: [
          {
            title: 'Mark as Read',
            pressAction: {
              id: 'read',
            },
          },
        ],
      },
    }),
  },
});
// React Native
import notifee from '@notifee/react-native';
import messaging from '@react-native-firebase/messaging';

function onMessageReceived(message) {
  notifee.displayNotification(JSON.parse(message.data.notifee));
}

messaging().onMessage(onMessageReceived);
messaging().setBackgroundMessageHandler(onMessageReceived);

Partial creation

Send a partial data payload and create the rest inside of your application:

// Node.JS
await admin.messaging().sendMulticast({
  tokens,
  data: {
    type: 'order_shipped',
    timestamp: Date.now().toString(), // values must be strings!
  },
});
// React Native
import notifee from '@notifee/react-native';
import messaging from '@react-native-firebase/messaging';

function onMessageReceived(message) {
  const { type, timestamp } = message.data;

  if (type === 'order_shipped') {
    notifee.displayNotification({
      title: 'Your order has been shipped',
      body: `Your order was shipped at ${new Date(Number(timestamp)).toString()}!`,
      android: {
        channelId: 'orders',
      },
    });
  }
}

messaging().onMessage(onMessageReceived);
messaging().setBackgroundMessageHandler(onMessageReceived);

Further reading

FCM provides great flexibility when sending messages to devices. If required you can send messages to specific devices, or to devices subscribed to topics, or even via batched messages.


Copyright 2020 - 2021 © Invertase Limited

Except as otherwise noted, the content of this page is licensed under the Creative Commons Attribution 3.0 License and code samples are licensed under the Apache 2.0 License.

All product names, logos, and brands are property of their respective owners. All company, product and service names used in this website are for identification purposes only. Use of these names, logos, and brands does not imply endorsement.