signal-desktop/ts/views/conversation_view.tsx

1677 lines
49 KiB
TypeScript
Raw Normal View History

// Copyright 2020-2022 Signal Messenger, LLC
2020-10-30 20:34:04 +00:00
// SPDX-License-Identifier: AGPL-3.0-only
/* eslint-disable camelcase */
import type * as Backbone from 'backbone';
import type { ComponentProps } from 'react';
import * as React from 'react';
import { flatten } from 'lodash';
2021-08-30 21:32:56 +00:00
import { render } from 'mustache';
2021-08-11 16:23:21 +00:00
2021-12-03 01:05:32 +00:00
import type { AttachmentType } from '../types/Attachment';
import { isGIF } from '../types/Attachment';
2021-07-09 19:36:10 +00:00
import * as Stickers from '../types/Stickers';
import type { MIMEType } from '../types/MIME';
import type { ConversationModel } from '../models/conversations';
2022-12-08 06:41:37 +00:00
import type { MessageAttributesType } from '../model-types.d';
import type { MediaItemType, MediaItemMessageType } from '../types/MediaItem';
import { getMessageById } from '../messages/getMessageById';
import { getContactId } from '../messages/helpers';
2021-08-30 21:32:56 +00:00
import { strictAssert } from '../util/assert';
import { enqueueReactionForSend } from '../reactions/enqueueReactionForSend';
import type { GroupNameCollisionsWithIdsByTitle } from '../util/groupMemberNameCollisions';
2022-12-08 06:41:37 +00:00
import { isDirectConversation, isGroup } from '../util/whatTypeOfConversation';
import { findAndFormatContact } from '../util/findAndFormatContact';
import { getPreferredBadgeSelector } from '../state/selectors/badges';
import {
canReply,
isIncoming,
isOutgoing,
isTapToView,
} from '../state/selectors/message';
2021-08-23 23:14:53 +00:00
import {
getConversationSelector,
getMessagesByConversation,
} from '../state/selectors/conversations';
import { getActiveCallState } from '../state/selectors/calling';
import { getTheme } from '../state/selectors/user';
import { ReactWrapperView } from './ReactWrapperView';
2022-06-16 19:12:50 +00:00
import type { Lightbox } from '../components/Lightbox';
2021-06-17 21:15:09 +00:00
import { ConversationDetailsMembershipList } from '../components/conversation/conversation-details/ConversationDetailsMembershipList';
2021-09-29 20:23:06 +00:00
import * as log from '../logging/log';
import type { EmbeddedContactType } from '../types/EmbeddedContact';
2021-10-05 16:47:06 +00:00
import { createConversationView } from '../state/roots/createConversationView';
2021-09-22 20:59:54 +00:00
import { ToastConversationArchived } from '../components/ToastConversationArchived';
import { ToastConversationMarkedUnread } from '../components/ToastConversationMarkedUnread';
import { ToastConversationUnarchived } from '../components/ToastConversationUnarchived';
import { ToastDangerousFileType } from '../components/ToastDangerousFileType';
import { ToastMessageBodyTooLong } from '../components/ToastMessageBodyTooLong';
import { ToastOriginalMessageNotFound } from '../components/ToastOriginalMessageNotFound';
import { ToastReactionFailed } from '../components/ToastReactionFailed';
import { ToastTapToViewExpiredIncoming } from '../components/ToastTapToViewExpiredIncoming';
import { ToastTapToViewExpiredOutgoing } from '../components/ToastTapToViewExpiredOutgoing';
2021-09-24 20:02:30 +00:00
import { ToastUnableToLoadAttachment } from '../components/ToastUnableToLoadAttachment';
2022-05-11 20:59:58 +00:00
import { ToastCannotOpenGiftBadge } from '../components/ToastCannotOpenGiftBadge';
2021-09-24 20:02:30 +00:00
import { deleteDraftAttachment } from '../util/deleteDraftAttachment';
import { retryMessageSend } from '../util/retryMessageSend';
2021-09-29 20:23:06 +00:00
import { isNotNil } from '../util/isNotNil';
import { openLinkInWebBrowser } from '../util/openLinkInWebBrowser';
import { showToast } from '../util/showToast';
import { UUIDKind } from '../types/UUID';
import type { UUIDStringType } from '../types/UUID';
import { retryDeleteForEveryone } from '../util/retryDeleteForEveryone';
import { ContactDetail } from '../components/conversation/ContactDetail';
import { MediaGallery } from '../components/conversation/media-gallery/MediaGallery';
import type { ItemClickEvent } from '../components/conversation/media-gallery/types/ItemClickEvent';
2022-06-17 00:48:57 +00:00
import {
removeLinkPreview,
suspendLinkPreviews,
} from '../services/LinkPreview';
import { closeLightbox, showLightbox } from '../util/showLightbox';
2022-07-01 00:52:03 +00:00
import { saveAttachment } from '../util/saveAttachment';
import { SECOND } from '../util/durations';
import { startConversation } from '../util/startConversation';
import { longRunningTaskWrapper } from '../util/longRunningTaskWrapper';
import { hasDraftAttachments } from '../util/hasDraftAttachments';
2020-09-28 23:46:31 +00:00
type AttachmentOptions = {
messageId: string;
attachment: AttachmentType;
};
type PanelType = { view: Backbone.View; headerTitle?: string };
2021-09-24 00:49:05 +00:00
const { Message } = window.Signal.Types;
const {
copyIntoTempDirectory,
deleteTempFile,
getAbsoluteAttachmentPath,
getAbsoluteTempPath,
upgradeMessageSchema,
} = window.Signal.Migrations;
const { getMessagesBySentAt } = window.Signal.Data;
2021-08-30 21:32:56 +00:00
type MessageActionsType = {
deleteMessage: (messageId: string) => unknown;
displayTapToViewMessage: (messageId: string) => unknown;
downloadAttachment: (options: {
attachment: AttachmentType;
timestamp: number;
isDangerous: boolean;
}) => unknown;
downloadNewVersion: () => unknown;
kickOffAttachmentDownload: (
options: Readonly<{ messageId: string }>
) => unknown;
markAttachmentAsCorrupted: (options: AttachmentOptions) => unknown;
openConversation: (conversationId: string, messageId?: string) => unknown;
2022-05-11 20:59:58 +00:00
openGiftBadge: (messageId: string) => unknown;
2021-08-30 21:32:56 +00:00
openLink: (url: string) => unknown;
reactToMessage: (
messageId: string,
reaction: { emoji: string; remove: boolean }
) => unknown;
replyToMessage: (messageId: string) => unknown;
retrySend: (messageId: string) => unknown;
retryDeleteForEveryone: (messageId: string) => unknown;
2021-08-30 21:32:56 +00:00
showContactDetail: (options: {
contact: EmbeddedContactType;
signalAccount?: {
phoneNumber: string;
uuid: UUIDStringType;
};
2021-08-30 21:32:56 +00:00
}) => unknown;
showContactModal: (contactId: string) => unknown;
showSafetyNumber: (contactId: string) => unknown;
showExpiredIncomingTapToViewToast: () => unknown;
showExpiredOutgoingTapToViewToast: () => unknown;
showIdentity: (conversationId: string) => unknown;
showMessageDetail: (messageId: string) => unknown;
showVisualAttachment: (options: {
attachment: AttachmentType;
messageId: string;
showSingle?: boolean;
}) => unknown;
startConversation: (e164: string, uuid: UUIDStringType) => unknown;
2021-08-30 21:32:56 +00:00
};
type MediaType = {
path: string;
objectURL: string;
thumbnailObjectUrl?: string;
contentType: MIMEType;
index: number;
attachment: AttachmentType;
message: {
attachments: Array<AttachmentType>;
conversationId: string;
id: string;
received_at: number;
received_at_ms: number;
sent_at: number;
};
};
export class ConversationView extends window.Backbone.View<ConversationModel> {
// Sub-views
private contactModalView?: Backbone.View;
private conversationView?: Backbone.View;
private lightboxView?: ReactWrapperView;
2021-08-30 21:32:56 +00:00
private stickerPreviewModalView?: Backbone.View;
// Panel support
private panels: Array<PanelType> = [];
2021-08-30 21:32:56 +00:00
private previousFocus?: HTMLElement;
// eslint-disable-next-line @typescript-eslint/no-explicit-any
constructor(...args: Array<any>) {
super(...args);
// Events on Conversation model
this.listenTo(this.model, 'destroy', this.stopListening);
// These are triggered by InboxView
this.listenTo(this.model, 'opened', this.onOpened);
this.listenTo(this.model, 'scroll-to-message', this.scrollToMessage);
this.listenTo(this.model, 'unload', (reason: string) =>
this.unload(`model trigger - ${reason}`)
);
// These are triggered by background.ts for keyboard handling
this.listenTo(this.model, 'open-all-media', this.showAllMedia);
this.listenTo(this.model, 'escape-pressed', this.resetPanel);
this.listenTo(this.model, 'show-message-details', this.showMessageDetail);
this.listenTo(this.model, 'show-contact-modal', this.showContactModal);
this.listenTo(
this.model,
'toggle-reply',
(messageId: string | undefined) => {
const composerState = window.reduxStore
? window.reduxStore.getState().composer
: undefined;
const quote = composerState?.quotedMessage?.quote;
this.setQuoteMessage(quote ? undefined : messageId);
}
);
2021-08-30 21:32:56 +00:00
this.listenTo(
this.model,
'save-attachment',
this.downloadAttachmentWrapper
);
2021-08-30 21:32:56 +00:00
this.listenTo(this.model, 'delete-message', this.deleteMessage);
2022-06-17 00:48:57 +00:00
this.listenTo(this.model, 'remove-link-review', removeLinkPreview);
2021-08-30 21:32:56 +00:00
this.listenTo(
this.model,
'remove-all-draft-attachments',
this.clearAttachments
);
this.render();
2021-10-05 16:47:06 +00:00
this.setupConversationView();
2021-06-25 16:08:16 +00:00
this.updateAttachmentsView();
2021-08-30 21:32:56 +00:00
}
override events(): Record<string, string> {
2021-08-30 21:32:56 +00:00
return {
drop: 'onDrop',
paste: 'onPaste',
};
}
// We need this ignore because the backbone types really want this to be a string
// property, but the property isn't set until after super() is run, meaning that this
// classname wouldn't be applied when Backbone creates our el.
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
className(): string {
return 'conversation';
}
// Same situation as className().
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
id(): string {
return `conversation-${this.model.cid}`;
}
// Backbone.View<ConversationModel> is demanded as the return type here, and we can't
// satisfy it because of the above difference in signature: className is a function
// when it should be a plain string property.
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
render(): ConversationView {
const template = $('#conversation').html();
this.$el.html(render(template, {}));
return this;
}
2021-10-05 16:47:06 +00:00
setupConversationView(): void {
// setupHeader
const conversationHeaderProps = {
id: this.model.id,
2021-10-05 16:47:06 +00:00
onSearchInConversation: () => {
const { searchInConversation } = window.reduxActions.search;
2021-11-01 18:43:02 +00:00
searchInConversation(this.model.id);
2021-10-05 16:47:06 +00:00
},
onShowConversationDetails: () => {
this.showConversationDetails();
},
onShowAllMedia: () => {
this.showAllMedia();
},
onShowGroupMembers: () => {
this.showGV1Members();
},
onGoBack: () => {
this.resetPanel();
},
2021-06-25 16:08:16 +00:00
2021-10-05 16:47:06 +00:00
onArchive: () => {
this.model.setArchived(true);
this.model.trigger('unload', 'archive');
2021-10-06 21:00:51 +00:00
showToast(ToastConversationArchived, {
undo: () => {
this.model.setArchived(false);
this.openConversation(this.model.get('id'));
},
});
2021-10-05 16:47:06 +00:00
},
onMarkUnread: () => {
this.model.setMarkedUnread(true);
showToast(ToastConversationMarkedUnread);
},
onMoveToInbox: () => {
this.model.setArchived(false);
showToast(ToastConversationUnarchived);
},
};
window.reduxActions.conversations.setSelectedConversationHeaderTitle();
// setupTimeline
2021-10-05 16:47:06 +00:00
const contactSupport = () => {
const baseUrl =
'https://support.signal.org/hc/LOCALE/requests/new?desktop&chat_refreshed';
const locale = window.getLocale();
const supportLocale = window.Signal.Util.mapToSupportLocale(locale);
const url = baseUrl.replace('LOCALE', supportLocale);
openLinkInWebBrowser(url);
};
const learnMoreAboutDeliveryIssue = () => {
openLinkInWebBrowser(
'https://support.signal.org/hc/articles/4404859745690'
);
};
const scrollToQuotedMessage = async (
options: Readonly<{
authorId: string;
sentAt: number;
}>
) => {
const { authorId, sentAt } = options;
const conversationId = this.model.id;
const messages = await getMessagesBySentAt(sentAt);
2021-10-05 16:47:06 +00:00
const message = messages.find(item =>
Boolean(
item.conversationId === conversationId &&
2021-10-05 16:47:06 +00:00
authorId &&
getContactId(item) === authorId
2021-10-05 16:47:06 +00:00
)
);
if (!message) {
showToast(ToastOriginalMessageNotFound);
return;
}
this.scrollToMessage(message.id);
};
const markMessageRead = async (messageId: string) => {
2022-07-05 16:44:53 +00:00
if (!window.SignalContext.activeWindowService.isActive()) {
2021-10-05 16:47:06 +00:00
return;
}
const activeCall = getActiveCallState(window.reduxStore.getState());
if (activeCall && !activeCall.pip) {
return;
}
const message = await getMessageById(messageId);
2021-10-05 16:47:06 +00:00
if (!message) {
throw new Error(`markMessageRead: failed to load message ${messageId}`);
}
await this.model.markRead(message.get('received_at'), {
newestSentAt: message.get('sent_at'),
sendReadReceipts: true,
});
2021-10-05 16:47:06 +00:00
};
const timelineProps = {
id: this.model.id,
...this.getMessageActions(),
acknowledgeGroupMemberNameCollisions: (
groupNameCollisions: Readonly<GroupNameCollisionsWithIdsByTitle>
): void => {
this.model.acknowledgeGroupMemberNameCollisions(groupNameCollisions);
},
blockGroupLinkRequests: (uuid: UUIDStringType) => {
this.model.blockGroupLinkRequests(uuid);
},
2021-10-05 16:47:06 +00:00
contactSupport,
learnMoreAboutDeliveryIssue,
loadNewerMessages: this.model.loadNewerMessages.bind(this.model),
loadNewestMessages: this.model.loadNewestMessages.bind(this.model),
loadOlderMessages: this.model.loadOlderMessages.bind(this.model),
2021-10-05 16:47:06 +00:00
markMessageRead,
removeMember: (conversationId: string) => {
longRunningTaskWrapper({
idForLogging: this.model.idForLogging(),
2021-10-05 16:47:06 +00:00
name: 'removeMember',
task: () => this.model.removeFromGroupV2(conversationId),
});
},
scrollToQuotedMessage,
unblurAvatar: () => {
this.model.unblurAvatar();
},
updateSharedGroups: () => this.model.throttledUpdateSharedGroups?.(),
};
// setupCompositionArea
window.reduxActions.composer.resetComposer();
const compositionAreaProps = {
2021-08-30 21:32:56 +00:00
id: this.model.id,
onClickAddPack: () => this.showStickerManager(),
2021-09-22 20:59:54 +00:00
onTextTooLong: () => showToast(ToastMessageBodyTooLong),
2021-08-30 21:32:56 +00:00
getQuotedMessage: () => this.model.get('quotedMessageId'),
clearQuotedMessage: () => this.setQuoteMessage(undefined),
onCancelJoinRequest: async () => {
await window.showConfirmationDialog({
2022-09-27 20:24:21 +00:00
dialogName: 'GroupV2CancelRequestToJoin',
message: window.i18n(
'GroupV2--join--cancel-request-to-join--confirmation'
),
okText: window.i18n('GroupV2--join--cancel-request-to-join--yes'),
cancelText: window.i18n('GroupV2--join--cancel-request-to-join--no'),
resolve: () => {
longRunningTaskWrapper({
idForLogging: this.model.idForLogging(),
name: 'onCancelJoinRequest',
2021-08-30 21:32:56 +00:00
task: async () => this.model.cancelJoinRequest(),
});
},
});
},
2021-06-25 16:08:16 +00:00
onClearAttachments: this.clearAttachments.bind(this),
onSelectMediaQuality: (isHQ: boolean) => {
window.reduxActions.composer.setMediaQualitySetting(isHQ);
},
2021-10-05 16:47:06 +00:00
handleClickQuotedMessage: (id: string) => this.scrollToMessage(id),
2021-06-25 16:08:16 +00:00
onCloseLinkPreview: () => {
2022-06-17 00:48:57 +00:00
suspendLinkPreviews();
removeLinkPreview();
2021-06-25 16:08:16 +00:00
},
2021-07-20 20:18:35 +00:00
openConversation: this.openConversation.bind(this),
};
2021-10-05 16:47:06 +00:00
// createConversationView root
const JSX = createConversationView(window.reduxStore, {
conversationId: this.model.id,
2021-10-05 16:47:06 +00:00
compositionAreaProps,
conversationHeaderProps,
timelineProps,
});
this.conversationView = new ReactWrapperView({ JSX });
2021-10-05 16:47:06 +00:00
this.$('.ConversationView__template').append(this.conversationView.el);
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
getMessageActions(): MessageActionsType {
const reactToMessage = async (
messageId: string,
reaction: { emoji: string; remove: boolean }
) => {
const { emoji, remove } = reaction;
try {
await enqueueReactionForSend({
messageId,
emoji,
remove,
});
} catch (error) {
log.error('Error sending reaction', error, messageId, reaction);
showToast(ToastReactionFailed);
}
};
const replyToMessage = (messageId: string) => {
this.setQuoteMessage(messageId);
};
const retrySend = retryMessageSend;
const deleteMessage = (messageId: string) => {
this.deleteMessage(messageId);
};
const showMessageDetail = (messageId: string) => {
this.showMessageDetail(messageId);
};
const showContactModal = (contactId: string) => {
this.showContactModal(contactId);
};
2021-08-30 21:32:56 +00:00
const openConversation = (conversationId: string, messageId?: string) => {
this.openConversation(conversationId, messageId);
};
const showContactDetail = (options: {
contact: EmbeddedContactType;
signalAccount?: {
phoneNumber: string;
uuid: UUIDStringType;
};
}) => {
this.showContactDetail(options);
};
const kickOffAttachmentDownload = async (
options: Readonly<{ messageId: string }>
) => {
const message = window.MessageController.getById(options.messageId);
if (!message) {
throw new Error(
`kickOffAttachmentDownload: Message ${options.messageId} missing!`
);
2021-01-29 22:58:28 +00:00
}
await message.queueAttachmentDownloads();
};
const markAttachmentAsCorrupted = (options: AttachmentOptions) => {
const message = window.MessageController.getById(options.messageId);
if (!message) {
throw new Error(
`markAttachmentAsCorrupted: Message ${options.messageId} missing!`
);
}
message.markAttachmentAsCorrupted(options.attachment);
};
const showVisualAttachment = (options: {
2021-07-14 23:39:52 +00:00
attachment: AttachmentType;
messageId: string;
showSingle?: boolean;
}) => {
this.showLightbox(options);
};
const downloadAttachment = (options: {
attachment: AttachmentType;
timestamp: number;
isDangerous: boolean;
}) => {
this.downloadAttachment(options);
};
const displayTapToViewMessage = (messageId: string) =>
this.displayTapToViewMessage(messageId);
const showIdentity = (conversationId: string) => {
this.showSafetyNumber(conversationId);
};
2022-05-11 20:59:58 +00:00
const openGiftBadge = (messageId: string): void => {
const message = window.MessageController.getById(messageId);
if (!message) {
throw new Error(`openGiftBadge: Message ${messageId} missing!`);
}
showToast(ToastCannotOpenGiftBadge, {
isIncoming: isIncoming(message.attributes),
});
};
2021-09-21 20:45:25 +00:00
const openLink = openLinkInWebBrowser;
const downloadNewVersion = () => {
2021-09-21 20:45:25 +00:00
openLinkInWebBrowser('https://signal.org/download');
};
const showSafetyNumber = (contactId: string) => {
this.showSafetyNumber(contactId);
};
const showExpiredIncomingTapToViewToast = () => {
log.info('Showing expired tap-to-view toast for an incoming message');
2021-09-22 20:59:54 +00:00
showToast(ToastTapToViewExpiredIncoming);
};
const showExpiredOutgoingTapToViewToast = () => {
log.info('Showing expired tap-to-view toast for an outgoing message');
2021-09-22 20:59:54 +00:00
showToast(ToastTapToViewExpiredOutgoing);
};
2021-08-30 21:32:56 +00:00
return {
deleteMessage,
displayTapToViewMessage,
downloadAttachment,
downloadNewVersion,
kickOffAttachmentDownload,
markAttachmentAsCorrupted,
openConversation,
2022-05-11 20:59:58 +00:00
openGiftBadge,
openLink,
reactToMessage,
replyToMessage,
retrySend,
retryDeleteForEveryone,
showContactDetail,
showContactModal,
showSafetyNumber,
showExpiredIncomingTapToViewToast,
showExpiredOutgoingTapToViewToast,
showIdentity,
showMessageDetail,
showVisualAttachment,
startConversation,
};
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
async scrollToMessage(messageId: string): Promise<void> {
const message = await getMessageById(messageId);
if (!message) {
throw new Error(`scrollToMessage: failed to load message ${messageId}`);
}
const state = window.reduxStore.getState();
let isInMemory = true;
if (!window.MessageController.getById(messageId)) {
isInMemory = false;
}
// Message might be in memory, but not in the redux anymore because
// we call `messageReset()` in `loadAndScroll()`.
2021-11-11 22:43:05 +00:00
const messagesByConversation =
getMessagesByConversation(state)[this.model.id];
if (!messagesByConversation?.messageIds.includes(messageId)) {
isInMemory = false;
}
if (isInMemory) {
const { scrollToMessage } = window.reduxActions.conversations;
2021-08-30 21:32:56 +00:00
scrollToMessage(this.model.id, messageId);
return;
}
this.model.loadAndScroll(messageId);
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
unload(reason: string): void {
log.info(
'unloading conversation',
2021-08-30 21:32:56 +00:00
this.model.idForLogging(),
'due to:',
reason
);
const { conversationUnloaded } = window.reduxActions.conversations;
if (conversationUnloaded) {
2021-08-30 21:32:56 +00:00
conversationUnloaded(this.model.id);
}
if (this.model.get('draftChanged')) {
if (this.model.hasDraft()) {
const now = Date.now();
const active_at = this.model.get('active_at') || now;
this.model.set({
active_at,
draftChanged: false,
draftTimestamp: now,
timestamp: now,
});
} else {
this.model.set({
draftChanged: false,
draftTimestamp: null,
});
}
// We don't wait here; we need to take down the view
this.saveModel();
2021-08-30 21:32:56 +00:00
this.model.updateLastMessage();
}
2021-10-05 16:47:06 +00:00
this.conversationView?.remove();
if (this.contactModalView) {
this.contactModalView.remove();
}
if (this.stickerPreviewModalView) {
this.stickerPreviewModalView.remove();
}
if (this.lightboxView) {
this.lightboxView.remove();
}
if (this.panels && this.panels.length) {
for (let i = 0, max = this.panels.length; i < max; i += 1) {
const panel = this.panels[i];
panel.view.remove();
}
2020-10-30 17:52:21 +00:00
window.reduxActions.conversations.setSelectedConversationPanelDepth(0);
}
2022-06-17 00:48:57 +00:00
removeLinkPreview();
suspendLinkPreviews();
this.remove();
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
async saveModel(): Promise<void> {
window.Signal.Data.updateConversation(this.model.attributes);
}
2021-08-30 21:32:56 +00:00
async onOpened(messageId: string): Promise<void> {
2022-01-20 00:40:29 +00:00
this.model.onOpenStart();
if (messageId) {
const message = await getMessageById(messageId);
if (message) {
this.model.loadAndScroll(messageId);
return;
}
log.warn(`onOpened: Did not find message ${messageId}`);
}
2021-05-28 19:11:19 +00:00
const { retryPlaceholders } = window.Signal.Services;
if (retryPlaceholders) {
2021-08-30 21:32:56 +00:00
await retryPlaceholders.findByConversationAndMarkOpened(this.model.id);
2021-05-28 19:11:19 +00:00
}
const loadAndUpdate = async () => {
Promise.all([
this.model.loadNewestMessages(undefined, undefined),
this.model.updateLastMessage(),
this.model.updateUnread(),
]);
};
loadAndUpdate();
window.reduxActions.composer.setComposerFocus(this.model.id);
2021-08-30 21:32:56 +00:00
const quotedMessageId = this.model.get('quotedMessageId');
if (quotedMessageId) {
this.setQuoteMessage(quotedMessageId);
}
2021-08-30 21:32:56 +00:00
this.model.fetchLatestGroupV2Data();
strictAssert(
this.model.throttledMaybeMigrateV1Group !== undefined,
2021-05-28 19:11:19 +00:00
'Conversation model should be initialized'
);
2021-08-30 21:32:56 +00:00
this.model.throttledMaybeMigrateV1Group();
strictAssert(
this.model.throttledFetchSMSOnlyUUID !== undefined,
'Conversation model should be initialized'
);
2021-08-30 21:32:56 +00:00
this.model.throttledFetchSMSOnlyUUID();
const ourUuid = window.textsecure.storage.user.getUuid(UUIDKind.ACI);
if (
!isGroup(this.model.attributes) ||
2022-07-08 20:46:25 +00:00
(ourUuid && this.model.hasMember(ourUuid))
) {
strictAssert(
this.model.throttledGetProfiles !== undefined,
'Conversation model should be initialized'
);
await this.model.throttledGetProfiles();
}
2021-08-30 21:32:56 +00:00
this.model.updateVerified();
}
showAllMedia(): void {
if (document.querySelectorAll('.module-media-gallery').length) {
return;
}
// We fetch more documents than media as they dont require to be loaded
// into memory right away. Revisit this once we have infinite scrolling:
const DEFAULT_MEDIA_FETCH_COUNT = 50;
const DEFAULT_DOCUMENTS_FETCH_COUNT = 150;
2021-08-30 21:32:56 +00:00
const conversationId = this.model.get('id');
2021-12-20 21:04:02 +00:00
const ourUuid = window.textsecure.storage.user.getCheckedUuid().toString();
const getProps = async () => {
2021-11-11 22:43:05 +00:00
const rawMedia =
await window.Signal.Data.getMessagesWithVisualMediaAttachments(
conversationId,
{
limit: DEFAULT_MEDIA_FETCH_COUNT,
}
);
const rawDocuments =
await window.Signal.Data.getMessagesWithFileAttachments(
conversationId,
{
limit: DEFAULT_DOCUMENTS_FETCH_COUNT,
}
);
// First we upgrade these messages to ensure that they have thumbnails
for (let max = rawMedia.length, i = 0; i < max; i += 1) {
const message = rawMedia[i];
const { schemaVersion } = message;
// We want these message to be cached in memory for other operations like
// listening to 'expired' events when showing the lightbox, and so any other
// code working with this message has the latest updates.
const model = window.MessageController.register(message.id, message);
if (
schemaVersion &&
schemaVersion < Message.VERSION_NEEDED_FOR_DISPLAY
) {
// Yep, we really do want to wait for each of these
// eslint-disable-next-line no-await-in-loop
rawMedia[i] = await upgradeMessageSchema(message);
model.set(rawMedia[i]);
// eslint-disable-next-line no-await-in-loop
2021-12-20 21:04:02 +00:00
await window.Signal.Data.saveMessage(rawMedia[i], { ourUuid });
}
}
2021-08-30 21:32:56 +00:00
const media: Array<MediaType> = flatten(
rawMedia.map(message => {
2021-08-30 21:32:56 +00:00
return (message.attachments || []).map(
(
attachment: AttachmentType,
index: number
): MediaType | undefined => {
if (
!attachment.path ||
!attachment.thumbnail ||
attachment.pending ||
attachment.error
) {
return;
}
2021-08-30 21:32:56 +00:00
const { thumbnail } = attachment;
return {
2021-08-30 21:32:56 +00:00
path: attachment.path,
objectURL: getAbsoluteAttachmentPath(attachment.path),
thumbnailObjectUrl: thumbnail?.path
? getAbsoluteAttachmentPath(thumbnail.path)
2021-08-30 21:32:56 +00:00
: undefined,
contentType: attachment.contentType,
index,
attachment,
2021-08-24 21:47:14 +00:00
message: {
attachments: message.attachments || [],
conversationId:
window.ConversationController.lookupOrCreate({
uuid: message.sourceUuid,
e164: message.source,
reason: 'conversation_view.showAllMedia',
})?.id || message.conversationId,
2021-08-24 21:47:14 +00:00
id: message.id,
received_at: message.received_at,
received_at_ms: Number(message.received_at_ms),
2021-08-25 21:08:32 +00:00
sent_at: message.sent_at,
2021-08-24 21:47:14 +00:00
},
};
2021-08-30 21:32:56 +00:00
}
);
})
2021-08-30 21:32:56 +00:00
).filter(isNotNil);
// Unlike visual media, only one non-image attachment is supported
const documents: Array<MediaItemType> = [];
rawDocuments.forEach(message => {
const attachments = message.attachments || [];
const attachment = attachments[0];
if (!attachment) {
return;
}
documents.push({
contentType: attachment.contentType,
index: 0,
attachment,
// We do this cast because we know there attachments (see the checks above).
message: message as MessageAttributesType & {
attachments: Array<AttachmentType>;
},
});
});
2021-08-30 21:32:56 +00:00
const onItemClick = async ({
message,
attachment,
type,
}: ItemClickEvent) => {
switch (type) {
case 'documents': {
2022-07-01 00:52:03 +00:00
saveAttachment(attachment, message.sent_at);
break;
}
case 'media': {
2021-08-24 21:47:14 +00:00
const selectedMedia =
media.find(item => attachment.path === item.path) || media[0];
this.showLightboxForMedia(selectedMedia, media);
break;
}
default:
throw new TypeError(`Unknown attachment type: '${type}'`);
}
};
return {
documents,
media,
onItemClick,
};
};
function getMessageIds(): Array<string | undefined> | undefined {
const state = window.reduxStore.getState();
const byConversation = state?.conversations?.messagesByConversation;
const messages = byConversation && byConversation[conversationId];
if (!messages || !messages.messageIds) {
return undefined;
}
return messages.messageIds;
}
// Detect message changes in the current conversation
let previousMessageList: Array<string | undefined> | undefined;
previousMessageList = getMessageIds();
const unsubscribe = window.reduxStore.subscribe(() => {
const currentMessageList = getMessageIds();
if (currentMessageList !== previousMessageList) {
update();
previousMessageList = currentMessageList;
}
});
const view = new ReactWrapperView({
className: 'panel',
// We present an empty panel briefly, while we wait for props to load.
2022-11-18 00:45:19 +00:00
// eslint-disable-next-line react/jsx-no-useless-fragment
JSX: <></>,
onClose: () => {
unsubscribe();
},
});
const headerTitle = window.i18n('allMedia');
const update = async () => {
const props = await getProps();
view.update(<MediaGallery i18n={window.i18n} {...props} />);
};
this.addPanel({ view, headerTitle });
update();
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
showGV1Members(): void {
const { contactCollection, id } = this.model;
2021-06-17 21:15:09 +00:00
const memberships =
contactCollection?.map((conversation: ConversationModel) => {
return {
isAdmin: false,
member: conversation.format(),
};
}) || [];
const reduxState = window.reduxStore.getState();
const getPreferredBadge = getPreferredBadgeSelector(reduxState);
const theme = getTheme(reduxState);
const view = new ReactWrapperView({
2021-06-17 21:15:09 +00:00
className: 'group-member-list panel',
JSX: (
<ConversationDetailsMembershipList
canAddNewMembers={false}
conversationId={id}
i18n={window.i18n}
getPreferredBadge={getPreferredBadge}
maxShownMemberCount={32}
memberships={memberships}
showContactModal={contactId => {
this.showContactModal(contactId);
}}
theme={theme}
/>
),
});
this.addPanel({ view });
2021-06-17 21:15:09 +00:00
view.render();
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
showSafetyNumber(id?: string): void {
let conversation: undefined | ConversationModel;
2021-08-30 21:32:56 +00:00
if (!id && isDirectConversation(this.model.attributes)) {
conversation = this.model;
} else {
conversation = window.ConversationController.get(id);
}
if (conversation) {
window.reduxActions.globalModals.toggleSafetyNumberModal(
conversation.get('id')
);
}
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
downloadAttachmentWrapper(
messageId: string,
providedAttachment?: AttachmentType
): void {
const message = window.MessageController.getById(messageId);
if (!message) {
throw new Error(
`downloadAttachmentWrapper: Message ${messageId} missing!`
);
}
const { attachments, sent_at: timestamp } = message.attributes;
if (!attachments || attachments.length < 1) {
return;
}
2021-08-30 21:32:56 +00:00
const attachment =
providedAttachment && attachments.includes(providedAttachment)
? providedAttachment
: attachments[0];
const { fileName } = attachment;
const isDangerous = window.Signal.Util.isFileDangerous(fileName || '');
this.downloadAttachment({ attachment, timestamp, isDangerous });
2021-08-30 21:32:56 +00:00
}
async downloadAttachment({
attachment,
timestamp,
isDangerous,
}: {
2021-07-14 23:39:52 +00:00
attachment: AttachmentType;
timestamp: number;
isDangerous: boolean;
2021-08-30 21:32:56 +00:00
}): Promise<void> {
if (isDangerous) {
2021-09-22 20:59:54 +00:00
showToast(ToastDangerousFileType);
return;
}
2022-07-01 00:52:03 +00:00
return saveAttachment(attachment, timestamp);
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
async displayTapToViewMessage(messageId: string): Promise<void> {
log.info('displayTapToViewMessage: attempting to display message');
const message = window.MessageController.getById(messageId);
if (!message) {
throw new Error(`displayTapToViewMessage: Message ${messageId} missing!`);
}
if (!isTapToView(message.attributes)) {
throw new Error(
`displayTapToViewMessage: Message ${message.idForLogging()} is not a tap to view message`
);
}
if (message.isErased()) {
throw new Error(
`displayTapToViewMessage: Message ${message.idForLogging()} is already erased`
);
}
const firstAttachment = (message.get('attachments') || [])[0];
if (!firstAttachment || !firstAttachment.path) {
throw new Error(
`displayTapToViewMessage: Message ${message.idForLogging()} had no first attachment with path`
);
}
const absolutePath = getAbsoluteAttachmentPath(firstAttachment.path);
const { path: tempPath } = await copyIntoTempDirectory(absolutePath);
const tempAttachment = {
...firstAttachment,
path: tempPath,
};
await message.markViewOnceMessageViewed();
const close = (): void => {
try {
this.stopListening(message);
closeLightbox();
} finally {
deleteTempFile(tempPath);
}
};
this.listenTo(message, 'expired', close);
this.listenTo(message, 'change', () => {
2022-06-16 19:12:50 +00:00
showLightbox(getProps());
});
const getProps = (): ComponentProps<typeof Lightbox> => {
const { path, contentType } = tempAttachment;
return {
close,
i18n: window.i18n,
2021-08-24 21:47:14 +00:00
media: [
{
attachment: tempAttachment,
objectURL: getAbsoluteTempPath(path),
contentType,
index: 0,
message: {
attachments: message.get('attachments') || [],
2021-08-24 21:47:14 +00:00
id: message.get('id'),
conversationId: message.get('conversationId'),
received_at: message.get('received_at'),
2021-08-30 21:32:56 +00:00
received_at_ms: Number(message.get('received_at_ms')),
2021-08-25 21:08:32 +00:00
sent_at: message.get('sent_at'),
2021-08-24 21:47:14 +00:00
},
},
],
isViewOnce: true,
};
};
2021-08-24 21:47:14 +00:00
2022-06-16 19:12:50 +00:00
showLightbox(getProps());
log.info('displayTapToViewMessage: showed lightbox');
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
deleteMessage(messageId: string): void {
const message = window.MessageController.getById(messageId);
if (!message) {
throw new Error(`deleteMessage: Message ${messageId} missing!`);
}
window.showConfirmationDialog({
2022-09-27 20:24:21 +00:00
dialogName: 'deleteMessage',
confirmStyle: 'negative',
message: window.i18n('deleteWarning'),
okText: window.i18n('delete'),
resolve: () => {
window.Signal.Data.removeMessage(message.id);
if (isOutgoing(message.attributes)) {
this.model.decrementSentMessageCount();
} else {
this.model.decrementMessageCount();
}
this.resetPanel();
},
});
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
showStickerPackPreview(packId: string, packKey: string): void {
2021-07-09 19:36:10 +00:00
Stickers.downloadEphemeralPack(packId, packKey);
const props = {
packId,
onClose: async () => {
2021-08-30 21:32:56 +00:00
if (this.stickerPreviewModalView) {
this.stickerPreviewModalView.remove();
this.stickerPreviewModalView = undefined;
}
2021-07-09 19:36:10 +00:00
await Stickers.removeEphemeralPack(packId);
},
};
this.stickerPreviewModalView = new ReactWrapperView({
className: 'sticker-preview-modal-wrapper',
JSX: window.Signal.State.Roots.createStickerPreviewModal(
window.reduxStore,
props
),
});
2021-08-30 21:32:56 +00:00
}
showLightboxForMedia(
2021-08-23 23:14:53 +00:00
selectedMediaItem: MediaItemType,
2021-08-24 21:47:14 +00:00
media: Array<MediaItemType> = []
2021-08-30 21:32:56 +00:00
): void {
2021-08-25 21:08:32 +00:00
const onSave = async ({
attachment,
message,
index,
}: {
attachment: AttachmentType;
message: MediaItemMessageType;
index: number;
}) => {
2022-07-01 00:52:03 +00:00
return saveAttachment(attachment, message.sent_at, index + 1);
};
const selectedIndex = media.findIndex(
mediaItem =>
mediaItem.attachment.path === selectedMediaItem.attachment.path
);
const mediaMessage = selectedMediaItem.message;
const message = window.MessageController.getById(mediaMessage.id);
if (!message) {
throw new Error(
`showLightboxForMedia: Message ${mediaMessage.id} missing!`
);
}
const close = () => {
closeLightbox();
this.stopListening(message, 'expired', closeLightbox);
};
2022-06-16 19:12:50 +00:00
showLightbox({
close,
2022-06-16 19:12:50 +00:00
i18n: window.i18n,
getConversation: getConversationSelector(window.reduxStore.getState()),
media,
onForward: messageId => {
window.reduxActions.globalModals.toggleForwardMessageModal(messageId);
2022-06-16 19:12:50 +00:00
},
onSave,
selectedIndex: selectedIndex >= 0 ? selectedIndex : 0,
});
this.listenTo(message, 'expired', close);
2021-08-30 21:32:56 +00:00
}
showLightbox({
attachment,
messageId,
}: {
2021-07-14 23:39:52 +00:00
attachment: AttachmentType;
messageId: string;
showSingle?: boolean;
2021-08-30 21:32:56 +00:00
}): void {
const message = window.MessageController.getById(messageId);
if (!message) {
throw new Error(`showLightbox: Message ${messageId} missing!`);
}
const sticker = message.get('sticker');
if (sticker) {
const { packId, packKey } = sticker;
this.showStickerPackPreview(packId, packKey);
return;
}
2021-08-23 23:14:53 +00:00
const { contentType } = attachment;
if (
!window.Signal.Util.GoogleChrome.isImageTypeSupported(contentType) &&
!window.Signal.Util.GoogleChrome.isVideoTypeSupported(contentType)
) {
2021-08-30 21:32:56 +00:00
this.downloadAttachmentWrapper(messageId, attachment);
return;
}
2021-07-14 23:39:52 +00:00
const attachments: Array<AttachmentType> = message.get('attachments') || [];
const loop = isGIF(attachments);
const media = attachments
2021-07-14 23:39:52 +00:00
.filter(item => item.thumbnail && !item.pending && !item.error)
.map((item, index) => ({
objectURL: getAbsoluteAttachmentPath(item.path ?? ''),
path: item.path,
contentType: item.contentType,
2021-07-14 23:39:52 +00:00
loop,
index,
2021-08-23 23:14:53 +00:00
message: {
2021-08-30 21:32:56 +00:00
attachments: message.get('attachments') || [],
2021-08-23 23:14:53 +00:00
id: message.get('id'),
2021-08-24 21:47:14 +00:00
conversationId:
window.ConversationController.lookupOrCreate({
uuid: message.get('sourceUuid'),
e164: message.get('source'),
reason: 'conversation_view.showLightBox',
})?.id || message.get('conversationId'),
2021-08-23 23:14:53 +00:00
received_at: message.get('received_at'),
2021-08-30 21:32:56 +00:00
received_at_ms: Number(message.get('received_at_ms')),
2021-08-25 21:08:32 +00:00
sent_at: message.get('sent_at'),
2021-08-23 23:14:53 +00:00
},
attachment: item,
2021-08-23 23:14:53 +00:00
thumbnailObjectUrl:
item.thumbnail?.objectUrl ||
getAbsoluteAttachmentPath(item.thumbnail?.path ?? ''),
}));
if (!media.length) {
log.error(
'showLightbox: unable to load attachment',
attachments.map(x => ({
contentType: x.contentType,
error: x.error,
flags: x.flags,
path: x.path,
size: x.size,
}))
);
showToast(ToastUnableToLoadAttachment);
return;
}
2021-08-23 23:14:53 +00:00
const selectedMedia =
media.find(item => attachment.path === item.path) || media[0];
2021-08-24 21:47:14 +00:00
this.showLightboxForMedia(selectedMedia, media);
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
showContactModal(contactId: string): void {
2021-09-21 22:37:10 +00:00
window.reduxActions.globalModals.showContactModal(contactId, this.model.id);
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
showGroupLinkManagement(): void {
const view = new ReactWrapperView({
className: 'panel',
JSX: window.Signal.State.Roots.createGroupLinkManagement(
window.reduxStore,
{
2021-08-30 21:32:56 +00:00
conversationId: this.model.id,
}
),
});
const headerTitle = window.i18n('ConversationDetails--group-link');
this.addPanel({ view, headerTitle });
view.render();
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
showGroupV2Permissions(): void {
const view = new ReactWrapperView({
className: 'panel',
JSX: window.Signal.State.Roots.createGroupV2Permissions(
window.reduxStore,
{
2021-08-30 21:32:56 +00:00
conversationId: this.model.id,
}
),
});
const headerTitle = window.i18n('permissions');
this.addPanel({ view, headerTitle });
view.render();
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
showPendingInvites(): void {
const view = new ReactWrapperView({
className: 'panel',
JSX: window.Signal.State.Roots.createPendingInvites(window.reduxStore, {
2021-08-30 21:32:56 +00:00
conversationId: this.model.id,
2021-11-10 23:01:06 +00:00
ourUuid: window.textsecure.storage.user.getCheckedUuid().toString(),
}),
});
const headerTitle = window.i18n(
'ConversationDetails--requests-and-invites'
);
this.addPanel({ view, headerTitle });
view.render();
2021-08-30 21:32:56 +00:00
}
2021-08-05 12:35:33 +00:00
2021-08-30 21:32:56 +00:00
showConversationNotificationsSettings(): void {
const view = new ReactWrapperView({
2021-08-05 12:35:33 +00:00
className: 'panel',
JSX: window.Signal.State.Roots.createConversationNotificationsSettings(
window.reduxStore,
{
2021-08-30 21:32:56 +00:00
conversationId: this.model.id,
2021-08-05 12:35:33 +00:00
}
),
});
const headerTitle = window.i18n('ConversationDetails--notifications');
2021-08-05 12:35:33 +00:00
this.addPanel({ view, headerTitle });
2021-08-05 12:35:33 +00:00
view.render();
2021-08-30 21:32:56 +00:00
}
2021-05-28 16:15:17 +00:00
2021-08-30 21:32:56 +00:00
showChatColorEditor(): void {
const view = new ReactWrapperView({
2021-05-28 16:15:17 +00:00
className: 'panel',
JSX: window.Signal.State.Roots.createChatColorPicker(window.reduxStore, {
2021-08-30 21:32:56 +00:00
conversationId: this.model.get('id'),
2021-05-28 16:15:17 +00:00
}),
});
const headerTitle = window.i18n('ChatColorPicker__menu-title');
2021-05-28 16:15:17 +00:00
this.addPanel({ view, headerTitle });
2021-05-28 16:15:17 +00:00
view.render();
2021-08-30 21:32:56 +00:00
}
2021-05-28 16:15:17 +00:00
2021-08-30 21:32:56 +00:00
showConversationDetails(): void {
2021-07-20 20:18:35 +00:00
// Run a getProfiles in case member's capabilities have changed
// Redux should cover us on the return here so no need to await this.
2021-08-30 21:32:56 +00:00
if (this.model.throttledGetProfiles) {
this.model.throttledGetProfiles();
}
// these methods are used in more than one place and should probably be
// dried up and hoisted to methods on ConversationView
const onLeave = () => {
longRunningTaskWrapper({
idForLogging: this.model.idForLogging(),
name: 'onLeave',
2021-08-30 21:32:56 +00:00
task: () => this.model.leaveGroupV2(),
});
};
const props = {
2021-08-30 21:32:56 +00:00
addMembers: this.model.addMembersV2.bind(this.model),
conversationId: this.model.get('id'),
showAllMedia: this.showAllMedia.bind(this),
showContactModal: this.showContactModal.bind(this),
showChatColorEditor: this.showChatColorEditor.bind(this),
showGroupLinkManagement: this.showGroupLinkManagement.bind(this),
showGroupV2Permissions: this.showGroupV2Permissions.bind(this),
2021-11-11 22:43:05 +00:00
showConversationNotificationsSettings:
this.showConversationNotificationsSettings.bind(this),
showPendingInvites: this.showPendingInvites.bind(this),
showLightboxForMedia: this.showLightboxForMedia.bind(this),
2021-08-30 21:32:56 +00:00
updateGroupAttributes: this.model.updateGroupAttributesV2.bind(
this.model
),
onLeave,
};
const view = new ReactWrapperView({
className: 'conversation-details-pane panel',
JSX: window.Signal.State.Roots.createConversationDetails(
window.reduxStore,
props
),
});
const headerTitle = '';
this.addPanel({ view, headerTitle });
view.render();
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
showMessageDetail(messageId: string): void {
const message = window.MessageController.getById(messageId);
if (!message) {
throw new Error(`showMessageDetail: Message ${messageId} missing!`);
}
if (!message.isNormalBubble()) {
return;
}
const getProps = () => ({
...message.getPropsForMessageDetail(
window.ConversationController.getOurConversationIdOrThrow()
),
...this.getMessageActions(),
});
const onClose = () => {
this.stopListening(message, 'change', update);
this.resetPanel();
};
const view = new ReactWrapperView({
className: 'panel message-detail-wrapper',
JSX: window.Signal.State.Roots.createMessageDetail(
window.reduxStore,
getProps()
),
onClose,
});
const update = () =>
view.update(
window.Signal.State.Roots.createMessageDetail(
window.reduxStore,
getProps()
)
);
this.listenTo(message, 'change', update);
this.listenTo(message, 'expired', onClose);
// We could listen to all involved contacts, but we'll call that overkill
this.addPanel({ view });
view.render();
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
showStickerManager(): void {
const view = new ReactWrapperView({
className: ['sticker-manager-wrapper', 'panel'].join(' '),
JSX: window.Signal.State.Roots.createStickerManager(window.reduxStore),
onClose: () => {
this.resetPanel();
},
});
this.addPanel({ view });
view.render();
2021-08-30 21:32:56 +00:00
}
showContactDetail({
contact,
signalAccount,
}: {
contact: EmbeddedContactType;
signalAccount?: {
phoneNumber: string;
uuid: UUIDStringType;
};
2021-08-30 21:32:56 +00:00
}): void {
const view = new ReactWrapperView({
className: 'contact-detail-pane panel',
JSX: (
<ContactDetail
i18n={window.i18n}
contact={contact}
hasSignalAccount={Boolean(signalAccount)}
onSendMessage={() => {
if (signalAccount) {
startConversation(signalAccount.phoneNumber, signalAccount.uuid);
}
}}
/>
),
onClose: () => {
this.resetPanel();
},
});
this.addPanel({ view });
2021-08-30 21:32:56 +00:00
}
2021-08-30 21:32:56 +00:00
async openConversation(
conversationId: string,
messageId?: string
): Promise<void> {
window.Whisper.events.trigger(
'showConversation',
conversationId,
messageId
);
}
addPanel(panel: PanelType): void {
this.panels = this.panels || [];
if (this.panels.length === 0) {
2021-08-30 21:32:56 +00:00
this.previousFocus = document.activeElement as HTMLElement;
}
this.panels.unshift(panel);
panel.view.$el.insertAfter(this.$('.panel').last());
panel.view.$el.one('animationend', () => {
panel.view.$el.addClass('panel--static');
});
2020-10-30 17:52:21 +00:00
window.reduxActions.conversations.setSelectedConversationPanelDepth(
this.panels.length
);
window.reduxActions.conversations.setSelectedConversationHeaderTitle(
panel.headerTitle
);
2021-08-30 21:32:56 +00:00
}
resetPanel(): void {
if (!this.panels || !this.panels.length) {
return;
}
const panel = this.panels.shift();
if (
this.panels.length === 0 &&
this.previousFocus &&
this.previousFocus.focus
) {
this.previousFocus.focus();
2021-08-30 21:32:56 +00:00
this.previousFocus = undefined;
}
if (this.panels.length > 0) {
this.panels[0].view.$el.fadeIn(250);
}
if (panel) {
let timeout: ReturnType<typeof setTimeout> | undefined;
const removePanel = () => {
if (!timeout) {
return;
}
clearTimeout(timeout);
timeout = undefined;
panel.view.remove();
};
panel.view.$el
.addClass('panel--remove')
.one('transitionend', removePanel);
// Backup, in case things go wrong with the transitionend event
timeout = setTimeout(removePanel, SECOND);
2021-08-30 21:32:56 +00:00
}
2020-10-30 17:52:21 +00:00
window.reduxActions.conversations.setSelectedConversationPanelDepth(
this.panels.length
);
window.reduxActions.conversations.setSelectedConversationHeaderTitle(
this.panels[0]?.headerTitle
);
2021-08-30 21:32:56 +00:00
}
async setQuoteMessage(messageId: string | undefined): Promise<void> {
const { model } = this;
const message = messageId ? await getMessageById(messageId) : undefined;
if (
message &&
!canReply(
message.attributes,
window.ConversationController.getOurConversationIdOrThrow(),
findAndFormatContact
)
) {
return;
}
if (message && !message.isNormalBubble()) {
return;
}
const existing = model.get('quotedMessageId');
if (existing !== messageId) {
const now = Date.now();
let active_at = this.model.get('active_at');
let timestamp = this.model.get('timestamp');
if (!active_at && messageId) {
active_at = now;
timestamp = now;
}
this.model.set({
active_at,
draftChanged: true,
quotedMessageId: messageId,
timestamp,
});
await this.saveModel();
}
if (message) {
const quote = await model.makeQuote(message);
window.reduxActions.composer.setQuotedMessage({
conversationId: model.id,
quote,
});
window.reduxActions.composer.setComposerFocus(this.model.id);
2022-12-08 07:43:48 +00:00
window.reduxActions.composer.setComposerDisabledState(false);
} else {
window.reduxActions.composer.setQuotedMessage(undefined);
}
}
async clearAttachments(): Promise<void> {
const draftAttachments = this.model.get('draftAttachments') || [];
this.model.set({
draftAttachments: [],
draftChanged: true,
});
this.updateAttachmentsView();
// We're fine doing this all at once; at most it should be 32 attachments
await Promise.all([
this.saveModel(),
Promise.all(
draftAttachments.map(attachment => deleteDraftAttachment(attachment))
),
]);
}
updateAttachmentsView(): void {
const draftAttachments = this.model.get('draftAttachments') || [];
window.reduxActions.composer.replaceAttachments(
this.model.get('id'),
draftAttachments
);
if (hasDraftAttachments(this.model.attributes, { includePending: true })) {
removeLinkPreview();
}
2021-08-30 21:32:56 +00:00
}
}
window.Whisper.ConversationView = ConversationView;