// Copyright 2020-2022 Signal Messenger, LLC // SPDX-License-Identifier: AGPL-3.0-only import { compact, isNumber, throttle, debounce } from 'lodash'; import { batch as batchDispatch } from 'react-redux'; import PQueue from 'p-queue'; import { v4 as generateGuid } from 'uuid'; import type { ConversationAttributesType, ConversationLastProfileType, ConversationModelCollectionType, LastMessageStatus, MessageAttributesType, QuotedMessageType, SenderKeyInfoType, VerificationOptions, WhatIsThis, } from '../model-types.d'; import { getInitials } from '../util/getInitials'; import { normalizeUuid } from '../util/normalizeUuid'; import { getRegionCodeForNumber, parseNumber, } from '../util/libphonenumberUtil'; import { clearTimeoutIfNecessary } from '../util/clearTimeoutIfNecessary'; import type { AttachmentType } from '../types/Attachment'; import { isGIF } from '../types/Attachment'; import type { CallHistoryDetailsType } from '../types/Calling'; import { CallMode } from '../types/Calling'; import * as EmbeddedContact from '../types/EmbeddedContact'; import * as Conversation from '../types/Conversation'; import * as Stickers from '../types/Stickers'; import type { ContactWithHydratedAvatar, GroupV1InfoType, GroupV2InfoType, StickerType, } from '../textsecure/SendMessage'; import createTaskWithTimeout from '../textsecure/TaskWithTimeout'; import MessageSender from '../textsecure/SendMessage'; import type { CallbackResultType } from '../textsecure/Types.d'; import type { ConversationType } from '../state/ducks/conversations'; import type { AvatarColorType, ConversationColorType, CustomColorType, } from '../types/Colors'; import type { MessageModel } from './messages'; import { getContact } from '../messages/helpers'; import { strictAssert } from '../util/assert'; import { isConversationMuted } from '../util/isConversationMuted'; import { isConversationSMSOnly } from '../util/isConversationSMSOnly'; import { isConversationUnregistered } from '../util/isConversationUnregistered'; import { missingCaseError } from '../util/missingCaseError'; import { sniffImageMimeType } from '../util/sniffImageMimeType'; import { isValidE164 } from '../util/isValidE164'; import type { MIMEType } from '../types/MIME'; import { IMAGE_JPEG, IMAGE_GIF, IMAGE_WEBP } from '../types/MIME'; import { UUID, isValidUuid, UUIDKind } from '../types/UUID'; import type { UUIDStringType } from '../types/UUID'; import { deriveAccessKey, decryptProfileName, decryptProfile } from '../Crypto'; import * as Bytes from '../Bytes'; import type { BodyRangesType } from '../types/Util'; import { getTextWithMentions } from '../util/getTextWithMentions'; import { migrateColor } from '../util/migrateColor'; import { isNotNil } from '../util/isNotNil'; import { dropNull } from '../util/dropNull'; import { notificationService } from '../services/notifications'; import { getSendOptions } from '../util/getSendOptions'; import { isConversationAccepted } from '../util/isConversationAccepted'; import { markConversationRead } from '../util/markConversationRead'; import { handleMessageSend } from '../util/handleMessageSend'; import { getConversationMembers } from '../util/getConversationMembers'; import { updateConversationsWithUuidLookup } from '../updateConversationsWithUuidLookup'; import { ReadStatus } from '../messages/MessageReadStatus'; import { SendStatus } from '../messages/MessageSendState'; import type { LinkPreviewType } from '../types/message/LinkPreviews'; import * as durations from '../util/durations'; import { concat, filter, map, take, repeat, zipObject, } from '../util/iterables'; import * as universalExpireTimer from '../util/universalExpireTimer'; import type { GroupNameCollisionsWithIdsByTitle } from '../util/groupMemberNameCollisions'; import { isDirectConversation, isGroup, isGroupV1, isGroupV2, isMe, } from '../util/whatTypeOfConversation'; import { SignalService as Proto } from '../protobuf'; import { getMessagePropStatus, hasErrors, isGiftBadge, isIncoming, isStory, isTapToView, } from '../state/selectors/message'; import { conversationJobQueue, conversationQueueJobEnum, } from '../jobs/conversationJobQueue'; import { readReceiptsJobQueue } from '../jobs/readReceiptsJobQueue'; import type { ReactionModel } from '../messageModifiers/Reactions'; import { isAnnouncementGroupReady } from '../util/isAnnouncementGroupReady'; import { getProfile } from '../util/getProfile'; import { SEALED_SENDER } from '../types/SealedSender'; import { getAvatarData } from '../util/getAvatarData'; import { createIdenticon } from '../util/createIdenticon'; import * as log from '../logging/log'; import * as Errors from '../types/errors'; import { isMessageUnread } from '../util/isMessageUnread'; import type { SenderKeyTargetType } from '../util/sendToGroup'; import { singleProtoJobQueue } from '../jobs/singleProtoJobQueue'; import { TimelineMessageLoadingState } from '../util/timelineUtil'; import { SeenStatus } from '../MessageSeenStatus'; import { getConversationIdForLogging } from '../util/idForLogging'; import { getSendTarget } from '../util/getSendTarget'; import { getRecipients } from '../util/getRecipients'; /* eslint-disable more/no-then */ window.Whisper = window.Whisper || {}; const { Services, Util } = window.Signal; const { Message } = window.Signal.Types; const { deleteAttachmentData, doesAttachmentExist, getAbsoluteAttachmentPath, loadAttachmentData, readStickerData, upgradeMessageSchema, writeNewAttachmentData, } = window.Signal.Migrations; const { addStickerPackReference, getConversationRangeCenteredOnMessage, getOlderMessagesByConversation, getMessageMetricsForConversation, getMessageById, getNewerMessagesByConversation, } = window.Signal.Data; const FIVE_MINUTES = durations.MINUTE * 5; const JOB_REPORTING_THRESHOLD_MS = 25; const SEND_REPORTING_THRESHOLD_MS = 25; const MESSAGE_LOAD_CHUNK_SIZE = 30; const ATTRIBUTES_THAT_DONT_INVALIDATE_PROPS_CACHE = new Set([ 'lastProfile', 'profileLastFetchedAt', 'needsStorageServiceSync', 'storageID', 'storageVersion', 'storageUnknownFields', ]); type CachedIdenticon = { readonly url: string; readonly content: string; readonly color: AvatarColorType; }; export class ConversationModel extends window.Backbone .Model { static COLORS: string; cachedProps?: ConversationType | null; oldCachedProps?: ConversationType | null; contactTypingTimers?: Record< string, { senderId: string; timer: NodeJS.Timer } >; contactCollection?: Backbone.Collection; debouncedUpdateLastMessage?: (() => void) & { flush(): void }; initialPromise?: Promise; inProgressFetch?: Promise; newMessageQueue?: typeof window.PQueueType; jobQueue?: typeof window.PQueueType; storeName?: string | null; throttledBumpTyping?: () => void; throttledFetchSMSOnlyUUID?: () => Promise | void; throttledMaybeMigrateV1Group?: () => Promise | void; throttledGetProfiles?: () => Promise; typingRefreshTimer?: NodeJS.Timer | null; typingPauseTimer?: NodeJS.Timer | null; verifiedEnum?: typeof window.textsecure.storage.protocol.VerifiedStatus; intlCollator = new Intl.Collator(undefined, { sensitivity: 'base' }); lastSuccessfulGroupFetch?: number; throttledUpdateSharedGroups?: () => Promise; private cachedLatestGroupCallEraId?: string; private cachedIdenticon?: CachedIdenticon; private isFetchingUUID?: boolean; private lastIsTyping?: boolean; private muteTimer?: NodeJS.Timer; private isInReduxBatch = false; private _activeProfileFetch?: Promise; override defaults(): Partial { return { unreadCount: 0, verified: window.textsecure.storage.protocol.VerifiedStatus.DEFAULT, messageCount: 0, sentMessageCount: 0, }; } idForLogging(): string { return getConversationIdForLogging(this.attributes); } // This is one of the few times that we want to collapse our uuid/e164 pair down into // just one bit of data. If we have a UUID, we'll send using it. getSendTarget(): string | undefined { return getSendTarget(this.attributes); } getContactCollection(): Backbone.Collection { const collection = new window.Backbone.Collection(); const collator = new Intl.Collator(undefined, { sensitivity: 'base' }); collection.comparator = ( left: ConversationModel, right: ConversationModel ) => { return collator.compare(left.getTitle(), right.getTitle()); }; return collection; } override initialize( attributes: Partial = {} ): void { const uuid = this.get('uuid'); const normalizedUuid = uuid && normalizeUuid(uuid, 'ConversationModel.initialize'); if (uuid && normalizedUuid !== uuid) { log.warn( 'ConversationModel.initialize: normalizing uuid from ' + `${uuid} to ${normalizedUuid}` ); this.set('uuid', normalizedUuid); } if (isValidE164(attributes.id, false)) { this.set({ id: UUID.generate().toString(), e164: attributes.id }); } this.storeName = 'conversations'; this.verifiedEnum = window.textsecure.storage.protocol.VerifiedStatus; // This may be overridden by window.ConversationController.getOrCreate, and signify // our first save to the database. Or first fetch from the database. this.initialPromise = Promise.resolve(); this.throttledBumpTyping = throttle(this.bumpTyping, 300); this.debouncedUpdateLastMessage = debounce( this.updateLastMessage.bind(this), 200 ); this.throttledUpdateSharedGroups = this.throttledUpdateSharedGroups || throttle(this.updateSharedGroups.bind(this), FIVE_MINUTES); this.contactCollection = this.getContactCollection(); this.contactCollection.on( 'change:name change:profileName change:profileFamilyName change:e164', this.debouncedUpdateLastMessage, this ); if (!isDirectConversation(this.attributes)) { this.contactCollection.on( 'change:verified', this.onMemberVerifiedChange.bind(this) ); } this.on('newmessage', this.onNewMessage); this.on('change:profileKey', this.onChangeProfileKey); const sealedSender = this.get('sealedSender'); if (sealedSender === undefined) { this.set({ sealedSender: SEALED_SENDER.UNKNOWN }); } this.unset('unidentifiedDelivery'); this.unset('unidentifiedDeliveryUnrestricted'); this.unset('hasFetchedProfile'); this.unset('tokens'); this.on('change:members change:membersV2', this.fetchContacts); this.typingRefreshTimer = null; this.typingPauseTimer = null; // We clear our cached props whenever we change so that the next call to format() will // result in refresh via a getProps() call. See format() below. this.on( 'change', (_model: MessageModel, options: { force?: boolean } = {}) => { const changedKeys = Object.keys(this.changed || {}); const isPropsCacheStillValid = !options.force && Boolean( changedKeys.length && changedKeys.every(key => ATTRIBUTES_THAT_DONT_INVALIDATE_PROPS_CACHE.has(key) ) ); if (isPropsCacheStillValid) { return; } if (this.cachedProps) { this.oldCachedProps = this.cachedProps; } this.cachedProps = null; this.trigger('props-change', this, this.isInReduxBatch); } ); // Set `isFetchingUUID` eagerly to avoid UI flicker when opening the // conversation for the first time. this.isFetchingUUID = this.isSMSOnly(); this.throttledFetchSMSOnlyUUID = throttle( this.fetchSMSOnlyUUID.bind(this), FIVE_MINUTES ); this.throttledMaybeMigrateV1Group = throttle( this.maybeMigrateV1Group.bind(this), FIVE_MINUTES ); const migratedColor = this.getColor(); if (this.get('color') !== migratedColor) { this.set('color', migratedColor); // Not saving the conversation here we're hoping it'll be saved elsewhere // this may cause some color thrashing if Signal is restarted without // the convo saving. If that is indeed the case and it's too disruptive // we should add batched saving. } } toSenderKeyTarget(): SenderKeyTargetType { return { getGroupId: () => this.get('groupId'), getMembers: () => this.getMembers(), hasMember: (id: string) => this.hasMember(id), idForLogging: () => this.idForLogging(), isGroupV2: () => isGroupV2(this.attributes), isValid: () => isGroupV2(this.attributes), getSenderKeyInfo: () => this.get('senderKeyInfo'), saveSenderKeyInfo: async (senderKeyInfo: SenderKeyInfoType) => { this.set({ senderKeyInfo }); window.Signal.Data.updateConversation(this.attributes); }, }; } isMemberRequestingToJoin(id: string): boolean { if (!isGroupV2(this.attributes)) { return false; } const pendingAdminApprovalV2 = this.get('pendingAdminApprovalV2'); if (!pendingAdminApprovalV2 || !pendingAdminApprovalV2.length) { return false; } const uuid = UUID.checkedLookup(id).toString(); return pendingAdminApprovalV2.some(item => item.uuid === uuid); } isMemberPending(id: string): boolean { if (!isGroupV2(this.attributes)) { return false; } const pendingMembersV2 = this.get('pendingMembersV2'); if (!pendingMembersV2 || !pendingMembersV2.length) { return false; } const uuid = UUID.checkedLookup(id).toString(); return pendingMembersV2.some(item => item.uuid === uuid); } isMemberBanned(id: string): boolean { if (!isGroupV2(this.attributes)) { return false; } const bannedMembersV2 = this.get('bannedMembersV2'); if (!bannedMembersV2 || !bannedMembersV2.length) { return false; } const uuid = UUID.checkedLookup(id).toString(); return bannedMembersV2.some(member => member.uuid === uuid); } isMemberAwaitingApproval(id: string): boolean { if (!isGroupV2(this.attributes)) { return false; } const pendingAdminApprovalV2 = this.get('pendingAdminApprovalV2'); if (!pendingAdminApprovalV2 || !pendingAdminApprovalV2.length) { return false; } const uuid = UUID.checkedLookup(id).toString(); return window._.any(pendingAdminApprovalV2, item => item.uuid === uuid); } isMember(id: string): boolean { if (!isGroupV2(this.attributes)) { throw new Error( `isMember: Called for non-GroupV2 conversation ${this.idForLogging()}` ); } const membersV2 = this.get('membersV2'); if (!membersV2 || !membersV2.length) { return false; } const uuid = UUID.checkedLookup(id).toString(); return window._.any(membersV2, item => item.uuid === uuid); } async updateExpirationTimerInGroupV2( seconds?: number ): Promise { const idLog = this.idForLogging(); const current = this.get('expireTimer'); const bothFalsey = Boolean(current) === false && Boolean(seconds) === false; if (current === seconds || bothFalsey) { log.warn( `updateExpirationTimerInGroupV2/${idLog}: Requested timer ${seconds} is unchanged from existing ${current}.` ); return undefined; } return window.Signal.Groups.buildDisappearingMessagesTimerChange({ expireTimer: seconds || 0, group: this.attributes, }); } async promotePendingMember( conversationId: string ): Promise { const idLog = this.idForLogging(); // This user's pending state may have changed in the time between the user's // button press and when we get here. It's especially important to check here // in conflict/retry cases. if (!this.isMemberPending(conversationId)) { log.warn( `promotePendingMember/${idLog}: ${conversationId} is not a pending member of group. Returning early.` ); return undefined; } const pendingMember = window.ConversationController.get(conversationId); if (!pendingMember) { throw new Error( `promotePendingMember/${idLog}: No conversation found for conversation ${conversationId}` ); } // We need the user's profileKeyCredential, which requires a roundtrip with the // server, and most definitely their profileKey. A getProfiles() call will // ensure that we have as much as we can get with the data we have. let profileKeyCredentialBase64 = pendingMember.get('profileKeyCredential'); if (!profileKeyCredentialBase64) { await pendingMember.getProfiles(); profileKeyCredentialBase64 = pendingMember.get('profileKeyCredential'); if (!profileKeyCredentialBase64) { throw new Error( `promotePendingMember/${idLog}: No profileKeyCredential for conversation ${pendingMember.idForLogging()}` ); } } return window.Signal.Groups.buildPromoteMemberChange({ group: this.attributes, profileKeyCredentialBase64, serverPublicParamsBase64: window.getServerPublicParams(), }); } async approvePendingApprovalRequest( conversationId: string ): Promise { const idLog = this.idForLogging(); // This user's pending state may have changed in the time between the user's // button press and when we get here. It's especially important to check here // in conflict/retry cases. if (!this.isMemberRequestingToJoin(conversationId)) { log.warn( `approvePendingApprovalRequest/${idLog}: ${conversationId} is not requesting to join the group. Returning early.` ); return undefined; } const pendingMember = window.ConversationController.get(conversationId); if (!pendingMember) { throw new Error( `approvePendingApprovalRequest/${idLog}: No conversation found for conversation ${conversationId}` ); } const uuid = pendingMember.get('uuid'); if (!uuid) { throw new Error( `approvePendingApprovalRequest/${idLog}: Missing uuid for conversation ${conversationId}` ); } return window.Signal.Groups.buildPromotePendingAdminApprovalMemberChange({ group: this.attributes, uuid, }); } async denyPendingApprovalRequest( conversationId: string ): Promise { const idLog = this.idForLogging(); // This user's pending state may have changed in the time between the user's // button press and when we get here. It's especially important to check here // in conflict/retry cases. if (!this.isMemberRequestingToJoin(conversationId)) { log.warn( `denyPendingApprovalRequest/${idLog}: ${conversationId} is not requesting to join the group. Returning early.` ); return undefined; } const pendingMember = window.ConversationController.get(conversationId); if (!pendingMember) { throw new Error( `denyPendingApprovalRequest/${idLog}: No conversation found for conversation ${conversationId}` ); } const uuid = pendingMember.get('uuid'); if (!uuid) { throw new Error( `denyPendingApprovalRequest/${idLog}: Missing uuid for conversation ${pendingMember.idForLogging()}` ); } const ourUuid = window.textsecure.storage.user .getCheckedUuid(UUIDKind.ACI) .toString(); return window.Signal.Groups.buildDeletePendingAdminApprovalMemberChange({ group: this.attributes, ourUuid, uuid, }); } async addPendingApprovalRequest(): Promise< Proto.GroupChange.Actions | undefined > { const idLog = this.idForLogging(); // Hard-coded to our own ID, because you don't add other users for admin approval const conversationId = window.ConversationController.getOurConversationIdOrThrow(); const toRequest = window.ConversationController.get(conversationId); if (!toRequest) { throw new Error( `addPendingApprovalRequest/${idLog}: No conversation found for conversation ${conversationId}` ); } // We need the user's profileKeyCredential, which requires a roundtrip with the // server, and most definitely their profileKey. A getProfiles() call will // ensure that we have as much as we can get with the data we have. let profileKeyCredentialBase64 = toRequest.get('profileKeyCredential'); if (!profileKeyCredentialBase64) { await toRequest.getProfiles(); profileKeyCredentialBase64 = toRequest.get('profileKeyCredential'); if (!profileKeyCredentialBase64) { throw new Error( `promotePendingMember/${idLog}: No profileKeyCredential for conversation ${toRequest.idForLogging()}` ); } } // This user's pending state may have changed in the time between the user's // button press and when we get here. It's especially important to check here // in conflict/retry cases. if (this.isMemberAwaitingApproval(conversationId)) { log.warn( `addPendingApprovalRequest/${idLog}: ${conversationId} already in pending approval.` ); return undefined; } return window.Signal.Groups.buildAddPendingAdminApprovalMemberChange({ group: this.attributes, profileKeyCredentialBase64, serverPublicParamsBase64: window.getServerPublicParams(), }); } async addMember( conversationId: string ): Promise { const idLog = this.idForLogging(); const toRequest = window.ConversationController.get(conversationId); if (!toRequest) { throw new Error( `addMember/${idLog}: No conversation found for conversation ${conversationId}` ); } const uuid = toRequest.get('uuid'); if (!uuid) { throw new Error( `addMember/${idLog}: ${toRequest.idForLogging()} is missing a uuid!` ); } // We need the user's profileKeyCredential, which requires a roundtrip with the // server, and most definitely their profileKey. A getProfiles() call will // ensure that we have as much as we can get with the data we have. let profileKeyCredentialBase64 = toRequest.get('profileKeyCredential'); if (!profileKeyCredentialBase64) { await toRequest.getProfiles(); profileKeyCredentialBase64 = toRequest.get('profileKeyCredential'); if (!profileKeyCredentialBase64) { throw new Error( `addMember/${idLog}: No profileKeyCredential for conversation ${toRequest.idForLogging()}` ); } } // This user's pending state may have changed in the time between the user's // button press and when we get here. It's especially important to check here // in conflict/retry cases. if (this.isMember(conversationId)) { log.warn(`addMember/${idLog}: ${conversationId} already a member.`); return undefined; } return window.Signal.Groups.buildAddMember({ group: this.attributes, profileKeyCredentialBase64, serverPublicParamsBase64: window.getServerPublicParams(), uuid, }); } async removePendingMember( conversationIds: Array ): Promise { const idLog = this.idForLogging(); const uuids = conversationIds .map(conversationId => { // This user's pending state may have changed in the time between the user's // button press and when we get here. It's especially important to check here // in conflict/retry cases. if (!this.isMemberPending(conversationId)) { log.warn( `removePendingMember/${idLog}: ${conversationId} is not a pending member of group. Returning early.` ); return undefined; } const pendingMember = window.ConversationController.get(conversationId); if (!pendingMember) { log.warn( `removePendingMember/${idLog}: No conversation found for conversation ${conversationId}` ); return undefined; } const uuid = pendingMember.get('uuid'); if (!uuid) { log.warn( `removePendingMember/${idLog}: Missing uuid for conversation ${pendingMember.idForLogging()}` ); return undefined; } return uuid; }) .filter(isNotNil); if (!uuids.length) { return undefined; } return window.Signal.Groups.buildDeletePendingMemberChange({ group: this.attributes, uuids, }); } async removeMember( conversationId: string ): Promise { const idLog = this.idForLogging(); // This user's pending state may have changed in the time between the user's // button press and when we get here. It's especially important to check here // in conflict/retry cases. if (!this.isMember(conversationId)) { log.warn( `removeMember/${idLog}: ${conversationId} is not a pending member of group. Returning early.` ); return undefined; } const member = window.ConversationController.get(conversationId); if (!member) { throw new Error( `removeMember/${idLog}: No conversation found for conversation ${conversationId}` ); } const uuid = member.get('uuid'); if (!uuid) { throw new Error( `removeMember/${idLog}: Missing uuid for conversation ${member.idForLogging()}` ); } const ourUuid = window.textsecure.storage.user .getCheckedUuid(UUIDKind.ACI) .toString(); return window.Signal.Groups.buildDeleteMemberChange({ group: this.attributes, ourUuid, uuid, }); } async toggleAdminChange( conversationId: string ): Promise { if (!isGroupV2(this.attributes)) { return undefined; } const idLog = this.idForLogging(); if (!this.isMember(conversationId)) { log.warn( `toggleAdminChange/${idLog}: ${conversationId} is not a pending member of group. Returning early.` ); return undefined; } const conversation = window.ConversationController.get(conversationId); if (!conversation) { throw new Error( `toggleAdminChange/${idLog}: No conversation found for conversation ${conversationId}` ); } const uuid = conversation.get('uuid'); if (!uuid) { throw new Error( `toggleAdminChange/${idLog}: Missing uuid for conversation ${conversationId}` ); } const MEMBER_ROLES = Proto.Member.Role; const role = this.isAdmin(conversationId) ? MEMBER_ROLES.DEFAULT : MEMBER_ROLES.ADMINISTRATOR; return window.Signal.Groups.buildModifyMemberRoleChange({ group: this.attributes, uuid, role, }); } async modifyGroupV2({ createGroupChange, extraConversationsForSend, inviteLinkPassword, name, }: { createGroupChange: () => Promise; extraConversationsForSend?: Array; inviteLinkPassword?: string; name: string; }): Promise { await window.Signal.Groups.modifyGroupV2({ conversation: this, createGroupChange, extraConversationsForSend, inviteLinkPassword, name, }); } isEverUnregistered(): boolean { return Boolean(this.get('discoveredUnregisteredAt')); } isUnregistered(): boolean { return isConversationUnregistered(this.attributes); } isSMSOnly(): boolean { return isConversationSMSOnly({ ...this.attributes, type: isDirectConversation(this.attributes) ? 'direct' : 'unknown', }); } setUnregistered(): void { log.info(`Conversation ${this.idForLogging()} is now unregistered`); this.set({ discoveredUnregisteredAt: Date.now(), }); window.Signal.Data.updateConversation(this.attributes); } setRegistered(): void { if (this.get('discoveredUnregisteredAt') === undefined) { return; } log.info(`Conversation ${this.idForLogging()} is registered once again`); this.set({ discoveredUnregisteredAt: undefined, }); window.Signal.Data.updateConversation(this.attributes); } isGroupV1AndDisabled(): boolean { return isGroupV1(this.attributes); } isBlocked(): boolean { const uuid = this.get('uuid'); if (uuid) { return window.storage.blocked.isUuidBlocked(uuid); } const e164 = this.get('e164'); if (e164) { return window.storage.blocked.isBlocked(e164); } const groupId = this.get('groupId'); if (groupId) { return window.storage.blocked.isGroupBlocked(groupId); } return false; } block({ viaStorageServiceSync = false } = {}): void { let blocked = false; const wasBlocked = this.isBlocked(); const uuid = this.get('uuid'); if (uuid) { window.storage.blocked.addBlockedUuid(uuid); blocked = true; } const e164 = this.get('e164'); if (e164) { window.storage.blocked.addBlockedNumber(e164); blocked = true; } const groupId = this.get('groupId'); if (groupId) { window.storage.blocked.addBlockedGroup(groupId); blocked = true; } if (blocked && !wasBlocked) { // We need to force a props refresh - blocked state is not in backbone attributes this.trigger('change', this, { force: true }); if (!viaStorageServiceSync) { this.captureChange('block'); } } } unblock({ viaStorageServiceSync = false } = {}): boolean { let unblocked = false; const wasBlocked = this.isBlocked(); const uuid = this.get('uuid'); if (uuid) { window.storage.blocked.removeBlockedUuid(uuid); unblocked = true; } const e164 = this.get('e164'); if (e164) { window.storage.blocked.removeBlockedNumber(e164); unblocked = true; } const groupId = this.get('groupId'); if (groupId) { window.storage.blocked.removeBlockedGroup(groupId); unblocked = true; } if (unblocked && wasBlocked) { // We need to force a props refresh - blocked state is not in backbone attributes this.trigger('change', this, { force: true }); if (!viaStorageServiceSync) { this.captureChange('unblock'); } this.fetchLatestGroupV2Data({ force: true }); } return unblocked; } enableProfileSharing({ viaStorageServiceSync = false } = {}): void { log.info( `enableProfileSharing: ${this.idForLogging()} storage? ${viaStorageServiceSync}` ); const before = this.get('profileSharing'); this.set({ profileSharing: true }); const after = this.get('profileSharing'); if (!viaStorageServiceSync && Boolean(before) !== Boolean(after)) { this.captureChange('enableProfileSharing'); } } disableProfileSharing({ viaStorageServiceSync = false } = {}): void { log.info( `disableProfileSharing: ${this.idForLogging()} storage? ${viaStorageServiceSync}` ); const before = this.get('profileSharing'); this.set({ profileSharing: false }); const after = this.get('profileSharing'); if (!viaStorageServiceSync && Boolean(before) !== Boolean(after)) { this.captureChange('disableProfileSharing'); } } hasDraft(): boolean { const draftAttachments = this.get('draftAttachments') || []; return (this.get('draft') || this.get('quotedMessageId') || draftAttachments.length > 0) as boolean; } getDraftPreview(): string { const draft = this.get('draft'); if (draft) { const bodyRanges = this.get('draftBodyRanges') || []; return getTextWithMentions(bodyRanges, draft); } const draftAttachments = this.get('draftAttachments') || []; if (draftAttachments.length > 0) { return window.i18n('Conversation--getDraftPreview--attachment'); } const quotedMessageId = this.get('quotedMessageId'); if (quotedMessageId) { return window.i18n('Conversation--getDraftPreview--quote'); } return window.i18n('Conversation--getDraftPreview--draft'); } bumpTyping(): void { // We don't send typing messages if the setting is disabled if (!window.Events.getTypingIndicatorSetting()) { return; } if (!this.typingRefreshTimer) { const isTyping = true; this.setTypingRefreshTimer(); this.sendTypingMessage(isTyping); } this.setTypingPauseTimer(); } setTypingRefreshTimer(): void { clearTimeoutIfNecessary(this.typingRefreshTimer); this.typingRefreshTimer = setTimeout( this.onTypingRefreshTimeout.bind(this), 10 * 1000 ); } onTypingRefreshTimeout(): void { const isTyping = true; this.sendTypingMessage(isTyping); // This timer will continue to reset itself until the pause timer stops it this.setTypingRefreshTimer(); } setTypingPauseTimer(): void { clearTimeoutIfNecessary(this.typingPauseTimer); this.typingPauseTimer = setTimeout( this.onTypingPauseTimeout.bind(this), 3 * 1000 ); } onTypingPauseTimeout(): void { const isTyping = false; this.sendTypingMessage(isTyping); this.clearTypingTimers(); } clearTypingTimers(): void { clearTimeoutIfNecessary(this.typingPauseTimer); this.typingPauseTimer = null; clearTimeoutIfNecessary(this.typingRefreshTimer); this.typingRefreshTimer = null; } async fetchLatestGroupV2Data( options: { force?: boolean } = {} ): Promise { if (!isGroupV2(this.attributes)) { return; } await window.Signal.Groups.waitThenMaybeUpdateGroup({ force: options.force, conversation: this, }); } async fetchSMSOnlyUUID(): Promise { const { messaging } = window.textsecure; if (!messaging) { return; } if (!this.isSMSOnly()) { return; } log.info( `Fetching uuid for a sms-only conversation ${this.idForLogging()}` ); this.isFetchingUUID = true; this.trigger('change', this, { force: true }); try { // Attempt to fetch UUID await updateConversationsWithUuidLookup({ conversationController: window.ConversationController, conversations: [this], messaging, }); } finally { // No redux update here this.isFetchingUUID = false; this.trigger('change', this, { force: true }); log.info( `Done fetching uuid for a sms-only conversation ${this.idForLogging()}` ); } if (!this.get('uuid')) { return; } // On successful fetch - mark contact as registered. this.setRegistered(); } override isValid(): boolean { return ( isDirectConversation(this.attributes) || isGroupV1(this.attributes) || isGroupV2(this.attributes) ); } async maybeMigrateV1Group(): Promise { if (!isGroupV1(this.attributes)) { return; } const isMigrated = await window.Signal.Groups.hasV1GroupBeenMigrated(this); if (!isMigrated) { return; } await window.Signal.Groups.waitThenRespondToGroupV2Migration({ conversation: this, }); } maybeRepairGroupV2(data: { masterKey: string; secretParams: string; publicParams: string; }): void { if ( this.get('groupVersion') && this.get('masterKey') && this.get('secretParams') && this.get('publicParams') ) { return; } log.info(`Repairing GroupV2 conversation ${this.idForLogging()}`); const { masterKey, secretParams, publicParams } = data; this.set({ masterKey, secretParams, publicParams, groupVersion: 2 }); window.Signal.Data.updateConversation(this.attributes); } getGroupV2Info( options: Readonly< { groupChange?: Uint8Array } & ( | { includePendingMembers?: boolean; extraConversationsForSend?: Array; } | { members: Array } ) > = {} ): GroupV2InfoType | undefined { if (isDirectConversation(this.attributes) || !isGroupV2(this.attributes)) { return undefined; } return { masterKey: Bytes.fromBase64( // eslint-disable-next-line @typescript-eslint/no-non-null-assertion this.get('masterKey')! ), // eslint-disable-next-line @typescript-eslint/no-non-null-assertion revision: this.get('revision')!, members: 'members' in options ? options.members : this.getRecipients(options), groupChange: options.groupChange, }; } getGroupV1Info(members?: Array): GroupV1InfoType | undefined { const groupId = this.get('groupId'); const groupVersion = this.get('groupVersion'); if ( isDirectConversation(this.attributes) || !groupId || (groupVersion && groupVersion > 0) ) { return undefined; } return { id: groupId, members: members || this.getRecipients(), }; } getGroupIdBuffer(): Uint8Array | undefined { const groupIdString = this.get('groupId'); if (!groupIdString) { return undefined; } if (isGroupV1(this.attributes)) { return Bytes.fromBinary(groupIdString); } if (isGroupV2(this.attributes)) { return Bytes.fromBase64(groupIdString); } return undefined; } async sendTypingMessage(isTyping: boolean): Promise { const { messaging } = window.textsecure; if (!messaging) { return; } // We don't send typing messages to our other devices if (isMe(this.attributes)) { return; } // Coalesce multiple sendTypingMessage calls into one. // // `lastIsTyping` is set to the last `isTyping` value passed to the // `sendTypingMessage`. The first 'sendTypingMessage' job to run will // pick it and reset it back to `undefined` so that later jobs will // in effect be ignored. this.lastIsTyping = isTyping; await this.queueJob('sendTypingMessage', async () => { const groupMembers = this.getRecipients(); // We don't send typing messages if our recipients list is empty if (!isDirectConversation(this.attributes) && !groupMembers.length) { return; } if (this.lastIsTyping === undefined) { log.info(`sendTypingMessage(${this.idForLogging()}): ignoring`); return; } const recipientId = isDirectConversation(this.attributes) ? this.getSendTarget() : undefined; const groupId = this.getGroupIdBuffer(); const timestamp = Date.now(); const content = { recipientId, groupId, groupMembers, isTyping: this.lastIsTyping, timestamp, }; this.lastIsTyping = undefined; log.info( `sendTypingMessage(${this.idForLogging()}): sending ${content.isTyping}` ); const contentMessage = messaging.getTypingContentMessage(content); const { ContentHint } = Proto.UnidentifiedSenderMessage.Message; const sendOptions = { ...(await getSendOptions(this.attributes)), online: true, }; if (isDirectConversation(this.attributes)) { await handleMessageSend( messaging.sendMessageProtoAndWait({ contentHint: ContentHint.IMPLICIT, groupId: undefined, options: sendOptions, proto: contentMessage, recipients: groupMembers, timestamp, urgent: false, }), { messageIds: [], sendType: 'typing' } ); } else { await handleMessageSend( window.Signal.Util.sendContentMessageToGroup({ contentHint: ContentHint.IMPLICIT, contentMessage, messageId: undefined, online: true, recipients: groupMembers, sendOptions, sendTarget: this.toSenderKeyTarget(), sendType: 'typing', timestamp, urgent: false, }), { messageIds: [], sendType: 'typing' } ); } }); } async onNewMessage(message: MessageModel): Promise { const uuid = message.get('sourceUuid'); const e164 = message.get('source'); const sourceDevice = message.get('sourceDevice'); const sourceId = window.ConversationController.ensureContactIds({ uuid, e164, }); const typingToken = `${sourceId}.${sourceDevice}`; // Clear typing indicator for a given contact if we receive a message from them this.clearContactTypingTimer(typingToken); // If it's a group story reply or a story message, we don't want to update // the last message or add new messages to redux. const isGroupStoryReply = isGroup(this.attributes) && message.get('storyId'); if (isGroupStoryReply || isStory(message.attributes)) { return; } this.addSingleMessage(message); } // New messages might arrive while we're in the middle of a bulk fetch from the // database. We'll wait until that is done before moving forward. async addSingleMessage( message: MessageModel, { isJustSent }: { isJustSent: boolean } = { isJustSent: false } ): Promise { await this.beforeAddSingleMessage(); this.doAddSingleMessage(message, { isJustSent }); // eslint-disable-next-line @typescript-eslint/no-non-null-assertion this.debouncedUpdateLastMessage!(); } private async beforeAddSingleMessage(): Promise { if (!this.newMessageQueue) { this.newMessageQueue = new window.PQueue({ concurrency: 1, timeout: durations.MINUTE * 30, }); } // We use a queue here to ensure messages are added to the UI in the order received await this.newMessageQueue.add(async () => { await this.inProgressFetch; }); } private doAddSingleMessage( message: MessageModel, { isJustSent }: { isJustSent: boolean } ): void { const { messagesAdded } = window.reduxActions.conversations; const { conversations } = window.reduxStore.getState(); const { messagesByConversation } = conversations; const conversationId = this.id; const existingConversation = messagesByConversation[conversationId]; const newestId = existingConversation?.metrics?.newest?.id; const messageIds = existingConversation?.messageIds; const isLatestInMemory = newestId && messageIds && messageIds[messageIds.length - 1] === newestId; if (isJustSent && existingConversation && !isLatestInMemory) { this.loadNewestMessages(undefined, undefined); } else { messagesAdded({ conversationId, messages: [{ ...message.attributes }], isActive: window.SignalContext.activeWindowService.isActive(), isJustSent, isNewMessage: true, }); } } setInProgressFetch(): () => unknown { let resolvePromise: (value?: unknown) => void; this.inProgressFetch = new Promise(resolve => { resolvePromise = resolve; }); const finish = () => { resolvePromise(); this.inProgressFetch = undefined; }; return finish; } async loadNewestMessages( newestMessageId: string | undefined, setFocus: boolean | undefined ): Promise { const { messagesReset, setMessageLoadingState } = window.reduxActions.conversations; const conversationId = this.id; setMessageLoadingState( conversationId, TimelineMessageLoadingState.DoingInitialLoad ); const finish = this.setInProgressFetch(); try { let scrollToLatestUnread = true; if (newestMessageId) { const newestInMemoryMessage = await getMessageById(newestMessageId); if (newestInMemoryMessage) { // If newest in-memory message is unread, scrolling down would mean going to // the very bottom, not the oldest unread. if (isMessageUnread(newestInMemoryMessage)) { scrollToLatestUnread = false; } } else { log.warn( `loadNewestMessages: did not find message ${newestMessageId}` ); } } const metrics = await getMessageMetricsForConversation( conversationId, undefined, isGroup(this.attributes) ); // If this is a message request that has not yet been accepted, we always show the // oldest messages, to ensure that the ConversationHero is shown. We don't want to // scroll directly to the oldest message, because that could scroll the hero off // the screen. if (!newestMessageId && !this.getAccepted() && metrics.oldest) { this.loadAndScroll(metrics.oldest.id, { disableScroll: true }); return; } if (scrollToLatestUnread && metrics.oldestUnseen) { this.loadAndScroll(metrics.oldestUnseen.id, { disableScroll: !setFocus, }); return; } const messages = await getOlderMessagesByConversation(conversationId, { isGroup: isGroup(this.attributes), limit: MESSAGE_LOAD_CHUNK_SIZE, storyId: undefined, }); const cleaned: Array = await this.cleanModels(messages); const scrollToMessageId = setFocus && metrics.newest ? metrics.newest.id : undefined; // Because our `getOlderMessages` fetch above didn't specify a receivedAt, we got // the most recent N messages in the conversation. If it has a conflict with // metrics, fetched a bit before, that's likely a race condition. So we tell our // reducer to trust the message set we just fetched for determining if we have // the newest message loaded. const unboundedFetch = true; messagesReset({ conversationId, messages: cleaned.map((messageModel: MessageModel) => ({ ...messageModel.attributes, })), metrics, scrollToMessageId, unboundedFetch, }); } catch (error) { setMessageLoadingState(conversationId, undefined); throw error; } finally { finish(); } } async loadOlderMessages(oldestMessageId: string): Promise { const { messagesAdded, setMessageLoadingState, repairOldestMessage } = window.reduxActions.conversations; const conversationId = this.id; setMessageLoadingState( conversationId, TimelineMessageLoadingState.LoadingOlderMessages ); const finish = this.setInProgressFetch(); try { const message = await getMessageById(oldestMessageId); if (!message) { throw new Error( `loadOlderMessages: failed to load message ${oldestMessageId}` ); } const receivedAt = message.received_at; const sentAt = message.sent_at; const models = await getOlderMessagesByConversation(conversationId, { isGroup: isGroup(this.attributes), limit: MESSAGE_LOAD_CHUNK_SIZE, messageId: oldestMessageId, receivedAt, sentAt, storyId: undefined, }); if (models.length < 1) { log.warn('loadOlderMessages: requested, but loaded no messages'); repairOldestMessage(conversationId); return; } const cleaned = await this.cleanModels(models); messagesAdded({ conversationId, messages: cleaned.map((messageModel: MessageModel) => ({ ...messageModel.attributes, })), isActive: window.SignalContext.activeWindowService.isActive(), isJustSent: false, isNewMessage: false, }); } catch (error) { setMessageLoadingState(conversationId, undefined); throw error; } finally { finish(); } } async loadNewerMessages(newestMessageId: string): Promise { const { messagesAdded, setMessageLoadingState, repairNewestMessage } = window.reduxActions.conversations; const conversationId = this.id; setMessageLoadingState( conversationId, TimelineMessageLoadingState.LoadingNewerMessages ); const finish = this.setInProgressFetch(); try { const message = await getMessageById(newestMessageId); if (!message) { throw new Error( `loadNewerMessages: failed to load message ${newestMessageId}` ); } const receivedAt = message.received_at; const sentAt = message.sent_at; const models = await getNewerMessagesByConversation(conversationId, { isGroup: isGroup(this.attributes), limit: MESSAGE_LOAD_CHUNK_SIZE, receivedAt, sentAt, storyId: undefined, }); if (models.length < 1) { log.warn('loadNewerMessages: requested, but loaded no messages'); repairNewestMessage(conversationId); return; } const cleaned = await this.cleanModels(models); messagesAdded({ conversationId, messages: cleaned.map((messageModel: MessageModel) => ({ ...messageModel.attributes, })), isActive: window.SignalContext.activeWindowService.isActive(), isJustSent: false, isNewMessage: false, }); } catch (error) { setMessageLoadingState(conversationId, undefined); throw error; } finally { finish(); } } async loadAndScroll( messageId: string, options?: { disableScroll?: boolean } ): Promise { const { messagesReset, setMessageLoadingState } = window.reduxActions.conversations; const conversationId = this.id; setMessageLoadingState( conversationId, TimelineMessageLoadingState.DoingInitialLoad ); const finish = this.setInProgressFetch(); try { const message = await getMessageById(messageId); if (!message) { throw new Error( `loadMoreAndScroll: failed to load message ${messageId}` ); } const receivedAt = message.received_at; const sentAt = message.sent_at; const { older, newer, metrics } = await getConversationRangeCenteredOnMessage({ conversationId, isGroup: isGroup(this.attributes), limit: MESSAGE_LOAD_CHUNK_SIZE, messageId, receivedAt, sentAt, storyId: undefined, }); const all = [...older, message, ...newer]; const cleaned: Array = await this.cleanModels(all); const scrollToMessageId = options && options.disableScroll ? undefined : messageId; messagesReset({ conversationId, messages: cleaned.map((messageModel: MessageModel) => ({ ...messageModel.attributes, })), metrics, scrollToMessageId, }); } catch (error) { setMessageLoadingState(conversationId, undefined); throw error; } finally { finish(); } } async cleanModels( messages: ReadonlyArray ): Promise> { const result = messages .filter(message => Boolean(message.id)) .map(message => window.MessageController.register(message.id, message)); const eliminated = messages.length - result.length; if (eliminated > 0) { log.warn(`cleanModels: Eliminated ${eliminated} messages without an id`); } const ourUuid = window.textsecure.storage.user.getCheckedUuid().toString(); let upgraded = 0; for (let max = result.length, i = 0; i < max; i += 1) { const message = result[i]; const { attributes } = message; const { schemaVersion } = attributes; if (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 const upgradedMessage = await upgradeMessageSchema(attributes); message.set(upgradedMessage); // eslint-disable-next-line no-await-in-loop await window.Signal.Data.saveMessage(upgradedMessage, { ourUuid }); upgraded += 1; } } if (upgraded > 0) { log.warn(`cleanModels: Upgraded schema of ${upgraded} messages`); } await Promise.all(result.map(model => model.hydrateStoryContext())); return result; } format(): ConversationType { if (this.cachedProps) { return this.cachedProps; } const oldFormat = this.format; // We don't want to crash or have an infinite loop if we loop back into this function // again. We'll log a warning and returned old cached props or throw an error. this.format = () => { if (!this.oldCachedProps) { throw new Error( `Conversation.format()/${this.idForLogging()} reentrant call, no old cached props!` ); } const { stack } = new Error('for stack'); log.warn( `Conversation.format()/${this.idForLogging()} reentrant call! ${stack}` ); return this.oldCachedProps; }; try { this.cachedProps = this.getProps(); return this.cachedProps; } finally { this.format = oldFormat; } } // Note: this should never be called directly. Use conversation.format() instead, which // maintains a cache, and protects against reentrant calls. // Note: When writing code inside this function, do not call .format() on a conversation // unless you are sure that it's not this very same conversation. // Note: If you start relying on an attribute that is in // `ATTRIBUTES_THAT_DONT_INVALIDATE_PROPS_CACHE`, remove it from that list. private getProps(): ConversationType { // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const color = this.getColor()!; let lastMessage: | undefined | { status?: LastMessageStatus; text: string; deletedForEveryone: false; } | { deletedForEveryone: true }; if (this.get('lastMessageDeletedForEveryone')) { lastMessage = { deletedForEveryone: true }; } else { const lastMessageText = this.get('lastMessage'); if (lastMessageText) { lastMessage = { status: dropNull(this.get('lastMessageStatus')), text: lastMessageText, deletedForEveryone: false, }; } } const typingValues = window._.values(this.contactTypingTimers || {}); const typingMostRecent = window._.first( window._.sortBy(typingValues, 'timestamp') ); // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const timestamp = this.get('timestamp')!; const draftTimestamp = this.get('draftTimestamp'); const draftPreview = this.getDraftPreview(); const draftText = this.get('draft'); const draftBodyRanges = this.get('draftBodyRanges'); const shouldShowDraft = (this.hasDraft() && draftTimestamp && draftTimestamp >= timestamp) as boolean; const inboxPosition = this.get('inbox_position'); const messageRequestsEnabled = window.Signal.RemoteConfig.isEnabled( 'desktop.messageRequests' ); const ourConversationId = window.ConversationController.getOurConversationId(); let groupVersion: undefined | 1 | 2; if (isGroupV1(this.attributes)) { groupVersion = 1; } else if (isGroupV2(this.attributes)) { groupVersion = 2; } const sortedGroupMembers = isGroupV2(this.attributes) ? this.getMembers() .sort((left, right) => sortConversationTitles(left, right, this.intlCollator) ) .map(member => member.format()) .filter(isNotNil) : undefined; const { customColor, customColorId } = this.getCustomColorData(); // TODO: DESKTOP-720 return { id: this.id, uuid: this.get('uuid'), e164: this.get('e164'), // We had previously stored `null` instead of `undefined` in some cases. We should // be able to remove this `dropNull` once usernames have gone to production. username: dropNull(this.get('username')), about: this.getAboutText(), aboutText: this.get('about'), aboutEmoji: this.get('aboutEmoji'), acceptedMessageRequest: this.getAccepted(), // eslint-disable-next-line @typescript-eslint/no-non-null-assertion activeAt: this.get('active_at')!, areWePending: Boolean( ourConversationId && this.isMemberPending(ourConversationId) ), areWePendingApproval: Boolean( ourConversationId && this.isMemberAwaitingApproval(ourConversationId) ), areWeAdmin: this.areWeAdmin(), avatars: getAvatarData(this.attributes), badges: this.get('badges') || [], canChangeTimer: this.canChangeTimer(), canEditGroupInfo: this.canEditGroupInfo(), avatarPath: this.getAbsoluteAvatarPath(), avatarHash: this.getAvatarHash(), unblurredAvatarPath: this.getAbsoluteUnblurredAvatarPath(), profileAvatarPath: this.getAbsoluteProfileAvatarPath(), color, conversationColor: this.getConversationColor(), customColor, customColorId, discoveredUnregisteredAt: this.get('discoveredUnregisteredAt'), draftBodyRanges, draftPreview, draftText, familyName: this.get('profileFamilyName'), firstName: this.get('profileName'), groupDescription: this.get('description'), groupVersion, groupId: this.get('groupId'), groupLink: this.getGroupLink(), hideStory: Boolean(this.get('hideStory')), inboxPosition, isArchived: this.get('isArchived'), isBlocked: this.isBlocked(), isMe: isMe(this.attributes), isGroupV1AndDisabled: this.isGroupV1AndDisabled(), isPinned: this.get('isPinned'), isUntrusted: this.isUntrusted(), isVerified: this.isVerified(), isFetchingUUID: this.isFetchingUUID, lastMessage, // eslint-disable-next-line @typescript-eslint/no-non-null-assertion lastUpdated: this.get('timestamp')!, left: Boolean(this.get('left')), markedUnread: this.get('markedUnread'), membersCount: this.getMembersCount(), memberships: this.getMemberships(), messageCount: this.get('messageCount') || 0, pendingMemberships: this.getPendingMemberships(), pendingApprovalMemberships: this.getPendingApprovalMemberships(), bannedMemberships: this.getBannedMemberships(), profileKey: this.get('profileKey'), messageRequestsEnabled, accessControlAddFromInviteLink: this.get('accessControl')?.addFromInviteLink, accessControlAttributes: this.get('accessControl')?.attributes, accessControlMembers: this.get('accessControl')?.members, announcementsOnly: Boolean(this.get('announcementsOnly')), announcementsOnlyReady: this.canBeAnnouncementGroup(), expireTimer: this.get('expireTimer'), muteExpiresAt: this.get('muteExpiresAt'), dontNotifyForMentionsIfMuted: this.get('dontNotifyForMentionsIfMuted'), name: this.get('name'), phoneNumber: this.getNumber(), profileName: this.getProfileName(), profileSharing: this.get('profileSharing'), publicParams: this.get('publicParams'), secretParams: this.get('secretParams'), shouldShowDraft, sortedGroupMembers, timestamp, title: this.getTitle(), typingContactId: typingMostRecent?.senderId, searchableTitle: isMe(this.attributes) ? window.i18n('noteToSelf') : this.getTitle(), unreadCount: this.get('unreadCount') || 0, ...(isDirectConversation(this.attributes) ? { type: 'direct' as const, sharedGroupNames: this.get('sharedGroupNames') || [], } : { type: 'group' as const, acknowledgedGroupNameCollisions: this.get('acknowledgedGroupNameCollisions') || {}, sharedGroupNames: [], }), }; } updateE164(e164?: string | null): void { const oldValue = this.get('e164'); if (e164 && e164 !== oldValue) { this.set('e164', e164); if (oldValue) { this.addChangeNumberNotification(oldValue, e164); } window.Signal.Data.updateConversation(this.attributes); this.trigger('idUpdated', this, 'e164', oldValue); } } updateUuid(uuid?: string): void { const oldValue = this.get('uuid'); if (uuid && uuid !== oldValue) { this.set('uuid', UUID.cast(uuid.toLowerCase())); window.Signal.Data.updateConversation(this.attributes); this.trigger('idUpdated', this, 'uuid', oldValue); } } updateGroupId(groupId?: string): void { const oldValue = this.get('groupId'); if (groupId && groupId !== oldValue) { this.set('groupId', groupId); window.Signal.Data.updateConversation(this.attributes); this.trigger('idUpdated', this, 'groupId', oldValue); } } incrementMessageCount(): void { this.set({ messageCount: (this.get('messageCount') || 0) + 1, }); window.Signal.Data.updateConversation(this.attributes); } getMembersCount(): number | undefined { if (isDirectConversation(this.attributes)) { return undefined; } const memberList = this.get('membersV2') || this.get('members'); // We'll fail over if the member list is empty if (memberList && memberList.length) { return memberList.length; } const temporaryMemberCount = this.get('temporaryMemberCount'); if (isNumber(temporaryMemberCount)) { return temporaryMemberCount; } return undefined; } decrementMessageCount(): void { this.set({ messageCount: Math.max((this.get('messageCount') || 0) - 1, 0), }); window.Signal.Data.updateConversation(this.attributes); } incrementSentMessageCount({ dry = false }: { dry?: boolean } = {}): | Partial | undefined { const update = { messageCount: (this.get('messageCount') || 0) + 1, sentMessageCount: (this.get('sentMessageCount') || 0) + 1, }; if (dry) { return update; } this.set(update); window.Signal.Data.updateConversation(this.attributes); return undefined; } decrementSentMessageCount(): void { this.set({ messageCount: Math.max((this.get('messageCount') || 0) - 1, 0), sentMessageCount: Math.max((this.get('sentMessageCount') || 0) - 1, 0), }); window.Signal.Data.updateConversation(this.attributes); } /** * This function is called when a message request is accepted in order to * handle sending read receipts and download any pending attachments. */ async handleReadAndDownloadAttachments( options: { isLocalAction?: boolean } = {} ): Promise { const { isLocalAction } = options; const ourUuid = window.textsecure.storage.user.getCheckedUuid().toString(); let messages: Array | undefined; do { const first = messages ? messages[0] : undefined; // eslint-disable-next-line no-await-in-loop messages = await window.Signal.Data.getOlderMessagesByConversation( this.get('id'), { isGroup: isGroup(this.attributes), limit: 100, messageId: first ? first.id : undefined, receivedAt: first ? first.received_at : undefined, sentAt: first ? first.sent_at : undefined, storyId: undefined, } ); if (!messages.length) { return; } const readMessages = messages.filter(m => !hasErrors(m) && isIncoming(m)); if (isLocalAction) { // eslint-disable-next-line no-await-in-loop await readReceiptsJobQueue.addIfAllowedByUser( window.storage, readMessages.map(m => ({ messageId: m.id, senderE164: m.source, senderUuid: m.sourceUuid, timestamp: m.sent_at, })) ); } // eslint-disable-next-line no-await-in-loop await Promise.all( readMessages.map(async m => { const registered = window.MessageController.register(m.id, m); const shouldSave = await registered.queueAttachmentDownloads(); if (shouldSave) { await window.Signal.Data.saveMessage(registered.attributes, { ourUuid, }); } }) ); } while (messages.length > 0); } async applyMessageRequestResponse( response: number, { fromSync = false, viaStorageServiceSync = false } = {} ): Promise { try { const messageRequestEnum = Proto.SyncMessage.MessageRequestResponse.Type; const isLocalAction = !fromSync && !viaStorageServiceSync; const ourConversationId = window.ConversationController.getOurConversationId(); const currentMessageRequestState = this.get('messageRequestResponseType'); const didResponseChange = response !== currentMessageRequestState; const wasPreviouslyAccepted = this.getAccepted(); // Apply message request response locally this.set({ messageRequestResponseType: response, }); if (response === messageRequestEnum.ACCEPT) { this.unblock({ viaStorageServiceSync }); this.enableProfileSharing({ viaStorageServiceSync }); // We really don't want to call this if we don't have to. It can take a lot of // time to go through old messages to download attachments. if (didResponseChange && !wasPreviouslyAccepted) { await this.handleReadAndDownloadAttachments({ isLocalAction }); } if (isLocalAction) { if ( isGroupV1(this.attributes) || isDirectConversation(this.attributes) ) { this.sendProfileKeyUpdate(); } else if ( ourConversationId && isGroupV2(this.attributes) && this.isMemberPending(ourConversationId) ) { await this.modifyGroupV2({ name: 'promotePendingMember', createGroupChange: () => this.promotePendingMember(ourConversationId), }); } else if ( ourConversationId && isGroupV2(this.attributes) && this.isMember(ourConversationId) ) { log.info( 'applyMessageRequestResponse/accept: Already a member of v2 group' ); } else { log.error( 'applyMessageRequestResponse/accept: Neither member nor pending member of v2 group' ); } } } else if (response === messageRequestEnum.BLOCK) { // Block locally, other devices should block upon receiving the sync message this.block({ viaStorageServiceSync }); this.disableProfileSharing({ viaStorageServiceSync }); if (isLocalAction) { if (isGroupV1(this.attributes)) { await this.leaveGroup(); } else if (isGroupV2(this.attributes)) { await this.leaveGroupV2(); } } } else if (response === messageRequestEnum.DELETE) { this.disableProfileSharing({ viaStorageServiceSync }); // Delete messages locally, other devices should delete upon receiving // the sync message await this.destroyMessages(); this.updateLastMessage(); if (isLocalAction) { this.trigger('unload', 'deleted from message request'); if (isGroupV1(this.attributes)) { await this.leaveGroup(); } else if (isGroupV2(this.attributes)) { await this.leaveGroupV2(); } } } else if (response === messageRequestEnum.BLOCK_AND_DELETE) { // Block locally, other devices should block upon receiving the sync message this.block({ viaStorageServiceSync }); this.disableProfileSharing({ viaStorageServiceSync }); // Delete messages locally, other devices should delete upon receiving // the sync message await this.destroyMessages(); this.updateLastMessage(); if (isLocalAction) { this.trigger('unload', 'blocked and deleted from message request'); if (isGroupV1(this.attributes)) { await this.leaveGroup(); } else if (isGroupV2(this.attributes)) { await this.leaveGroupV2(); } } } } finally { window.Signal.Data.updateConversation(this.attributes); } } async joinGroupV2ViaLinkAndMigrate({ approvalRequired, inviteLinkPassword, revision, }: { approvalRequired: boolean; inviteLinkPassword: string; revision: number; }): Promise { await window.Signal.Groups.joinGroupV2ViaLinkAndMigrate({ approvalRequired, conversation: this, inviteLinkPassword, revision, }); } async joinGroupV2ViaLink({ inviteLinkPassword, approvalRequired, }: { inviteLinkPassword: string; approvalRequired: boolean; }): Promise { const ourConversationId = window.ConversationController.getOurConversationIdOrThrow(); const ourUuid = window.textsecure.storage.user.getCheckedUuid().toString(); try { if (approvalRequired) { await this.modifyGroupV2({ name: 'requestToJoin', inviteLinkPassword, createGroupChange: () => this.addPendingApprovalRequest(), }); } else { await this.modifyGroupV2({ name: 'joinGroup', inviteLinkPassword, createGroupChange: () => this.addMember(ourConversationId), }); } } catch (error) { const ALREADY_REQUESTED_TO_JOIN = '{"code":400,"message":"cannot ask to join via invite link if already asked to join"}'; if (!error.response) { throw error; } else { const errorDetails = Bytes.toString(error.response); if (errorDetails !== ALREADY_REQUESTED_TO_JOIN) { throw error; } else { log.info( 'joinGroupV2ViaLink: Got 400, but server is telling us we have already requested to join. Forcing that local state' ); this.set({ pendingAdminApprovalV2: [ { uuid: ourUuid, timestamp: Date.now(), }, ], }); } } } const messageRequestEnum = Proto.SyncMessage.MessageRequestResponse.Type; // Ensure active_at is set, because this is an event that justifies putting the group // in the left pane. this.set({ messageRequestResponseType: messageRequestEnum.ACCEPT, active_at: this.get('active_at') || Date.now(), }); window.Signal.Data.updateConversation(this.attributes); } async cancelJoinRequest(): Promise { const ourConversationId = window.ConversationController.getOurConversationIdOrThrow(); const inviteLinkPassword = this.get('groupInviteLinkPassword'); if (!inviteLinkPassword) { log.warn( `cancelJoinRequest/${this.idForLogging()}: We don't have an inviteLinkPassword!` ); } await this.modifyGroupV2({ name: 'cancelJoinRequest', inviteLinkPassword, createGroupChange: () => this.denyPendingApprovalRequest(ourConversationId), }); } async addMembersV2(conversationIds: ReadonlyArray): Promise { await this.modifyGroupV2({ name: 'addMembersV2', createGroupChange: () => window.Signal.Groups.buildAddMembersChange( this.attributes, conversationIds ), }); } async updateGroupAttributesV2( attributes: Readonly<{ avatar?: undefined | Uint8Array; description?: string; title?: string; }> ): Promise { await this.modifyGroupV2({ name: 'updateGroupAttributesV2', createGroupChange: () => window.Signal.Groups.buildUpdateAttributesChange( { id: this.id, publicParams: this.get('publicParams'), revision: this.get('revision'), secretParams: this.get('secretParams'), }, attributes ), }); } async leaveGroupV2(): Promise { const ourConversationId = window.ConversationController.getOurConversationId(); if ( ourConversationId && isGroupV2(this.attributes) && this.isMemberPending(ourConversationId) ) { await this.modifyGroupV2({ name: 'delete', createGroupChange: () => this.removePendingMember([ourConversationId]), }); } else if ( ourConversationId && isGroupV2(this.attributes) && this.isMember(ourConversationId) ) { await this.modifyGroupV2({ name: 'delete', createGroupChange: () => this.removeMember(ourConversationId), }); } else { log.error( 'leaveGroupV2: We were neither a member nor a pending member of the group' ); } } async addBannedMember( uuid: UUIDStringType ): Promise { if (this.isMember(uuid)) { log.warn('addBannedMember: Member is a part of the group!'); return; } if (this.isMemberPending(uuid)) { log.warn('addBannedMember: Member is pending to be added to group!'); return; } if (this.isMemberBanned(uuid)) { log.warn('addBannedMember: Member is already banned!'); return; } return window.Signal.Groups.buildAddBannedMemberChange({ group: this.attributes, uuid, }); } async blockGroupLinkRequests(uuid: UUIDStringType): Promise { await this.modifyGroupV2({ name: 'addBannedMember', createGroupChange: async () => this.addBannedMember(uuid), }); } async toggleAdmin(conversationId: string): Promise { if (!isGroupV2(this.attributes)) { return; } if (!this.isMember(conversationId)) { log.error( `toggleAdmin: Member ${conversationId} is not a member of the group` ); return; } await this.modifyGroupV2({ name: 'toggleAdmin', createGroupChange: () => this.toggleAdminChange(conversationId), }); } async approvePendingMembershipFromGroupV2( conversationId: string ): Promise { if ( isGroupV2(this.attributes) && this.isMemberRequestingToJoin(conversationId) ) { await this.modifyGroupV2({ name: 'approvePendingApprovalRequest', createGroupChange: () => this.approvePendingApprovalRequest(conversationId), }); } } async revokePendingMembershipsFromGroupV2( conversationIds: Array ): Promise { if (!isGroupV2(this.attributes)) { return; } const [conversationId] = conversationIds; // Only pending memberships can be revoked for multiple members at once if (conversationIds.length > 1) { await this.modifyGroupV2({ name: 'removePendingMember', createGroupChange: () => this.removePendingMember(conversationIds), extraConversationsForSend: conversationIds, }); } else if (this.isMemberRequestingToJoin(conversationId)) { await this.modifyGroupV2({ name: 'denyPendingApprovalRequest', createGroupChange: () => this.denyPendingApprovalRequest(conversationId), extraConversationsForSend: [conversationId], }); } else if (this.isMemberPending(conversationId)) { await this.modifyGroupV2({ name: 'removePendingMember', createGroupChange: () => this.removePendingMember([conversationId]), extraConversationsForSend: [conversationId], }); } } async removeFromGroupV2(conversationId: string): Promise { if ( isGroupV2(this.attributes) && this.isMemberRequestingToJoin(conversationId) ) { await this.modifyGroupV2({ name: 'denyPendingApprovalRequest', createGroupChange: () => this.denyPendingApprovalRequest(conversationId), extraConversationsForSend: [conversationId], }); } else if ( isGroupV2(this.attributes) && this.isMemberPending(conversationId) ) { await this.modifyGroupV2({ name: 'removePendingMember', createGroupChange: () => this.removePendingMember([conversationId]), extraConversationsForSend: [conversationId], }); } else if (isGroupV2(this.attributes) && this.isMember(conversationId)) { await this.modifyGroupV2({ name: 'removeFromGroup', createGroupChange: () => this.removeMember(conversationId), extraConversationsForSend: [conversationId], }); } else { log.error( `removeFromGroupV2: Member ${conversationId} is neither a member nor a pending member of the group` ); } } async syncMessageRequestResponse(response: number): Promise { // In GroupsV2, this may modify the server. We only want to continue if those // server updates were successful. await this.applyMessageRequestResponse(response); const groupId = this.getGroupIdBuffer(); if (window.ConversationController.areWePrimaryDevice()) { log.warn( 'syncMessageRequestResponse: We are primary device; not sending message request sync' ); return; } try { await singleProtoJobQueue.add( MessageSender.getMessageRequestResponseSync({ threadE164: this.get('e164'), threadUuid: this.get('uuid'), groupId, type: response, }) ); } catch (error) { log.error( 'syncMessageRequestResponse: Failed to queue sync message', Errors.toLogFormat(error) ); } } async safeGetVerified(): Promise { const uuid = this.getUuid(); if (!uuid) { return window.textsecure.storage.protocol.VerifiedStatus.DEFAULT; } const promise = window.textsecure.storage.protocol.getVerified(uuid); return promise.catch( () => window.textsecure.storage.protocol.VerifiedStatus.DEFAULT ); } async updateVerified(): Promise { if (isDirectConversation(this.attributes)) { await this.initialPromise; const verified = await this.safeGetVerified(); if (this.get('verified') !== verified) { this.set({ verified }); window.Signal.Data.updateConversation(this.attributes); } return; } this.fetchContacts(); await Promise.all( // eslint-disable-next-line @typescript-eslint/no-non-null-assertion this.contactCollection!.map(async contact => { if (!isMe(contact.attributes)) { await contact.updateVerified(); } }) ); } setVerifiedDefault(options?: VerificationOptions): Promise { // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const { DEFAULT } = this.verifiedEnum!; return this.queueJob('setVerifiedDefault', () => this._setVerified(DEFAULT, options) ); } setVerified(options?: VerificationOptions): Promise { // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const { VERIFIED } = this.verifiedEnum!; return this.queueJob('setVerified', () => this._setVerified(VERIFIED, options) ); } setUnverified(options: VerificationOptions): Promise { // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const { UNVERIFIED } = this.verifiedEnum!; return this.queueJob('setUnverified', () => this._setVerified(UNVERIFIED, options) ); } private async _setVerified( verified: number, providedOptions?: VerificationOptions ): Promise { const options = providedOptions || {}; window._.defaults(options, { viaStorageServiceSync: false, key: null, }); // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const { VERIFIED, DEFAULT } = this.verifiedEnum!; if (!isDirectConversation(this.attributes)) { throw new Error( 'You cannot verify a group conversation. ' + 'You must verify individual contacts.' ); } const uuid = this.getUuid(); const beginningVerified = this.get('verified'); let keyChange = false; if (options.viaStorageServiceSync) { strictAssert( uuid, `Sync message didn't update uuid for conversation: ${this.id}` ); // handle the incoming key from the sync messages - need different // behavior if that key doesn't match the current key keyChange = await window.textsecure.storage.protocol.processVerifiedMessage( uuid, verified, options.key || undefined ); } else if (uuid) { await window.textsecure.storage.protocol.setVerified(uuid, verified); } else { log.warn(`_setVerified(${this.id}): no uuid to update protocol storage`); } this.set({ verified }); // We will update the conversation during storage service sync if (!options.viaStorageServiceSync) { window.Signal.Data.updateConversation(this.attributes); } if (!options.viaStorageServiceSync) { if (keyChange) { this.captureChange('keyChange'); } if (beginningVerified !== verified) { this.captureChange(`verified from=${beginningVerified} to=${verified}`); } } const didVerifiedChange = beginningVerified !== verified; const isExplicitUserAction = !options.viaStorageServiceSync; const shouldShowFromStorageSync = options.viaStorageServiceSync && verified !== DEFAULT; if ( // The message came from an explicit verification in a client (not // storage service sync) (didVerifiedChange && isExplicitUserAction) || // The verification value received by the storage sync is different from what we // have on record (and it's not a transition to UNVERIFIED) (didVerifiedChange && shouldShowFromStorageSync) || // Our local verification status is VERIFIED and it hasn't changed, but the key did // change (Key1/VERIFIED -> Key2/VERIFIED), but we don't want to show DEFAULT -> // DEFAULT or UNVERIFIED -> UNVERIFIED (keyChange && verified === VERIFIED) ) { await this.addVerifiedChange(this.id, verified === VERIFIED, { local: isExplicitUserAction, }); } if (isExplicitUserAction && uuid) { await this.sendVerifySyncMessage(this.get('e164'), uuid, verified); } return keyChange; } async sendVerifySyncMessage( e164: string | undefined, uuid: UUID, state: number ): Promise { const identifier = uuid ? uuid.toString() : e164; if (!identifier) { throw new Error( 'sendVerifySyncMessage: Neither e164 nor UUID were provided' ); } if (window.ConversationController.areWePrimaryDevice()) { log.warn( 'sendVerifySyncMessage: We are primary device; not sending sync' ); return; } const key = await window.textsecure.storage.protocol.loadIdentityKey( UUID.checkedLookup(identifier) ); if (!key) { throw new Error( `sendVerifySyncMessage: No identity key found for identifier ${identifier}` ); } try { await singleProtoJobQueue.add( MessageSender.getVerificationSync(e164, uuid.toString(), state, key) ); } catch (error) { log.error( 'sendVerifySyncMessage: Failed to queue sync message', Errors.toLogFormat(error) ); } } isVerified(): boolean { if (isDirectConversation(this.attributes)) { // eslint-disable-next-line @typescript-eslint/no-non-null-assertion return this.get('verified') === this.verifiedEnum!.VERIFIED; } if (!this.contactCollection?.length) { return false; } return this.contactCollection?.every(contact => { if (isMe(contact.attributes)) { return true; } return contact.isVerified(); }); } isUnverified(): boolean { if (isDirectConversation(this.attributes)) { const verified = this.get('verified'); return ( // eslint-disable-next-line @typescript-eslint/no-non-null-assertion verified !== this.verifiedEnum!.VERIFIED && // eslint-disable-next-line @typescript-eslint/no-non-null-assertion verified !== this.verifiedEnum!.DEFAULT ); } if (!this.contactCollection?.length) { return true; } return this.contactCollection?.some(contact => { if (isMe(contact.attributes)) { return false; } return contact.isUnverified(); }); } getUnverified(): ConversationModelCollectionType { if (isDirectConversation(this.attributes)) { return this.isUnverified() ? new window.Whisper.ConversationCollection([this]) : new window.Whisper.ConversationCollection(); } return new window.Whisper.ConversationCollection( this.contactCollection?.filter(contact => { if (isMe(contact.attributes)) { return false; } return contact.isUnverified(); }) ); } async setApproved(): Promise { if (!isDirectConversation(this.attributes)) { throw new Error( 'You cannot set a group conversation as trusted. ' + 'You must set individual contacts as trusted.' ); } const uuid = this.getUuid(); if (!uuid) { log.warn(`setApproved(${this.id}): no uuid, ignoring`); return; } return window.textsecure.storage.protocol.setApproval(uuid, true); } safeIsUntrusted(): boolean { try { const uuid = this.getUuid(); strictAssert(uuid, `No uuid for conversation: ${this.id}`); return window.textsecure.storage.protocol.isUntrusted(uuid); } catch (err) { return false; } } isUntrusted(): boolean { if (isDirectConversation(this.attributes)) { return this.safeIsUntrusted(); } // eslint-disable-next-line @typescript-eslint/no-non-null-assertion if (!this.contactCollection!.length) { return false; } // eslint-disable-next-line @typescript-eslint/no-non-null-assertion return this.contactCollection!.any(contact => { if (isMe(contact.attributes)) { return false; } return contact.safeIsUntrusted(); }); } getUntrusted(): ConversationModelCollectionType { if (isDirectConversation(this.attributes)) { if (this.isUntrusted()) { return new window.Whisper.ConversationCollection([this]); } return new window.Whisper.ConversationCollection(); } return new window.Whisper.ConversationCollection( // eslint-disable-next-line @typescript-eslint/no-non-null-assertion this.contactCollection!.filter(contact => { if (isMe(contact.attributes)) { return false; } return contact.isUntrusted(); }) ); } getSentMessageCount(): number { return this.get('sentMessageCount') || 0; } getMessageRequestResponseType(): number { return this.get('messageRequestResponseType') || 0; } getAboutText(): string | undefined { if (!this.get('about')) { return undefined; } const emoji = this.get('aboutEmoji'); const text = this.get('about'); if (!emoji) { return text; } return window.i18n('message--getNotificationText--text-with-emoji', { text, emoji, }); } /** * Determine if this conversation should be considered "accepted" in terms * of message requests */ getAccepted(): boolean { return isConversationAccepted(this.attributes); } onMemberVerifiedChange(): void { // If the verified state of a member changes, our aggregate state changes. // We trigger both events to replicate the behavior of window.Backbone.Model.set() this.trigger('change:verified', this); this.trigger('change', this, { force: true }); } async toggleVerified(): Promise { if (this.isVerified()) { return this.setVerifiedDefault(); } return this.setVerified(); } async addChatSessionRefreshed({ receivedAt, receivedAtCounter, }: { receivedAt: number; receivedAtCounter: number; }): Promise { log.info(`addChatSessionRefreshed: adding for ${this.idForLogging()}`, { receivedAt, }); const message = { conversationId: this.id, type: 'chat-session-refreshed', sent_at: receivedAt, received_at: receivedAtCounter, received_at_ms: receivedAt, readStatus: ReadStatus.Unread, seenStatus: SeenStatus.Unseen, // TODO: DESKTOP-722 // this type does not fully implement the interface it is expected to } as unknown as MessageAttributesType; const id = await window.Signal.Data.saveMessage(message, { ourUuid: window.textsecure.storage.user.getCheckedUuid().toString(), }); const model = window.MessageController.register( id, new window.Whisper.Message({ ...message, id, }) ); this.trigger('newmessage', model); this.updateUnread(); } async addDeliveryIssue({ receivedAt, receivedAtCounter, senderUuid, sentAt, }: { receivedAt: number; receivedAtCounter: number; senderUuid: string; sentAt: number; }): Promise { log.info(`addDeliveryIssue: adding for ${this.idForLogging()}`, { sentAt, senderUuid, }); const message = { conversationId: this.id, type: 'delivery-issue', sourceUuid: senderUuid, sent_at: receivedAt, received_at: receivedAtCounter, received_at_ms: receivedAt, readStatus: ReadStatus.Unread, seenStatus: SeenStatus.Unseen, // TODO: DESKTOP-722 // this type does not fully implement the interface it is expected to } as unknown as MessageAttributesType; const id = await window.Signal.Data.saveMessage(message, { ourUuid: window.textsecure.storage.user.getCheckedUuid().toString(), }); const model = window.MessageController.register( id, new window.Whisper.Message({ ...message, id, }) ); this.trigger('newmessage', model); await this.notify(model); this.updateUnread(); } async addKeyChange(keyChangedId: UUID): Promise { log.info( 'adding key change advisory for', this.idForLogging(), keyChangedId.toString(), this.get('timestamp') ); const timestamp = Date.now(); const message = { conversationId: this.id, type: 'keychange', sent_at: this.get('timestamp'), received_at: window.Signal.Util.incrementMessageCounter(), received_at_ms: timestamp, key_changed: keyChangedId.toString(), readStatus: ReadStatus.Read, seenStatus: SeenStatus.Unseen, schemaVersion: Message.VERSION_NEEDED_FOR_DISPLAY, // TODO: DESKTOP-722 // this type does not fully implement the interface it is expected to } as unknown as MessageAttributesType; const id = await window.Signal.Data.saveMessage(message, { ourUuid: window.textsecure.storage.user.getCheckedUuid().toString(), }); const model = window.MessageController.register( id, new window.Whisper.Message({ ...message, id, }) ); const isUntrusted = await this.isUntrusted(); this.trigger('newmessage', model); const uuid = this.get('uuid'); // Group calls are always with folks that have a UUID if (isUntrusted && uuid) { window.reduxActions.calling.keyChanged({ uuid }); } } async addVerifiedChange( verifiedChangeId: string, verified: boolean, options: { local?: boolean } = { local: true } ): Promise { if (isMe(this.attributes)) { log.info('refusing to add verified change advisory for our own number'); return; } const lastMessage = this.get('timestamp') || Date.now(); log.info( 'adding verified change advisory for', this.idForLogging(), verifiedChangeId, lastMessage ); const shouldBeUnseen = !options.local && !verified; const timestamp = Date.now(); const message: MessageAttributesType = { id: generateGuid(), conversationId: this.id, local: Boolean(options.local), readStatus: shouldBeUnseen ? ReadStatus.Unread : ReadStatus.Read, received_at_ms: timestamp, received_at: window.Signal.Util.incrementMessageCounter(), seenStatus: shouldBeUnseen ? SeenStatus.Unseen : SeenStatus.Unseen, sent_at: lastMessage, timestamp, type: 'verified-change', verified, verifiedChanged: verifiedChangeId, }; await window.Signal.Data.saveMessage(message, { ourUuid: window.textsecure.storage.user.getCheckedUuid().toString(), forceSave: true, }); const model = window.MessageController.register( message.id, new window.Whisper.Message(message) ); this.trigger('newmessage', model); this.updateUnread(); const uuid = this.getUuid(); if (isDirectConversation(this.attributes) && uuid) { window.ConversationController.getAllGroupsInvolvingUuid(uuid).then( groups => { window._.forEach(groups, group => { group.addVerifiedChange(this.id, verified, options); }); } ); } } async addCallHistory( callHistoryDetails: CallHistoryDetailsType, receivedAtCounter: number | undefined ): Promise { let timestamp: number; let unread: boolean; let detailsToSave: CallHistoryDetailsType; switch (callHistoryDetails.callMode) { case CallMode.Direct: timestamp = callHistoryDetails.endedTime; unread = !callHistoryDetails.wasDeclined && !callHistoryDetails.acceptedTime; detailsToSave = { ...callHistoryDetails, callMode: CallMode.Direct, }; break; case CallMode.Group: timestamp = callHistoryDetails.startedTime; unread = false; detailsToSave = callHistoryDetails; break; default: throw missingCaseError(callHistoryDetails); } const message = { conversationId: this.id, type: 'call-history', sent_at: timestamp, received_at: receivedAtCounter || window.Signal.Util.incrementMessageCounter(), received_at_ms: timestamp, readStatus: unread ? ReadStatus.Unread : ReadStatus.Read, seenStatus: unread ? SeenStatus.Unseen : SeenStatus.NotApplicable, callHistoryDetails: detailsToSave, // TODO: DESKTOP-722 } as unknown as MessageAttributesType; const id = await window.Signal.Data.saveMessage(message, { ourUuid: window.textsecure.storage.user.getCheckedUuid().toString(), }); const model = window.MessageController.register( id, new window.Whisper.Message({ ...message, id, }) ); this.trigger('newmessage', model); this.updateUnread(); } /** * Adds a group call history message if one is needed. It won't add history messages for * the same group call era ID. * * Resolves with `true` if a new message was added, and `false` otherwise. */ async updateCallHistoryForGroupCall( eraId: string, creatorUuid: string ): Promise { // We want to update the cache quickly in case this function is called multiple times. const oldCachedEraId = this.cachedLatestGroupCallEraId; this.cachedLatestGroupCallEraId = eraId; const alreadyHasMessage = (oldCachedEraId && oldCachedEraId === eraId) || (await window.Signal.Data.hasGroupCallHistoryMessage(this.id, eraId)); if (alreadyHasMessage) { this.updateLastMessage(); return false; } await this.addCallHistory( { callMode: CallMode.Group, creatorUuid, eraId, startedTime: Date.now(), }, undefined ); return true; } async addProfileChange( profileChange: unknown, conversationId?: string ): Promise { const now = Date.now(); const message = { conversationId: this.id, type: 'profile-change', sent_at: now, received_at: window.Signal.Util.incrementMessageCounter(), received_at_ms: now, readStatus: ReadStatus.Read, seenStatus: SeenStatus.NotApplicable, changedId: conversationId || this.id, profileChange, // TODO: DESKTOP-722 } as unknown as MessageAttributesType; const id = await window.Signal.Data.saveMessage(message, { ourUuid: window.textsecure.storage.user.getCheckedUuid().toString(), }); const model = window.MessageController.register( id, new window.Whisper.Message({ ...message, id, }) ); this.trigger('newmessage', model); const uuid = this.getUuid(); if (isDirectConversation(this.attributes) && uuid) { window.ConversationController.getAllGroupsInvolvingUuid(uuid).then( groups => { window._.forEach(groups, group => { group.addProfileChange(profileChange, this.id); }); } ); } } async addNotification( type: MessageAttributesType['type'], extra: Partial = {} ): Promise { const now = Date.now(); const message: Partial = { conversationId: this.id, type, sent_at: now, received_at: window.Signal.Util.incrementMessageCounter(), received_at_ms: now, readStatus: ReadStatus.Read, seenStatus: SeenStatus.NotApplicable, ...extra, }; const id = await window.Signal.Data.saveMessage( // TODO: DESKTOP-722 message as MessageAttributesType, { ourUuid: window.textsecure.storage.user.getCheckedUuid().toString(), } ); const model = window.MessageController.register( id, new window.Whisper.Message({ ...(message as MessageAttributesType), id, }) ); this.trigger('newmessage', model); return id; } async maybeSetPendingUniversalTimer( hasUserInitiatedMessages: boolean ): Promise { if (!isDirectConversation(this.attributes)) { return; } if (this.isSMSOnly()) { return; } if (hasUserInitiatedMessages) { await this.maybeRemoveUniversalTimer(); return; } if (this.get('pendingUniversalTimer') || this.get('expireTimer')) { return; } const expireTimer = universalExpireTimer.get(); if (!expireTimer) { return; } log.info( `maybeSetPendingUniversalTimer(${this.idForLogging()}): added notification` ); const notificationId = await this.addNotification( 'universal-timer-notification' ); this.set('pendingUniversalTimer', notificationId); } async maybeApplyUniversalTimer(): Promise { // Check if we had a notification if (!(await this.maybeRemoveUniversalTimer())) { return; } // We already have an expiration timer if (this.get('expireTimer')) { return; } const expireTimer = universalExpireTimer.get(); if (expireTimer) { log.info( `maybeApplyUniversalTimer(${this.idForLogging()}): applying timer` ); await this.updateExpirationTimer(expireTimer, { reason: 'maybeApplyUniversalTimer', }); } } async maybeRemoveUniversalTimer(): Promise { const notificationId = this.get('pendingUniversalTimer'); if (!notificationId) { return false; } this.set('pendingUniversalTimer', undefined); log.info( `maybeRemoveUniversalTimer(${this.idForLogging()}): removed notification` ); const message = window.MessageController.getById(notificationId); if (message) { await window.Signal.Data.removeMessage(message.id); } return true; } async addChangeNumberNotification( oldValue: string, newValue: string ): Promise { const sourceUuid = this.getCheckedUuid( 'Change number notification without uuid' ); const { storage } = window.textsecure; if (storage.user.getOurUuidKind(sourceUuid) !== UUIDKind.Unknown) { log.info( `Conversation ${this.idForLogging()}: not adding change number ` + 'notification for ourselves' ); return; } log.info( `Conversation ${this.idForLogging()}: adding change number ` + `notification for ${sourceUuid.toString()} from ${oldValue} to ${newValue}` ); const convos = [ this, ...(await window.ConversationController.getAllGroupsInvolvingUuid( sourceUuid )), ]; await Promise.all( convos.map(convo => { return convo.addNotification('change-number-notification', { readStatus: ReadStatus.Read, seenStatus: SeenStatus.Unseen, sourceUuid: sourceUuid.toString(), }); }) ); } async onReadMessage(message: MessageModel, readAt?: number): Promise { // We mark as read everything older than this message - to clean up old stuff // still marked unread in the database. If the user generally doesn't read in // the desktop app, so the desktop app only gets read syncs, we can very // easily end up with messages never marked as read (our previous early read // sync handling, read syncs never sent because app was offline) // We queue it because we often get a whole lot of read syncs at once, and // their markRead calls could very easily overlap given the async pull from DB. // Lastly, we don't send read syncs for any message marked read due to a read // sync. That's a notification explosion we don't need. return this.queueJob('onReadMessage', () => // eslint-disable-next-line @typescript-eslint/no-non-null-assertion this.markRead(message.get('received_at')!, { newestSentAt: message.get('sent_at'), sendReadReceipts: false, readAt, }) ); } override validate(attributes = this.attributes): string | null { const required = ['type']; const missing = window._.filter(required, attr => !attributes[attr]); if (missing.length) { return `Conversation must have ${missing}`; } if (attributes.type !== 'private' && attributes.type !== 'group') { return `Invalid conversation type: ${attributes.type}`; } const atLeastOneOf = ['e164', 'uuid', 'groupId']; const hasAtLeastOneOf = window._.filter(atLeastOneOf, attr => attributes[attr]).length > 0; if (!hasAtLeastOneOf) { return 'Missing one of e164, uuid, or groupId'; } const error = this.validateNumber() || this.validateUuid(); if (error) { return error; } return null; } validateNumber(): string | null { if (isDirectConversation(this.attributes) && this.get('e164')) { const regionCode = window.storage.get('regionCode'); if (!regionCode) { throw new Error('No region code'); } const number = parseNumber( // eslint-disable-next-line @typescript-eslint/no-non-null-assertion this.get('e164')!, regionCode ); if (number.isValidNumber) { this.set({ e164: number.e164 }); return null; } let errorMessage: undefined | string; if (number.error instanceof Error) { errorMessage = number.error.message; } else if (typeof number.error === 'string') { errorMessage = number.error; } return errorMessage || 'Invalid phone number'; } return null; } validateUuid(): string | null { if (isDirectConversation(this.attributes) && this.get('uuid')) { if (isValidUuid(this.get('uuid'))) { return null; } return 'Invalid UUID'; } return null; } queueJob( name: string, callback: (abortSignal: AbortSignal) => Promise ): Promise { this.jobQueue = this.jobQueue || new window.PQueue({ concurrency: 1 }); const taskWithTimeout = createTaskWithTimeout( callback, `conversation ${this.idForLogging()}` ); const abortController = new AbortController(); const { signal: abortSignal } = abortController; const queuedAt = Date.now(); return this.jobQueue.add(async () => { const startedAt = Date.now(); const waitTime = startedAt - queuedAt; if (waitTime > JOB_REPORTING_THRESHOLD_MS) { log.info(`Conversation job ${name} was blocked for ${waitTime}ms`); } try { return await taskWithTimeout(abortSignal); } catch (error) { abortController.abort(); throw error; } finally { const duration = Date.now() - startedAt; if (duration > JOB_REPORTING_THRESHOLD_MS) { log.info(`Conversation job ${name} took ${duration}ms`); } } }); } isAdmin(id: string): boolean { if (!isGroupV2(this.attributes)) { return false; } const uuid = UUID.checkedLookup(id).toString(); const members = this.get('membersV2') || []; const member = members.find(x => x.uuid === uuid); if (!member) { return false; } const MEMBER_ROLES = Proto.Member.Role; return member.role === MEMBER_ROLES.ADMINISTRATOR; } getUuid(): UUID | undefined { try { const value = this.get('uuid'); return value ? new UUID(value) : undefined; } catch (err) { log.warn( `getUuid(): failed to obtain conversation(${this.id}) uuid due to`, Errors.toLogFormat(err) ); return undefined; } } getCheckedUuid(reason: string): UUID { const result = this.getUuid(); strictAssert(result !== undefined, reason); return result; } private getMemberships(): Array<{ uuid: UUIDStringType; isAdmin: boolean; }> { if (!isGroupV2(this.attributes)) { return []; } const members = this.get('membersV2') || []; return members.map(member => ({ isAdmin: member.role === Proto.Member.Role.ADMINISTRATOR, uuid: member.uuid, })); } getGroupLink(): string | undefined { if (!isGroupV2(this.attributes)) { return undefined; } if (!this.get('groupInviteLinkPassword')) { return undefined; } return window.Signal.Groups.buildGroupLink(this); } private getPendingMemberships(): Array<{ addedByUserId?: UUIDStringType; uuid: UUIDStringType; }> { if (!isGroupV2(this.attributes)) { return []; } const members = this.get('pendingMembersV2') || []; return members.map(member => ({ addedByUserId: member.addedByUserId, uuid: member.uuid, })); } private getPendingApprovalMemberships(): Array<{ uuid: UUIDStringType }> { if (!isGroupV2(this.attributes)) { return []; } const members = this.get('pendingAdminApprovalV2') || []; return members.map(member => ({ uuid: member.uuid, })); } private getBannedMemberships(): Array { if (!isGroupV2(this.attributes)) { return []; } return (this.get('bannedMembersV2') || []).map(member => member.uuid); } getMembers( options: { includePendingMembers?: boolean } = {} ): Array { return compact( getConversationMembers(this.attributes, options).map(conversationAttrs => window.ConversationController.get(conversationAttrs.id) ) ); } canBeAnnouncementGroup(): boolean { if (!isGroupV2(this.attributes)) { return false; } if (!isAnnouncementGroupReady()) { return false; } return true; } getMemberIds(): Array { const members = this.getMembers(); return members.map(member => member.id); } getMemberUuids(): Array { const members = this.getMembers(); return members.map(member => { return member.getCheckedUuid('Group member without uuid'); }); } getRecipients({ includePendingMembers, extraConversationsForSend, }: { includePendingMembers?: boolean; extraConversationsForSend?: Array; } = {}): Array { return getRecipients(this.attributes, { includePendingMembers, extraConversationsForSend, }); } // Members is all people in the group getMemberConversationIds(): Set { return new Set(map(this.getMembers(), conversation => conversation.id)); } async getQuoteAttachment( attachments?: Array, preview?: Array, sticker?: WhatIsThis ): Promise { if (attachments && attachments.length) { const attachmentsToUse = Array.from(take(attachments, 1)); const isGIFQuote = isGIF(attachmentsToUse); return Promise.all( map(attachmentsToUse, async attachment => { const { path, fileName, thumbnail, contentType } = attachment; if (!path) { return { contentType: isGIFQuote ? IMAGE_GIF : contentType, // Our protos library complains about this field being undefined, so we // force it to null fileName: fileName || null, thumbnail: null, }; } return { contentType: isGIFQuote ? IMAGE_GIF : contentType, // Our protos library complains about this field being undefined, so we force // it to null fileName: fileName || null, thumbnail: thumbnail ? { ...(await loadAttachmentData(thumbnail)), objectUrl: getAbsoluteAttachmentPath(thumbnail.path), } : null, }; }) ); } if (preview && preview.length) { const previewsToUse = take(preview, 1); return Promise.all( map(previewsToUse, async attachment => { const { image } = attachment; if (!image) { return { contentType: IMAGE_JPEG, // Our protos library complains about these fields being undefined, so we // force them to null fileName: null, thumbnail: null, }; } const { contentType } = image; return { contentType, // Our protos library complains about this field being undefined, so we // force it to null fileName: null, thumbnail: image ? { ...(await loadAttachmentData(image)), objectUrl: getAbsoluteAttachmentPath(image.path), } : null, }; }) ); } if (sticker && sticker.data && sticker.data.path) { const { path, contentType } = sticker.data; return [ { contentType, // Our protos library complains about this field being undefined, so we // force it to null fileName: null, thumbnail: { ...(await loadAttachmentData(sticker.data)), objectUrl: getAbsoluteAttachmentPath(path), }, }, ]; } return []; } async makeQuote(quotedMessage: MessageModel): Promise { const { getName } = EmbeddedContact; // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const contact = getContact(quotedMessage.attributes)!; const attachments = quotedMessage.get('attachments'); const preview = quotedMessage.get('preview'); const sticker = quotedMessage.get('sticker'); const body = quotedMessage.get('body'); const embeddedContact = quotedMessage.get('contact'); const embeddedContactName = embeddedContact && embeddedContact.length > 0 ? getName(embeddedContact[0]) : ''; return { authorUuid: contact.get('uuid'), attachments: isTapToView(quotedMessage.attributes) ? [{ contentType: IMAGE_JPEG, fileName: null }] : await this.getQuoteAttachment(attachments, preview, sticker), bodyRanges: quotedMessage.get('bodyRanges'), id: quotedMessage.get('sent_at'), isViewOnce: isTapToView(quotedMessage.attributes), isGiftBadge: isGiftBadge(quotedMessage.attributes), messageId: quotedMessage.get('id'), referencedMessageNotFound: false, text: body || embeddedContactName, }; } async sendStickerMessage(packId: string, stickerId: number): Promise { const packData = Stickers.getStickerPack(packId); const stickerData = Stickers.getSticker(packId, stickerId); if (!stickerData || !packData) { log.warn( `Attempted to send nonexistent (${packId}, ${stickerId}) sticker!` ); return; } const { key } = packData; const { emoji, path, width, height } = stickerData; const data = await readStickerData(path); // We need this content type to be an image so we can display an `` instead of a // `