From 3dedf7f6f78e3989a19f53c8e1f29e65ca2c3778 Mon Sep 17 00:00:00 2001 From: nielsandriesse Date: Wed, 10 Jun 2020 11:06:56 +1000 Subject: [PATCH] Fix whitelist based open group joining --- .../View Controllers/JoinPublicChatVC.swift | 14 +- .../translations/en.lproj/Localizable.strings | 2 + .../src/Loki/API/LokiDotNetAPI.swift | 23 ++ .../src/Loki/API/LokiFileServerAPI.swift | 4 +- .../src/Loki/API/LokiHTTPClient.swift | 6 +- .../API/Open Groups/LokiPublicChatAPI.swift | 368 +++++++++--------- 6 files changed, 234 insertions(+), 183 deletions(-) diff --git a/Signal/src/Loki/View Controllers/JoinPublicChatVC.swift b/Signal/src/Loki/View Controllers/JoinPublicChatVC.swift index 54994be0d..149ca58c8 100644 --- a/Signal/src/Loki/View Controllers/JoinPublicChatVC.swift +++ b/Signal/src/Loki/View Controllers/JoinPublicChatVC.swift @@ -135,6 +135,10 @@ final class JoinPublicChatVC : BaseVC, UIPageViewControllerDataSource, UIPageVie let urlAsString = url.absoluteString let displayName = OWSProfileManager.shared().localProfileName() // TODO: Profile picture & profile key + OWSPrimaryStorage.shared().dbReadWriteConnection.readWrite { transaction in + transaction.removeObject(forKey: "\(urlAsString).\(channelID)", inCollection: LokiPublicChatAPI.lastMessageServerIDCollection) + transaction.removeObject(forKey: "\(urlAsString).\(channelID)", inCollection: LokiPublicChatAPI.lastDeletionServerIDCollection) + } LokiPublicChatManager.shared.addChat(server: urlAsString, channel: channelID) .done(on: .main) { [weak self] _ in let _ = LokiPublicChatAPI.getMessages(for: channelID, on: urlAsString) @@ -144,9 +148,15 @@ final class JoinPublicChatVC : BaseVC, UIPageViewControllerDataSource, UIPageVie let _ = syncManager.syncAllOpenGroups() self?.presentingViewController!.dismiss(animated: true, completion: nil) } - .catch(on: .main) { [weak self] _ in + .catch(on: .main) { [weak self] error in + var title = NSLocalizedString("Couldn't Join", comment: "") + var message = "" + if case LokiHTTPClient.HTTPError.networkError(let statusCode, _, _) = error, (statusCode == 401 || statusCode == 403) { + title = NSLocalizedString("Unauthorized", comment: "") + message = NSLocalizedString("Please ask the open group operator to add you to the group.", comment: "") + } self?.isJoining = false - self?.showError(title: NSLocalizedString("Couldn't Join", comment: "")) + self?.showError(title: title, message: message) } } diff --git a/Signal/translations/en.lproj/Localizable.strings b/Signal/translations/en.lproj/Localizable.strings index 73db04a82..6d6a05675 100644 --- a/Signal/translations/en.lproj/Localizable.strings +++ b/Signal/translations/en.lproj/Localizable.strings @@ -2840,3 +2840,5 @@ "You" = "You"; "Destination" = "Destination"; "Learn More" = "Learn More"; +"Please ask the open group operator to add you to the group." = "Please ask the open group operator to add you to the group."; +"Unauthorized" = "Unauthorized"; diff --git a/SignalServiceKit/src/Loki/API/LokiDotNetAPI.swift b/SignalServiceKit/src/Loki/API/LokiDotNetAPI.swift index 46b72c26b..08071be7f 100644 --- a/SignalServiceKit/src/Loki/API/LokiDotNetAPI.swift +++ b/SignalServiceKit/src/Loki/API/LokiDotNetAPI.swift @@ -53,6 +53,15 @@ public class LokiDotNetAPI : NSObject { transaction.setObject(newValue, forKey: server, inCollection: authTokenCollection) } + public static func clearAuthToken(for server: String) { + // Dispatch async on the main queue to avoid nested write transactions + DispatchQueue.main.async { + storage.dbReadWriteConnection.readWrite { transaction in + transaction.removeObject(forKey: server, inCollection: authTokenCollection) + } + } + } + // MARK: Lifecycle override private init() { } @@ -198,3 +207,17 @@ public class LokiDotNetAPI : NSObject { } } } + +// MARK: Error Handling +internal extension Promise { + + internal func handlingInvalidAuthTokenIfNeeded(for server: String) -> Promise { + return recover(on: DispatchQueue.global()) { error -> Promise in + if let error = error as? NetworkManagerError, (error.statusCode == 401 || error.statusCode == 403) { + print("[Loki] Group chat auth token for: \(server) expired; dropping it.") + LokiDotNetAPI.clearAuthToken(for: server) + } + throw error + } + } +} diff --git a/SignalServiceKit/src/Loki/API/LokiFileServerAPI.swift b/SignalServiceKit/src/Loki/API/LokiFileServerAPI.swift index 926d2799d..f50b18dfc 100644 --- a/SignalServiceKit/src/Loki/API/LokiFileServerAPI.swift +++ b/SignalServiceKit/src/Loki/API/LokiFileServerAPI.swift @@ -92,7 +92,7 @@ public final class LokiFileServerAPI : LokiDotNetAPI { */ return deviceLinks } - } + }.handlingInvalidAuthTokenIfNeeded(for: server) } public static func setDeviceLinks(_ deviceLinks: Set) -> Promise { @@ -108,7 +108,7 @@ public final class LokiFileServerAPI : LokiDotNetAPI { request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] return attempt(maxRetryCount: 8, recoveringOn: LokiAPI.workQueue) { LokiFileServerProxy(for: server).perform(request).map { _ in } - }.recover { error in + }.handlingInvalidAuthTokenIfNeeded(for: server).recover { error in print("Couldn't update device links due to error: \(error).") throw error } diff --git a/SignalServiceKit/src/Loki/API/LokiHTTPClient.swift b/SignalServiceKit/src/Loki/API/LokiHTTPClient.swift index caf5bbcc1..f42a247e9 100644 --- a/SignalServiceKit/src/Loki/API/LokiHTTPClient.swift +++ b/SignalServiceKit/src/Loki/API/LokiHTTPClient.swift @@ -1,7 +1,7 @@ import PromiseKit /// Base class for `LokiSnodeProxy` and `LokiFileServerProxy`. -internal class LokiHTTPClient { +public class LokiHTTPClient { internal lazy var httpSession: AFHTTPSessionManager = { let result = AFHTTPSessionManager(sessionConfiguration: .ephemeral) @@ -34,9 +34,9 @@ internal class LokiHTTPClient { // MARK: - HTTP Error -internal extension LokiHTTPClient { +public extension LokiHTTPClient { - internal enum HTTPError : LocalizedError { + public enum HTTPError : LocalizedError { case networkError(code: Int, response: Any?, underlyingError: Error?) internal static func from(error: Error) -> LokiHTTPClient.HTTPError? { diff --git a/SignalServiceKit/src/Loki/API/Open Groups/LokiPublicChatAPI.swift b/SignalServiceKit/src/Loki/API/Open Groups/LokiPublicChatAPI.swift index 716eb37ff..d58ce8356 100644 --- a/SignalServiceKit/src/Loki/API/Open Groups/LokiPublicChatAPI.swift +++ b/SignalServiceKit/src/Loki/API/Open Groups/LokiPublicChatAPI.swift @@ -24,6 +24,7 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { // MARK: Database override internal class var authTokenCollection: String { "LokiGroupChatAuthTokenCollection" } + @objc public static let lastMessageServerIDCollection = "LokiGroupChatLastMessageServerIDCollection" @objc public static let lastDeletionServerIDCollection = "LokiGroupChatLastDeletionServerIDCollection" @@ -72,7 +73,7 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { removeLastDeletionServerID(for: channel, on: server) } - // MARK: Public API + // MARK: Receiving @objc(getMessagesForGroup:onServer:) public static func objc_getMessages(for group: UInt64, on server: String) -> AnyPromise { return AnyPromise.from(getMessages(for: group, on: server)) @@ -85,80 +86,84 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { } else { queryParameters += "&count=\(fallbackBatchCount)&include_deleted=0" } - let url = URL(string: "\(server)/channels/\(channel)/messages?\(queryParameters)")! - let request = TSRequest(url: url) - return LokiFileServerProxy(for: server).perform(request).map(on: DispatchQueue.global()) { rawResponse in - guard let json = rawResponse as? JSON, let rawMessages = json["data"] as? [JSON] else { - print("[Loki] Couldn't parse messages for public chat channel with ID: \(channel) on server: \(server) from: \(rawResponse).") - throw LokiDotNetAPIError.parsingFailed - } - return rawMessages.flatMap { message in - let isDeleted = (message["is_deleted"] as? Int == 1) - guard !isDeleted else { return nil } - guard let annotations = message["annotations"] as? [JSON], let annotation = annotations.first(where: { $0["type"] as? String == publicChatMessageType }), let value = annotation["value"] as? JSON, - let serverID = message["id"] as? UInt64, let hexEncodedSignatureData = value["sig"] as? String, let signatureVersion = value["sigver"] as? UInt64, - let body = message["text"] as? String, let user = message["user"] as? JSON, let hexEncodedPublicKey = user["username"] as? String, - let timestamp = value["timestamp"] as? UInt64 else { - print("[Loki] Couldn't parse message for public chat channel with ID: \(channel) on server: \(server) from: \(message).") - return nil - } - var profilePicture: LokiPublicChatMessage.ProfilePicture? = nil - let displayName = user["name"] as? String ?? NSLocalizedString("Anonymous", comment: "") - if let userAnnotations = user["annotations"] as? [JSON], let profilePictureAnnotation = userAnnotations.first(where: { $0["type"] as? String == profilePictureType }), - let profilePictureValue = profilePictureAnnotation["value"] as? JSON, let profileKeyString = profilePictureValue["profileKey"] as? String, let profileKey = Data(base64Encoded: profileKeyString), let url = profilePictureValue["url"] as? String { - profilePicture = LokiPublicChatMessage.ProfilePicture(profileKey: profileKey, url: url) - } - let lastMessageServerID = getLastMessageServerID(for: channel, on: server) - if serverID > (lastMessageServerID ?? 0) { setLastMessageServerID(for: channel, on: server, to: serverID) } - let quote: LokiPublicChatMessage.Quote? - if let quoteAsJSON = value["quote"] as? JSON, let quotedMessageTimestamp = quoteAsJSON["id"] as? UInt64, let quoteeHexEncodedPublicKey = quoteAsJSON["author"] as? String, - let quotedMessageBody = quoteAsJSON["text"] as? String { - let quotedMessageServerID = message["reply_to"] as? UInt64 - quote = LokiPublicChatMessage.Quote(quotedMessageTimestamp: quotedMessageTimestamp, quoteeHexEncodedPublicKey: quoteeHexEncodedPublicKey, quotedMessageBody: quotedMessageBody, - quotedMessageServerID: quotedMessageServerID) - } else { - quote = nil + return getAuthToken(for: server).then { token -> Promise<[LokiPublicChatMessage]> in + let url = URL(string: "\(server)/channels/\(channel)/messages?\(queryParameters)")! + let request = TSRequest(url: url) + request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] + return LokiFileServerProxy(for: server).perform(request).map(on: DispatchQueue.global()) { rawResponse in + guard let json = rawResponse as? JSON, let rawMessages = json["data"] as? [JSON] else { + print("[Loki] Couldn't parse messages for public chat channel with ID: \(channel) on server: \(server) from: \(rawResponse).") + throw LokiDotNetAPIError.parsingFailed } - let signature = LokiPublicChatMessage.Signature(data: Data(hex: hexEncodedSignatureData), version: signatureVersion) - let attachmentsAsJSON = annotations.filter { $0["type"] as? String == attachmentType } - let attachments: [LokiPublicChatMessage.Attachment] = attachmentsAsJSON.compactMap { attachmentAsJSON in - guard let value = attachmentAsJSON["value"] as? JSON, let kindAsString = value["lokiType"] as? String, let kind = LokiPublicChatMessage.Attachment.Kind(rawValue: kindAsString), - let serverID = value["id"] as? UInt64, let contentType = value["contentType"] as? String, let size = value["size"] as? UInt, let url = value["url"] as? String else { return nil } - let fileName = value["fileName"] as? String ?? UUID().description - let width = value["width"] as? UInt ?? 0 - let height = value["height"] as? UInt ?? 0 - let flags = (value["flags"] as? UInt) ?? 0 - let caption = value["caption"] as? String - let linkPreviewURL = value["linkPreviewUrl"] as? String - let linkPreviewTitle = value["linkPreviewTitle"] as? String - if kind == .linkPreview { - guard linkPreviewURL != nil && linkPreviewTitle != nil else { - print("[Loki] Ignoring public chat message with invalid link preview.") + return rawMessages.flatMap { message in + let isDeleted = (message["is_deleted"] as? Int == 1) + guard !isDeleted else { return nil } + guard let annotations = message["annotations"] as? [JSON], let annotation = annotations.first(where: { $0["type"] as? String == publicChatMessageType }), let value = annotation["value"] as? JSON, + let serverID = message["id"] as? UInt64, let hexEncodedSignatureData = value["sig"] as? String, let signatureVersion = value["sigver"] as? UInt64, + let body = message["text"] as? String, let user = message["user"] as? JSON, let hexEncodedPublicKey = user["username"] as? String, + let timestamp = value["timestamp"] as? UInt64 else { + print("[Loki] Couldn't parse message for public chat channel with ID: \(channel) on server: \(server) from: \(message).") return nil + } + var profilePicture: LokiPublicChatMessage.ProfilePicture? = nil + let displayName = user["name"] as? String ?? NSLocalizedString("Anonymous", comment: "") + if let userAnnotations = user["annotations"] as? [JSON], let profilePictureAnnotation = userAnnotations.first(where: { $0["type"] as? String == profilePictureType }), + let profilePictureValue = profilePictureAnnotation["value"] as? JSON, let profileKeyString = profilePictureValue["profileKey"] as? String, let profileKey = Data(base64Encoded: profileKeyString), let url = profilePictureValue["url"] as? String { + profilePicture = LokiPublicChatMessage.ProfilePicture(profileKey: profileKey, url: url) + } + let lastMessageServerID = getLastMessageServerID(for: channel, on: server) + if serverID > (lastMessageServerID ?? 0) { setLastMessageServerID(for: channel, on: server, to: serverID) } + let quote: LokiPublicChatMessage.Quote? + if let quoteAsJSON = value["quote"] as? JSON, let quotedMessageTimestamp = quoteAsJSON["id"] as? UInt64, let quoteeHexEncodedPublicKey = quoteAsJSON["author"] as? String, + let quotedMessageBody = quoteAsJSON["text"] as? String { + let quotedMessageServerID = message["reply_to"] as? UInt64 + quote = LokiPublicChatMessage.Quote(quotedMessageTimestamp: quotedMessageTimestamp, quoteeHexEncodedPublicKey: quoteeHexEncodedPublicKey, quotedMessageBody: quotedMessageBody, + quotedMessageServerID: quotedMessageServerID) + } else { + quote = nil + } + let signature = LokiPublicChatMessage.Signature(data: Data(hex: hexEncodedSignatureData), version: signatureVersion) + let attachmentsAsJSON = annotations.filter { $0["type"] as? String == attachmentType } + let attachments: [LokiPublicChatMessage.Attachment] = attachmentsAsJSON.compactMap { attachmentAsJSON in + guard let value = attachmentAsJSON["value"] as? JSON, let kindAsString = value["lokiType"] as? String, let kind = LokiPublicChatMessage.Attachment.Kind(rawValue: kindAsString), + let serverID = value["id"] as? UInt64, let contentType = value["contentType"] as? String, let size = value["size"] as? UInt, let url = value["url"] as? String else { return nil } + let fileName = value["fileName"] as? String ?? UUID().description + let width = value["width"] as? UInt ?? 0 + let height = value["height"] as? UInt ?? 0 + let flags = (value["flags"] as? UInt) ?? 0 + let caption = value["caption"] as? String + let linkPreviewURL = value["linkPreviewUrl"] as? String + let linkPreviewTitle = value["linkPreviewTitle"] as? String + if kind == .linkPreview { + guard linkPreviewURL != nil && linkPreviewTitle != nil else { + print("[Loki] Ignoring public chat message with invalid link preview.") + return nil + } } + return LokiPublicChatMessage.Attachment(kind: kind, server: server, serverID: serverID, contentType: contentType, size: size, fileName: fileName, flags: flags, + width: width, height: height, caption: caption, url: url, linkPreviewURL: linkPreviewURL, linkPreviewTitle: linkPreviewTitle) } - return LokiPublicChatMessage.Attachment(kind: kind, server: server, serverID: serverID, contentType: contentType, size: size, fileName: fileName, flags: flags, - width: width, height: height, caption: caption, url: url, linkPreviewURL: linkPreviewURL, linkPreviewTitle: linkPreviewTitle) - } - let result = LokiPublicChatMessage(serverID: serverID, hexEncodedPublicKey: hexEncodedPublicKey, displayName: displayName, profilePicture: profilePicture, - body: body, type: publicChatMessageType, timestamp: timestamp, quote: quote, attachments: attachments, signature: signature) - guard result.hasValidSignature() else { - print("[Loki] Ignoring public chat message with invalid signature.") - return nil - } - var existingMessageID: String? = nil - storage.dbReadConnection.read { transaction in - existingMessageID = storage.getIDForMessage(withServerID: UInt(result.serverID!), in: transaction) - } - guard existingMessageID == nil else { - print("[Loki] Ignoring duplicate public chat message.") - return nil - } - return result - }.sorted { $0.timestamp < $1.timestamp } - } + let result = LokiPublicChatMessage(serverID: serverID, hexEncodedPublicKey: hexEncodedPublicKey, displayName: displayName, profilePicture: profilePicture, + body: body, type: publicChatMessageType, timestamp: timestamp, quote: quote, attachments: attachments, signature: signature) + guard result.hasValidSignature() else { + print("[Loki] Ignoring public chat message with invalid signature.") + return nil + } + var existingMessageID: String? = nil + storage.dbReadConnection.read { transaction in + existingMessageID = storage.getIDForMessage(withServerID: UInt(result.serverID!), in: transaction) + } + guard existingMessageID == nil else { + print("[Loki] Ignoring duplicate public chat message.") + return nil + } + return result + }.sorted { $0.timestamp < $1.timestamp } + } + }.handlingInvalidAuthTokenIfNeeded(for: server) } + // MARK: Sending @objc(sendMessage:toGroup:onServer:) public static func objc_sendMessage(_ message: LokiPublicChatMessage, to group: UInt64, on server: String) -> AnyPromise { return AnyPromise.from(sendMessage(message, to: group, on: server)) @@ -189,13 +194,7 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { let timestamp = UInt64(date.timeIntervalSince1970) * 1000 return LokiPublicChatMessage(serverID: serverID, hexEncodedPublicKey: getUserHexEncodedPublicKey(), displayName: displayName, profilePicture: signedMessage.profilePicture, body: body, type: publicChatMessageType, timestamp: timestamp, quote: signedMessage.quote, attachments: signedMessage.attachments, signature: signedMessage.signature) } - }.recover { error -> Promise in - if let error = error as? NetworkManagerError, error.statusCode == 401 { - print("[Loki] Group chat auth token for: \(server) expired; dropping it.") - storage.dbReadWriteConnection.removeObject(forKey: server, inCollection: authTokenCollection) - } - throw error - } + }.handlingInvalidAuthTokenIfNeeded(for: server) }.done { message in seal.fulfill(message) }.catch { error in @@ -204,7 +203,8 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { } return promise } - + + // MARK: Deletion public static func getDeletedMessageServerIDs(for channel: UInt64, on server: String) -> Promise<[UInt64]> { print("[Loki] Getting deleted messages for public chat channel with ID: \(channel) on server: \(server).") let queryParameters: String @@ -213,23 +213,26 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { } else { queryParameters = "count=\(fallbackBatchCount)" } - let url = URL(string: "\(server)/loki/v1/channel/\(channel)/deletes?\(queryParameters)")! - let request = TSRequest(url: url) - return LokiFileServerProxy(for: server).perform(request).map { rawResponse in - guard let json = rawResponse as? JSON, let deletions = json["data"] as? [JSON] else { - print("[Loki] Couldn't parse deleted messages for public chat channel with ID: \(channel) on server: \(server) from: \(rawResponse).") - throw LokiDotNetAPIError.parsingFailed - } - return deletions.flatMap { deletion in - guard let serverID = deletion["id"] as? UInt64, let messageServerID = deletion["message_id"] as? UInt64 else { - print("[Loki] Couldn't parse deleted message for public chat channel with ID: \(channel) on server: \(server) from: \(deletion).") - return nil + return getAuthToken(for: server).then { token -> Promise<[UInt64]> in + let url = URL(string: "\(server)/loki/v1/channel/\(channel)/deletes?\(queryParameters)")! + let request = TSRequest(url: url) + request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] + return LokiFileServerProxy(for: server).perform(request).map { rawResponse in + guard let json = rawResponse as? JSON, let deletions = json["data"] as? [JSON] else { + print("[Loki] Couldn't parse deleted messages for public chat channel with ID: \(channel) on server: \(server) from: \(rawResponse).") + throw LokiDotNetAPIError.parsingFailed + } + return deletions.flatMap { deletion in + guard let serverID = deletion["id"] as? UInt64, let messageServerID = deletion["message_id"] as? UInt64 else { + print("[Loki] Couldn't parse deleted message for public chat channel with ID: \(channel) on server: \(server) from: \(deletion).") + return nil + } + let lastDeletionServerID = getLastDeletionServerID(for: channel, on: server) + if serverID > (lastDeletionServerID ?? 0) { setLastDeletionServerID(for: channel, on: server, to: serverID) } + return messageServerID } - let lastDeletionServerID = getLastDeletionServerID(for: channel, on: server) - if serverID > (lastDeletionServerID ?? 0) { setLastDeletionServerID(for: channel, on: server, to: serverID) } - return messageServerID } - } + }.handlingInvalidAuthTokenIfNeeded(for: server) } @objc(deleteMessageWithID:forGroup:onServer:isSentByUser:) @@ -238,65 +241,22 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { } public static func deleteMessage(with messageID: UInt, for channel: UInt64, on server: String, isSentByUser: Bool) -> Promise { + let isModerationRequest = !isSentByUser + print("[Loki] Deleting message with ID: \(messageID) for public chat channel with ID: \(channel) on server: \(server) (isModerationRequest = \(isModerationRequest)).") + let urlAsString = isSentByUser ? "\(server)/channels/\(channel)/messages/\(messageID)" : "\(server)/loki/v1/moderation/message/\(messageID)" return attempt(maxRetryCount: maxRetryCount, recoveringOn: DispatchQueue.global()) { getAuthToken(for: server).then { token -> Promise in - let isModerationRequest = !isSentByUser - print("[Loki] Deleting message with ID: \(messageID) for public chat channel with ID: \(channel) on server: \(server) (isModerationRequest = \(isModerationRequest)).") - let urlAsString = isSentByUser ? "\(server)/channels/\(channel)/messages/\(messageID)" : "\(server)/loki/v1/moderation/message/\(messageID)" let url = URL(string: urlAsString)! let request = TSRequest(url: url, method: "DELETE", parameters: [:]) request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] return LokiFileServerProxy(for: server).perform(request).done { result -> Void in print("[Loki] Deleted message with ID: \(messageID) on server: \(server).") } - } - } - } - - public static func getModerators(for channel: UInt64, on server: String) -> Promise> { - let url = URL(string: "\(server)/loki/v1/channel/\(channel)/get_moderators")! - let request = TSRequest(url: url) - return LokiFileServerProxy(for: server).perform(request).map { rawResponse in - guard let json = rawResponse as? JSON, let moderators = json["moderators"] as? [String] else { - print("[Loki] Couldn't parse moderators for public chat channel with ID: \(channel) on server: \(server) from: \(rawResponse).") - throw LokiDotNetAPIError.parsingFailed - } - let moderatorAsSet = Set(moderators); - if self.moderators.keys.contains(server) { - self.moderators[server]![channel] = moderatorAsSet - } else { - self.moderators[server] = [ channel : moderatorAsSet ] - } - return moderatorAsSet - } - } - - public static func join(_ channel: UInt64, on server: String) -> Promise { - return attempt(maxRetryCount: maxRetryCount, recoveringOn: DispatchQueue.global()) { - getAuthToken(for: server).then { token -> Promise in - let url = URL(string: "\(server)/channels/\(channel)/subscribe")! - let request = TSRequest(url: url, method: "POST", parameters: [:]) - request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] - return LokiFileServerProxy(for: server).perform(request).done { result -> Void in - print("[Loki] Joined channel with ID: \(channel) on server: \(server).") - } - } - } - } - - public static func leave(_ channel: UInt64, on server: String) -> Promise { - return attempt(maxRetryCount: maxRetryCount, recoveringOn: DispatchQueue.global()) { - getAuthToken(for: server).then { token -> Promise in - let url = URL(string: "\(server)/channels/\(channel)/subscribe")! - let request = TSRequest(url: url, method: "DELETE", parameters: [:]) - request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] - return LokiFileServerProxy(for: server).perform(request).done { result -> Void in - print("[Loki] Left channel with ID: \(channel) on server: \(server).") - } - } + }.handlingInvalidAuthTokenIfNeeded(for: server) } } - + + // MARK: Display Name & Profile Picture public static func getDisplayNames(for channel: UInt64, on server: String) -> Promise { let publicChatID = "\(server).\(channel)" guard let hexEncodedPublicKeys = displayNameUpdatees[publicChatID] else { return Promise.value(()) } @@ -321,12 +281,7 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { } } } - } - } - - @objc(isUserModerator:forChannel:onServer:) - public static func isUserModerator(_ hexEncodedPublicString: String, for channel: UInt64, on server: String) -> Bool { - return moderators[server]?[channel]?.contains(hexEncodedPublicString) ?? false + }.handlingInvalidAuthTokenIfNeeded(for: server) } @objc(setDisplayName:on:) @@ -336,9 +291,9 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { public static func setDisplayName(to newDisplayName: String?, on server: String) -> Promise { print("[Loki] Updating display name on server: \(server).") + let parameters: JSON = [ "name" : (newDisplayName ?? "") ] return attempt(maxRetryCount: maxRetryCount, recoveringOn: DispatchQueue.global()) { getAuthToken(for: server).then { token -> Promise in - let parameters: JSON = [ "name" : (newDisplayName ?? "") ] let url = URL(string: "\(server)/users/me")! let request = TSRequest(url: url, method: "PATCH", parameters: parameters) request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] @@ -346,7 +301,7 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { print("Couldn't update display name due to error: \(error).") throw error } - } + }.handlingInvalidAuthTokenIfNeeded(for: server) } } @@ -357,13 +312,13 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { public static func setProfilePictureURL(to url: String?, using profileKey: Data, on server: String) -> Promise { print("[Loki] Updating profile picture on server: \(server).") + var annotation: JSON = [ "type" : profilePictureType ] + if let url = url { + annotation["value"] = [ "profileKey" : profileKey.base64EncodedString(), "url" : url ] + } + let parameters: JSON = [ "annotations" : [ annotation ] ] return attempt(maxRetryCount: maxRetryCount, recoveringOn: DispatchQueue.global()) { getAuthToken(for: server).then { token -> Promise in - var annotation: JSON = [ "type" : profilePictureType ] - if let url = url { - annotation["value"] = [ "profileKey" : profileKey.base64EncodedString(), "url" : url ] - } - let parameters: JSON = [ "annotations" : [ annotation ] ] let url = URL(string: "\(server)/users/me")! let request = TSRequest(url: url, method: "PATCH", parameters: parameters) request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] @@ -371,39 +326,72 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { print("[Loki] Couldn't update profile picture due to error: \(error).") throw error } - } + }.handlingInvalidAuthTokenIfNeeded(for: server) } } - + + // MARK: Joining & Leaving @objc(getInfoForChannelWithID:onServer:) public static func objc_getInfo(for channel: UInt64, on server: String) -> AnyPromise { return AnyPromise.from(getInfo(for: channel, on: server)) } public static func getInfo(for channel: UInt64, on server: String) -> Promise { - let url = URL(string: "\(server)/channels/\(channel)?include_annotations=1")! - let request = TSRequest(url: url) - return LokiFileServerProxy(for: server).perform(request).map { rawResponse in - guard let json = rawResponse as? JSON, - let data = json["data"] as? JSON, - let annotations = data["annotations"] as? [JSON], - let annotation = annotations.first, - let info = annotation["value"] as? JSON, - let displayName = info["name"] as? String, - let countInfo = data["counts"] as? JSON, - let memberCount = countInfo["subscribers"] as? Int else { - print("[Loki] Couldn't parse info for public chat channel with ID: \(channel) on server: \(server) from: \(rawResponse).") - throw LokiDotNetAPIError.parsingFailed - } - let storage = OWSPrimaryStorage.shared() - storage.dbReadWriteConnection.readWrite { transaction in - storage.setUserCount(memberCount, forPublicChatWithID: "\(server).\(channel)", in: transaction) - } - // TODO: Use this to update open group names as needed - return LokiPublicChatInfo(displayName: displayName, memberCount: memberCount) + return attempt(maxRetryCount: maxRetryCount, recoveringOn: DispatchQueue.global()) { + getAuthToken(for: server).then { token -> Promise in + let url = URL(string: "\(server)/channels/\(channel)?include_annotations=1")! + let request = TSRequest(url: url) + request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] + return LokiFileServerProxy(for: server).perform(request).map { rawResponse in + guard let json = rawResponse as? JSON, + let data = json["data"] as? JSON, + let annotations = data["annotations"] as? [JSON], + let annotation = annotations.first, + let info = annotation["value"] as? JSON, + let displayName = info["name"] as? String, + let countInfo = data["counts"] as? JSON, + let memberCount = countInfo["subscribers"] as? Int else { + print("[Loki] Couldn't parse info for public chat channel with ID: \(channel) on server: \(server) from: \(rawResponse).") + throw LokiDotNetAPIError.parsingFailed + } + let storage = OWSPrimaryStorage.shared() + storage.dbReadWriteConnection.readWrite { transaction in + storage.setUserCount(memberCount, forPublicChatWithID: "\(server).\(channel)", in: transaction) + } + // TODO: Use this to update open group names as needed + return LokiPublicChatInfo(displayName: displayName, memberCount: memberCount) + } + }.handlingInvalidAuthTokenIfNeeded(for: server) + } + } + + public static func join(_ channel: UInt64, on server: String) -> Promise { + return attempt(maxRetryCount: maxRetryCount, recoveringOn: DispatchQueue.global()) { + getAuthToken(for: server).then { token -> Promise in + let url = URL(string: "\(server)/channels/\(channel)/subscribe")! + let request = TSRequest(url: url, method: "POST", parameters: [:]) + request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] + return LokiFileServerProxy(for: server).perform(request).done { result -> Void in + print("[Loki] Joined channel with ID: \(channel) on server: \(server).") + } + }.handlingInvalidAuthTokenIfNeeded(for: server) + } + } + + public static func leave(_ channel: UInt64, on server: String) -> Promise { + return attempt(maxRetryCount: maxRetryCount, recoveringOn: DispatchQueue.global()) { + getAuthToken(for: server).then { token -> Promise in + let url = URL(string: "\(server)/channels/\(channel)/subscribe")! + let request = TSRequest(url: url, method: "DELETE", parameters: [:]) + request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] + return LokiFileServerProxy(for: server).perform(request).done { result -> Void in + print("[Loki] Left channel with ID: \(channel) on server: \(server).") + } + }.handlingInvalidAuthTokenIfNeeded(for: server) } } + // MARK: Reporting @objc(reportMessageWithID:inChannel:onServer:) public static func objc_reportMessageWithID(_ messageID: UInt64, in channel: UInt64, on server: String) -> AnyPromise { return AnyPromise.from(reportMessageWithID(messageID, in: channel, on: server)) @@ -412,6 +400,34 @@ public final class LokiPublicChatAPI : LokiDotNetAPI { public static func reportMessageWithID(_ messageID: UInt64, in channel: UInt64, on server: String) -> Promise { let url = URL(string: "\(server)/loki/v1/channels/\(channel)/messages/\(messageID)/report")! let request = TSRequest(url: url, method: "POST", parameters: [:]) + // Only used for the Loki Public Chat which doesn't require authentication return LokiFileServerProxy(for: server).perform(request).map { _ in } } + + // MARK: Moderators + public static func getModerators(for channel: UInt64, on server: String) -> Promise> { + return getAuthToken(for: server).then { token -> Promise> in + let url = URL(string: "\(server)/loki/v1/channel/\(channel)/get_moderators")! + let request = TSRequest(url: url) + request.allHTTPHeaderFields = [ "Content-Type" : "application/json", "Authorization" : "Bearer \(token)" ] + return LokiFileServerProxy(for: server).perform(request).map { rawResponse in + guard let json = rawResponse as? JSON, let moderators = json["moderators"] as? [String] else { + print("[Loki] Couldn't parse moderators for public chat channel with ID: \(channel) on server: \(server) from: \(rawResponse).") + throw LokiDotNetAPIError.parsingFailed + } + let moderatorsAsSet = Set(moderators); + if self.moderators.keys.contains(server) { + self.moderators[server]![channel] = moderatorsAsSet + } else { + self.moderators[server] = [ channel : moderatorsAsSet ] + } + return moderatorsAsSet + } + }.handlingInvalidAuthTokenIfNeeded(for: server) + } + + @objc(isUserModerator:forChannel:onServer:) + public static func isUserModerator(_ hexEncodedPublicString: String, for channel: UInt64, on server: String) -> Bool { + return moderators[server]?[channel]?.contains(hexEncodedPublicString) ?? false + } }