Xcode 8 / Swift 3.0でプッシュ通知を登録しますか?


121

Xcode 8.0でアプリを動作させようとしているところ、エラーが発生しています。このコードは以前のバージョンのswiftで問題なく動作したことはわかっていますが、このコードは新しいバージョンで変更されていると想定しています。これが私が実行しようとしているコードです:

let settings = UIUserNotificationSettings(forTypes: [.Sound, .Alert, .Badge], categories: nil)     
UIApplication.sharedApplication().registerUserNotificationSettings(settings)
UIApplication.shared().registerForRemoteNotifications()

私が取得しているエラーは、「引数ラベル '(forTypes :, category :)'が使用可能なオーバーロードと一致しません」です。

これを機能させるために試すことができる別のコマンドはありますか?


2
:私はちょうどそれを行う方法のガイドを書いたeladnava.com/...
ELADナバ

回答:


307

UserNotificationsフレームワークをインポートし、UNUserNotificationCenterDelegateAppDelegate.swiftに追加します

ユーザーの許可を要求する

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


        let center = UNUserNotificationCenter.current()
        center.requestAuthorization(options:[.badge, .alert, .sound]) { (granted, error) in
            // Enable or disable features based on authorization.
        }
        application.registerForRemoteNotifications()
        return true
}

デバイストークンの取得

func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {

    let deviceTokenString = deviceToken.reduce("", {$0 + String(format: "%02X", $1)})
    print(deviceTokenString)
}

エラーの場合

func application(_ application: UIApplication, didFailToRegisterForRemoteNotificationsWithError error: Error) {

        print("i am not available in simulator \(error)")
}

付与された権限を知る必要がある場合

UNUserNotificationCenter.current().getNotificationSettings(){ (settings) in

            switch settings.soundSetting{
            case .enabled:

                print("enabled sound setting")

            case .disabled:

                print("setting has been disabled")

            case .notSupported:
                print("something vital went wrong here")
            }
        }

1
Swift 2.3でエラーが発生する:UNUserNotificationCenterには現在のメンバーがありません
非同期

ヘイは目標cの節約を提供できますか
Ayaz

ただのメモですが、デバイストークンを返しません。少なくとも私の場合、「32バイト」を返すだけです
Brian F Leighty

1
それだけでスウィフト3で働いているため、@ Async-現在の()を見ていない
アレン

4
@PavlosNicolaou UserNotificationsフレームワークのインポート
Anish

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

    if #available(iOS 10, *) {

        //Notifications get posted to the function (delegate):  func userNotificationCenter(_ center: UNUserNotificationCenter, didReceive response: UNNotificationResponse, withCompletionHandler completionHandler: () -> Void)"


        UNUserNotificationCenter.current().requestAuthorization(options: [.alert, .badge, .sound]) { (granted, error) in

            guard error == nil else {
                //Display Error.. Handle Error.. etc..
                return
            }

            if granted {
                //Do stuff here..

                //Register for RemoteNotifications. Your Remote Notifications can display alerts now :)
                DispatchQueue.main.async {
                    application.registerForRemoteNotifications()
                }
            }
            else {
                //Handle user denying permissions..
            }
        }

        //Register for remote notifications.. If permission above is NOT granted, all notifications are delivered silently to AppDelegate.
        application.registerForRemoteNotifications()
    }
    else {
        let settings = UIUserNotificationSettings(types: [.alert, .badge, .sound], categories: nil)
        application.registerUserNotificationSettings(settings)
        application.registerForRemoteNotifications()
    }

    return true
}

この新しいフレームワークの追加の利点は何ですか?私はここを参照してくださいして使用して「completionHandlerデリゲートオーバー」アプローチで、その後、意思決定はすぐにあなたに与えられる:エラー、付与された、またはnotGranted .... 6 <iOS版<10であなたがしなければならなかったapplication.isRegisteredForRemoteNotifications()ことはありますかどうかを確認するために 正しい?他に何か?
蜂蜜

なぜあなたの答えは受け入れられたものと違うのですか?彼が持っていapplication.registerForRemoteNotifications() た後、彼のcenter.requestAuthorization
ハニー

1
@はちみつ; これは、「リモート」通知を有効にする場合に追加されます。私が回答を書いたとき、他の回答は存在せず、@ OPはリモートまたはローカルまたはiOS 10のサポートが必要かどうかを指定しなかったので、できる限り追加しました。注:ユーザーがアクセスを許可するまで、RemoteNotificationsに登録しないでください(そうしないと、すべてのリモート通知がサイレントで配信されます(必要な場合を除きます)-ポップアップはありません)。また、新しいAPIの利点は、添付ファイルをサポートすることです。つまり、通知にGIFやその他の画像、動画などを追加できます。
ブランドン

3
クロージャでは、メインスレッドでUI関連のタスクを実行する必要があります... DispatchQueue.main.async {...ここで
何かを

1
AppDelegate以外で使用してコードで同じことを行う場合のこのソリューションの利点
Codenator81

27
import UserNotifications  

次に、ターゲットのプロジェクトエディターに移動し、[全般]タブで[リンクフレームワークとライブラリ]セクションを探します。

+をクリックし、UserNotifications.frameworkを選択します。

// iOS 12 support
if #available(iOS 12, *) {  
    UNUserNotificationCenter.current().requestAuthorization(options:[.badge, .alert, .sound, .provisional, .providesAppNotificationSettings, .criticalAlert]){ (granted, error) in }
    application.registerForRemoteNotifications()
}

// iOS 10 support
if #available(iOS 10, *) {  
    UNUserNotificationCenter.current().requestAuthorization(options:[.badge, .alert, .sound]){ (granted, error) in }
    application.registerForRemoteNotifications()
}
// iOS 9 support
else if #available(iOS 9, *) {  
    UIApplication.shared.registerUserNotificationSettings(UIUserNotificationSettings(types: [.badge, .sound, .alert], categories: nil))
    UIApplication.shared.registerForRemoteNotifications()
}
// iOS 8 support
else if #available(iOS 8, *) {  
    UIApplication.shared.registerUserNotificationSettings(UIUserNotificationSettings(types: [.badge, .sound, .alert], categories: nil))
    UIApplication.shared.registerForRemoteNotifications()
}
// iOS 7 support
else {  
    application.registerForRemoteNotifications(matching: [.badge, .sound, .alert])
}

通知デリゲートメソッドを使用する

// Called when APNs has assigned the device a unique token
func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {  
    // Convert token to string
    let deviceTokenString = deviceToken.reduce("", {$0 + String(format: "%02X", $1)})
    print("APNs device token: \(deviceTokenString)")
}

// Called when APNs failed to register the device for push notifications
func application(_ application: UIApplication, didFailToRegisterForRemoteNotificationsWithError error: Error) {  
    // Print the error to console (you should alert the user that registration failed)
    print("APNs registration failed: \(error)")
}

プッシュ通知受信用

func application(_ application: UIApplication, didReceiveRemoteNotification userInfo: [AnyHashable : Any], fetchCompletionHandler completionHandler: @escaping (UIBackgroundFetchResult) -> Void) {
    completionHandler(UIBackgroundFetchResult.noData)
}

プッシュ通知を設定すると、アプリのXcode 8内の機能が有効になります。単にあなたのターゲットのプロジェクトエディタに移動し、その後にクリック機能]タブプッシュ通知を探し、その値をONに切り替えます。

その他の通知デリゲートメソッドについては、以下のリンクを確認してください

ローカルとリモート通知の取り扱いUIApplicationDelegateを - ローカルおよびリモート通知を処理

https://developer.apple.com/reference/uikit/uiapplicationdelegate


20

XToken 8の現在のベータ版を使用してサーバーに送信するために、deviceToken Dataオブジェクトを文字列に変換する際の回答に問題がありました。特に、8.0b6のようにdeviceToken.descriptionを使用していて、「32バイト」を返すものあまり役に立ちません:)

これは私のために働いたものです...

Dataに拡張を作成して、「hexString」メソッドを実装します。

extension Data {
    func hexString() -> String {
        return self.reduce("") { string, byte in
            string + String(format: "%02X", byte)
        }
    }
}

そして、リモート通知の登録からコールバックを受け取ったときにそれを使用します。

func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
    let deviceTokenString = deviceToken.hexString()
    // Send to your server here...
}

8
「32バイト」の問題もありました。素晴らしいソリューションですが、拡張機能を作成せずにインラインで変換を行うことができます。このように: let deviceTokenString = deviceToken.reduce("", {$0 + String(format: "%02X", $1)})
Alain Stulz

1
API自体から来る解決策がないことに
不合理

1
うん、常にAPI .. iOS10で新しい通知フレームワークを行っているとき、彼らはそれを修正していない驚いことはかなり奇妙されている
tomwilson

17

コードの代わりにiOS10では、次のように通知の承認を要求する必要があります(UserNotificationsフレームワークを追加することを忘れないでください)。

if #available(iOS 10.0, *) {
        UNUserNotificationCenter.current().requestAuthorization([.alert, .sound, .badge]) { (granted: Bool, error: NSError?) in
            // Do something here
        }
    }

また、正しいコードは次のelseとおりです(たとえば、前の条件ので使用します)。

let setting = UIUserNotificationSettings(types: [.alert, .badge, .sound], categories: nil)
UIApplication.shared().registerUserNotificationSettings(setting)
UIApplication.shared().registerForRemoteNotifications()

最後に、-> ->でPush Notificationアクティブ化されていることを確認します。(オンに設定)targetCapabilitiesPush notificationOn


1
こちらをご覧ください:Apple Docの
tsnkff '22

2
返信ありがとうございます!ただし、コードを使用すると、「未解決の識別子「UNUserNotificationCenter」の使用」
Asher Hawthorne

そしてドキュメンテーション、ブラブラブラに感謝します!彼らのサイトでそれが見られなかった、それが存在してうれしい。:D
Asher Hawthorne

4
待って、私はそれを得たと思います!通知フレームワークをインポートする必要がありました。XD
アシャーホーソーン

1
うん。回答を編集して、今後の読者のためにこれを追加します。また、新しい通知について読んでください。より強力でインタラクティブな方法があります。:)
tsnkff 2016年

8

さて、この仕事は私にとっては。AppDelegateの最初

import UserNotifications

次に:

   func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?) -> Bool {
        // Override point for customization after application launch.
        registerForRemoteNotification()
        return true
    }

    func registerForRemoteNotification() {
        if #available(iOS 10.0, *) {
            let center  = UNUserNotificationCenter.current()
            center.delegate = self
            center.requestAuthorization(options: [.sound, .alert, .badge]) { (granted, error) in
                if error == nil{
                    UIApplication.shared.registerForRemoteNotifications()
                }
            }
        }
        else {
            UIApplication.shared.registerUserNotificationSettings(UIUserNotificationSettings(types: [.sound, .alert, .badge], categories: nil))
            UIApplication.shared.registerForRemoteNotifications()
        }
    }

devicetokenを取得するには:

  func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {

       let deviceTokenString = deviceToken.reduce("", {$0 + String(format: "%02X", $1)})

}

5

このアクションにはメインスレッドを使用する必要があります。

let center = UNUserNotificationCenter.current()
center.requestAuthorization(options:[.badge, .alert, .sound]) { (granted, error) in
        if granted {
            DispatchQueue.main.async(execute: {
                UIApplication.shared.registerForRemoteNotifications()
            })
        }
    }

2

まず、ユーザー通知ステータスを確認します。つまり、registerForRemoteNotifications()APNsデバイストークンを取得します。
次に、承認をリクエストします。ユーザーによって承認されると、deviceTokenがリスナーに送信されAppDelegateます。
3番目に、デバイストークンをサーバーに報告します。

extension AppDelegate {
    /// 1. 监听 deviceToken
    UIApplication.shared.registerForRemoteNotifications()

    /// 2. 向操作系统索要推送权限(并获取推送 token)
    static func registerRemoteNotifications() {
        if #available(iOS 10, *) {
            let uc = UNUserNotificationCenter.current()
            uc.delegate = UIApplication.shared.delegate as? AppDelegate
            uc.requestAuthorization(options: [.alert, .badge, .sound]) { (granted, error) in
                if let error = error { // 无论是拒绝推送,还是不提供 aps-certificate,此 error 始终为 nil
                    print("UNUserNotificationCenter 注册通知失败, \(error)")
                }
                DispatchQueue.main.async {
                    onAuthorization(granted: granted)
                }
            }
        } else {
            let app = UIApplication.shared
            app.registerUserNotificationSettings(UIUserNotificationSettings(types: [.badge, .sound, .alert], categories: nil)) // 获取用户授权
        }
    }

    // 在 app.registerUserNotificationSettings() 之后收到用户接受或拒绝及默拒后,此委托方法被调用
    func application(_ app: UIApplication, didRegister notificationSettings: UIUserNotificationSettings) {
        // 已申请推送权限,所作的检测才有效
        // a 征询推送许可时,用户把app切到后台,就等价于默拒了推送
        // b 在系统设置里打开推送,但关掉所有形式的提醒,等价于拒绝推送,得不token,也收不推送
        // c 关掉badge, alert和sound 时,notificationSettings.types.rawValue 等于 0 和 app.isRegisteredForRemoteNotifications 成立,但能得到token,也能收到推送(锁屏和通知中心也能看到推送),这说明types涵盖并不全面
        // 对于模拟器来说,由于不能接收推送,所以 isRegisteredForRemoteNotifications 始终为 false
       onAuthorization(granted: app.isRegisteredForRemoteNotifications)
    }

    static func onAuthorization(granted: Bool) {
        guard granted else { return }
        // do something
    }
}

extension AppDelegate {
    func application(_ app: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
        //
    }

    // 模拟器得不到 token,没配置 aps-certificate 的项目也得不到 token,网络原因也可能导致得不到 token
    func application(_ app: UIApplication, didFailToRegisterForRemoteNotificationsWithError error: Error) {
        //
    }
}

複数の通知を追加する方法?
ArgaPK 2018年

@ArgaPK、プッシュ通知を送信することは、サーバープラットフォームが行うことです。
DawnSong

0

ast1からの答えは非常にシンプルで便利です。それは私のために働きます、どうもありがとう。ここで簡単に説明したいので、この答えが必要な人は簡単に見つけることができます。だから、これがローカルとリモート(プッシュ)通知を登録するための私のコードです。

    //1. In Appdelegate: didFinishLaunchingWithOptions add these line of codes
    let mynotif = UNUserNotificationCenter.current()
    mynotif.requestAuthorization(options: [.alert, .sound, .badge]) {(granted, error) in }//register and ask user's permission for local notification

    //2. Add these functions at the bottom of your AppDelegate before the last "}"
    func application(_ application: UIApplication, didRegister notificationSettings: UNNotificationSettings) {
        application.registerForRemoteNotifications()//register for push notif after users granted their permission for showing notification
}
    func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
    let tokenString = deviceToken.reduce("", {$0 + String(format: "%02X", $1)})
    print("Device Token: \(tokenString)")//print device token in debugger console
}
    func application(_ application: UIApplication, didFailToRegisterForRemoteNotificationsWithError error: Error) {
    print("Failed to register: \(error)")//print error in debugger console
}

0

単に次のようにしてdidFinishWithLaunching:ください:

if #available(iOS 10.0, *) {

    let center = UNUserNotificationCenter.current()

    center.delegate = self
    center.requestAuthorization(options: []) { _, _ in
        application.registerForRemoteNotifications()
    }
}

importステートメントについて覚えておいてください。

import UserNotifications

私はこれが受け入れられる答えであると信じています。registerForRemoteNotifications()の完了ハンドラで呼び出すのは正しいようですrequestAuthorization()。あなたも囲むようにしたいことがありregisterForRemoteNotifications()if granted声明: center.requestAuthorization(options:[.badge, .alert, .sound]) { (granted, error) in if granted { UIApplication.shared.registerForRemoteNotifications() } }
Bocaxica

-1

このコメント付きコードを見てください:

import Foundation
import UserNotifications
import ObjectMapper

class AppDelegate{

    let center = UNUserNotificationCenter.current()
}

extension AppDelegate {

    struct Keys {
        static let deviceToken = "deviceToken"
    }

    // MARK: - UIApplicationDelegate Methods
    func application(_: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {

        if let tokenData: String = String(data: deviceToken, encoding: String.Encoding.utf8) {
            debugPrint("Device Push Token \(tokenData)")
        }

        // Prepare the Device Token for Registration (remove spaces and < >)
        setDeviceToken(deviceToken)
    }

    func application(_: UIApplication, didFailToRegisterForRemoteNotificationsWithError error: Error) {
        debugPrint(error.localizedDescription)
    }

    // MARK: - Private Methods
    /**
     Register remote notification to send notifications
     */
    func registerRemoteNotification() {

        center.requestAuthorization(options: [.alert, .sound, .badge]) { (granted, error) in

            // Enable or disable features based on authorization.
            if granted  == true {

                DispatchQueue.main.async {
                    UIApplication.shared.registerForRemoteNotifications()
                }
            } else {
                debugPrint("User denied the permissions")
            }
        }
    }

    /**
     Deregister remote notification
     */
    func deregisterRemoteNotification() {
        UIApplication.shared.unregisterForRemoteNotifications()
    }

    func setDeviceToken(_ token: Data) {
        let token = token.map { String(format: "%02.2hhx", arguments: [$0]) }.joined()
        UserDefaults.setObject(token as AnyObject?, forKey: “deviceToken”)
    }

    class func deviceToken() -> String {
        let deviceToken: String? = UserDefaults.objectForKey(“deviceToken”) as? String

        if isObjectInitialized(deviceToken as AnyObject?) {
            return deviceToken!
        }

        return "123"
    }

    func isObjectInitialized(_ value: AnyObject?) -> Bool {
        guard let _ = value else {
                return false
         }
            return true
    }
}

extension AppDelegate: UNUserNotificationCenterDelegate {

    func userNotificationCenter(_ center: UNUserNotificationCenter, willPresent notification: UNNotification, withCompletionHandler completionHandler: @escaping(UNNotificationPresentationOptions) -> Swift.Void) {

        ("\(notification.request.content.userInfo) Identifier: \(notification.request.identifier)")

        completionHandler([.alert, .badge, .sound])
    }

    func userNotificationCenter(_ center: UNUserNotificationCenter, didReceive response: UNNotificationResponse, withCompletionHandler completionHandler: @escaping() -> Swift.Void) {

        debugPrint("\(response.notification.request.content.userInfo) Identifier: \(response.notification.request.identifier)")

    }
}

問題があれば教えてください!

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.