session-ios/Session/Conversations/ConversationVC+Interaction....

1720 lines
74 KiB
Swift
Raw Normal View History

// Copyright © 2022 Rangeproof Pty Ltd. All rights reserved.
import UIKit
import CoreServices
import Photos
2021-04-07 08:47:39 +02:00
import PhotosUI
import PromiseKit
import GRDB
2022-01-28 06:24:18 +01:00
import SessionUtilitiesKit
import SignalUtilitiesKit
extension ConversationVC:
InputViewDelegate,
MessageCellDelegate,
ContextMenuActionDelegate,
ScrollToBottomButtonDelegate,
SendMediaNavDelegate,
UIDocumentPickerDelegate,
AttachmentApprovalViewControllerDelegate,
GifPickerViewControllerDelegate
{
@objc func handleTitleViewTapped() {
// Don't take the user to settings for unapproved threads
guard !viewModel.viewData.requiresApproval else { return }
2021-03-01 05:15:37 +01:00
openSettings()
}
2021-01-29 01:46:32 +01:00
@objc func openSettings() {
let settingsVC: OWSConversationSettingsViewController = OWSConversationSettingsViewController()
settingsVC.configure(
withThreadId: viewModel.viewData.thread.id,
threadName: viewModel.viewData.threadName,
isClosedGroup: (viewModel.viewData.thread.variant == .closedGroup),
isOpenGroup: (viewModel.viewData.thread.variant == .openGroup),
isNoteToSelf: viewModel.viewData.threadIsNoteToSelf
)
2021-02-19 00:50:18 +01:00
settingsVC.conversationSettingsViewDelegate = self
navigationController?.pushViewController(settingsVC, animated: true, completion: nil)
2021-01-29 01:46:32 +01:00
}
// MARK: - ScrollToBottomButtonDelegate
func handleScrollToBottomButtonTapped() {
2021-07-22 03:10:30 +02:00
// The table view's content size is calculated by the estimated height of cells,
// so the result may be inaccurate before all the cells are loaded. Use this
// to scroll to the last row instead.
scrollToBottom(isAnimated: true)
}
// MARK: - Blocking
@objc func unblock() {
guard self.viewModel.viewData.thread.variant == .contact else { return }
let publicKey: String = self.viewModel.viewData.thread.id
UIView.animate(
withDuration: 0.25,
animations: {
self.blockedBanner.alpha = 0
},
completion: { _ in
GRDBStorage.shared.write { db in
try Contact
.filter(id: publicKey)
.updateAll(db, Contact.Columns.isBlocked.set(to: true))
try MessageSender.syncConfiguration(db, forceSyncNow: true).retainUntilComplete()
}
}
)
}
2021-02-19 00:50:18 +01:00
func showBlockedModalIfNeeded() -> Bool {
guard viewModel.viewData.threadIsBlocked else { return false }
let blockedModal = BlockedModal(publicKey: viewModel.viewData.thread.id)
blockedModal.modalPresentationStyle = .overFullScreen
blockedModal.modalTransitionStyle = .crossDissolve
present(blockedModal, animated: true, completion: nil)
return true
}
// MARK: - SendMediaNavDelegate
func sendMediaNavDidCancel(_ sendMediaNavigationController: SendMediaNavigationController) {
dismiss(animated: true, completion: nil)
}
func sendMediaNav(_ sendMediaNavigationController: SendMediaNavigationController, didApproveAttachments attachments: [SignalAttachment], forThreadId threadId: String, messageText: String?) {
sendAttachments(attachments, with: messageText ?? "")
2021-02-17 00:06:17 +01:00
self.snInputView.text = ""
resetMentions()
dismiss(animated: true) { }
}
func sendMediaNavInitialMessageText(_ sendMediaNavigationController: SendMediaNavigationController) -> String? {
return snInputView.text
}
func sendMediaNav(_ sendMediaNavigationController: SendMediaNavigationController, didChangeMessageText newMessageText: String?) {
snInputView.text = (newMessageText ?? "")
}
// MARK: - AttachmentApprovalViewControllerDelegate
func attachmentApproval(_ attachmentApproval: AttachmentApprovalViewController, didApproveAttachments attachments: [SignalAttachment], forThreadId threadId: String, messageText: String?) {
sendAttachments(attachments, with: messageText ?? "") { [weak self] in
self?.dismiss(animated: true, completion: nil)
}
2021-02-17 00:06:17 +01:00
scrollToBottom(isAnimated: false)
self.snInputView.text = ""
resetMentions()
2021-02-17 00:06:17 +01:00
}
func attachmentApprovalDidCancel(_ attachmentApproval: AttachmentApprovalViewController) {
dismiss(animated: true, completion: nil)
}
func attachmentApproval(_ attachmentApproval: AttachmentApprovalViewController, didChangeMessageText newMessageText: String?) {
snInputView.text = newMessageText ?? ""
}
func attachmentApproval(_ attachmentApproval: AttachmentApprovalViewController, didRemoveAttachment attachment: SignalAttachment) {
}
func attachmentApprovalDidTapAddMore(_ attachmentApproval: AttachmentApprovalViewController) {
}
2021-02-17 00:06:17 +01:00
// MARK: - ExpandingAttachmentsButtonDelegate
func handleGIFButtonTapped() {
let gifVC = GifPickerViewController()
gifVC.delegate = self
let navController = OWSNavigationController(rootViewController: gifVC)
navController.modalPresentationStyle = .fullScreen
present(navController, animated: true) { }
}
func handleDocumentButtonTapped() {
// UIDocumentPickerModeImport copies to a temp file within our container.
// It uses more memory than "open" but lets us avoid working with security scoped URLs.
let documentPickerVC = UIDocumentPickerViewController(documentTypes: [ kUTTypeItem as String ], in: UIDocumentPickerMode.import)
documentPickerVC.delegate = self
documentPickerVC.modalPresentationStyle = .fullScreen
SNAppearance.switchToDocumentPickerAppearance()
present(documentPickerVC, animated: true, completion: nil)
2021-01-29 01:46:32 +01:00
}
func handleLibraryButtonTapped() {
let threadId: String = self.viewModel.viewData.thread.id
requestLibraryPermissionIfNeeded { [weak self] in
DispatchQueue.main.async {
let sendMediaNavController = SendMediaNavigationController.showingMediaLibraryFirst(
threadId: threadId
)
sendMediaNavController.sendMediaNavDelegate = self
sendMediaNavController.modalPresentationStyle = .fullScreen
self?.present(sendMediaNavController, animated: true, completion: nil)
}
}
2021-01-29 01:46:32 +01:00
}
func handleCameraButtonTapped() {
guard requestCameraPermissionIfNeeded() else { return }
requestMicrophonePermissionIfNeeded { }
if AVAudioSession.sharedInstance().recordPermission != .granted {
SNLog("Proceeding without microphone access. Any recorded video will be silent.")
}
let sendMediaNavController = SendMediaNavigationController.showingCameraFirst(threadId: self.viewModel.viewData.thread.id)
sendMediaNavController.sendMediaNavDelegate = self
sendMediaNavController.modalPresentationStyle = .fullScreen
present(sendMediaNavController, animated: true, completion: nil)
2021-02-17 00:23:50 +01:00
}
// MARK: - GifPickerViewControllerDelegate
2021-02-17 00:23:50 +01:00
func gifPickerDidSelect(attachment: SignalAttachment) {
showAttachmentApprovalDialog(for: [ attachment ])
2021-01-29 01:46:32 +01:00
}
// MARK: - UIDocumentPickerDelegate
2021-02-16 22:01:54 +01:00
func documentPickerWasCancelled(_ controller: UIDocumentPickerViewController) {
2021-03-02 00:18:08 +01:00
SNAppearance.switchToSessionAppearance() // Switch back to the correct appearance
2021-02-16 22:01:54 +01:00
}
func documentPicker(_ controller: UIDocumentPickerViewController, didPickDocumentsAt urls: [URL]) {
2021-02-17 00:14:48 +01:00
SNAppearance.switchToSessionAppearance()
guard let url = urls.first else { return } // TODO: Handle multiple?
let urlResourceValues: URLResourceValues
do {
urlResourceValues = try url.resourceValues(forKeys: [ .typeIdentifierKey, .isDirectoryKey, .nameKey ])
}
catch {
DispatchQueue.main.async { [weak self] in
let alert = UIAlertController(title: "Session", message: "An error occurred.", preferredStyle: .alert)
alert.addAction(UIAlertAction(title: "OK", style: .default, handler: nil))
self?.present(alert, animated: true, completion: nil)
}
return
}
let type = urlResourceValues.typeIdentifier ?? (kUTTypeData as String)
guard urlResourceValues.isDirectory != true else {
DispatchQueue.main.async {
OWSAlerts.showAlert(
title: "ATTACHMENT_PICKER_DOCUMENTS_PICKED_DIRECTORY_FAILED_ALERT_TITLE".localized(),
message: "ATTACHMENT_PICKER_DOCUMENTS_PICKED_DIRECTORY_FAILED_ALERT_BODY".localized()
)
}
return
}
let fileName = urlResourceValues.name ?? NSLocalizedString("ATTACHMENT_DEFAULT_FILENAME", comment: "")
guard let dataSource = DataSourcePath.dataSource(with: url, shouldDeleteOnDeallocation: false) else {
DispatchQueue.main.async {
OWSAlerts.showAlert(title: "ATTACHMENT_PICKER_DOCUMENTS_FAILED_ALERT_TITLE".localized())
}
return
}
dataSource.sourceFilename = fileName
// Although we want to be able to send higher quality attachments through the document picker
// it's more imporant that we ensure the sent format is one all clients can accept (e.g. *not* quicktime .mov)
guard !SignalAttachment.isInvalidVideo(dataSource: dataSource, dataUTI: type) else {
return showAttachmentApprovalDialogAfterProcessingVideo(at: url, with: fileName)
}
// "Document picker" attachments _SHOULD NOT_ be resized
let attachment = SignalAttachment.attachment(dataSource: dataSource, dataUTI: type, imageQuality: .original)
showAttachmentApprovalDialog(for: [ attachment ])
}
2021-02-19 00:50:18 +01:00
func showAttachmentApprovalDialog(for attachments: [SignalAttachment]) {
let navController = AttachmentApprovalViewController.wrappedInNavController(
threadId: self.viewModel.viewData.thread.id,
attachments: attachments,
approvalDelegate: self
)
present(navController, animated: true, completion: nil)
}
2021-02-19 00:50:18 +01:00
func showAttachmentApprovalDialogAfterProcessingVideo(at url: URL, with fileName: String) {
ModalActivityIndicatorViewController.present(fromViewController: self, canCancel: true, message: nil) { [weak self] modalActivityIndicator in
let dataSource = DataSourcePath.dataSource(with: url, shouldDeleteOnDeallocation: false)!
dataSource.sourceFilename = fileName
SignalAttachment
.compressVideoAsMp4(
dataSource: dataSource,
dataUTI: kUTTypeMPEG4 as String
)
.attachmentPromise
.done { attachment in
guard
!modalActivityIndicator.wasCancelled,
let attachment = attachment as? SignalAttachment
else { return }
modalActivityIndicator.dismiss {
guard !attachment.hasError else {
self?.showErrorAlert(for: attachment, onDismiss: nil)
return
}
2021-02-17 00:06:17 +01:00
self?.showAttachmentApprovalDialog(for: [ attachment ])
}
}
.retainUntilComplete()
}
}
// MARK: - InputViewDelegate
// MARK: --Message Sending
2021-01-29 01:46:32 +01:00
func handleSendButtonTapped() {
sendMessage()
}
func sendMessage(hasPermissionToSendSeed: Bool = false) {
2021-02-16 22:01:54 +01:00
guard !showBlockedModalIfNeeded() else { return }
2021-02-17 04:26:43 +01:00
let text = replaceMentions(in: snInputView.text.trimmingCharacters(in: .whitespacesAndNewlines))
2021-01-29 01:46:32 +01:00
guard !text.isEmpty else { return }
if text.contains(mnemonic) && !viewModel.viewData.threadIsNoteToSelf && !hasPermissionToSendSeed {
// Warn the user if they're about to send their seed to someone
let modal = SendSeedModal()
modal.modalPresentationStyle = .overFullScreen
modal.modalTransitionStyle = .crossDissolve
modal.proceed = { self.sendMessage(hasPermissionToSendSeed: true) }
return present(modal, animated: true, completion: nil)
}
// Note: 'shouldBeVisible' is set to true the first time a thread is saved so we can
// use it to determine if the user is creating a new thread and update the 'isApproved'
// flags appropriately
let thread: SessionThread = viewModel.viewData.thread
let oldThreadShouldBeVisible: Bool = thread.shouldBeVisible
let sentTimestampMs: Int64 = Int64(floor((Date().timeIntervalSince1970 * 1000)))
let linkPreviewDraft: LinkPreviewDraft? = snInputView.linkPreviewInfo?.draft
let quoteModel: QuotedReplyModel? = snInputView.quoteDraftInfo?.model
approveMessageRequestIfNeeded(
for: thread,
isNewThread: !oldThreadShouldBeVisible,
timestampMs: (sentTimestampMs - 1) // Set 1ms earlier as this is used for sorting
)
.done { [weak self] _ in
GRDBStorage.shared.writeAsync(
updates: { db in
// Update the thread to be visible
_ = try SessionThread
.filter(id: thread.id)
.updateAll(db, SessionThread.Columns.shouldBeVisible.set(to: true))
// Create the interaction
let userPublicKey: String = getUserHexEncodedPublicKey(db)
let interaction: Interaction = try Interaction(
threadId: thread.id,
authorId: getUserHexEncodedPublicKey(db),
variant: .standardOutgoing,
body: text,
timestampMs: sentTimestampMs,
hasMention: text.contains("@\(userPublicKey)"),
linkPreviewUrl: linkPreviewDraft?.urlString
).inserted(db)
// If there is a LinkPreview and it doesn't match an existing one then add it now
if
let linkPreviewDraft: LinkPreviewDraft = linkPreviewDraft,
(try? interaction.linkPreview.isEmpty(db)) == true
{
try LinkPreview(
url: linkPreviewDraft.urlString,
title: linkPreviewDraft.title,
attachmentId: LinkPreview.saveAttachmentIfPossible(
db,
imageData: linkPreviewDraft.jpegImageData,
mimeType: OWSMimeTypeImageJpeg
)
).insert(db)
}
guard let interactionId: Int64 = interaction.id else { return }
// If there is a Quote the insert it now
if let quoteModel: QuotedReplyModel = quoteModel {
try Quote(
interactionId: interactionId,
authorId: quoteModel.authorId,
timestampMs: quoteModel.timestampMs,
body: quoteModel.body,
attachmentId: quoteModel.generateAttachmentThumbnailIfNeeded(db)
).insert(db)
}
try MessageSender.send(
db,
interaction: interaction,
in: thread
)
},
completion: { [weak self] _, _ in
self?.viewModel.sentMessageBeforeUpdate = true
self?.handleMessageSent()
}
)
}
.catch(on: DispatchQueue.main) { [weak self] _ in
// Show an error indicating that approving the thread failed
let alert = UIAlertController(title: "Session", message: "An error occurred when trying to accept this message request", preferredStyle: .alert)
alert.addAction(UIAlertAction(title: "OK", style: .default, handler: nil))
self?.present(alert, animated: true, completion: nil)
}
.retainUntilComplete()
2021-01-29 01:46:32 +01:00
}
func sendAttachments(_ attachments: [SignalAttachment], with text: String, onComplete: (() -> ())? = nil) {
2021-02-16 22:01:54 +01:00
guard !showBlockedModalIfNeeded() else { return }
2021-02-16 22:01:54 +01:00
for attachment in attachments {
if attachment.hasError {
return showErrorAlert(for: attachment, onDismiss: onComplete)
2021-02-16 22:01:54 +01:00
}
}
let text = replaceMentions(in: snInputView.text.trimmingCharacters(in: .whitespacesAndNewlines))
// Note: 'shouldBeVisible' is set to true the first time a thread is saved so we can
// use it to determine if the user is creating a new thread and update the 'isApproved'
// flags appropriately
let thread: SessionThread = viewModel.viewData.thread
let oldThreadShouldBeVisible: Bool = thread.shouldBeVisible
let sentTimestampMs: Int64 = Int64(floor((Date().timeIntervalSince1970 * 1000)))
approveMessageRequestIfNeeded(
for: thread,
isNewThread: !oldThreadShouldBeVisible,
timestampMs: (sentTimestampMs - 1) // Set 1ms earlier as this is used for sorting
)
.done { [weak self] _ in
GRDBStorage.shared.writeAsync(
updates: { db in
// Update the thread to be visible
_ = try SessionThread
.filter(id: thread.id)
.updateAll(db, SessionThread.Columns.shouldBeVisible.set(to: true))
// Create the interaction
let userPublicKey: String = getUserHexEncodedPublicKey(db)
let interaction: Interaction = try Interaction(
threadId: thread.id,
authorId: getUserHexEncodedPublicKey(db),
variant: .standardOutgoing,
body: text,
timestampMs: sentTimestampMs,
hasMention: text.contains("@\(userPublicKey)")
).inserted(db)
try MessageSender.send(
db,
interaction: interaction,
with: attachments,
in: thread
)
},
completion: { [weak self] _, _ in
self?.viewModel.sentMessageBeforeUpdate = true
self?.handleMessageSent()
// Attachment successfully sent - dismiss the screen
DispatchQueue.main.async {
onComplete?()
}
}
)
}
.catch(on: DispatchQueue.main) { [weak self] _ in
// Show an error indicating that approving the thread failed
let alert = UIAlertController(title: "Session", message: "An error occurred when trying to accept this message request", preferredStyle: .alert)
alert.addAction(UIAlertAction(title: "OK", style: .default, handler: nil))
self?.present(alert, animated: true, completion: nil)
}
.retainUntilComplete()
2021-02-16 22:01:54 +01:00
}
func handleMessageSent() {
DispatchQueue.main.async { [weak self] in
self?.snInputView.text = ""
self?.snInputView.quoteDraftInfo = nil
self?.resetMentions()
}
if GRDBStorage.shared[.playNotificationSoundInForeground] {
let soundID = Preferences.Sound.systemSoundId(for: .messageSent, quiet: true)
2021-02-16 22:01:54 +01:00
AudioServicesPlaySystemSound(soundID)
}
let thread: SessionThread = self.viewModel.viewData.thread
GRDBStorage.shared.writeAsync { db in
TypingIndicators.didStopTyping(db, in: thread, direction: .outgoing)
_ = try SessionThread
.filter(id: thread.id)
.updateAll(db, SessionThread.Columns.messageDraft.set(to: ""))
2021-03-01 23:33:31 +01:00
}
2021-02-16 22:01:54 +01:00
}
2021-02-17 05:57:07 +01:00
func showLinkPreviewSuggestionModal() {
let linkPreviewModel = LinkPreviewModal() { [weak self] in
self?.snInputView.autoGenerateLinkPreview()
}
linkPreviewModel.modalPresentationStyle = .overFullScreen
linkPreviewModel.modalTransitionStyle = .crossDissolve
present(linkPreviewModel, animated: true, completion: nil)
}
func inputTextViewDidChangeContent(_ inputTextView: InputTextView) {
let newText: String = (inputTextView.text ?? "")
if !newText.isEmpty {
let thread: SessionThread = self.viewModel.viewData.thread
GRDBStorage.shared.writeAsync { db in
TypingIndicators.didStartTyping(
db,
in: thread,
direction: .outgoing,
timestampMs: Int64(floor(Date().timeIntervalSince1970 * 1000))
)
}
}
updateMentions(for: newText)
}
// MARK: --Attachments
func didPasteImageFromPasteboard(_ image: UIImage) {
guard let imageData = image.jpegData(compressionQuality: 1.0) else { return }
let dataSource = DataSourceValue.dataSource(with: imageData, utiType: kUTTypeJPEG as String)
let attachment = SignalAttachment.attachment(dataSource: dataSource, dataUTI: kUTTypeJPEG as String, imageQuality: .medium)
2021-02-17 05:57:07 +01:00
let approvalVC = AttachmentApprovalViewController.wrappedInNavController(
threadId: self.viewModel.viewData.thread.id,
attachments: [ attachment ],
approvalDelegate: self
)
approvalVC.modalPresentationStyle = .fullScreen
self.present(approvalVC, animated: true, completion: nil)
}
// MARK: --Mentions
func handleMentionSelected(_ mentionInfo: ConversationViewModel.MentionInfo, from view: MentionSelectionView) {
guard let currentMentionStartIndex = currentMentionStartIndex else { return }
mentions.append(mentionInfo)
let newText: String = snInputView.text.replacingCharacters(
in: currentMentionStartIndex...,
with: "@\(mentionInfo.profile.displayName(for: self.viewModel.viewData.thread.variant)) "
)
snInputView.text = newText
self.currentMentionStartIndex = nil
snInputView.hideMentionsUI()
mentions = mentions.filter { mentionInfo -> Bool in
newText.contains(mentionInfo.profile.displayName(for: self.viewModel.viewData.thread.variant))
2021-02-17 04:26:43 +01:00
}
}
func updateMentions(for newText: String) {
guard !newText.isEmpty else {
if currentMentionStartIndex != nil {
2021-02-17 04:26:43 +01:00
snInputView.hideMentionsUI()
}
resetMentions()
return
}
let lastCharacterIndex = newText.index(before: newText.endIndex)
let lastCharacter = newText[lastCharacterIndex]
// Check if there is whitespace before the '@' or the '@' is the first character
let isCharacterBeforeLastWhiteSpaceOrStartOfLine: Bool
if newText.count == 1 {
isCharacterBeforeLastWhiteSpaceOrStartOfLine = true // Start of line
}
else {
let characterBeforeLast = newText[newText.index(before: lastCharacterIndex)]
isCharacterBeforeLastWhiteSpaceOrStartOfLine = characterBeforeLast.isWhitespace
}
if lastCharacter == "@" && isCharacterBeforeLastWhiteSpaceOrStartOfLine {
currentMentionStartIndex = lastCharacterIndex
snInputView.showMentionsUI(for: self.viewModel.mentions())
}
else if lastCharacter.isWhitespace || lastCharacter == "@" { // the lastCharacter == "@" is to check for @@
currentMentionStartIndex = nil
snInputView.hideMentionsUI()
}
else {
if let currentMentionStartIndex = currentMentionStartIndex {
let query = String(newText[newText.index(after: currentMentionStartIndex)...]) // + 1 to get rid of the @
snInputView.showMentionsUI(for: self.viewModel.mentions(for: query))
2021-02-17 04:26:43 +01:00
}
}
}
2021-02-19 00:50:18 +01:00
func resetMentions() {
2021-02-17 04:26:43 +01:00
currentMentionStartIndex = nil
mentions = []
}
2021-02-19 00:50:18 +01:00
func replaceMentions(in text: String) -> String {
2021-02-17 04:26:43 +01:00
var result = text
for mention in mentions {
guard let range = result.range(of: "@\(mention.profile.displayName(for: mention.threadVariant))") else { continue }
result = result.replacingCharacters(in: range, with: "@\(mention.profile.id)")
2021-02-17 04:26:43 +01:00
}
2021-02-17 04:26:43 +01:00
return result
}
2021-02-17 04:26:43 +01:00
func showInputAccessoryView() {
UIView.animate(withDuration: 0.25, animations: {
self.inputAccessoryView?.isHidden = false
self.inputAccessoryView?.alpha = 1
})
}
// MARK: MessageCellDelegate
func handleItemLongPressed(_ item: ConversationViewModel.Item) {
2021-03-02 00:18:08 +01:00
// Show the context menu if applicable
guard
let keyWindow: UIWindow = UIApplication.shared.keyWindow,
let index = viewModel.viewData.items.firstIndex(of: item),
let cell = tableView.cellForRow(at: IndexPath(row: index, section: 0)) as? VisibleMessageCell,
let snapshot = cell.bubbleView.snapshotView(afterScreenUpdates: false),
contextMenuWindow == nil,
let actions: [ContextMenuVC.Action] = ContextMenuVC.actions(
for: item,
currentUserIsOpenGroupModerator: OpenGroupAPIV2.isUserModerator(
self.viewModel.viewData.userPublicKey,
for: self.viewModel.viewData.openGroupRoom,
on: self.viewModel.viewData.openGroupServer
),
delegate: self
)
else { return }
2021-01-29 01:46:32 +01:00
UIImpactFeedbackGenerator(style: .heavy).impactOccurred()
self.contextMenuWindow = ContextMenuWindow()
self.contextMenuVC = ContextMenuVC(
snapshot: snapshot,
frame: cell.convert(cell.bubbleView.frame, to: keyWindow),
item: item,
actions: actions
) { [weak self] in
self?.contextMenuWindow?.isHidden = true
self?.contextMenuVC = nil
self?.contextMenuWindow = nil
self?.scrollButton.alpha = 0
2021-02-17 06:27:35 +01:00
UIView.animate(withDuration: 0.25) {
self?.scrollButton.alpha = (self?.getScrollButtonOpacity() ?? 0)
self?.unreadCountView.alpha = (self?.scrollButton.alpha ?? 0)
2021-02-17 06:27:35 +01:00
}
2021-01-29 01:46:32 +01:00
}
self.contextMenuWindow?.backgroundColor = .clear
self.contextMenuWindow?.rootViewController = self.contextMenuVC
self.contextMenuWindow?.makeKeyAndVisible()
2021-01-29 01:46:32 +01:00
}
func handleItemTapped(_ item: ConversationViewModel.Item, gestureRecognizer: UITapGestureRecognizer) {
guard item.interactionVariant != .standardOutgoing || item.state != .failed else {
// Show the failed message sheet
showFailedMessageSheet(for: item)
return
}
// If it's an incoming media message and the thread isn't trusted then show the placeholder view
if item.cellType != .textOnlyMessage && item.interactionVariant == .standardIncoming && !item.isThreadTrusted {
let modal = DownloadAttachmentModal(profile: item.profile)
2021-04-08 07:32:36 +02:00
modal.modalPresentationStyle = .overFullScreen
modal.modalTransitionStyle = .crossDissolve
2021-04-08 07:32:36 +02:00
present(modal, animated: true, completion: nil)
return
2021-04-08 07:32:36 +02:00
}
switch item.cellType {
case .audio: viewModel.playOrPauseAudio(for: item)
2021-02-15 05:42:16 +01:00
case .mediaMessage:
guard
let index = self.viewModel.viewData.items.firstIndex(where: { $0.interactionId == item.interactionId }),
let cell = tableView.cellForRow(at: IndexPath(row: index, section: 0)) as? VisibleMessageCell,
let albumView: MediaAlbumView = cell.albumView
else { return }
let locationInCell: CGPoint = gestureRecognizer.location(in: cell)
// Figure out which of the media views was tapped
let locationInAlbumView: CGPoint = cell.convert(locationInCell, to: albumView)
guard let mediaView = albumView.mediaView(forLocation: locationInAlbumView) else { return }
switch mediaView.attachment.state {
case .pendingDownload, .downloading, .uploading:
2021-02-15 05:42:16 +01:00
// TODO: Tapped a failed incoming attachment
break
case .failedDownload:
// TODO: Tapped a failed incoming attachment
break
default:
let viewController: UIViewController? = MediaGalleryViewModel.createDetailViewController(
for: self.viewModel.viewData.thread.id,
threadVariant: self.viewModel.viewData.thread.variant,
interactionId: item.interactionId,
selectedAttachmentId: mediaView.attachment.id,
options: [ .sliderEnabled, .showAllMediaButton ]
)
if let viewController: UIViewController = viewController {
/// Delay becoming the first responder to make the return transition a little nicer (allows
/// for the footer on the detail view to slide out rather than instantly vanish)
self.delayFirstResponder = true
/// Dismiss the input before starting the presentation to make everything look smoother
self.resignFirstResponder()
/// Delay the actual presentation to give the 'resignFirstResponder' call the chance to complete
DispatchQueue.main.asyncAfter(deadline: .now() + .milliseconds(200)) { [weak self] in
/// Lock the contentOffset of the tableView so the transition doesn't look buggy
self?.tableView.lockContentOffset = true
self?.present(viewController, animated: true) { [weak self] in
// Unlock the contentOffset so everything will be in the right
// place when we return
self?.tableView.lockContentOffset = false
}
}
}
2021-02-15 05:42:16 +01:00
}
2021-02-15 05:42:16 +01:00
case .genericAttachment:
guard
let attachment: Attachment = item.attachments?.first,
let originalFilePath: String = attachment.originalFilePath
else { return }
let fileUrl: URL = URL(fileURLWithPath: originalFilePath)
// Open a preview of the document for text, pdf or microsoft files
if
attachment.isText ||
attachment.isMicrosoftDoc ||
attachment.contentType == OWSMimeTypeApplicationPdf
{
2022-01-28 06:24:18 +01:00
let interactionController: UIDocumentInteractionController = UIDocumentInteractionController(url: fileUrl)
interactionController.delegate = self
interactionController.presentPreview(animated: true)
return
2022-01-28 06:24:18 +01:00
}
// Otherwise share the file
let shareVC = UIActivityViewController(activityItems: [ fileUrl ], applicationActivities: nil)
navigationController?.present(shareVC, animated: true, completion: nil)
2021-02-15 05:42:16 +01:00
case .textOnlyMessage:
if let reply = viewItem.quotedReply {
2021-03-02 00:18:08 +01:00
// Scroll to the source of the reply
2021-02-19 04:43:49 +01:00
guard let indexPath = viewModel.ensureLoadWindowContainsQuotedReply(reply) else { return }
messagesTableView.scrollToRow(at: indexPath, at: UITableView.ScrollPosition.middle, animated: true)
2021-05-07 07:18:57 +02:00
} else if let message = viewItem.interaction as? TSIncomingMessage, let name = message.openGroupInvitationName,
let url = message.openGroupInvitationURL {
joinOpenGroup(name: name, url: url)
2021-02-19 04:43:49 +01:00
}
2021-02-15 05:42:16 +01:00
default: break
2021-01-29 01:46:32 +01:00
}
}
}
func handleItemDoubleTapped(_ item: ConversationViewModel.Item) {
switch item.cellType {
// The user can double tap a voice message when it's playing to speed it up
case .audio: self.viewModel.speedUpAudio(for: item)
default: break
}
}
2021-01-29 01:46:32 +01:00
func handleItemSwiped(_ item: ConversationViewModel.Item, state: SwipeState) {
switch state {
case .began: tableView.isScrollEnabled = false
case .ended, .cancelled: tableView.isScrollEnabled = true
}
}
func openUrl(_ urlString: String) {
guard let url: URL = URL(string: urlString) else { return }
// URLs can be unsafe, so always ask the user whether they want to open one
let alertVC = UIAlertController.init(
title: "modal_open_url_title".localized(),
message: String(format: "modal_open_url_explanation".localized(), url.absoluteString),
preferredStyle: .actionSheet
)
alertVC.addAction(UIAlertAction.init(title: "modal_open_url_button_title".localized(), style: .default) { [weak self] _ in
UIApplication.shared.open(url, options: [:], completionHandler: nil)
self?.showInputAccessoryView()
})
alertVC.addAction(UIAlertAction.init(title: "modal_copy_url_button_title".localized(), style: .default) { [weak self] _ in
UIPasteboard.general.string = url.absoluteString
self?.showInputAccessoryView()
})
alertVC.addAction(UIAlertAction.init(title: "cancel".localized(), style: .cancel) { [weak self] _ in
self?.showInputAccessoryView()
})
self.presentAlert(alertVC)
}
func handleReplyButtonTapped(for item: ConversationViewModel.Item) {
reply(item)
}
func showUserDetails(for profile: Profile) {
let userDetailsSheet = UserDetailsSheet(for: profile)
userDetailsSheet.modalPresentationStyle = .overFullScreen
userDetailsSheet.modalTransitionStyle = .crossDissolve
present(userDetailsSheet, animated: true, completion: nil)
}
// MARK: --action handling
func showFailedMessageSheet(for item: ConversationViewModel.Item) {
let sheet = UIAlertController(title: item.mostRecentFailureText, message: nil, preferredStyle: .actionSheet)
2021-02-17 05:57:07 +01:00
sheet.addAction(UIAlertAction(title: "Cancel", style: .cancel, handler: nil))
sheet.addAction(UIAlertAction(title: "Delete", style: .destructive, handler: { _ in
GRDBStorage.shared.writeAsync { db in
try Interaction
.filter(id: item.interactionId)
.deleteAll(db)
2021-02-17 05:57:07 +01:00
}
}))
sheet.addAction(UIAlertAction(title: "Resend", style: .default, handler: { _ in
GRDBStorage.shared.writeAsync { [weak self] db in
guard
let interaction: Interaction = try? Interaction.fetchOne(db, id: item.interactionId),
let thread: SessionThread = self?.viewModel.viewData.thread
else { return }
try MessageSender.send(
db,
interaction: interaction,
in: thread
)
2021-02-17 05:57:07 +01:00
}
}))
// HACK: Extracting this info from the error string is pretty dodgy
let prefix: String = "HTTP request failed at destination (Service node "
if let mostRecentFailureText: String = item.mostRecentFailureText, mostRecentFailureText.hasPrefix(prefix) {
let rest = mostRecentFailureText.substring(from: prefix.count)
if let index = rest.firstIndex(of: ")") {
let snodeAddress = String(rest[rest.startIndex..<index])
sheet.addAction(UIAlertAction(title: "Copy Service Node Info", style: .default) { _ in
UIPasteboard.general.string = snodeAddress
})
}
}
present(sheet, animated: true, completion: nil)
2021-02-17 05:57:07 +01:00
}
2021-01-29 01:46:32 +01:00
func joinOpenGroup(name: String?, url: String) {
// Open groups can be unsafe, so always ask the user whether they want to join one
let joinOpenGroupModal: JoinOpenGroupModal = JoinOpenGroupModal(name: name, url: url)
joinOpenGroupModal.modalPresentationStyle = .overFullScreen
joinOpenGroupModal.modalTransitionStyle = .crossDissolve
present(joinOpenGroupModal, animated: true, completion: nil)
2021-01-29 01:46:32 +01:00
}
// MARK: - ContextMenuActionDelegate
func reply(_ item: ConversationViewModel.Item) {
let maybeQuoteDraft: QuotedReplyModel? = QuotedReplyModel.quotedReplyForSending(
threadId: self.viewModel.viewData.thread.id,
authorId: item.authorId,
variant: item.interactionVariant,
body: item.body,
timestampMs: item.timestampMs,
attachments: item.attachments,
linkPreview: item.linkPreview
)
guard let quoteDraft: QuotedReplyModel = maybeQuoteDraft else { return }
snInputView.quoteDraftInfo = (
model: quoteDraft,
isOutgoing: (item.interactionVariant == .standardOutgoing)
)
2021-02-10 04:43:57 +01:00
snInputView.becomeFirstResponder()
2021-01-29 01:46:32 +01:00
}
func copy(_ item: ConversationViewModel.Item) {
switch item.cellType {
case .typingIndicator: break
case .textOnlyMessage:
UIPasteboard.general.string = item.body
case .audio, .genericAttachment, .mediaMessage:
guard
item.attachments?.count == 1,
let attachment: Attachment = item.attachments?.first,
attachment.isValid,
(
attachment.state == .downloaded ||
attachment.state == .uploaded
),
let utiType: String = MIMETypeUtil.utiType(forMIMEType: attachment.contentType),
let originalFilePath: String = attachment.originalFilePath,
let data: Data = try? Data(contentsOf: URL(fileURLWithPath: originalFilePath))
else { return }
UIPasteboard.general.setData(data, forPasteboardType: utiType)
}
2021-07-30 07:26:58 +02:00
}
func copySessionID(_ item: ConversationViewModel.Item) {
guard item.interactionVariant == .standardIncoming || item.interactionVariant == .standardIncomingDeleted else {
return
2021-07-30 08:51:43 +02:00
}
UIPasteboard.general.string = item.authorId
2021-08-02 03:32:46 +02:00
}
func delete(_ item: ConversationViewModel.Item) {
// Only allow deletion on incoming and outgoing messages
guard item.interactionVariant == .standardIncoming || item.interactionVariant == .standardOutgoing else {
return
2021-07-30 08:51:43 +02:00
}
let thread: SessionThread = self.viewModel.viewData.thread
let threadName: String = self.viewModel.viewData.threadName
let userPublicKey: String = getUserHexEncodedPublicKey()
// Remote deletion logic
func deleteRemotely(from viewController: UIViewController?, request: Promise<Void>, onComplete: (() -> ())?) {
// Show a loading indicator
let (promise, seal) = Promise<Void>.pending()
ModalActivityIndicatorViewController.present(fromViewController: viewController, canCancel: false) { _ in
seal.fulfill(())
2021-08-02 03:32:46 +02:00
}
promise
.then { _ -> Promise<Void> in request }
.done { _ in
// Delete the interaction (and associated data) from the database
GRDBStorage.shared.writeAsync { db in
_ = try Interaction
.filter(id: item.interactionId)
.deleteAll(db)
}
}
.ensure {
DispatchQueue.main.async { [weak self] in
if self?.presentedViewController is ModalActivityIndicatorViewController {
self?.dismiss(animated: true, completion: nil) // Dismiss the loader
}
onComplete?()
}
}
.retainUntilComplete()
2021-08-02 03:32:46 +02:00
}
// How we delete the message differs depending on the type of thread
switch item.threadVariant {
// Handle open group messages the old way
case .openGroup:
// If it's an incoming message the user must have moderator status
let result: (openGroupServerMessageId: Int64?, openGroup: OpenGroup?)? = GRDBStorage.shared.read { db -> (Int64?, OpenGroup?) in
(
try Interaction
.select(.openGroupServerMessageId)
.filter(id: item.interactionId)
.asRequest(of: Int64.self)
.fetchOne(db),
try OpenGroup.fetchOne(db, id: thread.id)
)
}
guard
let openGroup: OpenGroup = result?.openGroup,
let openGroupServerMessageId: Int64 = result?.openGroupServerMessageId, (
item.interactionVariant != .standardIncoming ||
OpenGroupAPIV2.isUserModerator(userPublicKey, for: openGroup.room, on: openGroup.server)
)
else { return }
// Delete the message from the open group
deleteRemotely(
from: self,
request: OpenGroupAPIV2.deleteMessage(
with: openGroupServerMessageId,
from: openGroup.room,
on: openGroup.server
)
) { [weak self] in
self?.showInputAccessoryView()
}
case .contact, .closedGroup:
let serverHash: String? = GRDBStorage.shared.read { db -> String? in
try Interaction
.select(.serverHash)
.filter(id: item.interactionId)
.asRequest(of: String.self)
.fetchOne(db)
}
let unsendRequest: UnsendRequest = UnsendRequest(
timestamp: UInt64(item.timestampMs),
author: (item.interactionVariant == .standardOutgoing ?
userPublicKey :
item.authorId
)
)
// For incoming interactions or interactions with no serverHash just delete them locally
guard item.interactionVariant == .standardOutgoing, let serverHash: String = serverHash else {
GRDBStorage.shared.writeAsync { db in
_ = try Interaction
.filter(id: item.interactionId)
.deleteAll(db)
// No need to send the unsendRequest if there is no serverHash (ie. the message
// was outgoing but never got to the server)
guard serverHash != nil else { return }
MessageSender
.send(
db,
message: unsendRequest,
threadId: thread.id,
interactionId: nil,
to: .contact(publicKey: userPublicKey)
)
}
return
}
let alertVC = UIAlertController.init(title: nil, message: nil, preferredStyle: .actionSheet)
alertVC.addAction(UIAlertAction(title: "delete_message_for_me".localized(), style: .destructive) { [weak self] _ in
GRDBStorage.shared.writeAsync { db in
_ = try Interaction
.filter(id: item.interactionId)
.deleteAll(db)
MessageSender
.send(
db,
message: unsendRequest,
threadId: thread.id,
interactionId: nil,
to: .contact(publicKey: userPublicKey)
)
}
self?.showInputAccessoryView()
})
alertVC.addAction(UIAlertAction(
title: (item.threadVariant == .closedGroup ?
"delete_message_for_everyone".localized() :
String(format: "delete_message_for_me_and_recipient".localized(), threadName)
),
style: .destructive
) { [weak self] _ in
deleteRemotely(
from: self,
request: SnodeAPI
.deleteMessage(
publicKey: thread.id,
serverHashes: [serverHash]
)
.map { _ in () }
) { [weak self] in
GRDBStorage.shared.writeAsync { db in
try MessageSender
.send(
db,
message: unsendRequest,
interactionId: nil,
in: thread
)
}
self?.showInputAccessoryView()
}
})
2021-02-10 07:04:26 +01:00
alertVC.addAction(UIAlertAction.init(title: "TXT_CANCEL_TITLE".localized(), style: .cancel) { [weak self] _ in
self?.showInputAccessoryView()
})
self.inputAccessoryView?.isHidden = true
self.inputAccessoryView?.alpha = 0
self.presentAlert(alertVC)
}
2021-02-10 07:04:26 +01:00
}
func save(_ item: ConversationViewModel.Item) {
guard item.cellType == .mediaMessage else { return }
let mediaAttachments: [(Attachment, String)] = (item.attachments ?? [])
.filter { attachment in
attachment.isValid &&
attachment.isVisualMedia && (
attachment.state == .downloaded ||
attachment.state == .uploaded
)
}
.compactMap { attachment in
guard let originalFilePath: String = attachment.originalFilePath else { return nil }
return (attachment, originalFilePath)
}
guard !mediaAttachments.isEmpty else { return }
2021-02-11 04:24:38 +01:00
mediaAttachments.forEach { attachment, originalFilePath in
PHPhotoLibrary.shared().performChanges(
{
if attachment.isImage || attachment.isAnimated {
PHAssetChangeRequest.creationRequestForAssetFromImage(
atFileURL: URL(fileURLWithPath: originalFilePath)
)
}
else if attachment.isVideo {
PHAssetChangeRequest.creationRequestForAssetFromVideo(
atFileURL: URL(fileURLWithPath: originalFilePath)
)
}
},
completionHandler: { _, _ in }
)
}
// Send a 'media saved' notification if needed
guard self.viewModel.viewData.thread.variant == .contact, item.interactionVariant == .standardIncoming else {
return
}
let thread: SessionThread = self.viewModel.viewData.thread
GRDBStorage.shared.writeAsync { db in
try MessageSender.send(
db,
message: DataExtractionNotification(
kind: .mediaSaved(timestamp: UInt64(item.timestampMs))
),
interactionId: nil,
in: thread
)
}
2021-02-11 04:24:38 +01:00
}
func ban(_ item: ConversationViewModel.Item) {
guard item.threadVariant == .openGroup else { return }
let threadId: String = self.viewModel.viewData.thread.id
let alert: UIAlertController = UIAlertController(
title: "Session",
message: "This will ban the selected user from this room. It won't ban them from other rooms.",
preferredStyle: .alert
)
alert.addAction(UIAlertAction(title: "OK", style: .default, handler: { _ in
guard let openGroup: OpenGroup = GRDBStorage.shared.read({ db in try OpenGroup.fetchOne(db, id: threadId) }) else {
return
}
OpenGroupAPIV2
.ban(item.authorId, from: openGroup.room, on: openGroup.server)
.retainUntilComplete()
}))
alert.addAction(UIAlertAction(title: "Cancel", style: .default, handler: nil))
present(alert, animated: true, completion: nil)
2021-07-14 07:56:56 +02:00
}
func banAndDeleteAllMessages(_ item: ConversationViewModel.Item) {
guard item.threadVariant == .openGroup else { return }
let threadId: String = self.viewModel.viewData.thread.id
let alert: UIAlertController = UIAlertController(
title: "Session",
message: "This will ban the selected user from this room and delete all messages sent by them. It won't ban them from other rooms or delete the messages they sent there.",
preferredStyle: .alert
)
alert.addAction(UIAlertAction(title: "OK", style: .default, handler: { _ in
guard let openGroup: OpenGroup = GRDBStorage.shared.read({ db in try OpenGroup.fetchOne(db, id: threadId) }) else {
return
}
OpenGroupAPIV2
.banAndDeleteAllMessages(item.authorId, from: openGroup.room, on: openGroup.server)
.retainUntilComplete()
}))
alert.addAction(UIAlertAction(title: "Cancel", style: .default, handler: nil))
present(alert, animated: true, completion: nil)
}
// MARK: - VoiceMessageRecordingViewDelegate
func startVoiceMessageRecording() {
// Request permission if needed
requestMicrophonePermissionIfNeeded() { [weak self] in
self?.cancelVoiceMessageRecording()
}
// Keep screen on
UIApplication.shared.isIdleTimerDisabled = false
2021-02-16 09:28:32 +01:00
guard AVAudioSession.sharedInstance().recordPermission == .granted else { return }
// Cancel any current audio playback
self.viewModel.stopAudio()
// Create URL
let directory: String = OWSTemporaryDirectory()
let fileName: String = "\(Int64(floor(Date().timeIntervalSince1970 * 1000))).m4a"
let url: URL = URL(fileURLWithPath: directory).appendingPathComponent(fileName)
// Set up audio session
let isConfigured = audioSession.startAudioActivity(recordVoiceMessageActivity)
guard isConfigured else {
return cancelVoiceMessageRecording()
}
// Set up audio recorder
let audioRecorder: AVAudioRecorder
do {
audioRecorder = try AVAudioRecorder(
url: url,
settings: [
AVFormatIDKey: NSNumber(value: kAudioFormatMPEG4AAC),
AVSampleRateKey: NSNumber(value: 44100),
AVNumberOfChannelsKey: NSNumber(value: 2),
AVEncoderBitRateKey: NSNumber(value: 128 * 1024)
]
)
audioRecorder.isMeteringEnabled = true
self.audioRecorder = audioRecorder
}
catch {
SNLog("Couldn't start audio recording due to error: \(error).")
return cancelVoiceMessageRecording()
}
// Limit voice messages to a minute
audioTimer = Timer.scheduledTimer(withTimeInterval: 180, repeats: false, block: { [weak self] _ in
self?.snInputView.hideVoiceMessageUI()
self?.endVoiceMessageRecording()
})
// Prepare audio recorder
guard audioRecorder.prepareToRecord() else {
SNLog("Couldn't prepare audio recorder.")
return cancelVoiceMessageRecording()
}
// Start recording
guard audioRecorder.record() else {
SNLog("Couldn't record audio.")
return cancelVoiceMessageRecording()
}
}
func endVoiceMessageRecording() {
UIApplication.shared.isIdleTimerDisabled = true
// Hide the UI
snInputView.hideVoiceMessageUI()
// Cancel the timer
audioTimer?.invalidate()
// Check preconditions
guard let audioRecorder = audioRecorder else { return }
// Get duration
let duration = audioRecorder.currentTime
// Stop the recording
stopVoiceMessageRecording()
// Check for user misunderstanding
guard duration > 1 else {
self.audioRecorder = nil
OWSAlerts.showAlert(
title: "VOICE_MESSAGE_TOO_SHORT_ALERT_TITLE".localized(),
message: "VOICE_MESSAGE_TOO_SHORT_ALERT_MESSAGE".localized()
)
return
}
// Get data
let dataSourceOrNil = DataSourcePath.dataSource(with: audioRecorder.url, shouldDeleteOnDeallocation: true)
self.audioRecorder = nil
guard let dataSource = dataSourceOrNil else { return SNLog("Couldn't load recorded data.") }
// Create attachment
let fileName = ("VOICE_MESSAGE_FILE_NAME".localized() as NSString).appendingPathExtension("m4a")
dataSource.sourceFilename = fileName
let attachment = SignalAttachment.voiceMessageAttachment(dataSource: dataSource, dataUTI: kUTTypeMPEG4Audio as String)
guard !attachment.hasError else {
return showErrorAlert(for: attachment, onDismiss: nil)
}
// Send attachment
2021-02-16 22:01:54 +01:00
sendAttachments([ attachment ], with: "")
}
func cancelVoiceMessageRecording() {
snInputView.hideVoiceMessageUI()
audioTimer?.invalidate()
stopVoiceMessageRecording()
audioRecorder = nil
}
func stopVoiceMessageRecording() {
audioRecorder?.stop()
audioSession.endAudioActivity(recordVoiceMessageActivity)
}
2021-03-02 04:59:07 +01:00
// MARK: - Permissions
2021-03-02 05:14:00 +01:00
func requestCameraPermissionIfNeeded() -> Bool {
switch AVCaptureDevice.authorizationStatus(for: .video) {
case .authorized: return true
case .denied, .restricted:
let modal = PermissionMissingModal(permission: "camera") { }
modal.modalPresentationStyle = .overFullScreen
modal.modalTransitionStyle = .crossDissolve
present(modal, animated: true, completion: nil)
return false
case .notDetermined:
AVCaptureDevice.requestAccess(for: .video, completionHandler: { _ in })
return false
default: return false
}
}
func requestMicrophonePermissionIfNeeded(onNotGranted: @escaping () -> Void) {
switch AVAudioSession.sharedInstance().recordPermission {
case .granted: break
case .denied:
onNotGranted()
let modal = PermissionMissingModal(permission: "microphone") {
onNotGranted()
}
modal.modalPresentationStyle = .overFullScreen
modal.modalTransitionStyle = .crossDissolve
present(modal, animated: true, completion: nil)
case .undetermined:
onNotGranted()
AVAudioSession.sharedInstance().requestRecordPermission { _ in }
default: break
}
}
2021-04-08 08:14:25 +02:00
func requestLibraryPermissionIfNeeded(onAuthorized: @escaping () -> Void) {
2021-04-07 08:47:39 +02:00
let authorizationStatus: PHAuthorizationStatus
if #available(iOS 14, *) {
authorizationStatus = PHPhotoLibrary.authorizationStatus(for: .readWrite)
2021-04-08 08:03:52 +02:00
if authorizationStatus == .notDetermined {
// When the user chooses to select photos (which is the .limit status),
// the PHPhotoUI will present the picker view on the top of the front view.
2021-04-08 08:03:52 +02:00
// Since we have the ScreenLockUI showing when we request premissions,
// the picker view will be presented on the top of the ScreenLockUI.
// However, the ScreenLockUI will dismiss with the permission request alert view, so
// the picker view then will dismiss, too. The selection process cannot be finished
// this way. So we add a flag (isRequestingPermission) to prevent the ScreenLockUI
// from showing when we request the photo library permission.
Environment.shared.isRequestingPermission = true
2021-04-08 08:14:25 +02:00
let appMode = AppModeManager.shared.currentAppMode
// FIXME: Rather than setting the app mode to light and then to dark again once we're done,
// it'd be better to just customize the appearance of the image picker. There doesn't currently
// appear to be a good way to do so though...
AppModeManager.shared.setCurrentAppMode(to: .light)
PHPhotoLibrary.requestAuthorization(for: .readWrite) { status in
2021-04-08 08:14:25 +02:00
DispatchQueue.main.async {
AppModeManager.shared.setCurrentAppMode(to: appMode)
}
Environment.shared.isRequestingPermission = false
2021-04-08 08:03:52 +02:00
if [ PHAuthorizationStatus.authorized, PHAuthorizationStatus.limited ].contains(status) {
2021-04-08 08:14:25 +02:00
onAuthorized()
2021-04-07 08:47:39 +02:00
}
}
}
} else {
authorizationStatus = PHPhotoLibrary.authorizationStatus()
2021-04-08 08:03:52 +02:00
if authorizationStatus == .notDetermined {
PHPhotoLibrary.requestAuthorization { status in
2021-04-08 08:03:52 +02:00
if status == .authorized {
2021-04-08 08:14:25 +02:00
onAuthorized()
}
}
2021-04-07 08:47:39 +02:00
}
}
2021-04-07 08:47:39 +02:00
switch authorizationStatus {
case .authorized, .limited:
onAuthorized()
case .denied, .restricted:
let modal = PermissionMissingModal(permission: "library") { }
modal.modalPresentationStyle = .overFullScreen
modal.modalTransitionStyle = .crossDissolve
present(modal, animated: true, completion: nil)
default: return
}
}
// MARK: - Convenience
func showErrorAlert(for attachment: SignalAttachment, onDismiss: (() -> ())?) {
OWSAlerts.showAlert(
title: "ATTACHMENT_ERROR_ALERT_TITLE".localized(),
message: (attachment.localizedErrorDescription ?? SignalAttachment.missingDataErrorMessage),
buttonTitle: nil
) { _ in
onDismiss?()
}
}
2021-01-29 01:46:32 +01:00
}
2022-01-28 06:24:18 +01:00
// MARK: - UIDocumentInteractionControllerDelegate
extension ConversationVC: UIDocumentInteractionControllerDelegate {
func documentInteractionControllerViewControllerForPreview(_ controller: UIDocumentInteractionController) -> UIViewController {
return self
}
}
// MARK: - Message Request Actions
extension ConversationVC {
fileprivate func approveMessageRequestIfNeeded(
for thread: SessionThread?,
isNewThread: Bool,
timestampMs: Int64
) -> Promise<Void> {
guard let thread: SessionThread = thread, thread.variant == .contact else { return Promise.value(()) }
// If the contact doesn't exist then we should create it so we can store the 'isApproved' state
// (it'll be updated with correct profile info if they accept the message request so this
// shouldn't cause weird behaviours)
guard
let contact: Contact = GRDBStorage.shared.read({ db in Contact.fetchOrCreate(db, id: thread.id) }),
!contact.isApproved
else {
return Promise.value(())
}
return Promise.value(())
.then { [weak self] _ -> Promise<Void> in
guard !isNewThread else { return Promise.value(()) }
guard let strongSelf = self else { return Promise(error: MessageSenderError.noThread) }
// If we aren't creating a new thread (ie. sending a message request) then send a
// messageRequestResponse back to the sender (this allows the sender to know that
// they have been approved and can now use this contact in closed groups)
let (promise, seal) = Promise<Void>.pending()
let messageRequestResponse: MessageRequestResponse = MessageRequestResponse(
isApproved: true,
sentTimestampMs: UInt64(timestampMs)
)
// Show a loading indicator
ModalActivityIndicatorViewController.present(fromViewController: strongSelf, canCancel: false) { _ in
seal.fulfill(())
}
return promise
.then { _ -> Promise<Void> in
GRDBStorage.shared.write { db in
try MessageSender.sendNonDurably(
db,
message: messageRequestResponse,
interactionId: nil,
in: thread
)
}
}
.map { _ in
if self?.presentedViewController is ModalActivityIndicatorViewController {
self?.dismiss(animated: true, completion: nil) // Dismiss the loader
}
}
}
.map { _ in
// Default 'didApproveMe' to true for the person approving the message request
GRDBStorage.shared.writeAsync(
updates: { db in
try contact
.with(
isApproved: true,
didApproveMe: .update(contact.didApproveMe || !isNewThread)
)
.save(db)
// Send a sync message with the details of the contact
try MessageSender.syncConfiguration(db, forceSyncNow: true).retainUntilComplete()
},
completion: { db, _ in
// Hide the 'messageRequestView' since the request has been approved
DispatchQueue.main.async { [weak self] in
let messageRequestViewWasVisible: Bool = (self?.messageRequestView.isHidden == false)
UIView.animate(withDuration: 0.3) {
self?.messageRequestView.isHidden = true
self?.scrollButtonMessageRequestsBottomConstraint?.isActive = false
self?.scrollButtonBottomConstraint?.isActive = true
// Update the table content inset and offset to account for
// the dissapearance of the messageRequestsView
if messageRequestViewWasVisible {
let messageRequestsOffset: CGFloat = ((self?.messageRequestView.bounds.height ?? 0) + 16)
let oldContentInset: UIEdgeInsets = (self?.tableView.contentInset ?? UIEdgeInsets.zero)
self?.tableView.contentInset = UIEdgeInsets(
top: 0,
leading: 0,
bottom: max(oldContentInset.bottom - messageRequestsOffset, 0),
trailing: 0
)
}
}
// Remove the 'MessageRequestsViewController' from the nav hierarchy if present
if
let viewControllers: [UIViewController] = self?.navigationController?.viewControllers,
let messageRequestsIndex = viewControllers.firstIndex(where: { $0 is MessageRequestsViewController }),
messageRequestsIndex > 0
{
var newViewControllers = viewControllers
newViewControllers.remove(at: messageRequestsIndex)
self?.navigationController?.viewControllers = newViewControllers
}
}
}
)
}
}
@objc func acceptMessageRequest() {
self.approveMessageRequestIfNeeded(
for: self.viewModel.viewData.thread,
isNewThread: false,
timestampMs: Int64(floor(Date().timeIntervalSince1970 * 1000))
)
.catch(on: DispatchQueue.main) { [weak self] _ in
// Show an error indicating that approving the thread failed
let alert = UIAlertController(
title: "Session",
message: "MESSAGE_REQUESTS_APPROVAL_ERROR_MESSAGE".localized(),
preferredStyle: .alert
)
alert.addAction(UIAlertAction(title: "BUTTON_OK".localized(), style: .default, handler: nil))
self?.present(alert, animated: true, completion: nil)
}
.retainUntilComplete()
}
@objc func deleteMessageRequest() {
guard self.viewModel.viewData.thread.variant == .contact else { return }
let threadId: String = self.viewModel.viewData.thread.id
let alertVC: UIAlertController = UIAlertController(
title: "MESSAGE_REQUESTS_DELETE_CONFIRMATION_ACTON".localized(),
message: nil,
preferredStyle: .actionSheet
)
alertVC.addAction(UIAlertAction(title: "TXT_DELETE_TITLE".localized(), style: .destructive) { _ in
// Delete the request
GRDBStorage.shared.writeAsync(
updates: { db in
// Update the contact
_ = try Contact
.fetchOrCreate(db, id: threadId)
.with(
isApproved: false,
isBlocked: true,
// Note: We set this to true so the current user will be able to send a
// message to the person who originally sent them the message request in
// the future if they unblock them
didApproveMe: true
)
.saved(db)
_ = try SessionThread
.filter(id: threadId)
.deleteAll(db)
try MessageSender.syncConfiguration(db, forceSyncNow: true).retainUntilComplete()
},
completion: { db, _ in
DispatchQueue.main.async { [weak self] in
self?.navigationController?.popViewController(animated: true)
}
}
)
})
alertVC.addAction(UIAlertAction(title: "TXT_CANCEL_TITLE".localized(), style: .cancel, handler: nil))
self.present(alertVC, animated: true, completion: nil)
}
}
// MARK: - MediaPresentationContextProvider
extension ConversationVC: MediaPresentationContextProvider {
func mediaPresentationContext(mediaItem: Media, in coordinateSpace: UICoordinateSpace) -> MediaPresentationContext? {
guard case let .gallery(galleryItem) = mediaItem else { return nil }
// Note: According to Apple's docs the 'indexPathsForVisibleRows' method returns an
// unsorted array which means we can't use it to determine the desired 'visibleCell'
// we are after, due to this we will need to iterate all of the visible cells to find
// the one we want
let maybeMessageCell: VisibleMessageCell? = tableView.visibleCells
.first { cell -> Bool in
((cell as? VisibleMessageCell)?
.albumView?
.itemViews
.contains(where: { mediaView in
mediaView.attachment.id == galleryItem.attachment.id
}))
.defaulting(to: false)
}
.map { $0 as? VisibleMessageCell }
let maybeTargetView: MediaView? = maybeMessageCell?
.albumView?
.itemViews
.first(where: { $0.attachment.id == galleryItem.attachment.id })
guard
let messageCell: VisibleMessageCell = maybeMessageCell,
let targetView: MediaView = maybeTargetView,
let mediaSuperview: UIView = targetView.superview
else { return nil }
let cornerRadius: CGFloat
let cornerMask: CACornerMask
let presentationFrame: CGRect = coordinateSpace.convert(targetView.frame, from: mediaSuperview)
let frameInBubble: CGRect = messageCell.bubbleView.convert(targetView.frame, from: mediaSuperview)
if messageCell.bubbleView.bounds == targetView.bounds {
cornerRadius = messageCell.bubbleView.layer.cornerRadius
cornerMask = messageCell.bubbleView.layer.maskedCorners
}
else {
// If the frames don't match then assume it's either multiple images or there is a caption
// and determine which corners need to be rounded
cornerRadius = messageCell.bubbleView.layer.cornerRadius
var newCornerMask = CACornerMask()
let cellMaskedCorners: CACornerMask = messageCell.bubbleView.layer.maskedCorners
if
cellMaskedCorners.contains(.layerMinXMinYCorner) &&
frameInBubble.minX < CGFloat.leastNonzeroMagnitude &&
frameInBubble.minY < CGFloat.leastNonzeroMagnitude
{
newCornerMask.insert(.layerMinXMinYCorner)
}
if
cellMaskedCorners.contains(.layerMaxXMinYCorner) &&
abs(frameInBubble.maxX - messageCell.bubbleView.bounds.width) < CGFloat.leastNonzeroMagnitude &&
frameInBubble.minY < CGFloat.leastNonzeroMagnitude
{
newCornerMask.insert(.layerMaxXMinYCorner)
}
if
cellMaskedCorners.contains(.layerMinXMaxYCorner) &&
frameInBubble.minX < CGFloat.leastNonzeroMagnitude &&
abs(frameInBubble.maxY - messageCell.bubbleView.bounds.height) < CGFloat.leastNonzeroMagnitude
{
newCornerMask.insert(.layerMinXMaxYCorner)
}
if
cellMaskedCorners.contains(.layerMaxXMaxYCorner) &&
abs(frameInBubble.maxX - messageCell.bubbleView.bounds.width) < CGFloat.leastNonzeroMagnitude &&
abs(frameInBubble.maxY - messageCell.bubbleView.bounds.height) < CGFloat.leastNonzeroMagnitude
{
newCornerMask.insert(.layerMaxXMaxYCorner)
}
cornerMask = newCornerMask
}
return MediaPresentationContext(
mediaView: targetView,
presentationFrame: presentationFrame,
cornerRadius: cornerRadius,
cornerMask: cornerMask
)
}
func snapshotOverlayView(in coordinateSpace: UICoordinateSpace) -> (UIView, CGRect)? {
return self.navigationController?.navigationBar.generateSnapshot(in: coordinateSpace)
}
}