Push-уведомления: текст уведомления против других данных

#xamarin.forms #apple-push-notifications

#xamarin.формы #apple-push-уведомления

Вопрос:

У меня есть Xamarin.Формирует приложение, которое получает push-уведомления. Получив уведомление, пользователь нажимает на него, и приложение обрабатывает данные, которые приходят вместе с уведомлением, и действует соответствующим образом. Но у меня есть проблема с iOS-частью приложения. Вместо удобного для пользователя текста уведомления он отображает данные в формате json, который не предназначен для этой цели. Вот как отправляется уведомление:

     private static async Task SendTemplateNotificationsAsync(string json, ILogger log)
    {
        NotificationHubClient hub = NotificationHubClient.CreateClientFromConnectionString(NotificationDispatcherConstants.FullAccessConnectionString, NotificationDispatcherConstants.NotificationHubName);
        Dictionary<string, string> templateParameters = new Dictionary<string, string>();

        foreach (var tag in NotificationDispatcherConstants.SubscriptionTags)
        {
            templateParameters["messageParam"] = json;
            try
            {
                await hub.SendTemplateNotificationAsync(templateParameters, tag);
                ...
            }
            catch (Exception ex)
            {
                log.LogInformation($"Failed to send template notification: {ex.Message}");
            }
        }
    }
 

Вот константы:

     public static string APNTemplateBody { get; set; } = "{"aps":{"alert":"$(messageParam)"}}";

    public const string NotificationTokenKey = "NotificationTokenKey";
 

Вот как уведомления обрабатываются в AppDelegate.cs:

     [Export("userNotificationCenter:didReceiveNotificationResponse:withCompletionHandler:")]
    public void DidReceiveNotificationResponse(UNUserNotificationCenter center, UNNotificationResponse response, Action completionHandler)
    {
        completionHandler();

        NSDictionary userInfo = response.Notification.Request.Content.UserInfo;
        ProcessNotification(userInfo);
    }

    [Export("userNotificationCenter:willPresentNotification:withCompletionHandler:")]
    public void WillPresentNotification(UNUserNotificationCenter center, UNNotification notification, Action<UNNotificationPresentationOptions> completionHandler)
    {
        completionHandler(UNNotificationPresentationOptions.Sound | UNNotificationPresentationOptions.Alert);

        NSDictionary userInfo = notification.Request.Content.UserInfo;
        ProcessNotification(userInfo);
    }

    void ProcessNotification(NSDictionary options)
    {
        Task.Run(() =>
        {
            // make sure we have a payload
            if (options != null amp;amp; options.ContainsKey(new NSString("aps")))
            {
                // get the APS dictionary and extract message payload. Message JSON will be converted
                // into a NSDictionary so more complex payloads may require more processing
                NSDictionary aps = options.ObjectForKey(new NSString("aps")) as NSDictionary;
                string payload = string.Empty;
                NSString payloadKey = new NSString("alert");
                if (aps.ContainsKey(payloadKey))
                {
                    payload = aps[payloadKey].ToString();
                }

                if (!string.IsNullOrWhiteSpace(payload))
                {
                    if (App.UserContext.IsEmployee)
                    {
                        App.NewCall(payload);
                    }
                }
            }
            else
            {
                Debug.WriteLine($"Received request to process notification but there was no payload.");
            }
        });
    }
 

App.NewCall(полезная нагрузка); это код, который делает полезную нагрузку обрабатываемой приложением, что правильно. Но я не хочу, чтобы эта полезная нагрузка отображалась в виде текста уведомления. Как я могу изменить текст на что-то другое и удобное для пользователя?

Ответ №1:

Вам не нужно обрабатывать сообщение, если вы просто хотите показать пользовательский интерфейс по умолчанию:

смотрите Шаг 12 в этом документе, убедитесь, что ваша полезная нагрузка находится в правильном формате:

     void ProcessNotification(NSDictionary options, bool fromFinishedLaunching)
{
    // Check to see if the dictionary has the aps key.  This is the notification payload you would have sent
    if (null != options amp;amp; options.ContainsKey(new NSString("aps")))
    {
        //Get the aps dictionary
        NSDictionary aps = options.ObjectForKey(new NSString("aps")) as NSDictionary;

        string alert = string.Empty;

        //Extract the alert text
        // NOTE: If you're using the simple alert by just specifying
        // "  aps:{alert:"alert msg here"}  ", this will work fine.
        // But if you're using a complex alert with Localization keys, etc.,
        // your "alert" object from the aps dictionary will be another NSDictionary.
        // Basically the JSON gets dumped right into a NSDictionary,
        // so keep that in mind.
        if (aps.ContainsKey(new NSString("alert")))
            alert = (aps [new NSString("alert")] as NSString).ToString();

        //If this came from the ReceivedRemoteNotification while the app was running,
        // we of course need to manually process things like the sound, badge, and alert.
        if (!fromFinishedLaunching)
        {
            //Manually show an alert
            if (!string.IsNullOrEmpty(alert))
            {
                var myAlert = UIAlertController.Create("Notification", alert, UIAlertControllerStyle.Alert);
                myAlert.AddAction(UIAlertAction.Create("OK", UIAlertActionStyle.Default, null));
                UIApplication.SharedApplication.KeyWindow.RootViewController.PresentViewController(myAlert, true, null);
            }
        }
    }
}
 

Если вы хотите использовать пользовательские пользовательские интерфейсы, вы можете создать расширение содержимого уведомлений и создать там свой пользовательский интерфейс.

Комментарии:

1. Но мне нужно обработать сообщение. То, что приложение делает после получения уведомления, зависит от содержимого сообщения.

2. Да, вы можете обрабатывать сообщение так, как хотите, с полученными данными. Я имею в виду, что если вы хотите показать текст с пользовательским интерфейсом по умолчанию, вы можете отказаться от его обработки.