1.3 C
New York
Thursday, March 27, 2025

swift – My Flutter Name Equipment Implementation works for Android however not for iOS


I’m able to ship an incoming_call notification on each iOS and Android, I am not truly utilizing it to start out a name, it simply brings them to a ready room the place I exploit Agora to

  void _listenForNotifications() {
    print("Establishing foreground message listener");

    FirebaseMessaging.onMessage.hear((RemoteMessage message) {

      print('Obtained a foreground message:');
      print('Title: ${message.notification?.title}');
      print('Physique: ${message.notification?.physique}');
      print('Information: ${message.knowledge}');
      print('Full message dump: $message');

      bool isCallNotification = false;

      if (message.knowledge['type'] == 'MEETING_STARTED' &&
          message.knowledge['notificationType'] == 'incoming_call') {
        isCallNotification = true;
        print(
            "Name detected through MEETING_STARTED sort and incoming_call notificationType");
      } else if (message.knowledge['notificationType'] == 'incoming_call') {
        isCallNotification = true;
        print("Name detected through incoming_call notificationType");
      } else if (message.knowledge.containsKey('meetingId') &&
          message.knowledge.containsKey('channelId') &&
          message.knowledge.containsKey('token')) {
        isCallNotification = true;
        print("Name detected through presence of assembly parameters");
      }

      if (isCallNotification) {
        print("Detected incoming name notification in foreground");
        _handleIncomingCall(message);
      } else {
        // Deal with different varieties of notifications
        _handleMessageWhenAppForeground(message);
      }
    }, onError: (error, stack) {
      NotificationLogger.logError("foreground_listener", error, stack);

      print("Error in foreground message listener: $error");
      print("Stack hint: $stack");
    });

    print("Foreground message listener arrange full");
  }

  void _handleIncomingCall(RemoteMessage message) async {
    attempt {
      print("[DEBUG] Dealing with incoming name");

      // Use the UUID from the message or generate a brand new one
      remaining String callId = message.knowledge['uuid'] ?? const Uuid().v4();

      // Test for and finish any lively calls
      remaining Record activeCalls =
          await FlutterCallkitIncoming.activeCalls();
      if (activeCalls.isNotEmpty) {
        await FlutterCallkitIncoming.endAllCalls();
      }

      // Create name parameters
      remaining CallKitParams callKitParams = CallKitParams(
        id: callId,
        nameCaller: message.knowledge['callerName'] ?? 'Unknown',
        appName: 'Foundermatcha',
        avatar: message.knowledge['callerImage'],
        deal with: 'Video Name',
        sort: 1, // Video name
        period: 30000,
        textAccept: 'Settle for',
        textDecline: 'Decline',
        missedCallNotification: const NotificationParams(
          showNotification: true,
          isShowCallback: true,
          subtitle: 'Missed name',
          callbackText: 'Name again',
        ),
        further: {
          'meetingId': message.knowledge['meetingId'],
          'channelId': message.knowledge['channelId'],
          'token': message.knowledge['token'],
          'imageRotation': message.knowledge['imageRotation'] ?? '0',
        },
        android: const AndroidParams(
          isCustomNotification: true,
          isShowLogo: true,
          ringtonePath: 'system_ringtone_default',
          backgroundColor: '#78C452',
          backgroundUrl: 'property/pictures/emblem.png',
          actionColor: '#4CAF50',
          incomingCallNotificationChannelName: "Incoming Name",
          missedCallNotificationChannelName: "Missed Name",
        ),
        ios: const IOSParams(
          iconName: 'CallKitLogo',
          handleType: 'generic',
          supportsVideo: true,
          maximumCallGroups: 2,
          maximumCallsPerCallGroup: 1,
          audioSessionMode: 'default',
          audioSessionActive: true,
          audioSessionPreferredSampleRate: 44100.0,
          audioSessionPreferredIOBufferDuration: 0.005,
          supportsDTMF: true,
          supportsHolding: true,
          supportsGrouping: false,
          supportsUngrouping: false,
          ringtonePath: 'system_ringtone_default',
        ),
      );

      print("[DEBUG] Displaying name UI");
      await FlutterCallkitIncoming.showCallkitIncoming(callKitParams);
      print("[DEBUG] Name UI displayed");

      // Arrange occasion listener for this particular name
      _setupCallEventListener(callId, message);
    } catch (e, stack) {
      print("[ERROR] Exception in _handleIncomingCall: $e");
      print("[ERROR] Stack hint: $stack");
    }
  }

And when it will get to .showCallkitIncoming it ought to… Present the decision package! nevertheless it at all times returns null. The system is working for Android however not iOS.

This is how I begin the decision:

  Future _initiateTestCall() async {
    remaining targetToken = _targetDeviceTokenController.textual content.trim();
    if (targetToken.isEmpty) {
      setState(() {
        _status="Please enter a goal system token";
      });
      return;
    }

    setState(() {
      _isLoading = true;
      _status="Initiating check name...";
    });

    attempt {
      remaining currentUser = ref.learn(userProvider);
      if (currentUser == null) {
        setState(() {
          _status="Error: Present consumer not discovered";
          _isLoading = false;
        });
        return;
      }

      // Get a pattern token for testing
      remaining tokenResult =
          await FirebaseFunctions.occasion.httpsCallable('generateToken').name({
        'channelName': 'test_channel_${DateTime.now().millisecondsSinceEpoch}',
        'expiryTime': 3600,
      });

      remaining token = tokenResult.knowledge['token'] as String?;
      if (token == null) {
        setState(() {
          _status="Error: Did not generate token";
          _isLoading = false;
        });
        return;
      }

      remaining meetingId = "test_meeting_${DateTime.now().millisecondsSinceEpoch}";
      remaining channelId = "test_channel_${DateTime.now().millisecondsSinceEpoch}";

      String? callerImage = currentUser.profileImageUrl;

      remaining firebaseMessagingServices =
          ref.learn(firebaseMessagingServicesProvider);

      await firebaseMessagingServices.sendMeetingStartedNotification(
        customers: [currentUser.uid],
        title: "Incoming Video Name",
        physique: "${currentUser.firstName} is asking you",
        sort: "MEETING_STARTED",
        starterId: currentUser.uid,
        //hardcoded
        recipientId: "mtIslN60KpWGt1jg1a6jESwSkvW2",
        recipientToken: targetToken,
        meetingId: meetingId,
        channelId: channelId,
        token: token,
        callerName: currentUser.firstName,
        callerImage: callerImage,
        notificationType: "incoming_call",
        imageNeedsRotation: true,
      );

      setState(() {
        _status="Take a look at name notification despatched!";
        _isLoading = false;
      });
    } catch (e) {
      setState(() {
        _status="Error sending check name: $e";
        _isLoading = false;
      });
    }
  }


  Future sendMeetingStartedNotification({
    required Record customers,
    required String title,
    required String physique,
    required String sort,
    required String starterId,
    required String recipientId,
    String? recipientToken,
    String? meetingId,
    String? channelId,
    String? token,
    String? callerName,
    String? callerImage,
    String? notificationType,
    bool imageNeedsRotation = false,
  }) async {
    print('Sending assembly began notification...');
    print('getting token');

    print('Recipient token: $recipientToken');
    print('Recipient ID: $recipientId');

    // Test for lacking token
    if (recipientToken == null || recipientToken.isEmpty) {
      print("Can't ship notification: recipient token is lacking");
      attempt {
        remaining userDoc =
            await FirebaseConstants.usersCollection.doc(recipientId).get();
        recipientToken = userDoc.knowledge()?['deviceToken'];
        if (recipientToken == null || recipientToken.isEmpty) {
          print("No legitimate token discovered for consumer: $recipientId");
          return;
        }
      } catch (e) {
        print("Error fetching token: $e");
        return;
      }
    }

    var serverAccessTokenKey = await getAccessToken();

    // Generate a UUID for the decision that will likely be constant between notification and handler
    remaining callUuid = const Uuid().v4();

    // Decide channel ID for Android
    String androidChannelId = 'high_importance_channel';
    if (notificationType == 'incoming_call') {
      androidChannelId = 'incoming_calls';
    } else if (sort == 'MEETING_REMINDER') {
      androidChannelId = 'meeting_reminders';
    } else if (sort.accommodates('chat') || sort.accommodates('CHAT')) {
      androidChannelId = 'support_chat';
    }

    remaining Map notificationBody;
    if (notificationType == 'incoming_call') {
      // Information-only message format for calls
      notificationBody = {
        'message': {
          'token': recipientToken,
          'knowledge': {
            'title': title,
            'physique': physique,
            'sort': sort,
            'senderId': starterId,
            'recipientId': recipientId,
            'meetingId': meetingId ?? 'unknown',
            'channelId': channelId ?? 'unknown',
            'token': token ?? 'unknown',
            'callerName': callerName ?? 'Unknown Caller',
            'callerImage': callerImage ?? '',
            'imageRotation': imageNeedsRotation ? '270' : '0',
            'notificationType': 'incoming_call',
            'timestamp': DateTime.now().millisecondsSinceEpoch.toString(),
            'uuid': callUuid,
          },
          'android': {
            'precedence': 'excessive',
          },
          'apns': {
            'headers': {
              'apns-priority': '10',
              'apns-push-type': 'background',
            },
            'payload': {
              'aps': {
                'content-available': 1,
                'sound': 'default',
                'class': 'INCOMING_CALL',
              },
            },
          },
        }
      };
      print('Name notification physique accommodates: $notificationBody');
    } else {
      // Common notification format
      notificationBody = {
        'message': {
          'token': recipientToken,
          'notification': {
            'title': title,
            'physique': physique,
          },
          'knowledge': {
            'sort': sort,
            'senderId': starterId,
            'recipientId': recipientId,
            'meetingId': meetingId ?? '',
            'channelId': channelId ?? '',
            'token': token ?? '',
            'callerName': callerName ?? '',
            'callerImage': callerImage ?? '',
            'imageRotation': imageNeedsRotation ? '270' : '0',
            'notificationType': notificationType ?? '',
            'timestamp': DateTime.now().millisecondsSinceEpoch.toString(),
          },
          'android': {
            'precedence': 'excessive',
            'notification': {
              'channel_id': androidChannelId,
            },
          },
          'apns': {
            'headers': {
              'apns-priority': '10',
            },
            'payload': {
              'aps': {
                'class': notificationType == 'incoming_call'
                    ? 'INCOMING_CALL'
                    : 'DEFAULT',
                'sound': 'default',
                'badge': 1,
                'content-available': 1,
              },
            },
          },
        }
      };
    }

    print('Sending notification payload: ${jsonEncode(notificationBody)}');
    print('Notification sort: $sort, Channel: $androidChannelId');

    remaining headers = {
      'content-type': 'utility/json',
      'Authorization': "Bearer $serverAccessTokenKey",
    };

    attempt {
      remaining response = await http.publish(
        Uri.parse(AppConfig.firebaseNotificationsApi),
        headers: headers,
        physique: jsonEncode(notificationBody),
      );

      if (response.statusCode == 200) {
        print('Notification despatched efficiently - Sort: $sort');
        return;
      } else {
        print(
            'Error sending notification. ${response.statusCode} : ${response.physique}');

        // Deal with token errors
        if (response.physique.accommodates("UNREGISTERED") ||
            response.statusCode == 404) {
          attempt {
            // We already confirmed the notification for dev atmosphere above
            print("Token seems to be invalid - could also be a growth token");
          } catch (e) {
            print("Error dealing with token standing: $e");
          }
        }

        // Attempt various format for calls
        if (response.statusCode == 400 && notificationType == 'incoming_call') {
          print('Making an attempt various name notification format...');
          await _sendAlternativeCallNotification(
            recipientToken: recipientToken,
            title: title,
            physique: physique,
            sort: sort,
            starterId: starterId,
            recipientId: recipientId,
            meetingId: meetingId,
            channelId: channelId,
            token: token,
            callerName: callerName,
            callerImage: callerImage,
            imageRotation: imageNeedsRotation ? '270' : '0',
            serverAccessTokenKey: serverAccessTokenKey,
          );
        }
      }
    } catch (e) {
      print('Exception sending notification: $e');
    }
  }

I am unfamiliar with the the decision package however I can not determine from the docs what’s inflicting the problem. This is the terminal out put from the caller:

flutter: Sending assembly began notification...
flutter: getting token
flutter: Recipient token: fwzrcggr90A6jFmUUb9M_2:APA91bHL50Ai2WHbppnuw_4LmE50YlyDETfrY2X081A7_QW_-9Aoz8xIQMLyTyKACeeo31VueJvQDttU3Z1PGmmGggre5PdJKkid5B-L0tzY7G7XfkbK3Tg
flutter: Recipient ID: mtIslN60KpWGt1jg1a6jESwSkvW2
flutter: Name notification physique accommodates: {message: {token: fwzrcggr90A6jFmUUb9M_2:APA91bHL50Ai2WHbppnuw_4LmE50YlyDETfrY2X081A7_QW_-9Aoz8xIQMLyTyKACeeo31VueJvQDttU3Z1PGmmGggre5PdJKkid5B-L0tzY7G7XfkbK3Tg, knowledge: {title: Incoming Video Name, physique: 8 is asking you, sort: MEETING_STARTED, senderId: 3DaYgDkMtJQo5OmY6cLasygINvh2, recipientId: mtIslN60KpWGt1jg1a6jESwSkvW2, meetingId: test_meeting_1741275230450, channelId: test_channel_1741275230450, token: 007eJxTYFAsYD2/tuzmp2trmbyXLJzu55Kx4Mq5zZ6CG0SNxO80/DRXYEg1tUw0tEg2SDVNTDKxSEu1NEtKMkwxsTQwMzZOMTdMjjtwMj3v3Mn0s8VRrIwMjAwsDIwMIMAEJpnBJAuYlGIoSS0uiU/OSMzLS82JNzQ3MTQyNzUysjAyt2RgAAAYCCea, callerName: 8, callerImage: https://firebasestorage.googleapis.com/v0/b/foundermatcha.appspot.com/o/userImagespercent2F3DaYgDkMtJQo5OmY6cLasygINvh2percent2Fprofilepicture?alt=media&token=9810d869-c004-483b-b2a9-d76870c0501a, imageRotation: 270, notificationType: incoming_call, timestamp: 1741275230707, uuid: e7cca826-29db-480c-9220-ac62f5c71721}, android: {precedence: excessive}, ap<…>
flutter: Sending notification payload: {"message":{"token":"fwzrcggr90A6jFmUUb9M_2:APA91bHL50Ai2WHbppnuw_4LmE50YlyDETfrY2X081A7_QW_-9Aoz8xIQMLyTyKACeeo31VueJvQDttU3Z1PGmmGggre5PdJKkid5B-L0tzY7G7XfkbK3Tg","knowledge":{"title":"Incoming Video Name","physique":"8 is asking you","sort":"MEETING_STARTED","senderId":"3DaYgDkMtJQo5OmY6cLasygINvh2","recipientId":"mtIslN60KpWGt1jg1a6jESwSkvW2","meetingId":"test_meeting_1741275230450","channelId":"test_channel_1741275230450","token":"007eJxTYFAsYD2/tuzmp2trmbyXLJzu55Kx4Mq5zZ6CG0SNxO80/DRXYEg1tUw0tEg2SDVNTDKxSEu1NEtKMkwxsTQwMzZOMTdMjjtwMj3v3Mn0s8VRrIwMjAwsDIwMIMAEJpnBJAuYlGIoSS0uiU/OSMzLS82JNzQ3MTQyNzUysjAyt2RgAAAYCCea","callerName":"8","callerImage":"https://firebasestorage.googleapis.com/v0/b/foundermatcha.appspot.com/o/userImagespercent2F3DaYgDkMtJQo5OmY6cLasygINvh2percent2Fprofilepicture?alt=media&token=9810d869-c004-483b-b2a9-d76870c0501a","imageRotation":"270","notificationType":"incoming_call","timestamp":"1741275230707","uuid":"e7cca826-29db-480c-9220-ac62f5c71721"},<…>
flutter: Notification sort: MEETING_STARTED, Channel: incoming_calls
flutter: Notification despatched efficiently - Sort: MEETING_STARTED

And right here it’s for the receiver(from when the decision is obtained):

flutter: Obtained a foreground message:
flutter: Title: null
flutter: Physique: null
flutter: Information: {physique: 8 is asking you, callerImage: https://firebasestorage.googleapis.com/v0/b/foundermatcha.appspot.com/o/userImagespercent2F3DaYgDkMtJQo5OmY6cLasygINvh2percent2Fprofilepicture?alt=media&token=9810d869-c004-483b-b2a9-d76870c0501a, meetingId: test_meeting_1741275230450, senderId: 3DaYgDkMtJQo5OmY6cLasygINvh2, channelId: test_channel_1741275230450, uuid: e7cca826-29db-480c-9220-ac62f5c71721, timestamp: 1741275230707, imageRotation: 270, callerName: 8, notificationType: incoming_call, sort: MEETING_STARTED, title: Incoming Video Name, token: 007eJxTYFAsYD2/tuzmp2trmbyXLJzu55Kx4Mq5zZ6CG0SNxO80/DRXYEg1tUw0tEg2SDVNTDKxSEu1NEtKMkwxsTQwMzZOMTdMjjtwMj3v3Mn0s8VRrIwMjAwsDIwMIMAEJpnBJAuYlGIoSS0uiU/OSMzLS82JNzQ3MTQyNzUysjAyt2RgAAAYCCea, recipientId: mtIslN60KpWGt1jg1a6jESwSkvW2}
flutter: Full message dump: Occasion of 'RemoteMessage'
flutter: Name detected through MEETING_STARTED sort and incoming_call notificationType
flutter: ✅ Detected incoming name notification in foreground
flutter: [DEBUG] Dealing with incoming name
flutter: [DEBUG] Displaying name UI
flutter: [DEBUG] Name UI displayed

Additionally I’ve these background modes in information.plist:

    UIBackgroundModes
    
        fetch
        remote-notification
        processing 
    

As I am not truly beginning a name I do not consider I would like voip
And that is my AppDelegate & CallKitBridge

import Flutter
import UIKit
import FirebaseCore

@primary
@objc class AppDelegate: FlutterAppDelegate {
  personal var callKitBridge: SwiftCallKitBridge?
  personal var methodChannel: FlutterMethodChannel?
  
  override func utility(
    _ utility: UIApplication,
    didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?
  ) -> Bool {
    FirebaseApp.configure()
    GeneratedPluginRegistrant.register(with: self)
    
    // Initialize CallKit bridge
    callKitBridge = SwiftCallKitBridge()
    
    // Setup technique channel
    if let controller = window?.rootViewController as? FlutterViewController {
      methodChannel = FlutterMethodChannel(title: "com.foundermatcha.callkit", binaryMessenger: controller.binaryMessenger)
      
      methodChannel?.setMethodCallHandler({ [weak self] (name, outcome) in
        guard let self = self else { return }
        
        swap name.technique {
        case "endCall":
          self.callKitBridge?.endCall()
          outcome(true)
        case "showIncomingCall":
          if let args = name.arguments as? [String: Any],
             let callerName = args["callerName"] as? String,
             let meetingId = args["meetingId"] as? String,
             let channelId = args["channelId"] as? String,
             let token = args["token"] as? String {
            self.callKitBridge?.reportIncomingCall(from: callerName, meetingId: meetingId, channelId: channelId, token: token)
            outcome(true)
          } else {
            outcome(FlutterError(code: "INVALID_ARGUMENTS", message: "Invalid arguments for showIncomingCall", particulars: nil))
          }
        default:
          outcome(FlutterMethodNotImplemented)
        }
      })
      
      // Set technique channel on bridge
      callKitBridge?.setMethodChannel(methodChannel!)
    }
    
    // Register for normal push notifications
    UNUserNotificationCenter.present().delegate = self
    let authOptions: UNAuthorizationOptions = [.alert, .badge, .sound]
    UNUserNotificationCenter.present().requestAuthorization(
      choices: authOptions,
      completionHandler: { _, _ in }
    )
    utility.registerForRemoteNotifications()
    
    return tremendous.utility(utility, didFinishLaunchingWithOptions: launchOptions)
  }
  
  override func utility(_ utility: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Information) {
    tremendous.utility(utility, didRegisterForRemoteNotificationsWithDeviceToken: deviceToken)
    let tokenParts = deviceToken.map { knowledge in String(format: "%02.2hhx", knowledge) }
    let token = tokenParts.joined()
    print("Push token: (token)")
    methodChannel?.invokeMethod("updatePushToken", arguments: ["token": token])
  }
  
  // Deal with push notifications when app is in background
  override func utility(_ utility: UIApplication, didReceiveRemoteNotification userInfo: [AnyHashable : Any], fetchCompletionHandler completionHandler: @escaping (UIBackgroundFetchResult) -> Void) {
    if let knowledge = userInfo["data"] as? [String: Any], 
       let sort = knowledge["type"] as? String,
       sort == "incoming_call" {
      // Extract name knowledge
      let callerName = knowledge["callerName"] as? String ?? "Unknown"
      let meetingId = knowledge["meetingId"] as? String ?? ""
      let channelId = knowledge["channelId"] as? String ?? ""
      let token = knowledge["token"] as? String ?? ""
      
      // Present CallKit UI
      callKitBridge?.reportIncomingCall(from: callerName, meetingId: meetingId, channelId: channelId, token: token)
    }
    
    completionHandler(.newData)
  }
}
import Flutter
import UIKit
import CallKit
import AVFoundation

@objc public class SwiftCallKitBridge: NSObject, CXProviderDelegate {
    personal let supplier: CXProvider
    personal let callController = CXCallController()
    personal var callId: UUID?
    personal var callInfo: [String: Any]?
    personal var methodChannel: FlutterMethodChannel?
    
    @objc public override init() {
        let providerConfiguration = CXProviderConfiguration(localizedName: "Founder Matcha")
        providerConfiguration.supportsVideo = true
        providerConfiguration.maximumCallsPerCallGroup = 1
        providerConfiguration.supportedHandleTypes = [.generic]
        providerConfiguration.ringtoneSound = "ringtone_default.caf"
        
        if let iconImage = UIImage(named: "CallKitLogo") {
            providerConfiguration.iconTemplateImageData = iconImage.pngData()
        }
        
        supplier = CXProvider(configuration: providerConfiguration)
        
        tremendous.init()
        supplier.setDelegate(self, queue: nil)
    }
    
    @objc public func setMethodChannel(_ channel: FlutterMethodChannel) {
        self.methodChannel = channel
    }
    
    // Report incoming name to the system
    @objc public func reportIncomingCall(from caller: String, meetingId: String, channelId: String, token: String) {
        let callUpdate = CXCallUpdate()
        callUpdate.remoteHandle = CXHandle(sort: .generic, worth: caller)
        callUpdate.hasVideo = true
        callUpdate.supportsDTMF = false
        callUpdate.supportsHolding = false
        callUpdate.supportsGrouping = false
        callUpdate.supportsUngrouping = false
        
        self.callId = UUID()
        
        // Retailer name info for later use
        self.callInfo = [
            "meetingId": meetingId,
            "channelId": channelId,
            "token": token,
            "callerName": caller
        ]
        
        if let callId = self.callId {
            supplier.reportNewIncomingCall(with: callId, replace: callUpdate) { error in
                if let error = error {
                    print("Did not report incoming name: (error.localizedDescription)")
                } else {
                    print("Incoming name reported efficiently")
                    
                    // Allow audio session for the decision
                    let audioSession = AVAudioSession.sharedInstance()
                    do {
                        attempt audioSession.setCategory(.playAndRecord, mode: .voiceChat)
                        attempt audioSession.setActive(true)
                    } catch {
                        print("Error organising audio session: (error)")
                    }
                }
            }
        }
    }
    
    // MARK: - CXProviderDelegate strategies
    
    public func providerDidReset(_ supplier: CXProvider) {
        print("Supplier did reset")
        callId = nil
        callInfo = nil
        
        let audioSession = AVAudioSession.sharedInstance()
        do {
            attempt audioSession.setActive(false)
        } catch {
            print("Error deactivating audio session: (error)")
        }
    }
    
    public func supplier(_ supplier: CXProvider, carry out motion: CXAnswerCallAction) {
        print("Name answered")
        
        if let callInfo = self.callInfo {
            methodChannel?.invokeMethod("callAccepted", arguments: callInfo)
        }
        
        motion.fulfill()
    }
    
    public func supplier(_ supplier: CXProvider, carry out motion: CXEndCallAction) {
        print("Name ended")
        
        if let callId = self.callId {
            methodChannel?.invokeMethod("callEnded", arguments: ["callId": callId.uuidString])
        }
        
        let audioSession = AVAudioSession.sharedInstance()
        do {
            attempt audioSession.setActive(false)
        } catch {
            print("Error deactivating audio session: (error)")
        }
        
        callId = nil
        callInfo = nil
        
        motion.fulfill()
    }
    
    // Technique to programmatically finish the decision
    @objc public func endCall() {
        guard let callId = self.callId else { return }
        
        let endCallAction = CXEndCallAction(name: callId)
        let transaction = CXTransaction(motion: endCallAction)
        
        callController.request(transaction) { error in
            if let error = error {
                print("Error ending name: (error.localizedDescription)")
            } else {
                print("Name ended efficiently")
            }
        }
    }
}

Related Articles

LEAVE A REPLY

Please enter your comment!
Please enter your name here

Latest Articles