Skip to main content

Push notifications SDK for Unreal Engine (version 1.2.0)

Prerequisites

For RuStore push notifications to run, the following conditions must be met:

  • The current version of RuStore is installed on the user's device.
  • RuStore app should support push notification functionality.
  • The RuStore app is allowed access to work in the background..
  • The user is authorized in RuStore.
  • The application's signature fingerprint must match the fingerprint added to RuStore Console.
  • Unreal Engine 4.26 and later.

Implementation example

Checkout example app to learn how to implement push notification SDK.

Connecting to project

  1. Copy the contents of the Plugins folder from the official RuStore repository on GitFlic to the Plugins folder of your project.

  2. Restart Unreal Engine.

  3. Then, in the list (Edit → Plugins → Project → Mobile) check plug-ins “RuStoreBilling” and “RuStoreCore”.

  4. In the YourProject.Build.cs file in the PublicDependencyModuleNames list connect modules RuStoreCore and RuStorePush..

  5. In the project settings (Edit → Project Settings → Android) set:

    • Minimum SDK Version24 or later.;
    • Target SDK Version31 or later.

Editing app manifest

The RuStorePush plugin will declare RuStoreUnityMessagingService:

AndroidManifest.xml
<service
android:name="ru.rustore.unitysdk.pushclient.RuStoreUnityMessagingService"
android:exported="true"
tools:ignore="ExportedService">
<intent-filter>
<action android:name="ru.rustore.sdk.pushclient.MESSAGING_EVENT" />
</intent-filter>
</service>

If you need to change the icon or colour of the standard notification, add:

AndroidManifest.xml
<meta-data
android:name="ru.rustore.sdk.pushclient.default_notification_icon"
android:resource="@drawable/ic_baseline_android_24" />
<meta-data
android:name="ru.rustore.sdk.pushclient.default_notification_color"
android:resource="@color/your_favorite_color" />

If you need to override the notification channel, add:

AndroidManifest.xml
<meta-data
android:name="ru.rustore.sdk.pushclient.default_notification_channel_id"
android:value="@string/pushes_notification_channel_id" />

You must create the channel yourself if you add a push notification channel.

Requesting permissions for displaying notifications in Android 13+

The Android 13 version has a new permission to display push notifications. This will affect all apps that run on Android 13 or higher and use RuStore Push SDK.

By default, RuStore Push SDK version 1.4.0 and above includes the POST_NOTIFICATIONS permission defined in the manifest. However, the application also needs to request this permission at runtime via the android.permission.POST_NOTIFICATIONS constant. The app will only be able to show push notifications if the user grants a permission.

Request permission to show push notifications:

Activity/Fragment
// Declare the launcher at the top of your Activity/Fragment:
private final ActivityResultLauncher<String> requestPermissionLauncher =
registerForActivityResult(new ActivityResultContracts.RequestPermission(), isGranted -> {
if (isGranted) {
// RuStore Push SDK (and your app) can post notifications.
} else {
// TODO: Inform user that your app will not show notifications.
}
});

private void askNotificationPermission() {
// This is only necessary for API level>= 33 (TIRAMISU)
if (Build.VERSION.SDK_INT>= Build.VERSION_CODES.TIRAMISU) {
if (ContextCompat.checkSelfPermission(this, Manifest.permission.POST_NOTIFICATIONS) ==
PackageManager.PERMISSION_GRANTED) {
// RuStore Push SDK (and your app) can post notifications.
} else if (shouldShowRequestPermissionRationale(Manifest.permission.POST_NOTIFICATIONS)) {
// TODO: display an educational UI explaining to the user the features that will be enabled
// by them granting the POST_NOTIFICATION permission. This UI should provide the user
// "OK" and "No thanks" buttons. If the user selects "OK," directly request the permission.
// If the user selects "No thanks," allow the user to continue without notifications.
} else {
// Directly ask for the permission
requestPermissionLauncher.launch(Manifest.permission.POST_NOTIFICATIONS);
}
}
}

Initialization

For initialisation you will need project ID from RuStore Console. To get it, go to "Push Notifications" - "Projects" and copy the value into the "Project ID" field.

img

Initialise the plugin via the Init method to access the push sdk methods from C++.

Вызов метода Init
FURuStorePushClientConfig config;
config.allowNativeErrorHandling = true;
config.messagingServiceListener = pushMessagingServiceListener;
config.logListener = pushLogListener;

URuStorePushClient::Instance()->Init(сonfig);

All operations with URuStorePushClient are also accessible from Blueprints. Initialization example:

img

The Init method takes a FURuStorePushClientConfig structure as an input parameter. The structure contains fields:

  • allowNativeErrorHandling — allows error handling in a native SDK.

  • messagingServiceListener — class object that implements IRuStoreMessagingServiceListenerInterface.

  • logListener — class object that implements IRuStoreLogListenerInterface. Must be set if RuStoreUnrealLoggerMode.CUSTOM is set in the Java initialisation method.

URuStoreMessagingServiceListener::Instance() and URuStoreLogListener::Instance() objects implement IRuStoreMessagingServiceListenerInterface and IRuStoreLogListenerInterface interfaces, respectively. Using them allows you to handle interface events directly from C++ and Blueprint.

Initialisation of URuStoreMessagingServiceListener and URuStoreLogListener together with URuStorePushClient:

img

Deinitialization

Calling Init for URuStorePushClient, URuStoreMessagingServiceListener, URuStoreLogListener ties objects to the scene root. If no further work with the objects is needed, run the Dispose method to free memory. The Dispose method call unties the objects from root and securely complete all sent requests.

Вызов метода Dispose
URuStorePushClient::Instance()->Dispose();
URuStoreMessagingServiceListener::Instance()->Dispose();
URuStoreLogListener::Instance()->Dispose();
img

Event logging

You can implement your own class for logging events using the IRuStoreLogListenerInterface interface.

Интерфейс IRuStoreLogListenerInterface
class RUSTOREPUSH_API IRuStoreLogListenerInterface
{
GENERATED_BODY()

public:
UFUNCTION(BlueprintCallable, BlueprintNativeEvent, Category = "RuStore Log Listener Interface")
void LogVerboseResponse(int64 requestId, FString& message, FURuStoreError& error);

UFUNCTION(BlueprintCallable, BlueprintNativeEvent, Category = "RuStore Log Listener Interface")
void LogDebugResponse(int64 requestId, FString& message, FURuStoreError& error);

UFUNCTION(BlueprintCallable, BlueprintNativeEvent, Category = "RuStore Log Listener Interface")
void LogInfoResponse(int64 requestId, FString& message, FURuStoreError& error);

UFUNCTION(BlueprintCallable, BlueprintNativeEvent, Category = "RuStore Log Listener Interface")
void LogWarnResponse(int64 requestId, FString& message, FURuStoreError& error);

UFUNCTION(BlueprintCallable, BlueprintNativeEvent, Category = "RuStore Log Listener Interface")
void LogErrorResponse(int64 requestId, FString& message, FURuStoreError& error);
};

Interface methods:

  • LogVerboseResponse — detailed recordings for debugging or analysis.
  • LogDebugResponse — debugging records.
  • LogInfoResponse — data records.
  • LogWarnResponse — cautions.
  • LogErrorResponse — critical errors.

Method Parameters:

  • requestId — request ID.
  • message — log report.
  • error — error description.
All possible errors are described in Error handling.

User segments

A segment is a group of users chosen based on specific criteria you set. For instance, it could include users who generate the most revenue or those using older versions of Android. Read more about the segments in MyTracker documentation.

To start working with segments, specify the clientIdType and clientIdValue parameters when initialising the SDK:

Инициализация
import com.epicgames.ue4.GameApplication;
import ru.rustore.unreal.pushclient.RuStoreUnrealLoggerMode;
import ru.rustore.unreal.pushclient.RuStoreUnrealPushClient;
import ru.rustore.unreal.pushclient.UnrealClientIdType;

public class RuStorePushApplication extends GameApplication {

private final String PROJECT_ID = "6RUviJhYqgNXDXAIL5wqkAP1Rdnd4JmY";
private final RuStoreUnrealLoggerMode LOGGER_MODE = RuStoreUnrealLoggerMode.CUSTOM;

private final UnrealClientIdType CLIENT_ID_TYPE = UnrealClientIdType.GAID;
private final String CLIENT_ID_VALUE = "your_client_id";

@Override
public void onCreate() {
super.onCreate();

RuStoreUnrealPushClient.INSTANCE.init(
this,
PROJECT_ID,
LOGGER_MODE,
CLIENT_ID_TYPE,
CLIENT_ID_VALUE
);
}
}
  • CLIENT_ID_TYPE — ID type:
    • UnrealClientIdType.GAID is Google's advertising ID.
    • UnrealClientIdType.OAID is Huawei's advertising ID.
  • CLIENT_ID_VALUE — ID value.

Push notifications availability check

See SDK Prerequisites for push notification requirements.

To check the listed prerequisites, use the CheckPushAvailability method.


Each CheckPushAvailabilityrequest returns a requestId that is unique within a single application run. Each event returns the requestId of the request that triggered the event.

Вызов метода CheckPushAvailability
long requestId = URuStorePushClient::Instance()->CheckPushAvailability(
[](long requestId, TSharedPtr<FUFeatureAvailabilityResult, ESPMode::ThreadSafe> response) {
// Process response
},
[](long requestId, TSharedPtr<FURuStoreError, ESPMode::ThreadSafe> error) {
// Process error
}
);
img

TheSuccess callback returns the FURuStoreFeatureAvailabilityResult structure in the Response parameter.

Структура FURuStoreFeatureAvailabilityResult
USTRUCT(BlueprintType)
struct RUSTORECORE_API FURuStoreFeatureAvailabilityResult
{
GENERATED_USTRUCT_BODY()

FURuStoreFeatureAvailabilityResult()
{
isAvailable = false;
}

UPROPERTY(BlueprintReadWrite)
bool isAvailable;

UPROPERTY(BlueprintReadWrite)
FURuStoreError cause;
};
  • isAvailable — SDK prerequisites.
  • cause — error info. All possible errors cause are described in Error Handling.

The Failure callback returns a FURuStoreError structure with error information in Error. The error structure is described in Error Handling.

Push token methods

Getting user push token

caution

The method will create and return a new push token if the user does not have one.

Once the library has been initialised, you can use the GetToken, method to get the user's current push token.
Each GetTokenrequest returns a requestId that is unique within a single application run. Each event returns the requestId of the request that triggered the event.

Пример реализации RuStorePushClient.GetToken
long requestId = URuStorePushClient::Instance()->GetToken(
[](long requestId, FString response) {
// Process response
},
[](long requestId, TSharedPtr<FURuStoreError, ESPMode::ThreadSafe> error) {
// Process error
}
);
img

TheSuccess callback returns a token with FString structure in the Response parameter.

  • response — current push token.

The Failure callback returns a FURuStoreError structure with error information in Error. The error structure is described in Error Handling.

Deleting user push token

After the library has been initialised, the user's current push token can be removed using the DeleteToken method.


Each DeleteTokenrequest returns a requestId that is unique within a single application run. Each event returns the requestId of the request that triggered the event.

Вызов метода DeleteToken
long requestId = URuStorePushClient::Instance()->DeleteToken(
[](long requestId) {
// Process success
},
[](long requestId, TSharedPtr<FURuStoreError, ESPMode::ThreadSafe> error) {
// Process error
}
);
img

The Success callback indicates that the operation was successful.

The Failure callback returns a FURuStoreError structure with error information in Error. The error structure is described in Error Handling.

Push topic methods

Push topic subscription

Once the library is initialised, you can use the SubscribeToTopic method to subscribe to a topic.


Each SubscribeToTopicrequest returns a requestId that is unique within a single application run. Each event returns the requestId of the request that triggered the event.

Вызов метода SubscribeToTopic
long requestId = URuStorePushClient::Instance()->SubscribeToTopic(
topicName,
[](long requestId) {
// Process error
},
[](long requestId, TSharedPtr<FURuStoreError, ESPMode::ThreadSafe> error) {
// Process error
}
);
img

The Success callback indicates that the operation was successful.

The Failure callback returns a FURuStoreError structure with error information in Error. The error structure is described in Error Handling.

Unsubscribe from push topic

Once the library is initialised, you can use the UnsubscribeToTopic method to unsubscribe from the topic.

Пример реализации RuStorePushClient.DeleteToken
long responseId = URuStorePushClient::Instance()->UnsubscribeFromTopic(
[](long responseId) {
// Process success
},
[](long responseId, TSharedPtr<FURuStoreError, ESPMode::ThreadSafe> error) {
// Process error
}
);
img

The Success callback indicates that the operation was successful.

The Failure callback returns a FURuStoreError structure with error information in Error. The error structure is described in Error Handling.

Retrieving data from RuStore SDK

The URuStoreMessagingServiceListener::Instance() object implements IRuStoreMessagingServiceListenerInterface interface. To get the URuStoreMessagingServiceListener running, see Initialisation.

Интерфейс IRuStoreMessagingServiceListenerInterface
class RUSTOREPUSH_API IRuStoreMessagingServiceListenerInterface
{
GENERATED_BODY()

public:
UFUNCTION(BlueprintCallable, BlueprintNativeEvent, Category = "RuStore Messaging Service Listener Interface")
void NewTokenResponse(int64 requestId, FString& token);

UFUNCTION(BlueprintCallable, BlueprintNativeEvent, Category = "RuStore Messaging Service Listener Interface")
void MessageReceivedResponse(int64 requestId, FURuStoreRemoteMessage& message);

UFUNCTION(BlueprintCallable, BlueprintNativeEvent, Category = "RuStore Messaging Service Listener Interface")
void DeletedMessagesResponse(int64 requestId);

UFUNCTION(BlueprintCallable, BlueprintNativeEvent, Category = "RuStore Messaging Service Listener Interface")
void ErrorResponse(int64 requestId, TArray<FURuStoreError>& errors);
};
Method nameDescription

NewTokenResponse

Called when a new push token is received. After this method is called, your app will be responsible for delivering the new push token to its server. This method returns the value of the new token.

MessageReceivedResponse

Called when a new push token is received < p/> If there is data in notification object, RuStoreSDK will display the notification itself. If you don’t want RuStoreSDK to display notification itself, use data object, and leave notification object empty. Called in any case. < p/> Push notification’s payload TMap<FString, FString> may be obtained from message.data field.

DeletedMessagesResponse

Called when one or more push notifications fail to reach the device. For example, if the notification's lifetime has expired before delivery. < p/> When calling this method, it is recommended that you synchronise with your server to avoid missing data.

ErrorResponse

Called when an error occurs during initialisation. It returns an array of objects with errors. < p/> Possible errors:

  • UnauthorizedException — user not authorized on RuStore.
  • HostAppNotInstalledException — user’s device doesn’t have RuStore app installed.
  • HostAppBackgroundWorkPermissionNotGranted — RuStore app is not allowed to run in the background.
All possible errors are described in Error handling.

Notification structure

Структура FURuStoreRemoteMessage
USTRUCT(BlueprintType)
struct RUSTOREPUSH_API FURuStoreRemoteMessage
{
GENERATED_USTRUCT_BODY()

public:
UPROPERTY()
FString collapseKey;

UPROPERTY()
TMap<FString, FString> data;

UPROPERTY()
FString messageId;

UPROPERTY()
FURuStoreNotification notification;

UPROPERTY()
int priority;

char* rawData;

UPROPERTY()
int ttl;
};
  • collapseKey - notification group ID (currently disregarded).

  • data — dictionary to which additional notification data can be passed.

    .

  • messageId — unique message ID. It corresponds to an ID of each message.

  • notification — notification object.

  • priority — returns the priority value (currently disregarded).

    The following options are now available:

    • 0UNKNOWN.
    • 1HIGH.
    • 2NORMAL.

    < p/>

  • rawData — dictionary of data as an array of bytes.

  • ttl — push notification lifetime of Int type in seconds.

Структура FURuStoreNotification
USTRUCT(Blueprintable)
struct RUSTOREPUSH_API FURuStoreNotification
{
GENERATED_USTRUCT_BODY()

public:
FURuStoreNotification()
{
title = "0";
body = "0";
channelId = "0";
imageUrl = "0";
color = "0";
icon = "0";
clickAction = "0";
}

UPROPERTY()
FString title;

UPROPERTY()
FString body;

UPROPERTY()
FString channelId;

UPROPERTY()
FString imageUrl;

UPROPERTY()
FString color;

UPROPERTY()
FString icon;

UPROPERTY()
FString clickAction;
};
  • title — notification header.

  • body — notification body
  • channelId — option to create the channel to which notification will be sent. For Android 8.0 or later.

  • imageUrl — direct link to an image to be inserted into the notification. The size of the image must not exceed 1 Mbyte .

    .

  • color — notification colour in HEX format, string. For example, #0077FF.

  • icon — notification icon from res/drawable in a string format that matches the resource name. < p/> For example, res/drawable has an icon small_icon.xml, which is accessible in code via R.drawable.small_icon. For the icon to be displayed in the notification, the server must specify a icon value of small_icon. < p/>

  • clickActionintent action, with which activity is opened when a notification is pressed on..

Creating notification channel

The channel to which the message is sent will be given the following priority:

  • If the push notification has a channelId field, RuStore SDK will send the notification to the specified channel. Your app must create this channel in advance.

  • If there is no channelId field in the push notification, but your app has specified a parameter with a channel in AndroidManifest.xml, the specified channel will be used. Your app must create this channel in advance.

  • If there is no channelId field in the push notification and the default channel is not set in AndroidManifest.xml, RuStore SDK will create a channel and send the notification to it. From now on, all notifications without an explicit channel will be sent to that channel..

Tap notification to open activity

By default, if you click on a notification, RuStore SDK will open an activity with action android.intent.action.MAIN. If there is a clickAction field, RuStore SDK will open an activity that falls under the Intent filter with the specified action.

Add the string <category android:name="android.intent.category.DEFAULT" /> in the application manifest in the corresponding <intent-filter> element of the activity. This is to open the activity by default when you click on the notification. The activity will not open without this line in RuStore SDK.

You will need to clear intent when navigating to the application. This allows the SDK to open game activity after a push notification without reloading the game.

To do this, the plugin will add an additional activity of com.Plugins.RuStorePush.RuStorePushActivity to the manifest. RuStorePushActivity will clear the intent and launch com.epicgames.ue4.GameActivity or com.epicgames.unreal.GameActivity depending on Unreal Engine version.

RuStorePush_UPL_Android.xml
<addElements tag="application">
<activity android:name="com.Plugins.RuStorePush.RuStorePushActivity" android:exported="true" android:label="@string/app_name" android:theme="@android:style/Theme.Black.NoTitleBar.Fullscreen" android:configChanges="mcc|mnc|uiMode|density|screenSize|smallestScreenSize|screenLayout|orientation|keyboardHidden|keyboard|navigation|touchscreen|locale|fontScale|layoutDirection" android:resizeableActivity="false" android:launchMode="singleTask" android:screenOrientation="sensor" android:debuggable="false">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
<category android:name="android.intent.category.DEFAULT" />
</intent-filter>
</activity>
</addElements>
Реализация RuStorePushActivity.java
import android.content.Intent;
import android.os.Bundle;
import androidx.appcompat.app.AppCompatActivity;
import com.Plugins.RuStorePush.RuStoreLaunchHandler;

public class RuStorePushActivity extends AppCompatActivity {

private static final String ue4 = "com.epicgames.ue4.GameActivity";
private static final String ue5 = "com.epicgames.unreal.GameActivity";

@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);

Class<?> gameActivityClass = null;
try {
gameActivityClass = Class.forName(ue4);
} catch (ClassNotFoundException ex1)
{
try {
gameActivityClass = Class.forName(ue5);
} catch (ClassNotFoundException ex2) { }
}

if (gameActivityClass != null)
{
RuStoreLaunchHandler.OnNewIntent(getIntent());

Intent newIntent = new Intent(this, gameActivityClass);
startActivity(newIntent);
}

finish();
}
}

Errors processing

It is not recommended to display the error to the user if you get Failure in response. Showing an error can negatively impact the user experience.

Структура FURuStoreError
USTRUCT(BlueprintType)
struct RUSTORECORE_API FURuStoreError
{
GENERATED_USTRUCT_BODY()

FURuStoreError()
{
name = "";
description = "";
}

UPROPERTY(BlueprintReadOnly)
FString name;

UPROPERTY(BlueprintReadOnly)
FString description;
};
  • name — error name. Contains simpleName of the error class.
  • description — error description.

Error Classes:

  • RuStoreNotInstalledException — RuStore not installed on user's device.

  • RuStoreOutdatedException — RuStore app on the user's device does not support push notifications.

  • RuStoreUserUnauthorizedException — user not authorized on RuStore.

  • RuStoreFeatureUnavailableException — RuStore app is not allowed to run in the background..

  • RuStoreException — basic RuStore error, from which all other errors are inherited..

If you passed the allowNativeErrorHandling == true parameter when initialising the SDK, in case of an error:

  • The corresponding onFailure handler will be called.

  • The error will be passed to the resolveForPush method of the native SDK. This is used to show the error dialogue to the user.

To disable passing the error to the native SDK, set the false value for the AllowNativeErrorHandling property.

Запрет нативной обработки ошибок
URuStorePushClient::Instance()->SetAllowNativeErrorHandling(false);

See also