Flutter - firebase FCM 消息根本不适用于 Testflight 发布版本

Flutter - firebase FCM messages not working on Testflight release builds at all

前言:

我的应用程序是基于 Flutter 的 - 但需要本机代码实现才能使 FCM 消息正常工作,请参阅下文了解更多详细信息

GitHub问题#154供参考


我在 iOS 上获取 FCM 通知时遇到了巨大的麻烦,特别是在我发布到 Testflight 的应用程序上。我已经被这个问题困扰了一个星期,完全不知道如何进行。

问题

当 运行 在本地使用 debug/release 在我的设备上使用 Xcode/Android Studio 构建时,会在后台、前台等收到通知。当上传 确切 与 Testflight 相同的应用程序,不会通过 FCM 发送任何通知。

这很重要,因为 FCM 传送 VoIP 通知,Testflight 没有收到这些通知,这非常令人沮丧

问题和解决方案?

我发现了 2 个问题 ( & ),两个问题似乎都表明这是一个 APNS 证书问题 (APNS -> Firebase)。我重新创建了我的证书并将其添加到 Firebase 控制台(对所有证书生成操作使用相同的 .csr 文件)

Setup/Configuration:

尝试过:

<key>FirebaseAppDelegateProxyEnabled</key>
<string>NO</string>

与:

<key>FirebaseAppDelegateProxyEnabled</key>
<string>0</string>

并与 :

<key>FirebaseAppDelegateProxyEnabled</key>
<boolean>false</boolean>
    <key>UIBackgroundModes</key>
    <array>
        <string>audio</string>
        <string>bluetooth-central</string>
        <string>external-accessory</string>
        <string>fetch</string>
        <string>location</string>
        <string>processing</string>
        <string>remote-notification</string>
        <string>voip</string>
        <string>remote-notification</string>
    </array>

Tutorials/sources:

Swift代码:(定位>=10.0)


import UIKit
import CallKit
import Flutter
import Firebase
import UserNotifications
import GoogleMaps
import PushKit
import flutter_voip_push_notification
import flutter_call_kit

@UIApplicationMain
@objc class AppDelegate: FlutterAppDelegate, PKPushRegistryDelegate {
    override func application(
        _ application: UIApplication,
        didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?
    ) -> Bool {
        
        // run firebase app
        FirebaseApp.configure()
        
        // setup Google Maps
        GMSServices.provideAPIKey("google-maps-api-key")
        
        // register notification delegate
        UNUserNotificationCenter.current().delegate = self as UNUserNotificationCenterDelegate
        
        GeneratedPluginRegistrant.register(with: self)
        
        // register VOIP
        self.voipRegistration()
        
        // register notifications
        application.registerForRemoteNotifications();
        return super.application(application, didFinishLaunchingWithOptions: launchOptions)
    }
    
    // Handle updated push credentials
    public func pushRegistry(_ registry: PKPushRegistry, didUpdate pushCredentials: PKPushCredentials, for type: PKPushType) {
        // Process the received pushCredentials
        FlutterVoipPushNotificationPlugin.didUpdate(pushCredentials, forType: type.rawValue);
    }
    
    // Handle incoming pushes
    public func pushRegistry(_ registry: PKPushRegistry,
                             didReceiveIncomingPushWith payload: PKPushPayload,
                             for type: PKPushType,
                             completion: @escaping () -> Swift.Void){
        
        FlutterVoipPushNotificationPlugin.didReceiveIncomingPush(with: payload, forType: type.rawValue)
        
        let signalType = payload.dictionaryPayload["signal_type"] as! String
        if(signalType == "endCall" || signalType == "rejectCall"){
            return
        }
        
        let uuid = payload.dictionaryPayload["session_id"] as! String
        let uID = payload.dictionaryPayload["caller_id"] as! Int
        let callerName = payload.dictionaryPayload["caller_name"] as! String
        let isVideo = payload.dictionaryPayload["call_type"] as! Int == 1;
        FlutterCallKitPlugin.reportNewIncomingCall(
            uuid,
            handle: String(uID),
            handleType: "generic",
            hasVideo: isVideo,
            localizedCallerName: callerName,
            fromPushKit: true
        )
        completion()
    }
    
    // Register for VoIP notifications
    func voipRegistration(){
        // Create a push registry object
        let voipRegistry: PKPushRegistry = PKPushRegistry(queue: DispatchQueue.main)
        // Set the registry's delegate to self
        voipRegistry.delegate = self
        // Set the push type to VoIP
        voipRegistry.desiredPushTypes = [PKPushType.voIP]
    }
}

public func userNotificationCenter(_ center: UNUserNotificationCenter, willPresent notification: UNNotification, withCompletionHandler completionHandler: @escaping (UNNotificationPresentationOptions) -> Void) {
    if #available(iOS 14.0, *) {
        completionHandler([ .banner, .alert, .sound, .badge])
    } else {
        completionHandler([.alert, .sound, .badge])
    }
}

func application(application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
    print(deviceToken)
    Messaging.messaging().apnsToken = deviceToken;
}

颤振main.dart

void main() async {
  WidgetsFlutterBinding.ensureInitialized();
  await Firebase.initializeApp();
  await initializeDateFormatting();
  setupLocator();
  var fcmService = locator<FCMService>();

  FirebaseMessaging.onBackgroundMessage(FCMService.handleFirebaseBackgroundMessage);
  FirebaseMessaging.onMessage.listen((event) {
    print("Foreground message");
    Fluttertoast.showToast(msg: "Received onMessage event");
    FCMService.processCallNotification(event.data);
  });
  FirebaseMessaging.onMessageOpenedApp.listen((event) {
    print("On message opened app");
    Fluttertoast.showToast(msg: "Received onMessageOpenedAppEvent");
    FCMService.handleInitialMessage(event);
  });
  FirebaseMessaging.instance.getInitialMessage().then((value) {
    Fluttertoast.showToast(msg: "Received onLaunch event");
    if (value != null) {
      FCMService.handleInitialMessage(value);
    }
  });

  initConnectyCube();
  runApp(AppProviders());
}

FCMService.dart

  // handle any firebase message
  static Future<void> handleFirebaseBackgroundMessage(RemoteMessage message) async {
    print("Received background message");
    Fluttertoast.showToast(msg: "Received Firebase background message");
    await Firebase.initializeApp();
    setupLocator();
    var fcmService = locator<FCMService>();
    fcmService.init();

    _handleMessage(message, launchMessage: true);
  }

测试:

测试是在 2 部实体 iPhone(6s 和 8)上完成的。当使用(调试和发布)模式直接从 Mac(Android Studio 和 XCode)构建时,两者都与 Firebase FCM 一起工作。从 TestFlight 下载时都不起作用。

如果有任何人可以深入了解配置错误、设置错误或 missing/incorrect Swift 代码,或者只是一个错误或遗漏,我们将不胜感激。

这个问题有时会让人发疯,即使他们在正确的场景中应用了所有东西,所以请尝试检查以下内容:

1- 在您的苹果开发者帐户中,请确保您只有一个 Apple Push Services Certificate 分配给应用标识符 ( Bundle ID ),请避免重复。

2- 如果您使用 APNs 密钥接收通知,您必须确保在您的应用上传到 TestFlight 或 AppStore 时将其设置为生产模式

func application(_ application: UIApplication,
didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
    let token = deviceToken.map { String(format: "%02.2hhx", [=10=]) }.joined()
    
    print("APNs Device Token: \(token)")
    Messaging.messaging().apnsToken = deviceToken
    Messaging.messaging().setAPNSToken(deviceToken, type: .prod)
    
}

Note: TestFlight considered as a release (Production) mode not as sandbox mode

前言: 问题是我的。

TL;DR 仅将 CubeEnvironment 的 1 个引用更改为 PRODUCTION


有多个位置需要更改CubeEnvironment:

使用建议,最好将其添加到“CallManagerService”的 init() 方法中:

    bool isProduction = bool.fromEnvironment('dart.vm.product');
    parameters.environment = isProduction ? CubeEnvironment.PRODUCTION : CubeEnvironment.DEVELOPMENT;

调试(进程): 调试过程(对 Swift 和 XCode 有点不熟悉)本来可以更好。我考虑了各种配置文件、aps-environment 设置等

因为这个问题只发生在 Testflight,它使调试变得更具挑战性和耗时,因为上传调试版本有其自身的一系列问题

最后我添加了一堆日志记录,其中最重要的是 CB-SDK 调试条目(收到通知时):

[
  {
    "subscription": {
      "id": sub id,
      "_id": "insert sub id",
      "user_id": cube_user_id,
      "bundle_identifier": "insert bundle id",
      "client_identification_sequence": "insert client id",
      "notification_channel_id": 6,
      "udid": "insert-uuid",
      "platform_id": 1,
      "environment": "development",
      "notification_channel": {
        "name": "apns_voip"
      },
      "device": {
        "udid": "insert-uuid",
        "platform": {
          "name": "ios"
        }
      }
    }
  }
]

具体来说,下面的条目。

environment": "development

这是因为 APS 使用了 2 种不同的推送通知环境,每个环境都有自己的证书(证书被分配给唯一的 URL,推送通知可能来自该环境)。 aps-environment 设置为 'production(请在开始上传之前查看上传存档屏幕),但我收到 development 环境通知 - 需要修复。

检查我的代码,我终于找到了问题(并修复了上面提到的)。