web-dev-qa-db-ja.com

iOS 10プッシュ通知-willPresentNotificationとdidReceiveNotificationResponseはどのように機能しますか?

現在、iOS 9でプッシュ通知を受信するようにアプリを設定していますが、iOS10ではプッシュ通知を受信して​​いません。私はstackoverflowに関するさまざまな応答を調べて、これに出くわしました:

プッシュ通知はiOS 10では受信されませんが、iOS 9以前では機能します

これはポスターのために働くようです。 willPresentNotificationセクションとdidReceiveNotificationResponseセクションの下に追加するコードが完全にはわかりません。これらのセクションがどのように機能するかの例を誰かが持っているなら、それはありがたいです。これは、これまでのプッシュ通知を処理するための私の関連コードです。

import UserNotifications
import Whisper

@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterDelegate {

func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool {

  registerForPushNotifications(application)
}

 //MARK: Push Notification Settings
  func registerForPushNotifications(application: UIApplication) {

    //check to see if phone is updated to iOS 10
    if #available(iOS 10.0, *){
      UNUserNotificationCenter.currentNotificationCenter().delegate = self
      UNUserNotificationCenter.currentNotificationCenter().requestAuthorizationWithOptions([.Badge, .Sound, .Alert], completionHandler: {(granted, error) in
        if (granted)
        {
          UIApplication.sharedApplication().registerForRemoteNotifications()
        }
        else{
          print("registering for Push notifications unsuccessful")
        }
      })
    }

    else{ //If user is not on iOS 10 use the old methods we've been using
      let notificationSettings = UIUserNotificationSettings(
        forTypes: [.Badge, .Sound, .Alert], categories: nil)
      application.registerUserNotificationSettings(notificationSettings)

    }

  }

  //Notification handling for iOS 10
  @available(iOS 10.0, *)
  func userNotificationCenter(center: UNUserNotificationCenter, willPresentNotification notification: UNNotification, withCompletionHandler completionHandler: (UNNotificationPresentationOptions) -> Void) {
    //Handle the notification - NOT SURE WHAT GOES HERE

  }

  @available(iOS 10.0, *)
  func userNotificationCenter(center: UNUserNotificationCenter, didReceiveNotificationResponse response: UNNotificationResponse, withCompletionHandler completionHandler: () -> Void) {
    //Handle the notification -NOT SURE WHAT GOES HERE
  }


  //This is called if user selects to receive Push notifications
  func application(application: UIApplication, didRegisterUserNotificationSettings notificationSettings: UIUserNotificationSettings) {
    //    if notificationSettings.types != .None {
    application.registerForRemoteNotifications()
    //    }
  }

  func application(application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: NSData) {
    let tokenChars = UnsafePointer<CChar>(deviceToken.bytes)
    var tokenString = ""

    for i in 0..<deviceToken.length {
      tokenString += String(format: "%02.2hhx", arguments: [tokenChars[i]])
    }

    //save device token to keychain
    self.deviceToken = tokenString
    userInfo.sharedInstance.savePushNotDeviceToken(tokenString)
    NSUserDefaultsManager.sharedManager.pushNotifications = true

    //register device token to api
    registerPushNotificationDevice(tokenString)

    print("Device Token:", tokenString)
  }


  func application(application: UIApplication, didFailToRegisterForRemoteNotificationsWithError error: NSError) {
    print("Failed to register:", error)

    //save Push notifications state
    NSUserDefaultsManager.sharedManager.pushNotifications = false

  }


  //In- App Push notifications
  func application(application: UIApplication, didReceiveRemoteNotification userInfo: [NSObject : AnyObject]) {
    if application.applicationState == .Active {

      let navigationController = self.window!.rootViewController as! UINavigationController

      let alert = [String: String]()
      let title = ""
      let body = ""

      // Default printout of userInfo
      print("All of userInfo:\n\( userInfo)\n")

      if let aps = userInfo["aps"] as? NSDictionary {
        if let alert = aps["alert"] as? NSDictionary {
          if let title = alert["title"] as? NSString {
            if let body = alert["body"] as? NSString {

              let announcement = Announcement(title: title as String, subtitle: body as String, image: UIImage(named: "Image"))
                show(shout: announcement, to: navigationController)

            }
          }
        }
      }
    }
  }



}
7
SwiftyJD

IOS 10のリモート通知とローカル通知には、 serNotifications.framework があります。通知を処理するために、UserNotifications.frameworkで使用可能なUNUserNotificationCenterDelegateの2つのデリゲートメソッドがあります。 userInfoを取得するには、didReceiveRemoteNotificationメソッドで実行しているのと同じコードを実行する必要があります。

この2つのメソッドは、アプリの要件に応じてuserInfoを処理するために使用できます。

//UNUserNotificationCenterDelegate delegate methods to get userInfo

    @available(iOS 10.0, *)
    func userNotificationCenter(_ center: UNUserNotificationCenter,  willPresent notification: UNNotification, withCompletionHandler   completionHandler: @escaping (_ options:   UNNotificationPresentationOptions) -> Void) {

        //Called when a notification is delivered to a foreground app.

        let userInfo = notification.request.content.userInfo as? NSDictionary
        print("\(userInfo)")

     }

    @available(iOS 10.0, *)
    func userNotificationCenter(_ center: UNUserNotificationCenter, didReceive response: UNNotificationResponse, withCompletionHandler completionHandler: @escaping () -> Void) {

        // Called to let your app know which action was selected by the user for a given notification.
        let userInfo = response.notification.request.content.userInfo as? NSDictionary
        print("\(userInfo)")
    }
24
Ashish Shah