session-ios/SessionNotificationServiceE.../NotificationServiceExtensio...

281 lines
14 KiB
Swift
Raw Normal View History

import UserNotifications
import BackgroundTasks
import SessionMessagingKit
2020-11-11 07:45:50 +01:00
import SignalUtilitiesKit
2021-10-29 07:32:50 +02:00
import CallKit
2022-02-17 04:55:32 +01:00
import PromiseKit
2020-12-03 05:08:29 +01:00
public final class NotificationServiceExtension : UNNotificationServiceExtension {
2020-04-07 01:33:29 +02:00
private var didPerformSetup = false
private var areVersionMigrationsComplete = false
private var contentHandler: ((UNNotificationContent) -> Void)?
2022-03-09 01:33:18 +01:00
private var request: UNNotificationRequest?
2020-04-07 01:33:29 +02:00
2022-02-17 04:55:32 +01:00
public static let isFromRemoteKey = "remote"
public static let threadIdKey = "Signal.AppNotificationsUserInfoKey.threadId"
public static let threadNotificationCounter = "Session.AppNotificationsUserInfoKey.threadNotificationCounter"
2022-02-17 04:55:32 +01:00
// MARK: Did receive a remote push notification request
2020-12-03 05:08:29 +01:00
override public func didReceive(_ request: UNNotificationRequest, withContentHandler contentHandler: @escaping (UNNotificationContent) -> Void) {
self.contentHandler = contentHandler
2022-03-09 01:33:18 +01:00
self.request = request
guard let notificationContent = request.content.mutableCopy() as? UNMutableNotificationContent else { return self.completeSilenty() }
// Abort if the main app is running
2020-12-03 00:12:29 +01:00
var isMainAppAndActive = false
2022-04-07 04:29:09 +02:00
var isCallOngoing = false
if let sharedUserDefaults = UserDefaults(suiteName: "group.com.loki-project.loki-messenger") {
2020-12-03 00:12:29 +01:00
isMainAppAndActive = sharedUserDefaults.bool(forKey: "isMainAppActive")
2022-04-07 04:29:09 +02:00
isCallOngoing = sharedUserDefaults.bool(forKey: "isCallOngoing")
}
2021-05-05 00:47:33 +02:00
guard !isMainAppAndActive else { return self.completeSilenty() }
// Perform main setup
DispatchQueue.main.sync { self.setUpIfNecessary() { } }
// Handle the push notification
2020-07-28 02:25:48 +02:00
AppReadiness.runNowOrWhenAppDidBecomeReady {
2022-03-01 23:42:13 +01:00
let openGorupPollingPromises = self.pollForOpenGroups()
2022-02-17 04:55:32 +01:00
defer {
when(resolved: openGorupPollingPromises).done { _ in
self.completeSilenty()
}
}
guard let base64EncodedData = notificationContent.userInfo["ENCRYPTED_DATA"] as! String?, let data = Data(base64Encoded: base64EncodedData),
let envelope = try? MessageWrapper.unwrap(data: data), let envelopeAsData = try? envelope.serializedData() else {
return self.handleFailure(for: notificationContent)
}
2022-03-21 03:55:51 +01:00
// HACK: It is important to use writeSync() here to avoid a race condition
// where the completeSilenty() is called before the local notification request
// is added to notification center.
Storage.writeSync { transaction in // Intentionally capture self
do {
let (message, proto) = try MessageReceiver.parse(envelopeAsData, openGroupMessageServerID: nil, using: transaction)
2020-12-04 00:00:06 +01:00
switch message {
case let visibleMessage as VisibleMessage:
2022-02-17 04:55:32 +01:00
let tsMessageID = try MessageReceiver.handleVisibleMessage(visibleMessage, associatedWithProto: proto, openGroupID: nil, isBackgroundPoll: false, using: transaction)
2022-02-17 04:55:32 +01:00
// Remove the notificaitons if there is an outgoing messages from a linked device
if let tsMessage = TSMessage.fetch(uniqueId: tsMessageID, transaction: transaction), tsMessage.isKind(of: TSOutgoingMessage.self), let threadID = tsMessage.thread(with: transaction).uniqueId {
let semaphore = DispatchSemaphore(value: 0)
let center = UNUserNotificationCenter.current()
center.getDeliveredNotifications { notifications in
let matchingNotifications = notifications.filter({ $0.request.content.userInfo[NotificationServiceExtension.threadIdKey] as? String == threadID})
center.removeDeliveredNotifications(withIdentifiers: matchingNotifications.map({ $0.request.identifier }))
// Hack: removeDeliveredNotifications seems to be async,need to wait for some time before the delivered notifications can be removed.
DispatchQueue.main.asyncAfter(deadline: .now() + 0.1) { semaphore.signal() }
}
semaphore.wait()
2020-12-04 00:00:06 +01:00
}
2021-08-04 07:57:37 +02:00
case let unsendRequest as UnsendRequest:
MessageReceiver.handleUnsendRequest(unsendRequest, using: transaction)
case let closedGroupControlMessage as ClosedGroupControlMessage:
2022-02-17 04:55:32 +01:00
MessageReceiver.handleClosedGroupControlMessage(closedGroupControlMessage, using: transaction)
2022-03-09 01:33:18 +01:00
case let callMessage as CallMessage:
MessageReceiver.handleCallMessage(callMessage, using: transaction)
guard case .preOffer = callMessage.kind else { return self.completeSilenty() }
if !SSKPreferences.areCallsEnabled {
2022-04-07 04:29:09 +02:00
if let sender = callMessage.sender, let thread = TSContactThread.fetch(for: sender, using: transaction), !thread.isMessageRequest(using: transaction) {
2022-03-09 01:33:18 +01:00
let infoMessage = TSInfoMessage.from(callMessage, associatedWith: thread)
infoMessage.updateCallInfoMessage(.permissionDenied, using: transaction)
2022-04-07 07:10:38 +02:00
SSKEnvironment.shared.notificationsManager?.notifyUser(forIncomingCall: infoMessage, in: thread, transaction: transaction)
2022-03-09 01:33:18 +01:00
}
break
2022-03-09 01:33:18 +01:00
}
2022-04-07 04:29:09 +02:00
if isCallOngoing {
if let sender = callMessage.sender, let thread = TSContactThread.fetch(for: sender, using: transaction), !thread.isMessageRequest(using: transaction) {
// Handle call in busy state
let message = CallMessage()
message.uuid = callMessage.uuid
message.kind = .endCall
SNLog("[Calls] Sending end call message because there is an ongoing call.")
MessageSender.sendNonDurably(message, in: thread, using: transaction).retainUntilComplete()
let infoMessage = TSInfoMessage.from(callMessage, associatedWith: thread)
infoMessage.updateCallInfoMessage(.missed, using: transaction)
2022-04-07 07:10:38 +02:00
SSKEnvironment.shared.notificationsManager?.notifyUser(forIncomingCall: infoMessage, in: thread, transaction: transaction)
2022-04-07 04:29:09 +02:00
}
break
}
2022-03-09 01:33:18 +01:00
self.handleSuccessForIncomingCall(for: callMessage, using: transaction)
default: break
}
} catch {
if let error = error as? MessageReceiver.Error, error.isRetryable {
2022-04-19 05:39:36 +02:00
switch error {
case .invalidGroupPublicKey, .noGroupKeyPair: self.completeSilenty()
default: self.handleFailure(for: notificationContent)
}
}
}
2020-08-05 08:55:55 +02:00
}
}
}
2020-04-07 01:33:29 +02:00
2022-02-17 04:55:32 +01:00
// MARK: Setup
2022-03-09 01:33:18 +01:00
2020-12-03 05:08:29 +01:00
private func setUpIfNecessary(completion: @escaping () -> Void) {
AssertIsOnMainThread()
// The NSE will often re-use the same process, so if we're
2020-04-07 01:33:29 +02:00
// already set up we want to do nothing; we're already ready
// to process new messages.
2020-04-07 01:33:29 +02:00
guard !didPerformSetup else { return }
2020-04-07 01:33:29 +02:00
didPerformSetup = true
// This should be the first thing we do.
SetCurrentAppContext(NotificationServiceExtensionContext())
_ = AppVersion.sharedInstance()
Cryptography.seedRandom()
// We should never receive a non-voip notification on an app that doesn't support
// app extensions since we have to inform the service we wanted these, so in theory
// this path should never occur. However, the service does have our push token
// so it is possible that could change in the future. If it does, do nothing
// and don't disturb the user. Messages will be processed when they open the app.
guard OWSPreferences.isReadyForAppExtensions() else { return completeSilenty() }
AppSetup.setupEnvironment(
appSpecificSingletonBlock: {
2022-02-17 04:55:32 +01:00
SSKEnvironment.shared.notificationsManager = NSENotificationPresenter()
},
migrationCompletion: { [weak self] _, needsConfigSync in
self?.versionMigrationsDidComplete(needsConfigSync: needsConfigSync)
2020-07-23 07:41:47 +02:00
completion()
}
)
NotificationCenter.default.addObserver(self, selector: #selector(storageIsReady), name: .StorageIsReady, object: nil)
}
@objc
private func versionMigrationsDidComplete(needsConfigSync: Bool) {
AssertIsOnMainThread()
areVersionMigrationsComplete = true
// If we need a config sync then trigger it now
if needsConfigSync {
MessageSender.syncConfiguration(forceSyncNow: true).retainUntilComplete()
}
checkIsAppReady()
}
@objc
2020-12-03 05:08:29 +01:00
private func storageIsReady() {
AssertIsOnMainThread()
checkIsAppReady()
}
@objc
2020-12-03 05:08:29 +01:00
private func checkIsAppReady() {
AssertIsOnMainThread()
// Only mark the app as ready once.
guard !AppReadiness.isAppReady() else { return }
// App isn't ready until storage is ready AND all version migrations are complete.
guard OWSStorage.isStorageReady() && areVersionMigrationsComplete else { return }
2020-12-02 06:46:12 +01:00
SignalUtilitiesKit.Configuration.performMainSetup()
// Note that this does much more than set a flag; it will also run all deferred blocks.
AppReadiness.setAppIsReady()
}
2022-02-17 04:55:32 +01:00
// MARK: Handle completion
2021-12-08 07:12:17 +01:00
override public func serviceExtensionTimeWillExpire() {
// Called just before the extension will be terminated by the system.
// Use this as an opportunity to deliver your "best attempt" at modified content, otherwise the original push payload will be used.
2022-02-17 04:55:32 +01:00
completeSilenty()
2021-12-08 07:12:17 +01:00
}
2021-05-05 00:47:33 +02:00
private func completeSilenty() {
2022-02-17 04:55:32 +01:00
SNLog("Complete silenty")
self.contentHandler!(.init())
}
2022-03-09 01:33:18 +01:00
private func handleSuccessForIncomingCall(for callMessage: CallMessage, using transaction: YapDatabaseReadWriteTransaction) {
2022-04-21 02:34:50 +02:00
if #available(iOSApplicationExtension 14.5, *), SSKPreferences.isCallKitSupported {
2021-11-09 06:07:34 +01:00
if let uuid = callMessage.uuid, let caller = callMessage.sender, let timestamp = callMessage.sentTimestamp {
2021-11-09 06:12:08 +01:00
let payload: JSON = ["uuid": uuid, "caller": caller, "timestamp": timestamp]
2021-11-08 07:02:47 +01:00
CXProvider.reportNewIncomingVoIPPushPayload(payload) { error in
2021-11-03 05:31:50 +01:00
if let error = error {
2022-03-09 01:33:18 +01:00
self.handleFailureForVoIP(for: callMessage, using: transaction)
2022-02-14 01:21:32 +01:00
SNLog("Failed to notify main app of call message: \(error)")
2021-11-03 05:31:50 +01:00
} else {
2021-11-08 07:02:47 +01:00
self.completeSilenty()
2022-02-14 01:21:32 +01:00
SNLog("Successfully notified main app of call message.")
2021-11-03 05:31:50 +01:00
}
2021-10-29 07:32:50 +02:00
}
}
2021-11-08 07:02:47 +01:00
} else {
2022-03-09 01:33:18 +01:00
self.handleFailureForVoIP(for: callMessage, using: transaction)
}
}
private func handleFailureForVoIP(for callMessage: CallMessage, using transaction: YapDatabaseReadWriteTransaction) {
let notificationContent = UNMutableNotificationContent()
notificationContent.userInfo = [ NotificationServiceExtension.isFromRemoteKey : true ]
notificationContent.title = "Session"
// Badge Number
let newBadgeNumber = CurrentAppContext().appUserDefaults().integer(forKey: "currentBadgeNumber") + 1
notificationContent.badge = NSNumber(value: newBadgeNumber)
CurrentAppContext().appUserDefaults().set(newBadgeNumber, forKey: "currentBadgeNumber")
if let sender = callMessage.sender, let contact = Storage.shared.getContact(with: sender, using: transaction) {
let senderDisplayName = contact.displayName(for: .regular) ?? sender
notificationContent.body = "\(senderDisplayName) is calling..."
} else {
notificationContent.body = "Incoming call..."
2021-10-29 07:32:50 +02:00
}
2022-03-09 01:33:18 +01:00
let identifier = self.request?.identifier ?? UUID().uuidString
let request = UNNotificationRequest(identifier: identifier, content: notificationContent, trigger: nil)
2022-04-21 02:34:50 +02:00
let semaphore = DispatchSemaphore(value: 0)
UNUserNotificationCenter.current().add(request) { error in
if let error = error {
SNLog("Failed to add notification request due to error:\(error)")
}
semaphore.signal()
}
semaphore.wait()
2022-03-09 01:33:18 +01:00
SNLog("Add remote notification request")
}
2020-12-03 05:08:29 +01:00
private func handleSuccess(for content: UNMutableNotificationContent) {
contentHandler!(content)
}
2020-12-03 05:08:29 +01:00
private func handleFailure(for content: UNMutableNotificationContent) {
2020-12-03 23:16:40 +01:00
content.body = "You've got a new message"
content.title = "Session"
let userInfo: [String:Any] = [ NotificationServiceExtension.isFromRemoteKey : true ]
content.userInfo = userInfo
contentHandler!(content)
}
2020-12-03 23:16:40 +01:00
2022-02-17 04:55:32 +01:00
// MARK: Poll for open groups
2022-03-01 23:42:13 +01:00
private func pollForOpenGroups() -> [Promise<Void>] {
2022-02-17 04:55:32 +01:00
var promises: [Promise<Void>] = []
let servers = Set(Storage.shared.getAllV2OpenGroups().values.map { $0.server })
servers.forEach { server in
let poller = OpenGroupPollerV2(for: server)
2022-04-19 05:39:36 +02:00
let promise = poller.poll(isBackgroundPoll: true).timeout(seconds: 20, timeoutError: NotificationServiceError.timeout)
2022-02-17 04:55:32 +01:00
promises.append(promise)
2020-12-03 23:16:40 +01:00
}
2022-02-17 04:55:32 +01:00
return promises
}
private enum NotificationServiceError: Error {
case timeout
2020-12-03 23:16:40 +01:00
}
}