iOS 设备(前台和后台)上未显示 Firebase 云消息传递通知
Firebase Cloud Messaging notifications not being displayed on iOS device (foreground and background)
我正在使用 FCM 为我的 iOS 应用创建和发送推送通知。
开发环境:
Xcode 11.3
iPhone X 运行 iOS 13.3
Swift 5.2
Pod 版本:
- Firebase 6.14.0
- FirebaseMessaging 4.1.10
- FirebaseInstanceID 4.2.8
问题:
在 运行 出现问题之前,我已将我的应用程序设置为能够在应用程序处于后台和前台时接收通知。我对自己提交了代码感到非常满意。在此之后,我无法在前台或后台接收通知。无论使用通知是从 Cloud Messaging 仪表板还是 POSTMAN 发送的,我都会收到成功的响应,但通知从未出现。
起初我以为我可能已经达到了通知配额,但现在是 2 天 post 事实上。
为了排除故障我已经尝试过:
- 卸载并重新安装应用程序(刷新设备令牌)
- 将
UIApplication.shared.registerForRemoteNotifications()
移至 FirebaseApp.configure()
之前
- 下载了新的 GoogleService-Info.plist 并替换了现有的
- 检查包 ID 等是否全部匹配
- 将 firebase pods 更新到最新版本(如果有帮助,FirebaseMessaging 是 4.1.9)
- 设置
Messaging.messaging().shouldEstablishDirectChannel = true
- 删除并重新添加了所需的功能
- 将
FirebaseAppDelegateProxyEnabled
设置为 YES 和 NO
- 设置
shouldEstablishDirectChannel = true
- 设置
useMessagingDelegateForDirectChannel = true
- 将一些逻辑从 didFinishLaunchingWithOptions() 移至 applicationDidBecomeActive()
代码:
注意:这是最初对我有用的未更改代码。
AppDelegate.swift
import UIKit
import Firebase
import FBSDKCoreKit
import GoogleMaps
import SwiftLocation
import GooglePlaces
import Crashlytics
import GoogleSignIn
import Armchair
import UserNotifications
import FirebaseMessaging
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterDelegate {
var window: UIWindow?
var swipeNavigationViewController: SwipeNavigationViewController!
override init() {
super.init()
FirebaseApp.configure()
Database.database().isPersistenceEnabled = true
swipeNavigationViewController = SwipeNavigationViewController()
}
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey : Any]? = nil) -> Bool {
FirebaseConfiguration.shared.setLoggerLevel(.error)
ApplicationDelegate.shared.application(application, didFinishLaunchingWithOptions: launchOptions)
// Google Maps
GMSServices.provideAPIKey(FireBaseConstants.GoogleAPIKey)
GMSPlacesClient.provideAPIKey(FireBaseConstants.GoogleAPIKey)
GeocoderRequest.GoogleOptions(APIKey: FireBaseConstants.GoogleAPIKey)
let navigationViewController = UINavigationController(rootViewController: swipeNavigationViewController)
navigationViewController.setNavigationBarHidden(true, animated: false)
self.window?.rootViewController = navigationViewController
self.window?.makeKeyAndVisible()
showAlertIfPointedTowardProductionDatabase()
setupReviewRequest()
UIApplication.shared.registerForRemoteNotifications()
let center = UNUserNotificationCenter.current()
center.requestAuthorization(options:[.badge, .alert, .sound]) { (granted, error) in
// If granted comes true you can enabled features based on authorization.
guard granted else { return }
DispatchQueue.main.async {
print("UserID: \(UserManager.sharedManager.currentUser?.userID)")
let pushManager = PushNotificationManager(userID: "currently_logged_in_user_id")
pushManager.registerForPushNotifications()
}
}
UNUserNotificationCenter.current().delegate = self
return true
}
func application(_ app: UIApplication, open url: URL, options: [UIApplication.OpenURLOptionsKey : Any] = [:]) -> Bool {
let handledByFB = ApplicationDelegate.shared.application(app, open: url, options: options)
var handledByGoogle = false
if !handledByFB {
handledByGoogle = GIDSignIn.sharedInstance().handle(url)
}
let handled = handledByFB || handledByGoogle
return handled
}
private func setupReviewRequest() {
//Code...
}
// This method will be called when app received push notifications in foreground
func userNotificationCenter(_ center: UNUserNotificationCenter, willPresent notification: UNNotification, withCompletionHandler completionHandler: @escaping (UNNotificationPresentationOptions) -> Void) {
completionHandler([.alert, .badge, .sound])
}
}
PushNotificationManager.swift
import Foundation
import Firebase
import FirebaseFirestore
import FirebaseMessaging
import UIKit
import UserNotifications
class PushNotificationManager: NSObject, MessagingDelegate, UNUserNotificationCenterDelegate {
let userID: String
let gcmMessageIDKey = "gcm.message_id"
init(userID: String) {
self.userID = userID
super.init()
}
func registerForPushNotifications() {
let authOptions: UNAuthorizationOptions = [.alert, .badge, .sound]
UNUserNotificationCenter.current().requestAuthorization(options: authOptions) { (_, error) in
guard error == nil else{
print(error!.localizedDescription)
return
}
}
//get application instance ID
InstanceID.instanceID().instanceID { (result, error) in
if let error = error {
print("Error fetching remote instance ID: \(error)")
} else if let result = result {
print("Remote instance ID token: \(result.token)")
}
}
UIApplication.shared.registerForRemoteNotifications()
updateFirestorePushTokenIfNeeded()
}
func updateFirestorePushTokenIfNeeded() {
if let token = Messaging.messaging().fcmToken {
// let usersRef = Firestore.firestore().collection("users_table").document(userID)
// usersRef.setData(["fcmToken": token], merge: true)
print("Remote instance ID token: \(token)")
}
}
func messaging(_ messaging: Messaging, didReceiveRegistrationToken fcmToken: String) {
print("Firebase registration token: \(fcmToken)")
let dataDict:[String: String] = ["token": fcmToken]
NotificationCenter.default.post(name: Notification.Name("FCMToken"), object: nil, userInfo: dataDict)
// TODO: If necessary send token to application server.
// Note: This callback is fired at each app startup and whenever a new token is generated.
}
func messaging(_ messaging: Messaging, didReceive remoteMessage: MessagingRemoteMessage) {
print("Received data message: \(remoteMessage.appData)")
}
func userNotificationCenter(_ center: UNUserNotificationCenter, didReceive response: UNNotificationResponse, withCompletionHandler completionHandler: @escaping () -> Void) {
print(response)
}
func application(_ application: UIApplication, didReceiveRemoteNotification userInfo: [AnyHashable: Any]) {
if let messageID = userInfo[gcmMessageIDKey] {
print("Message ID: \(messageID)")
}
print(userInfo)
}
func application(_ application: UIApplication, didFailToRegisterForRemoteNotificationsWithError error: Error) {
print("Unable to register for remote notifications: \(error.localizedDescription)")
}
func application(_ application: UIApplication,didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
let tokenParts = deviceToken.map { //data -> String in
return String(format: "%02.2hhx", [=12=])
}
Messaging.messaging().apnsToken = deviceToken
Messaging.messaging().setAPNSToken(deviceToken, type: .unknown)
UserDefaults.standard.synchronize()
}
}
这是使用以下所有链接设置的(我肯定也忘记了其他一些链接):
- https://code.tutsplus.com/tutorials/get-started-with-firebase-messaging-for-ios--cms-32126#comment-4345018783
- Firebase - Swift 4: Message sent but not received
- Get push notification while App in foreground iOS
- https://www.iosapptemplates.com/blog/ios-development/push-notifications-firebase-swift-5
响应信息:
邮递员:
{
"multicast_id": 2586780331808083728,
"success": 1,
"failure": 0,
"canonical_ids": 0,
"results": [
{
"message_id": "0:1578532253832479%2b1845e62b1845e6"
}
]
}
云消息:
我可以通过移动
来解决问题
func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data)
从 PushNotificationManager 到 AppDelegate。希望这对其他人有帮助!
您可以在控制器层中包含 didRegisterForRemoteNotifications
。我的控制器中也有一个调用 registerForRemoteNotifications
的私有方法。我在 AppDelegate 中实例化了我的控制器,因此它立即可用,当我尝试在没有强引用的情况下制作控制器时确实遇到了问题,可能与弱委托有关。
这是我的全部appDelegate
:
import UIKit
import Firebase
@main
class AppDelegate: UIResponder, UIApplicationDelegate {
var controller: FirebaseMessagingController!
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
FirebaseApp.configure()
self.controller = FirebaseMessagingController.shared
return true
}
// MARK: UISceneSession Lifecycle
func application(_ application: UIApplication, configurationForConnecting connectingSceneSession: UISceneSession, options: UIScene.ConnectionOptions) -> UISceneConfiguration {
// Called when a new scene session is being created.
// Use this method to select a configuration to create the new scene with.
return UISceneConfiguration(name: "Default Configuration", sessionRole: connectingSceneSession.role)
}
func application(_ application: UIApplication, didDiscardSceneSessions sceneSessions: Set<UISceneSession>) {
// Called when the user discards a scene session.
// If any sessions were discarded while the application was not running, this will be called shortly after application:didFinishLaunchingWithOptions.
// Use this method to release any resources that were specific to the discarded scenes, as they will not return.
}
}
我的控制器初始化:
private init() {
NotificationCenter.default.addObserver(
self,
selector: #selector(receiveToken(_:)),
name: .tokenKey,
object: nil)
registerForRemoteNotifications(UIApplication.shared)
requestNotificationPermissions { _ in } // TODO: move to more user friendly place
Messaging.messaging().delegate = UIApplication.shared.delegate as? MessagingDelegate
UNUserNotificationCenter.current().delegate = UIApplication.shared.delegate as? AppDelegate
}
@objc private func receiveToken(_ notification: Notification) {
guard let tokenDict = notification.userInfo as? [Notification.Name: String],
let token = tokenDict[.tokenKey] else { return }
self.token = token
let apiTokenDict = ["token": token]
if AuthService.shared.isLoggedIn {
guard let user = AuthService.shared.user else { return }
FirebaseDatabaseController().updateValues(for: APIRef.userRef(userId: user.userId).endpoint, with: apiTokenDict)
}
}
private func registerForRemoteNotifications(_ application: UIApplication) {
application.registerForRemoteNotifications()
}
private func requestNotificationPermissions(completion: @escaping (Result<Bool, Error>) -> Void) {
let authOptions: UNAuthorizationOptions = [.alert, .badge]
UNUserNotificationCenter.current().requestAuthorization(
options: authOptions,
completionHandler: { success, error in
if success {
completion(.success(success))
} else if let error = error {
completion(.failure(error))
} else {
let error = NSError(domain: #function, code: 0)
completion(.failure(error))
}
}
)
}
didRegisterForRemoteNotifications
也在我的控制器中并收到令牌:
// set FirebaseMessaging service with apnsToken
func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
Messaging.messaging().apnsToken = deviceToken
}
编辑:实际上,我在 AppDelegate 中还有一个部分,接收注册令牌,但将其隐藏在我控制器的扩展中:
extension AppDelegate: MessagingDelegate {
func messaging(_ messaging: Messaging, didReceiveRegistrationToken fcmToken: String?) {
guard let fcmToken = fcmToken else { return }
let dataDict:[NSNotification.Name: String] = [.tokenKey: fcmToken]
NotificationCenter.default.post(name: .tokenKey, object: nil, userInfo: dataDict)
}
}
考虑一下,这是一个奇怪的选择,因为我可以让控制器成为消息传递委托并在那里执行它而无需发布通知....
我正在使用 FCM 为我的 iOS 应用创建和发送推送通知。
开发环境:
Xcode 11.3
iPhone X 运行 iOS 13.3
Swift 5.2
Pod 版本:
- Firebase 6.14.0
- FirebaseMessaging 4.1.10
- FirebaseInstanceID 4.2.8
问题:
在 运行 出现问题之前,我已将我的应用程序设置为能够在应用程序处于后台和前台时接收通知。我对自己提交了代码感到非常满意。在此之后,我无法在前台或后台接收通知。无论使用通知是从 Cloud Messaging 仪表板还是 POSTMAN 发送的,我都会收到成功的响应,但通知从未出现。
起初我以为我可能已经达到了通知配额,但现在是 2 天 post 事实上。
为了排除故障我已经尝试过:
- 卸载并重新安装应用程序(刷新设备令牌)
- 将
UIApplication.shared.registerForRemoteNotifications()
移至FirebaseApp.configure()
之前
- 下载了新的 GoogleService-Info.plist 并替换了现有的
- 检查包 ID 等是否全部匹配
- 将 firebase pods 更新到最新版本(如果有帮助,FirebaseMessaging 是 4.1.9)
- 设置
Messaging.messaging().shouldEstablishDirectChannel = true
- 删除并重新添加了所需的功能
- 将
FirebaseAppDelegateProxyEnabled
设置为 YES 和 NO - 设置
shouldEstablishDirectChannel = true
- 设置
useMessagingDelegateForDirectChannel = true
- 将一些逻辑从 didFinishLaunchingWithOptions() 移至 applicationDidBecomeActive()
代码:
注意:这是最初对我有用的未更改代码。
AppDelegate.swift
import UIKit
import Firebase
import FBSDKCoreKit
import GoogleMaps
import SwiftLocation
import GooglePlaces
import Crashlytics
import GoogleSignIn
import Armchair
import UserNotifications
import FirebaseMessaging
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterDelegate {
var window: UIWindow?
var swipeNavigationViewController: SwipeNavigationViewController!
override init() {
super.init()
FirebaseApp.configure()
Database.database().isPersistenceEnabled = true
swipeNavigationViewController = SwipeNavigationViewController()
}
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey : Any]? = nil) -> Bool {
FirebaseConfiguration.shared.setLoggerLevel(.error)
ApplicationDelegate.shared.application(application, didFinishLaunchingWithOptions: launchOptions)
// Google Maps
GMSServices.provideAPIKey(FireBaseConstants.GoogleAPIKey)
GMSPlacesClient.provideAPIKey(FireBaseConstants.GoogleAPIKey)
GeocoderRequest.GoogleOptions(APIKey: FireBaseConstants.GoogleAPIKey)
let navigationViewController = UINavigationController(rootViewController: swipeNavigationViewController)
navigationViewController.setNavigationBarHidden(true, animated: false)
self.window?.rootViewController = navigationViewController
self.window?.makeKeyAndVisible()
showAlertIfPointedTowardProductionDatabase()
setupReviewRequest()
UIApplication.shared.registerForRemoteNotifications()
let center = UNUserNotificationCenter.current()
center.requestAuthorization(options:[.badge, .alert, .sound]) { (granted, error) in
// If granted comes true you can enabled features based on authorization.
guard granted else { return }
DispatchQueue.main.async {
print("UserID: \(UserManager.sharedManager.currentUser?.userID)")
let pushManager = PushNotificationManager(userID: "currently_logged_in_user_id")
pushManager.registerForPushNotifications()
}
}
UNUserNotificationCenter.current().delegate = self
return true
}
func application(_ app: UIApplication, open url: URL, options: [UIApplication.OpenURLOptionsKey : Any] = [:]) -> Bool {
let handledByFB = ApplicationDelegate.shared.application(app, open: url, options: options)
var handledByGoogle = false
if !handledByFB {
handledByGoogle = GIDSignIn.sharedInstance().handle(url)
}
let handled = handledByFB || handledByGoogle
return handled
}
private func setupReviewRequest() {
//Code...
}
// This method will be called when app received push notifications in foreground
func userNotificationCenter(_ center: UNUserNotificationCenter, willPresent notification: UNNotification, withCompletionHandler completionHandler: @escaping (UNNotificationPresentationOptions) -> Void) {
completionHandler([.alert, .badge, .sound])
}
}
PushNotificationManager.swift
import Foundation
import Firebase
import FirebaseFirestore
import FirebaseMessaging
import UIKit
import UserNotifications
class PushNotificationManager: NSObject, MessagingDelegate, UNUserNotificationCenterDelegate {
let userID: String
let gcmMessageIDKey = "gcm.message_id"
init(userID: String) {
self.userID = userID
super.init()
}
func registerForPushNotifications() {
let authOptions: UNAuthorizationOptions = [.alert, .badge, .sound]
UNUserNotificationCenter.current().requestAuthorization(options: authOptions) { (_, error) in
guard error == nil else{
print(error!.localizedDescription)
return
}
}
//get application instance ID
InstanceID.instanceID().instanceID { (result, error) in
if let error = error {
print("Error fetching remote instance ID: \(error)")
} else if let result = result {
print("Remote instance ID token: \(result.token)")
}
}
UIApplication.shared.registerForRemoteNotifications()
updateFirestorePushTokenIfNeeded()
}
func updateFirestorePushTokenIfNeeded() {
if let token = Messaging.messaging().fcmToken {
// let usersRef = Firestore.firestore().collection("users_table").document(userID)
// usersRef.setData(["fcmToken": token], merge: true)
print("Remote instance ID token: \(token)")
}
}
func messaging(_ messaging: Messaging, didReceiveRegistrationToken fcmToken: String) {
print("Firebase registration token: \(fcmToken)")
let dataDict:[String: String] = ["token": fcmToken]
NotificationCenter.default.post(name: Notification.Name("FCMToken"), object: nil, userInfo: dataDict)
// TODO: If necessary send token to application server.
// Note: This callback is fired at each app startup and whenever a new token is generated.
}
func messaging(_ messaging: Messaging, didReceive remoteMessage: MessagingRemoteMessage) {
print("Received data message: \(remoteMessage.appData)")
}
func userNotificationCenter(_ center: UNUserNotificationCenter, didReceive response: UNNotificationResponse, withCompletionHandler completionHandler: @escaping () -> Void) {
print(response)
}
func application(_ application: UIApplication, didReceiveRemoteNotification userInfo: [AnyHashable: Any]) {
if let messageID = userInfo[gcmMessageIDKey] {
print("Message ID: \(messageID)")
}
print(userInfo)
}
func application(_ application: UIApplication, didFailToRegisterForRemoteNotificationsWithError error: Error) {
print("Unable to register for remote notifications: \(error.localizedDescription)")
}
func application(_ application: UIApplication,didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
let tokenParts = deviceToken.map { //data -> String in
return String(format: "%02.2hhx", [=12=])
}
Messaging.messaging().apnsToken = deviceToken
Messaging.messaging().setAPNSToken(deviceToken, type: .unknown)
UserDefaults.standard.synchronize()
}
}
这是使用以下所有链接设置的(我肯定也忘记了其他一些链接):
- https://code.tutsplus.com/tutorials/get-started-with-firebase-messaging-for-ios--cms-32126#comment-4345018783
- Firebase - Swift 4: Message sent but not received
- Get push notification while App in foreground iOS
- https://www.iosapptemplates.com/blog/ios-development/push-notifications-firebase-swift-5
响应信息:
邮递员:
{
"multicast_id": 2586780331808083728,
"success": 1,
"failure": 0,
"canonical_ids": 0,
"results": [
{
"message_id": "0:1578532253832479%2b1845e62b1845e6"
}
]
}
云消息:
我可以通过移动
来解决问题func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data)
从 PushNotificationManager 到 AppDelegate。希望这对其他人有帮助!
您可以在控制器层中包含 didRegisterForRemoteNotifications
。我的控制器中也有一个调用 registerForRemoteNotifications
的私有方法。我在 AppDelegate 中实例化了我的控制器,因此它立即可用,当我尝试在没有强引用的情况下制作控制器时确实遇到了问题,可能与弱委托有关。
这是我的全部appDelegate
:
import UIKit
import Firebase
@main
class AppDelegate: UIResponder, UIApplicationDelegate {
var controller: FirebaseMessagingController!
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
FirebaseApp.configure()
self.controller = FirebaseMessagingController.shared
return true
}
// MARK: UISceneSession Lifecycle
func application(_ application: UIApplication, configurationForConnecting connectingSceneSession: UISceneSession, options: UIScene.ConnectionOptions) -> UISceneConfiguration {
// Called when a new scene session is being created.
// Use this method to select a configuration to create the new scene with.
return UISceneConfiguration(name: "Default Configuration", sessionRole: connectingSceneSession.role)
}
func application(_ application: UIApplication, didDiscardSceneSessions sceneSessions: Set<UISceneSession>) {
// Called when the user discards a scene session.
// If any sessions were discarded while the application was not running, this will be called shortly after application:didFinishLaunchingWithOptions.
// Use this method to release any resources that were specific to the discarded scenes, as they will not return.
}
}
我的控制器初始化:
private init() {
NotificationCenter.default.addObserver(
self,
selector: #selector(receiveToken(_:)),
name: .tokenKey,
object: nil)
registerForRemoteNotifications(UIApplication.shared)
requestNotificationPermissions { _ in } // TODO: move to more user friendly place
Messaging.messaging().delegate = UIApplication.shared.delegate as? MessagingDelegate
UNUserNotificationCenter.current().delegate = UIApplication.shared.delegate as? AppDelegate
}
@objc private func receiveToken(_ notification: Notification) {
guard let tokenDict = notification.userInfo as? [Notification.Name: String],
let token = tokenDict[.tokenKey] else { return }
self.token = token
let apiTokenDict = ["token": token]
if AuthService.shared.isLoggedIn {
guard let user = AuthService.shared.user else { return }
FirebaseDatabaseController().updateValues(for: APIRef.userRef(userId: user.userId).endpoint, with: apiTokenDict)
}
}
private func registerForRemoteNotifications(_ application: UIApplication) {
application.registerForRemoteNotifications()
}
private func requestNotificationPermissions(completion: @escaping (Result<Bool, Error>) -> Void) {
let authOptions: UNAuthorizationOptions = [.alert, .badge]
UNUserNotificationCenter.current().requestAuthorization(
options: authOptions,
completionHandler: { success, error in
if success {
completion(.success(success))
} else if let error = error {
completion(.failure(error))
} else {
let error = NSError(domain: #function, code: 0)
completion(.failure(error))
}
}
)
}
didRegisterForRemoteNotifications
也在我的控制器中并收到令牌:
// set FirebaseMessaging service with apnsToken
func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
Messaging.messaging().apnsToken = deviceToken
}
编辑:实际上,我在 AppDelegate 中还有一个部分,接收注册令牌,但将其隐藏在我控制器的扩展中:
extension AppDelegate: MessagingDelegate {
func messaging(_ messaging: Messaging, didReceiveRegistrationToken fcmToken: String?) {
guard let fcmToken = fcmToken else { return }
let dataDict:[NSNotification.Name: String] = [.tokenKey: fcmToken]
NotificationCenter.default.post(name: .tokenKey, object: nil, userInfo: dataDict)
}
}
考虑一下,这是一个奇怪的选择,因为我可以让控制器成为消息传递委托并在那里执行它而无需发布通知....