npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@jacotb/capacitor-firebase-messaging

v1.2.5

Published

Capacitor plugin for Firebase Cloud Messaging (FCM).

Downloads

3

Readme

@capacitor-firebase/messaging

⚡️ Capacitor plugin for Firebase Cloud Messaging (FCM).

Installation

npm install @capacitor-firebase/messaging firebase
npx cap sync

Add Firebase to your project if you haven't already (Android / iOS / Web).

Android

Variables

This plugin will use the following project variables (defined in your app’s variables.gradle file):

  • $firebaseMessagingVersion version of com.google.firebase:firebase-messaging (default: 20.0.6)

Push Notification Icon

The Push Notification icon with the appropriate name should be added to the android/app/src/main/AndroidManifest.xml file:

<meta-data android:name="com.google.firebase.messaging.default_notification_icon" android:resource="@mipmap/push_icon_name" />

If no icon is specified, Android uses the application icon, but the push icon should be white pixels on a transparent background. Since the application icon does not usually look like this, it shows a white square or circle. Therefore, it is recommended to provide a separate icon for push notifications.

Prevent auto initialization

When a registration token is generated, the library uploads the identifier and configuration data to Firebase. If you prefer to prevent token autogeneration, disable Analytics collection and FCM auto initialization by adding these metadata values to the android/app/src/main/AndroidManifest.xml file:

<meta-data
    android:name="firebase_messaging_auto_init_enabled"
    android:value="false" />
<meta-data
    android:name="firebase_analytics_collection_enabled"
    android:value="false" />

iOS

See Prerequisites and complete the prerequisites first.

See Upload the APNS Certificate or Key to Firebase and follow the instructions to upload the APNS Certificate or APNS Auth Key to Firebase.

If you have difficulties with the instructions, you can also look at the corresponding sections of this guide. The steps are explained there in a quite understandable way. But be aware that this guide is more detailed and covers more than you need. Use it only for assistance.

Add the following to your app's AppDelegate.swift:

func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
  NotificationCenter.default.post(name: .capacitorDidRegisterForRemoteNotifications, object: deviceToken)
}

func application(_ application: UIApplication, didFailToRegisterForRemoteNotificationsWithError error: Error) {
  NotificationCenter.default.post(name: .capacitorDidFailToRegisterForRemoteNotifications, object: error)
}
    
func application(_ application: UIApplication, didReceiveRemoteNotification userInfo: [AnyHashable : Any], fetchCompletionHandler completionHandler: @escaping (UIBackgroundFetchResult) -> Void) {
    NotificationCenter.default.post(name: Notification.Name.init("didReceiveRemoteNotification"), object: completionHandler, userInfo: userInfo)
}

Finally edit your ios/App/App/Info.plist and set FirebaseAppDelegateProxyEnabled key to NO.

Attention: If you use this plugin in combination with @capacitor-firebase/authentication, then add the following to your app's AppDelegate.swift:

+ import FirebaseAuth

func application(_ app: UIApplication, open url: URL, options: [UIApplication.OpenURLOptionsKey : Any] = [:]) -> Bool {
+    if Auth.auth().canHandle(url) {
+      return true
+    }
    return ApplicationDelegateProxy.shared.application(app, open: url, options: options)
}

Prevent auto initialization

When a registration token is generated, the library uploads the identifier and configuration data to Firebase. If you prefer to prevent token autogeneration, disable FCM auto initialization by editing your ios/App/App/Info.plist and set FirebaseMessagingAutoInitEnabled key to NO.

Web

  1. See Configure Web Credentials with FCM and follow the instructions to configure your web credentials correctly.
  2. Add a firebase-messaging-sw.js file to the root of your domain. This file can be empty if you do not want to receive push notifications in the background. See Setting notification options in the service worker for more information.

Configuration

On iOS you can configure the way the push notifications are displayed when the app is in foreground.

| Prop | Type | Description | Default | Since | | ------------------------- | --------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ---------------------------------------- | ----- | | presentationOptions | PresentationOption[] | This is an array of strings you can combine. Possible values in the array are: - badge: badge count on the app icon is updated (default value) - sound: the device will ring/vibrate when the push notification is received - alert: the push notification is displayed in a native dialog An empty array can be provided if none of the options are desired. Only available for iOS. | ["badge", "sound", "alert"] | 0.2.2 |

Examples

In capacitor.config.json:

{
  "plugins": {
    "FirebaseMessaging": {
      "presentationOptions": ["badge", "sound", "alert"]
    }
  }
}

In capacitor.config.ts:

/// <reference types="@capacitor/firebase-messaging" />

import { CapacitorConfig } from '@capacitor/cli';

const config: CapacitorConfig = {
  plugins: {
    FirebaseMessaging: {
      presentationOptions: ["badge", "sound", "alert"],
    },
  },
};

export default config;

Demo

A working example can be found here: robingenz/capacitor-firebase-plugin-demo

Usage

import { FirebaseMessaging } from '@capacitor-firebase/messaging';

const checkPermissions = async () => {
  const result = await FirebaseMessaging.checkPermissions();
  return result.receive;
};

const requestPermissions = async () => {
  const result = await FirebaseMessaging.requestPermissions();
  return result.receive;
};

const getToken = async () => {
  const result = await FirebaseMessaging.getToken();
  return result.token;
};

const deleteToken = async () => {
  await FirebaseMessaging.deleteToken();
};

const getDeliveredNotifications = async () => {
  const result = await FirebaseMessaging.getDeliveredNotifications();
  return result.notifications;
};

const removeDeliveredNotifications = async () => {
  await FirebaseMessaging.removeDeliveredNotifications({
    ids: ['798dfhliblqew89pzads'],
  });
};

const removeAllDeliveredNotifications = async () => {
  await FirebaseMessaging.removeAllDeliveredNotifications();
};

const subscribeToTopic = async () => {
  await FirebaseMessaging.subscribeToTopic({ topic: 'news' });
};

const unsubscribeFromTopic = async () => {
  await FirebaseMessaging.unsubscribeFromTopic({ topic: 'news' });
};

const addTokenReceivedListener = async () => {
  await FirebaseMessaging.addListener('tokenReceived', event => {
    console.log('tokenReceived', { event });
  });
};

const addNotificationReceivedListener = async () => {
  await FirebaseMessaging.addListener('notificationReceived', event => {
    console.log('notificationReceived', { event });
  });
};

const addNotificationActionPerformedListener = async () => {
  await FirebaseMessaging.addListener('notificationActionPerformed', event => {
    console.log('notificationActionPerformed', { event });
  });
};

const removeAllListeners = async () => {
  await FirebaseMessaging.removeAllListeners();
};

API

checkPermissions()

checkPermissions() => Promise<PermissionStatus>

Check permission to receive push notifications.

Returns: Promise<PermissionStatus>

Since: 0.2.2


requestPermissions()

requestPermissions() => Promise<PermissionStatus>

Request permission to receive push notifications.

Returns: Promise<PermissionStatus>

Since: 0.2.2


isSupported()

isSupported() => Promise<IsSupportedResult>

Checks if all required APIs exist.

Always returns true on Android and iOS.

Returns: Promise<IsSupportedResult>

Since: 0.3.1


getToken(...)

getToken(options?: GetTokenOptions | undefined) => Promise<GetTokenResult>

Register the app to receive push notifications. Returns a FCM token that can be used to send push messages to that Messaging instance.

This method also re-enables FCM auto-init.

| Param | Type | | ------------- | ----------------------------------------------------------- | | options | GetTokenOptions |

Returns: Promise<GetTokenResult>

Since: 0.2.2


deleteToken()

deleteToken() => Promise<void>

Delete the FCM token and unregister the app to stop receiving push notifications. Can be called, for example, when a user signs out.

Since: 0.2.2


getDeliveredNotifications()

getDeliveredNotifications() => Promise<GetDeliveredNotificationsResult>

Get a list of notifications that are visible on the notifications screen.

Returns: Promise<GetDeliveredNotificationsResult>

Since: 0.2.2


removeDeliveredNotifications(...)

removeDeliveredNotifications(options: RemoveDeliveredNotificationsOptions) => Promise<void>

Remove specific notifications from the notifications screen.

| Param | Type | | ------------- | --------------------------------------------------------------------------------------------------- | | options | RemoveDeliveredNotificationsOptions |

Since: 0.2.2


removeAllDeliveredNotifications()

removeAllDeliveredNotifications() => Promise<void>

Remove all notifications from the notifications screen.

Since: 0.2.2


subscribeToTopic(...)

subscribeToTopic(options: SubscribeToTopicOptions) => Promise<void>

Subscribes to topic in the background.

Only available for Android and iOS.

| Param | Type | | ------------- | --------------------------------------------------------------------------- | | options | SubscribeToTopicOptions |

Since: 0.2.2


unsubscribeFromTopic(...)

unsubscribeFromTopic(options: UnsubscribeFromTopicOptions) => Promise<void>

Unsubscribes from topic in the background.

Only available for Android and iOS.

| Param | Type | | ------------- | ----------------------------------------------------------------------------------- | | options | UnsubscribeFromTopicOptions |

Since: 0.2.2


addListener('tokenReceived', ...)

addListener(eventName: 'tokenReceived', listenerFunc: TokenReceivedListener) => Promise<PluginListenerHandle> & PluginListenerHandle

Called when a new FCM token is received.

| Param | Type | | ------------------ | ----------------------------------------------------------------------- | | eventName | 'tokenReceived' | | listenerFunc | TokenReceivedListener |

Returns: Promise<PluginListenerHandle> & PluginListenerHandle

Since: 0.2.2


addListener('notificationReceived', ...)

addListener(eventName: 'notificationReceived', listenerFunc: NotificationReceivedListener) => Promise<PluginListenerHandle> & PluginListenerHandle

Called when a new push notification is received.

On Android, this listener is called for every push notification if the app is in the foreground. If the app is in the background, then this listener is only called on data push notifications. See https://firebase.google.com/docs/cloud-messaging/android/receive#handling_messages for more information.

On iOS, this listener is called for every push notification if the app is in the foreground. If the app is in the background, then this listener is only called for silent push notifications (messages with the content-available key). See https://developer.apple.com/library/archive/documentation/NetworkingInternet/Conceptual/RemoteNotificationsPG/PayloadKeyReference.html for more information.

| Param | Type | | ------------------ | ------------------------------------------------------------------------------------- | | eventName | 'notificationReceived' | | listenerFunc | NotificationReceivedListener |

Returns: Promise<PluginListenerHandle> & PluginListenerHandle

Since: 0.2.2


addListener('notificationActionPerformed', ...)

addListener(eventName: 'notificationActionPerformed', listenerFunc: NotificationActionPerformedListener) => Promise<PluginListenerHandle> & PluginListenerHandle

Called when a new push notification action is performed.

Only available on Android and iOS.

| Param | Type | | ------------------ | --------------------------------------------------------------------------------------------------- | | eventName | 'notificationActionPerformed' | | listenerFunc | NotificationActionPerformedListener |

Returns: Promise<PluginListenerHandle> & PluginListenerHandle

Since: 0.2.2


removeAllListeners()

removeAllListeners() => Promise<void>

Remove all native listeners for this plugin.

Since: 0.2.2


Interfaces

PermissionStatus

| Prop | Type | Since | | ------------- | ----------------------------------------------------------- | ----- | | receive | PermissionState | 0.2.2 |

IsSupportedResult

| Prop | Type | Since | | ----------------- | -------------------- | ----- | | isSupported | boolean | 0.3.1 |

GetTokenResult

| Prop | Type | Since | | ----------- | ------------------- | ----- | | token | string | 0.2.2 |

GetTokenOptions

| Prop | Type | Description | | ------------------------------- | -------------------------------------- | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | | vapidKey | string | Your VAPID public key, which is required to retrieve the current registration token on the web. Only available for Web. | | serviceWorkerRegistration | ServiceWorkerRegistration | The service worker registration for receiving push messaging. If the registration is not provided explicitly, you need to have a firebase-messaging-sw.js at your root location. Only available for Web. |

GetDeliveredNotificationsResult

| Prop | Type | Since | | ------------------- | --------------------------- | ----- | | notifications | Notification[] | 0.2.2 |

Notification

| Prop | Type | Description | Since | | ----------------- | -------------------- | -------------------------------------------------------------------------------------------------------------- | ----- | | body | string | The notification payload. | 0.2.2 | | clickAction | string | The action to be performed on the user opening the notification. Only available on Android. | 0.2.2 | | data | unknown | Any additional data that was included in the push notification payload. | 0.2.2 | | id | string | The notification identifier. | 0.2.2 | | image | string | The URL of an image that is downloaded on the device and displayed in the notification. Only available on Web. | 0.2.2 | | link | string | Deep link from the notification. Only available on Android. | 0.2.2 | | subtitle | string | The notification subtitle. Only available on iOS. | 0.2.2 | | tag | string | The notification string identifier. Only available on Android. | 0.4.0 | | title | string | The notification title. | 0.2.2 |

RemoveDeliveredNotificationsOptions

| Prop | Type | Since | | ------------------- | --------------------------- | ----- | | notifications | Notification[] | 0.4.0 |

SubscribeToTopicOptions

| Prop | Type | Description | Since | | ----------- | ------------------- | ----------------------------------- | ----- | | topic | string | The name of the topic to subscribe. | 0.2.2 |

UnsubscribeFromTopicOptions

| Prop | Type | Description | Since | | ----------- | ------------------- | ------------------------------------------ | ----- | | topic | string | The name of the topic to unsubscribe from. | 0.2.2 |

PluginListenerHandle

| Prop | Type | | ------------ | ----------------------------------------- | | remove | () => Promise<void> |

TokenReceivedEvent

| Prop | Type | Since | | ----------- | ------------------- | ----- | | token | string | 0.2.2 |

NotificationReceivedEvent

| Prop | Type | Since | | ------------------ | ----------------------------------------------------- | ----- | | notification | Notification | 0.2.2 |

NotificationActionPerformedEvent

| Prop | Type | Description | Since | | ------------------ | ----------------------------------------------------- | --------------------------------------------------------------- | ----- | | actionId | string | The action performed on the notification. | 0.2.2 | | inputValue | string | Text entered on the notification action. Only available on iOS. | 0.2.2 | | notification | Notification | The notification in which the action was performed. | 0.2.2 |

Type Aliases

PermissionState

'prompt' | 'prompt-with-rationale' | 'granted' | 'denied'

TokenReceivedListener

Callback to receive the push notification event.

(event: TokenReceivedEvent): void

NotificationReceivedListener

Callback to receive the push notification event.

(event: NotificationReceivedEvent): void

NotificationActionPerformedListener

Callback to receive the push notification event.

(event: NotificationActionPerformedEvent): void

Changelog

See CHANGELOG.md.

License

See LICENSE.