当前位置: 首页 > 软件库 > 手机/移动开发 > >

push-plugin

Contains the source code for the Push Plugin.
授权协议 Apache-2.0 License
开发语言 JavaScript TypeScript
所属分类 手机/移动开发
软件类型 开源软件
地区 不详
投 递 者 冷正信
操作系统 iOS
开源组织
适用人群 未知
 软件概览

Push Plugin for NativeScript


This plugin is deprecated. Feel free to use the Firebase Plugin for implementing push notifications in your NativeScript app. If you already have an app that use the Push Plugin, read the migrate-to-firebase doc for initial guidance.


The code for the Push Plugin for NativeScript.

Installation

In the Command prompt / Terminal navigate to your application root folder and run:

tns plugin add nativescript-push-notifications

Configuration

Android

See the Android Configuration for using Firebase Cloud Messaging for information about how to add Firebase to your project.

  • Edit the package.json file in the root of application, by changing the bundle identifier to match the Firebase's project package name. For example:

    "id": "org.nativescript.PushNotificationApp"
  • Edit the app/App_Resources/Android/app.gradle file of your application, by changing the application ID to match the bundle identifier from the package.json. For example:

    android {
    // ...
        defaultConfig {
            applicationId = "org.nativescript.PushNotificationApp"
        }
    // ...
    }
  • Go to the application folder and add the Android platform to the application

    tns platform add android
  • Add the google-settings.json file with the FCM configuration to the app/App_Resources/Android folder in your app. If this file is not added, building the app for android will fail.

The plugin will default to version 12.0.1 of the firebase-messaging SDK. If you need to change the version, you can add a project ext property firebaseMessagingVersion:

// in the root level of /app/App_Resources/Android/app.gradle:
    project.ext {
        firebaseMessagingVersion = "+" // OR the version you wish
    }

iOS

  • Ensure you have set up an App in your Apple Developer account, with Push Notifications enabled and configured. More on this in the Apple's AddingCapabilities documentation > Configuring Push Notifications section.

  • Edit the package.json file in the root of application, by changing the bundle identifier to match the App ID. For example:

    "id": "org.nativescript.PushNotificationApp"
  • Go to the application folder and add the iOS platform to the application

    tns build ios
  • Go to (application folder)/platforms/ios and open the XCode project. Enable Push Notifications in the project Capabilities options. In case you don't have XCode, go to (application folder)/platforms/ios/(application folder name) , find *.entitlements file and add to it aps-environment key and its value as shown below:

    <plist version="1.0">
    <dict>
        <key>aps-environment</key>
        <string>development</string>
    </dict>
    </plist>

Usage

Using the plugin in Android

Add code in your view model or component to subscribe and receive messages (don't forget to enter your Firebase Cloud Messaging Sender ID in the options of the register method):

TypeScript

import * as pushPlugin from "nativescript-push-notifications";
private pushSettings = {
    senderID: "<ENTER_YOUR_PROJECT_NUMBER>", // Required: setting with the sender/project number
    notificationCallbackAndroid: (stringifiedData: String, fcmNotification: any) => {
        const notificationBody = fcmNotification && fcmNotification.getBody();
        this.updateMessage("Message received!\n" + notificationBody + "\n" + stringifiedData);
    }
};
pushPlugin.register(pushSettings, (token: String) => {
    alert("Device registered. Access token: " + token);;
}, function() { });

Javascript

var pushPlugin = require("nativescript-push-notifications");
var pushSettings = {
        senderID: "<ENTER_YOUR_PROJECT_NUMBER>", // Required: setting with the sender/project number
        notificationCallbackAndroid: function (stringifiedData, fcmNotification) {
            var notificationBody = fcmNotification && fcmNotification.getBody();
            _this.updateMessage("Message received!\n" + notificationBody + "\n" + stringifiedData);
        }
    };
pushPlugin.register(pushSettings, function (token) {
    alert("Device registered. Access token: " + token);
}, function() { });
  • Run the app on the phone or emulator:

    tns run android
  • The access token is written in the console and displayed on the device after the plugin sucessfully subscribes to receive notifications. When a notification comes, the message will be displayed in the notification area if the app is closed or handled directly in the notificationCallbackAndroid callback if the app is open.

Using the plugin in iOS

Add code in your view model or component to subscribe and receive messages:

TypeScript

import * as pushPlugin from "nativescript-push-notifications";
const iosSettings = {
    badge: true,
    sound: true,
    alert: true,
    interactiveSettings: {
        actions: [{
            identifier: 'READ_IDENTIFIER',
            title: 'Read',
            activationMode: "foreground",
            destructive: false,
            authenticationRequired: true
        }, {
            identifier: 'CANCEL_IDENTIFIER',
            title: 'Cancel',
            activationMode: "foreground",
            destructive: true,
            authenticationRequired: true
        }],
        categories: [{
            identifier: 'READ_CATEGORY',
            actionsForDefaultContext: ['READ_IDENTIFIER', 'CANCEL_IDENTIFIER'],
            actionsForMinimalContext: ['READ_IDENTIFIER', 'CANCEL_IDENTIFIER']
        }]
    },
    notificationCallbackIOS: (message: any) => {
        alert("Message received!\n" + JSON.stringify(message));
    }
};

pushPlugin.register(iosSettings, (token: String) => {
    alert("Device registered. Access token: " + token);

    // Register the interactive settings
    if(iosSettings.interactiveSettings) {
        pushPlugin.registerUserNotificationSettings(() => {
            alert('Successfully registered for interactive push.');
        }, (err) => {
            alert('Error registering for interactive push: ' + JSON.stringify(err));
        });
    }
}, (errorMessage: any) => {
    alert("Device NOT registered! " + JSON.stringify(errorMessage));
});

Javascript

var pushPlugin = require("nativescript-push-notifications");
var iosSettings = {
    badge: true,
    sound: true,
    alert: true,
    interactiveSettings: {
        actions: [{
            identifier: 'READ_IDENTIFIER',
            title: 'Read',
            activationMode: "foreground",
            destructive: false,
            authenticationRequired: true
        }, {
            identifier: 'CANCEL_IDENTIFIER',
            title: 'Cancel',
            activationMode: "foreground",
            destructive: true,
            authenticationRequired: true
        }],
        categories: [{
            identifier: 'READ_CATEGORY',
            actionsForDefaultContext: ['READ_IDENTIFIER', 'CANCEL_IDENTIFIER'],
            actionsForMinimalContext: ['READ_IDENTIFIER', 'CANCEL_IDENTIFIER']
        }]
    },
    notificationCallbackIOS: function (data) {
        alert("message", "" + JSON.stringify(data));
    }
};

pushPlugin.register(iosSettings, function (data) {
    alert("Device registered. Access token" + data);

    // Register the interactive settings
        if(iosSettings.interactiveSettings) {
            pushPlugin.registerUserNotificationSettings(function() {
                alert('Successfully registered for interactive push.');
            }, function(err) {
                alert('Error registering for interactive push: ' + JSON.stringify(err));
            });
        }
}, function() { });
  • Run the app on the phone or simulator:

    tns run ios
  • [HINT] Install the pusher app to send notifications to the device being debugged on. In the 'device push token' field paste the device access token generated in the {N} CLI / XCode debug console after launching the app.

API Reference

Methods

register(options, successCallback, errorCallback) - subscribe the device with Apple/Google push notifications services so the app can receive notifications

Option Platform Type Description
senderID Android String The Sender ID for the FCM project. This option is required for Android.
notificationCallbackAndroid Android Function Callback to invoke, when a push is received on Android.
badge iOS Boolean Enable setting the badge through Push Notification.
sound iOS Boolean Enable playing a sound.
alert iOS Boolean Enable creating a alert.
clearBadge iOS Boolean Enable clearing the badge on push registration.
notificationCallbackIOS iOS Function Callback to invoke, when a push is received on iOS.
interactiveSettings iOS Object Interactive settings for use when registerUserNotificationSettings is used on iOS.

The interactiveSettings object for iOS can contain the following:

Option Type Description
actions Array A list of iOS interactive notification actions.
categories Array A list of iOS interactive notification categories.

The actions array from the iOS interactive settings contains:

Option Type Description
identifier String Required. String identifier of the action.
title String Required. Title of the button action.
activationMode String Set to either "foreground" or "background" to launch the app in foreground/background and respond to the action.
destructive Boolean Enable if the action is destructive. Will change the action color to red instead of the default.
authenticationRequired Boolean Enable if the device must be unlocked to perform the action.
behavior String Set if the action has a different behavior - e.g. text input.

The categories array from the iOS interactive settings contains:

Option Type Description
identifier String Required. String identifier of the category.
actionsForDefaultContext Array Required. Array of string identifiers of actions.
actionsForMinimalContext Array Required. Array of string identifiers of actions.

For more information about iOS interactive notifications, please visit the Apple Developer site

var settings = {
    badge: true,
    sound: true,
    alert: true,
    interactiveSettings: {
        actions: [{
            identifier: 'READ_IDENTIFIER',
            title: 'Read',
            activationMode: "foreground",
            destructive: false,
            authenticationRequired: true
        }, {
        identifier: 'CANCEL_IDENTIFIER',
            title: 'Cancel',
            activationMode: "foreground",
            destructive: true,
            authenticationRequired: true
        }],
        categories: [{
            identifier: 'READ_CATEGORY',
            actionsForDefaultContext: ['READ_IDENTIFIER', 'CANCEL_IDENTIFIER'],
            actionsForMinimalContext: ['READ_IDENTIFIER', 'CANCEL_IDENTIFIER']
        }]
    },
    notificationCallbackIOS: function(message) {
        alert(JSON.stringify(message));
    }
};


pushPlugin.register(settings,
    // Success callback
    function(token){
        // Register the interactive settings
        if(settings.interactiveSettings) {
            pushPlugin.registerUserNotificationSettings(function() {
                alert('Successfully registered for interactive push.');
            }, function(err) {
                alert('Error registering for interactive push: ' + JSON.stringify(err));
            });
        }
    },
    // Error Callback
    function(error){
        alert(error.message);
    }
);

unregister(successCallback, errorCallback, options) - unsubscribe the device so the app stops receiving push notifications. The options object is the same as on the register method

Parameter Platform Type Description
successCallback iOS Function Called when app is successfully unsubscribed. Has one object parameter with the result.
successCallback Android Function Called when app is successfully unsubscribed. Has one string parameter with the result.
errorCallback Android Function Called when app is NOT successfully unsubscribed. Has one parameter containing the error.
options Android Function Called when app is NOT successfully unsubscribed. Has one parameter containing the error.
pushPlugin.unregister(
    // Success callback
    function(result) {
        alert('Device unregistered successfully');
    },
    // Error Callback
    function(errorMessage) {
        alert(errorMessage);
    },
    // The settings from the registration phase
    settings
);

areNotificationsEnabled(successCallback) - check if push notifications are enabled (iOS only, always returns true on Android)

Parameter Platform Type Description
successCallback iOS/Android Function Called with one boolean parameter containing the result from the notifications enabled check.
pushPlugin.areNotificationsEnabled(function(areEnabled) {
        alert('Are Notifications enabled: ' + areEnabled);
    });

Android only

onMessageReceived(callback) DEPRECATED - register a callback function to execute when receiving a notification. You should set this from the notificationCallbackAndroid registration option instead

Parameter Type Description
stringifiedData String A string containing JSON data from the notification
fcmNotification Object iOS/Android

The fcmNotification object contains the following methods:

Method Returns
getBody() String
getBodyLocalizationArgs() String[]
getBodyLocalizationKey() String
getClickAction() String
getColor() String
getIcon() String
getSound() String
getTag() String
getTitle() String
getTitleLocalizationArgs() String[]
getTitleLocalizationKey() String

onTokenRefresh(callback) - register a callback function to execute when the old token is revoked and a new token is obtained. Note that the token is not passed to the callback as an argument. If you need the new token value, you'll need to call register again or add some native code to obtain the token from FCM

Parameter Type Description
callback Function Called with no arguments.
pushPlugin.onTokenRefresh(function() {
        alert("new token obtained");
});

iOS only

registerUserNotificationSettings(successCallback, errorCallback) - used to register for interactive push on iOS

Parameter Type Description
successCallback Function Called when app is successfully unsubscribed. Has one object parameter with the result.
errorCallback Function Called when app is NOT successfully unsubscribed. Has one parameter containing the error.

Troubleshooting

In case the application doesn't work as expected. Here are some things you can verify

Troubleshooting issues in Android

  • When the application is started using tns run android (i.e. in debug mode with livesync) some background notifications might not be received correctly. This happens because the app is not started in a normal way for debugging and the resume from background happens differently. To receive all notifications correctly, stop the app (swipe it away it from the recent apps list) and start it again by tapping the app icon on the device.

  • Thе google-services plugin is added automatically. If this fails, you can try adding it manually:

    • Navigate to the project platforms/android/ folder and locate the application-level build.gradle file
    • Add the google-services plugin to the list of other dependencies in your app's build.gradle file
      dependencies {
      	// ...
      	classpath "com.google.gms:google-services:3.0.0"
      	// ...
      }
    • Add the following line be at the bottom of your build.gradle file to enable the Gradle plugin
      apply plugin: 'com.google.gms.google-services'
  • Ensure that the AndroidManifest.xml located at platforms/android/build/... (do not add it in your "App_Resources/Android/AndroidManifest.xml" file) contains the following snippets for registering the GCM listener:

    <activity android:name="com.telerik.pushplugin.PushHandlerActivity"/>
    <receiver
        android:name="com.google.android.gms.gcm.GcmReceiver"
        android:exported="true"
        android:permission="com.google.android.c2dm.permission.SEND" >
        <intent-filter>
            <action android:name="com.google.android.c2dm.intent.RECEIVE" />
            <category android:name="com.pushApp.gcm" />
        </intent-filter>
    </receiver>
    <service
        android:name="com.telerik.pushplugin.PushPlugin"
        android:exported="false" >
        <intent-filter>
            <action android:name="com.google.android.c2dm.intent.RECEIVE" />
        </intent-filter>
    </service>
  • Ensure that the AndroidManifest.xml located at platforms/android/build/... contains the following permissions for push notifications:

    <uses-permission android:name="android.permission.WAKE_LOCK" />
    <uses-permission android:name="com.google.android.c2dm.permission.RECEIVE" />

Troubleshooting issues in iOS

  • Error "Error registering: no valid 'aps-environment' entitlement string found for application" - this means that the certificates are not correctly set in the xcodeproject. Open the xcodeproject, fix them and you can even run the application from xcode to verify it's setup correctly. The bundle identifier in xcode should be the same as the "id" in the package.json file in the root of the project. Also make sure that "Push Notifications" is switched ON in the "Capabilities" page of the project settings.

Android Configuration for using Firebase Cloud Messaging

The nativescript-push-notifications module for Android relies on the Firebase Cloud Messaging (FCM) SDK. In the steps below you will be guided to complete a few additional steps to prepare your Android app to receive push notifications from FCM.

  1. Add the google-services.json file

    To use FCM, you need this file. It contains configurations and credentials for your Firebase project. To obtain this follow the instructions for adding Firebase to your project from the official documentation. Scroll down to the Manually add Firebase section.

    Place the file in your app's App_Resources/Android folder

  2. Obtain the FCM Server Key (optional)

    This key is required to be able to send programmatically push notifications to your app. You can obtain this key from your Firebase project.

Receive and Handle Messages from FCM on Android

The plugin allows for handling data, notification, and messages that contain both payload keys which for the purposes of this article are reffered to as mixed. More specifics on these messages are explained here.

The plugin extends the FirebaseMessagingService and overrides its onMessageReceived callback. In your app you need to use the notificationCallbackAndroid setting when calling the register method of the plugin.

The behavior of the callback in the module follows the behavior of the FCM service.

Handling Data Messages

The notificationCallbackAndroid method of the plugin is called each time a data notification is received.

If the app is stopped or suspended, NO notification is constructed and placed in the tray. Tapping the app icon launches the app and invokes the notificationCallbackAndroid callback where you will receive the notification data.

If the app is active and in foreground, the notificationCallbackAndroid callback is invoked immediately with the notification data (fcmNotification).

Handling Notification Messages

If the app is active and in foreground, it invokes the notificationCallbackAndroid callback with two arguments (stringifiedData, fcmNotification).

If the app is in background, a notification is put in the tray. When tapped, it launches the app, but does not invoke the notificationCallbackAndroid callback.

Handling Mixed Messages

Mixed messages are messages that contain in their load both data and notification keys. When such message is received:

  • The app is in foreground, the notificationCallbackAndroid callback is invoked with parameters (stringifiedData, fcmNotification)
  • The app is in background, the notificationCallbackAndroid callback is not invoked. A notification is placed in the system tray. If the notification in the tray is tapped, the data part of the mixed message is available in the extras of the intent of the activity and are available in the respective application event of NativeScript.

Example of handling the data part in the application resume event (e.g. the app was brought to the foreground from the notification):

application.on(application.resumeEvent, function(args) {
    if (args.android) {
        var act = args.android;
        var intent = act.getIntent();
        var extras = intent.getExtras();
        if (extras) {
            // for (var key in extras) {
            //     console.log(key + ' -> ' + extras[key]);
            // }
            var msg = extras.get('someKey');
        }
    }
});

Parameters of the notificationCallbackAndroid Callback

Depending on the notification event and payload, the notificationCallbackAndroid callback is invoked with two arguments.

  • stringifiedData - String. A stringified JSON representation of the data value in the notification payload.
  • fcmNotification - RemoteMessage.Notification. A representation of the RemoteMessage.Notification class which can be accessed according to its public methods. This parameter is available in case the callback was called from a message with a notification key in the payload.

Setting Notification Icon and Color

The plugin automatically handles some keys in the data object like message, title, color, smallIcon, largeIcon and uses them to construct a notification entry in the tray.

Custom default color and icon for notification messages can be set in the AndroidManifest.xml inside the application directive:

<meta-data
    android:name="com.google.firebase.messaging.default_notification_icon"
    android:resource="@drawable/ic_stat_ic_notification" />
<meta-data
    android:name="com.google.firebase.messaging.default_notification_color"
    android:resource="@color/colorAccent" />

For more info visit the Edit the app manifest article.

Contribute

We love PRs! Check out the contributing guidelines. If you want to contribute, but you are not sure where to start - look for issues labeled help wanted.

Get Help

Please, use github issues strictly for reporting bugs or requesting features. For general questions and support, check out Stack Overflow or ask our experts in NativeScript community Slack channel.

  • 入门 : https://www.jianshu.com/p/322e2801b4b6    https://www.jianshu.com/p/55fd5e9f96ea https://yq.aliyun.com/articles/659463 config.xml中 <chcp> <auto-download enabled="false" /> <auto-install enabled="

  •   cordova-hot-code-push-plugin 1. git地址 https://github.com/nordnet/cordova-hot-code-push 2. 安装(IOS环境) a. cordova plugin add cordova-hot-code-push-plugin b. 不要去安装cordova plugin add cordova-hot-code-pus

  • 第一步: 在已有项目目录下添加插件 cordova plugin add cordova-hot-code-push-plugin 第二步: 全局安装npm install -g cordova-hot-code-push-cli(如果安装失败,在windows上需要安装python),安装完成后执行cordova-hcp server查看是否正常。如果运行报错则有可能是因为端口占用。 第三步:

  • 其中,安装过程看官方文档即可:https://github.com/nordnet/cordova-hot-code-push 中途需要注意的几点: cordova plugin add cordova-hot-code-push-local-dev-addon 此插件不需要安装,没啥作用,主要是为了能够本地开发测试,但实际运用中我们都有自己服务器(apache,web logic,等等) 几个需

  • 先检查IDEA setting里面maven相关设置,排除因设置出错设置 排除设置原因出错后,直接在pom.xml添加依赖 <dependency> <groupId>com.spotify</groupId> <artifactId>dockerfile-maven-plugin</artifactId> <versi

  • 以iOS为例 说下需求:在主项目中根据需要下载子项目(或文件),并子项目能利用主项目中的cordova-hot-code-push-plugin的跟随主项目更新。一个是包含全部子项目的页面,一个是选择下载子项目后的页面,都是iOS原生。 一、必要条件 1、首先要搭建个本地服务器,可参考http://blog.csdn.net/liuyuyefz/article/details/8072485,简单

  • 具体报错:Failed to execute goal com.spotify:docker-maven-plugin:1.0.0:push (default-cli) on project securedoc: Exception caught: com.spotify.docker.client.shaded.com.fasterxml.jackson.databind.JsonMapping

  • 开篇之前,先看着2个帖子: 1、开启Docker的远程端口2375 https://shanhy.blog.csdn.net/article/details/89645254 2、阿里云镜像中心为示例(dockerhub或者私有镜像仓库都一样) https://shanhy.blog.csdn.net/article/details/90812239 maven项目的关键配置pom.xml <p

  • 开发流程很多,不同公司都有自己的一套流程,甚至一套公司里面不同的组都有自己单独的开发流程。 对前端来说,很多情况静态页面写好了,接口给了字段,要是有模拟的数据,页面开发完成,对接的时候只需要稍微调整。 所以mock的存在可以节省很多的时间,只不过以前都没用过,因为后端也有很多工具,从来没有前端自己mock过。 这次业务需要自己mock数据,所以就使用了一下,发现还挺好用的。 今天分享的是vite-

  • 在尝试使用Maven 插件docker-maven-plugin 打包推送镜像的时候 docker-maven-plugin插件push 一直失败,最终推送失败。 [ERROR] Failed to execute goal com.spotify:docker-maven-plugin:1.2.0:build (default-cli) on project discovery-service:

 相关资料
  • 从本地数据库push到远程数据库时,要fast-forward合并push的分支。如果发生冲突,push会被拒绝的。 若要共享在本地数据库创建的分支,需要明确的push。因此,没有执行push就不会给远程数据库带来影响,因而可以自由的创建自己的分支。 基本上,远程数据库共享的提交是不能修改的。如果修改的话,跟远程数据库同步的其他数据库的历史记录会变得很奇怪的。

  • push 方法 向数组的尾部添加元素,返回新的长度。 语法: arrayObject.push( e1, e2, e3, ... ex ); 参数说明: e1 - 必需。要添加到数组的第一个元素。 e2/ex - 可选。要添加到数组的其他元素。 返回值: 把指定的值添加到数组后的新长度。 说明: push() 方法可把它的参数顺序添加到 arrayObject 的尾部。它直接修改 array

  • 描述 (Description) Javascript数组push()方法将给定元素追加到数组的最后一个并返回新数组的长度。 语法 (Syntax) 其语法如下 - array.push(element1, ..., elementN); 参数细节 (Parameter Details) element1, ..., elementN:要添加到数组末尾的元素。 返回值 (Return Value

  • 描述 (Description) 此函数将LIST中的值推送到列表ARRAY的末尾。 与pop一起使用来实现堆栈。 语法 (Syntax) 以下是此函数的简单语法 - push ARRAY, LIST 返回值 (Return Value) 此函数返回新数组中的元素数。 例子 (Example) 以下是显示其基本用法的示例代码 - #!/usr/bin/perl -w $, = ","; @arr

  • Push模块管理推送消息功能,可以实现在线、离线的消息推送,通过plus.push可获取推送消息管理对象。 方法: addEventListener: 添加推送消息事件监听器 clear: 清空所有推送消息 createMessage: 创建本地消息 getAllMessage: 获取所有推送消息 getClientInfo: 获取客户端推送标识信息 getClientInfoAsync: 异步获

  • 这用于将值推送到Rexx堆栈。 语法 (Syntax) push value 参数 (Parameters) Value - 需要压入堆栈的值。 返回值 (Return Value) 没有 例子 (Example) /* Main program */ options arexx_bifs push 'Tutorial' pull input say input 当我们运行上述程序

  • 描述 (Description) 它类似于add()方法。 它在集合的末尾添加了一个模型。 语法 (Syntax) collection.push(models, options) 参数 (Parameters) models - 它包含集合实例的名称,这些集合实例在集合中被推送。 options - 它包括模型类型并将它们添加到集合实例。 例子 (Example) <!DOCTYPE html

  • push()方法将给定元素追加到数组的最后一个并返回新数组的长度。 语法 (Syntax) array.push(element1, ..., elementN); 参数的细节 (Parameter Details) element1,...,elementN:要添加到数组末尾的元素。 返回值 (Return Value) 返回新数组的长度。 例子 (Example) var numbe