РЕЗЮМЕ ПРОБЛЕМЫ
Я пишу приложение для iOS, которое отправляет уведомления с напоминаниями, чтобы пользователь мог запускать другие приложения через свой x-callback-url.У меня все работает отлично, если приложение находится на переднем плане или в фоне, но оно не будет работать, когда мое приложение закрыто.
Когда мое приложение закрыто, уведомления доставляются также правильно, и пользователь может отклонитьили выберите пользовательские действия для запуска другого приложения через его x-callback-url.Мое приложение запускается нормально, когда пользователь предпринимает какие-либо действия с уведомлением.
То, что не работает, когда приложение запускается непосредственно из закрытого состояния, вызывает запуск x-callback-url для запуска приложения ярлыков,
ЗДЕСЬ КОД
Этот код в моем AppDelegate связан с уведомлениями:
// Handle what we need to after the initial application load
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
// Setup our custom notification options and notification category.
// Note that The table view controller will register to handle the actual notification actions.
UNUserNotificationCenter.current().requestAuthorization(options: [.alert, .badge, .sound]) {(granted, Error) in
if !granted {
os_log("AppDelegate: Notification authorization NOT granted.", log: OSLog.default, type: .info)
} else {
os_log("AppDelegate: Notification authorization granted.", log: OSLog.default, type: .info)
// Define our custom notification actions
let runAction = UNNotificationAction(identifier: "RUN_SHORTCUT", title: "Run Shortcut", options: [.foreground])
let snoozeAction = UNNotificationAction(identifier: "SNOOZE", title: "Snooze 10 Minutes", options: [])
let skipAction = UNNotificationAction(identifier: "SKIP_SHORTCUT", title: "Skip Shortcut", options: [])
// Define our custom notification categories
let shortcutCategory =
UNNotificationCategory(identifier: "SHORTCUT_REMINDER", actions: [snoozeAction, runAction, skipAction], intentIdentifiers: [], options: .customDismissAction)
let noshortcutCategory =
UNNotificationCategory(identifier: "NO_SHORTCUT_REMINDER", actions: [snoozeAction], intentIdentifiers: [], options: .customDismissAction)
// Register the nofication category and actions with iOS
let notificationCenter = UNUserNotificationCenter.current()
notificationCenter.setNotificationCategories([shortcutCategory, noshortcutCategory])
os_log("AppDelegate: Set our custom notification categories and actions.", log: OSLog.default, type: .info)
} //endif
} //endfunc
return true
}
Это код в моемконтроллер основной таблицы, который является делегатом для получения уведомлений:
// Handle notifications when our app is in the background
// Note that this isn't triggered when the notification is delivered, but rather when the user interacts with the notification
//
// TO-DO: THIS DOESN'T RUN THE SHORTCUT IF THE APP WAS CLOSED WHEN THE NOTIFICATION WAS RESPONDED TO!!!
//
func userNotificationCenter(_ center: UNUserNotificationCenter, didReceive response: UNNotificationResponse, withCompletionHandler completionHandler: () -> Void) {
// Get the user info from the notification
let userInfo = response.notification.request.content.userInfo
// Get the specific record id that triggered this notification
let itemID = userInfo["ITEM_ID"] as? String
let itemTitle = userInfo["ITEM_TITLE"] as? String
let itemShortcut = userInfo["ITEM_SHORTCUT"] as? String
let itemURL = userInfo["ITEM_URL"] as? String
// Handle the notification action
print("RemindersViewController: Received notification. actionIdentifier:", response.actionIdentifier)
switch response.actionIdentifier {
// If user selected the Run Shortcut option or simply tapped the notification, run the associated shortcut
case "RUN_SHORTCUT", "com.apple.UNNotificationDefaultActionIdentifier":
os_log("RemindersViewController: Notification Action Received: RUN_SHORTCUT: %{public}@ for shortcut %{public}@", log: .default, type: .info, String(describing: itemTitle!), String(describing: itemShortcut!))
if (itemShortcut != nil && itemShortcut != "") {
if (itemURL != nil) {
print("RemindersViewController: Shortcut URL=", itemURL!)
let launchURL = URL(string: itemURL!)
if UIApplication.shared.canOpenURL(launchURL!) {
UIApplication.shared.open(launchURL!, options: [:], completionHandler: { (success) in
print("RemindersViewController: Notification Action: Run shortcut: Open url : \(success)")
})
} else {
let alert = UIAlertController(title: "You don't have the Shortcuts app installed", message: "Please download from the Apple App Store", preferredStyle: .alert)
let action = UIAlertAction(title: "Ok", style: .default, handler: nil)
alert.addAction(action)
self.present(alert, animated: true, completion: nil)
print("RemindersViewController: Notification Action: User doesn't have the Shortcuts app.")
}
} else {
let alert = UIAlertController(title: "You don't have a shortcut name filled in", message: "Please fill in a shortcut name on your reminder", preferredStyle: .alert)
let action = UIAlertAction(title: "Ok", style: .default, handler: nil)
alert.addAction(action)
present(alert, animated: true, completion: nil)
print("RemindersViewController: Notification Action: No shortcut name filled in!")
}
}
break
default:
os_log("RemindersViewController: Default action selected, which is: %{public}@. Doing nothing.", log: .default, type: .info, response.actionIdentifier)
break
}
// Call the completion handler to close out the notification
completionHandler()
}
ОЖИДАЕМЫЕ И РЕАЛЬНЫЕ РЕЗУЛЬТАТЫ
Я ожидаю, что, когда приложение будет запущено из закрытого состоянияиз-за взаимодействия пользователя с уведомлением пользовательское действие «Запуск ярлыка» должно запускать приложение «Ярлыки» с его x-callback-url, хранящимся в пользовательских данных уведомления.