signal-desktop/ts/textsecure/SendMessage.ts

2272 lines
63 KiB
TypeScript
Raw Normal View History

2023-01-03 19:55:46 +00:00
// Copyright 2020 Signal Messenger, LLC
2020-10-30 20:34:04 +00:00
// SPDX-License-Identifier: AGPL-3.0-only
/* eslint-disable no-bitwise */
/* eslint-disable max-classes-per-file */
import { z } from 'zod';
2021-09-22 00:58:03 +00:00
import Long from 'long';
import PQueue from 'p-queue';
import type { PlaintextContent } from '@signalapp/libsignal-client';
2021-05-25 22:40:04 +00:00
import {
ProtocolAddress,
SenderKeyDistributionMessage,
} from '@signalapp/libsignal-client';
2022-08-15 21:53:33 +00:00
import type { ConversationModel } from '../models/conversations';
import { GLOBAL_ZONE } from '../SignalProtocolStore';
import { assertDev, strictAssert } from '../util/assert';
2021-05-25 22:40:04 +00:00
import { parseIntOrThrow } from '../util/parseIntOrThrow';
2023-06-29 19:17:27 +00:00
import { getTaggedConversationUuid } from '../util/getConversationUuid';
import { Address } from '../types/Address';
import { QualifiedAddress } from '../types/QualifiedAddress';
2021-05-25 22:40:04 +00:00
import { SenderKeys } from '../LibSignalStores';
import type {
TextAttachmentType,
UploadedAttachmentType,
} from '../types/Attachment';
import { type UUID, type TaggedUUIDStringType, UUIDKind } from '../types/UUID';
import type {
2021-07-19 19:26:06 +00:00
ChallengeType,
GetGroupLogOptionsType,
GetProfileOptionsType,
GetProfileUnauthOptionsType,
2020-09-09 02:25:05 +00:00
GroupCredentialsType,
GroupLogResponseType,
2021-07-19 19:26:06 +00:00
ProfileRequestDataType,
2020-09-09 02:25:05 +00:00
ProxiedRequestOptionsType,
2021-07-19 19:26:06 +00:00
UploadAvatarHeadersType,
2020-09-09 02:25:05 +00:00
WebAPIType,
} from './WebAPI';
import createTaskWithTimeout from './TaskWithTimeout';
import type {
CallbackResultType,
StorageServiceCallOptionsType,
StorageServiceCredentials,
} from './Types.d';
import type {
SerializedCertificateType,
SendLogCallbackType,
} from './OutgoingMessage';
import OutgoingMessage from './OutgoingMessage';
2021-07-09 19:36:10 +00:00
import * as Bytes from '../Bytes';
import { getRandomBytes } from '../Crypto';
import {
MessageError,
SendMessageProtoError,
2021-09-22 00:58:03 +00:00
HTTPError,
NoSenderKeyError,
} from './Errors';
import { BodyRange } from '../types/BodyRange';
import type { RawBodyRange } from '../types/BodyRange';
import type { StoryContextType } from '../types/Util';
import type {
2020-09-28 23:46:31 +00:00
LinkPreviewImage,
LinkPreviewMetadata,
} from '../linkPreviews/linkPreviewFetch';
import { concat, isEmpty, map } from '../util/iterables';
import type { SendTypesType } from '../util/handleMessageSend';
import { shouldSaveProto, sendTypesEnum } from '../util/handleMessageSend';
2022-08-15 21:53:33 +00:00
import { uuidToBytes } from '../util/uuidToBytes';
2022-11-16 20:18:02 +00:00
import type { DurationInSeconds } from '../util/durations';
2021-06-22 14:46:42 +00:00
import { SignalService as Proto } from '../protobuf';
import * as log from '../logging/log';
import type { EmbeddedContactWithUploadedAvatar } from '../types/EmbeddedContact';
import {
numberToPhoneType,
numberToEmailType,
numberToAddressType,
} from '../types/EmbeddedContact';
import { missingCaseError } from '../util/missingCaseError';
import { drop } from '../util/drop';
export type SendMetadataType = {
[identifier: string]: {
accessKey: string;
senderCertificate?: SerializedCertificateType;
};
};
export type SendOptionsType = {
sendMetadata?: SendMetadataType;
online?: boolean;
};
export type OutgoingQuoteAttachmentType = Readonly<{
contentType: string;
fileName?: string;
thumbnail?: UploadedAttachmentType;
}>;
export type OutgoingQuoteType = Readonly<{
isGiftBadge?: boolean;
id?: number;
authorUuid?: string;
text?: string;
attachments: ReadonlyArray<OutgoingQuoteAttachmentType>;
bodyRanges?: ReadonlyArray<RawBodyRange>;
}>;
export type OutgoingLinkPreviewType = Readonly<{
title?: string;
description?: string;
domain?: string;
url: string;
isStickerPack?: boolean;
image?: Readonly<UploadedAttachmentType>;
date?: number;
}>;
export type OutgoingTextAttachmentType = Omit<TextAttachmentType, 'preview'> & {
preview?: OutgoingLinkPreviewType;
};
2020-10-06 17:06:34 +00:00
export type GroupV2InfoType = {
2021-06-22 14:46:42 +00:00
groupChange?: Uint8Array;
masterKey: Uint8Array;
2020-09-09 02:25:05 +00:00
revision: number;
members: ReadonlyArray<string>;
2020-09-09 02:25:05 +00:00
};
type GroupCallUpdateType = {
eraId: string;
};
export type OutgoingStickerType = Readonly<{
packId: string;
packKey: string;
stickerId: number;
emoji?: string;
data: Readonly<UploadedAttachmentType>;
}>;
export type ReactionType = {
emoji?: string;
remove?: boolean;
targetAuthorUuid?: string;
targetTimestamp?: number;
};
export const singleProtoJobDataSchema = z.object({
contentHint: z.number(),
identifier: z.string(),
isSyncMessage: z.boolean(),
messageIds: z.array(z.string()).optional(),
protoBase64: z.string(),
type: sendTypesEnum,
urgent: z.boolean().optional(),
});
export type SingleProtoJobData = z.infer<typeof singleProtoJobDataSchema>;
2021-05-25 22:40:04 +00:00
export type MessageOptionsType = {
attachments?: ReadonlyArray<UploadedAttachmentType>;
body?: string;
bodyRanges?: ReadonlyArray<RawBodyRange>;
contact?: ReadonlyArray<EmbeddedContactWithUploadedAvatar>;
editedMessageTimestamp?: number;
2022-11-16 20:18:02 +00:00
expireTimer?: DurationInSeconds;
flags?: number;
group?: {
id: string;
type: number;
};
2020-09-09 02:25:05 +00:00
groupV2?: GroupV2InfoType;
needsSync?: boolean;
preview?: ReadonlyArray<OutgoingLinkPreviewType>;
2021-09-24 00:49:05 +00:00
profileKey?: Uint8Array;
quote?: OutgoingQuoteType;
recipients: ReadonlyArray<string>;
sticker?: OutgoingStickerType;
reaction?: ReactionType;
deletedForEveryoneTimestamp?: number;
timestamp: number;
groupCallUpdate?: GroupCallUpdateType;
storyContext?: StoryContextType;
};
2021-05-25 22:40:04 +00:00
export type GroupSendOptionsType = {
attachments?: ReadonlyArray<UploadedAttachmentType>;
bodyRanges?: ReadonlyArray<RawBodyRange>;
contact?: ReadonlyArray<EmbeddedContactWithUploadedAvatar>;
deletedForEveryoneTimestamp?: number;
editedMessageTimestamp?: number;
2022-11-16 20:18:02 +00:00
expireTimer?: DurationInSeconds;
2022-02-16 18:36:21 +00:00
flags?: number;
groupCallUpdate?: GroupCallUpdateType;
groupV2?: GroupV2InfoType;
2021-05-25 22:40:04 +00:00
messageText?: string;
preview?: ReadonlyArray<OutgoingLinkPreviewType>;
2021-09-24 00:49:05 +00:00
profileKey?: Uint8Array;
quote?: OutgoingQuoteType;
reaction?: ReactionType;
sticker?: OutgoingStickerType;
storyContext?: StoryContextType;
timestamp: number;
2021-05-25 22:40:04 +00:00
};
class Message {
attachments: ReadonlyArray<UploadedAttachmentType>;
body?: string;
bodyRanges?: ReadonlyArray<RawBodyRange>;
contact?: ReadonlyArray<EmbeddedContactWithUploadedAvatar>;
2022-11-16 20:18:02 +00:00
expireTimer?: DurationInSeconds;
flags?: number;
group?: {
id: string;
type: number;
};
2020-09-09 02:25:05 +00:00
groupV2?: GroupV2InfoType;
needsSync?: boolean;
preview?: ReadonlyArray<OutgoingLinkPreviewType>;
2021-09-24 00:49:05 +00:00
profileKey?: Uint8Array;
quote?: OutgoingQuoteType;
recipients: ReadonlyArray<string>;
sticker?: OutgoingStickerType;
reaction?: ReactionType;
timestamp: number;
2021-09-24 00:49:05 +00:00
dataMessage?: Proto.DataMessage;
deletedForEveryoneTimestamp?: number;
groupCallUpdate?: GroupCallUpdateType;
storyContext?: StoryContextType;
2022-03-04 21:14:52 +00:00
constructor(options: MessageOptionsType) {
this.attachments = options.attachments || [];
this.body = options.body;
this.bodyRanges = options.bodyRanges;
this.contact = options.contact;
this.expireTimer = options.expireTimer;
this.flags = options.flags;
this.group = options.group;
2020-09-09 02:25:05 +00:00
this.groupV2 = options.groupV2;
this.needsSync = options.needsSync;
this.preview = options.preview;
this.profileKey = options.profileKey;
this.quote = options.quote;
this.recipients = options.recipients;
this.sticker = options.sticker;
this.reaction = options.reaction;
this.timestamp = options.timestamp;
this.deletedForEveryoneTimestamp = options.deletedForEveryoneTimestamp;
this.groupCallUpdate = options.groupCallUpdate;
this.storyContext = options.storyContext;
if (!(this.recipients instanceof Array)) {
throw new Error('Invalid recipient list');
}
2020-09-09 02:25:05 +00:00
if (!this.group && !this.groupV2 && this.recipients.length !== 1) {
throw new Error('Invalid recipient list for non-group');
}
if (typeof this.timestamp !== 'number') {
throw new Error('Invalid timestamp');
}
if (this.expireTimer != null) {
if (typeof this.expireTimer !== 'number' || !(this.expireTimer >= 0)) {
throw new Error('Invalid expireTimer');
}
}
if (this.attachments) {
if (!(this.attachments instanceof Array)) {
throw new Error('Invalid message attachments');
}
}
if (this.flags !== undefined) {
if (typeof this.flags !== 'number') {
throw new Error('Invalid message flags');
}
}
if (this.isEndSession()) {
if (
this.body != null ||
this.group != null ||
this.attachments.length !== 0
) {
throw new Error('Invalid end session message');
}
} else {
if (
typeof this.timestamp !== 'number' ||
(this.body && typeof this.body !== 'string')
) {
throw new Error('Invalid message body');
}
if (this.group) {
if (
typeof this.group.id !== 'string' ||
typeof this.group.type !== 'number'
) {
throw new Error('Invalid group context');
}
}
}
}
isEndSession() {
2021-07-09 19:36:10 +00:00
return (this.flags || 0) & Proto.DataMessage.Flags.END_SESSION;
}
2021-07-09 19:36:10 +00:00
toProto(): Proto.DataMessage {
2021-09-24 00:49:05 +00:00
if (this.dataMessage) {
return this.dataMessage;
}
2021-07-09 19:36:10 +00:00
const proto = new Proto.DataMessage();
2022-03-23 20:49:27 +00:00
proto.timestamp = Long.fromNumber(this.timestamp);
proto.attachments = this.attachments.slice();
if (this.body) {
proto.body = this.body;
2020-11-03 01:19:52 +00:00
const mentionCount = this.bodyRanges
? this.bodyRanges.filter(BodyRange.isMention).length
: 0;
const otherRangeCount = this.bodyRanges
? this.bodyRanges.length - mentionCount
: 0;
2020-11-03 01:19:52 +00:00
const placeholders = this.body.match(/\uFFFC/g);
const placeholderCount = placeholders ? placeholders.length : 0;
const storyInfo = this.storyContext
? `, story: ${this.storyContext.timestamp}`
: '';
log.info(
`Sending a message with ${mentionCount} mentions, ` +
`${placeholderCount} placeholders, ` +
`and ${otherRangeCount} other ranges${storyInfo}`
2020-11-03 01:19:52 +00:00
);
}
if (this.flags) {
proto.flags = this.flags;
}
2020-09-09 02:25:05 +00:00
if (this.groupV2) {
2021-07-09 19:36:10 +00:00
proto.groupV2 = new Proto.GroupContextV2();
2020-09-09 02:25:05 +00:00
proto.groupV2.masterKey = this.groupV2.masterKey;
proto.groupV2.revision = this.groupV2.revision;
proto.groupV2.groupChange = this.groupV2.groupChange || null;
}
if (this.sticker) {
2021-07-09 19:36:10 +00:00
proto.sticker = new Proto.DataMessage.Sticker();
proto.sticker.packId = Bytes.fromHex(this.sticker.packId);
proto.sticker.packKey = Bytes.fromBase64(this.sticker.packKey);
proto.sticker.stickerId = this.sticker.stickerId;
proto.sticker.emoji = this.sticker.emoji;
proto.sticker.data = this.sticker.data;
}
if (this.reaction) {
2021-07-09 19:36:10 +00:00
proto.reaction = new Proto.DataMessage.Reaction();
proto.reaction.emoji = this.reaction.emoji || null;
proto.reaction.remove = this.reaction.remove || false;
proto.reaction.targetAuthorUuid = this.reaction.targetAuthorUuid || null;
2022-03-23 20:49:27 +00:00
proto.reaction.targetTimestamp =
this.reaction.targetTimestamp === undefined
? null
: Long.fromNumber(this.reaction.targetTimestamp);
}
if (Array.isArray(this.preview)) {
proto.preview = this.preview.map(preview => {
2021-07-09 19:36:10 +00:00
const item = new Proto.DataMessage.Preview();
item.title = preview.title;
item.url = preview.url;
2020-09-28 23:46:31 +00:00
item.description = preview.description || null;
item.date = preview.date || null;
if (preview.image) {
item.image = preview.image;
}
return item;
});
}
if (Array.isArray(this.contact)) {
proto.contact = this.contact.map(
(contact: EmbeddedContactWithUploadedAvatar) => {
const contactProto = new Proto.DataMessage.Contact();
if (contact.name) {
const nameProto: Proto.DataMessage.Contact.IName = {
givenName: contact.name.givenName,
familyName: contact.name.familyName,
prefix: contact.name.prefix,
suffix: contact.name.suffix,
middleName: contact.name.middleName,
displayName: contact.name.displayName,
};
contactProto.name = new Proto.DataMessage.Contact.Name(nameProto);
}
if (Array.isArray(contact.number)) {
contactProto.number = contact.number.map(number => {
const numberProto: Proto.DataMessage.Contact.IPhone = {
value: number.value,
type: numberToPhoneType(number.type),
label: number.label,
};
return new Proto.DataMessage.Contact.Phone(numberProto);
});
}
if (Array.isArray(contact.email)) {
contactProto.email = contact.email.map(email => {
const emailProto: Proto.DataMessage.Contact.IEmail = {
value: email.value,
type: numberToEmailType(email.type),
label: email.label,
};
return new Proto.DataMessage.Contact.Email(emailProto);
});
}
if (Array.isArray(contact.address)) {
contactProto.address = contact.address.map(address => {
const addressProto: Proto.DataMessage.Contact.IPostalAddress = {
type: numberToAddressType(address.type),
label: address.label,
street: address.street,
pobox: address.pobox,
neighborhood: address.neighborhood,
city: address.city,
region: address.region,
postcode: address.postcode,
country: address.country,
};
return new Proto.DataMessage.Contact.PostalAddress(addressProto);
});
}
if (contact.avatar?.avatar) {
const avatarProto = new Proto.DataMessage.Contact.Avatar();
avatarProto.avatar = contact.avatar.avatar;
avatarProto.isProfile = Boolean(contact.avatar.isProfile);
contactProto.avatar = avatarProto;
}
if (contact.organization) {
contactProto.organization = contact.organization;
}
return contactProto;
}
);
}
if (this.quote) {
const { BodyRange: ProtoBodyRange, Quote } = Proto.DataMessage;
proto.quote = new Quote();
const { quote } = proto;
2022-05-11 20:59:58 +00:00
if (this.quote.isGiftBadge) {
quote.type = Proto.DataMessage.Quote.Type.GIFT_BADGE;
} else {
quote.type = Proto.DataMessage.Quote.Type.NORMAL;
}
2022-03-23 20:49:27 +00:00
quote.id =
this.quote.id === undefined ? null : Long.fromNumber(this.quote.id);
quote.authorUuid = this.quote.authorUuid || null;
quote.text = this.quote.text || null;
quote.attachments = this.quote.attachments.slice() || [];
const bodyRanges = this.quote.bodyRanges || [];
2020-09-16 22:42:48 +00:00
quote.bodyRanges = bodyRanges.map(range => {
const bodyRange = new ProtoBodyRange();
2020-09-16 22:42:48 +00:00
bodyRange.start = range.start;
bodyRange.length = range.length;
if (BodyRange.isMention(range)) {
2021-07-09 19:36:10 +00:00
bodyRange.mentionUuid = range.mentionUuid;
} else if (BodyRange.isFormatting(range)) {
bodyRange.style = range.style;
} else {
throw missingCaseError(range);
2021-07-09 19:36:10 +00:00
}
2020-09-16 22:42:48 +00:00
return bodyRange;
});
if (
quote.bodyRanges.length &&
(!proto.requiredProtocolVersion ||
proto.requiredProtocolVersion <
2021-07-09 19:36:10 +00:00
Proto.DataMessage.ProtocolVersion.MENTIONS)
) {
proto.requiredProtocolVersion =
2021-07-09 19:36:10 +00:00
Proto.DataMessage.ProtocolVersion.MENTIONS;
}
}
if (this.expireTimer) {
proto.expireTimer = this.expireTimer;
}
if (this.profileKey) {
2021-09-24 00:49:05 +00:00
proto.profileKey = this.profileKey;
}
if (this.deletedForEveryoneTimestamp) {
proto.delete = {
2022-03-23 20:49:27 +00:00
targetSentTimestamp: Long.fromNumber(this.deletedForEveryoneTimestamp),
};
}
if (this.bodyRanges) {
2020-11-03 01:19:52 +00:00
proto.requiredProtocolVersion =
2021-07-09 19:36:10 +00:00
Proto.DataMessage.ProtocolVersion.MENTIONS;
proto.bodyRanges = this.bodyRanges.map(bodyRange => {
const { start, length } = bodyRange;
if (BodyRange.isMention(bodyRange)) {
return {
start,
length,
mentionUuid: bodyRange.mentionUuid,
};
}
if (BodyRange.isFormatting(bodyRange)) {
return {
start,
length,
style: bodyRange.style,
};
}
throw missingCaseError(bodyRange);
});
2020-11-03 01:19:52 +00:00
}
if (this.groupCallUpdate) {
2021-07-09 19:36:10 +00:00
const { GroupCallUpdate } = Proto.DataMessage;
const groupCallUpdate = new GroupCallUpdate();
groupCallUpdate.eraId = this.groupCallUpdate.eraId;
proto.groupCallUpdate = groupCallUpdate;
}
if (this.storyContext) {
2022-03-04 21:14:52 +00:00
const { StoryContext } = Proto.DataMessage;
const storyContext = new StoryContext();
if (this.storyContext.authorUuid) {
storyContext.authorUuid = this.storyContext.authorUuid;
}
2022-03-23 20:49:27 +00:00
storyContext.sentTimestamp = Long.fromNumber(this.storyContext.timestamp);
2022-03-04 21:14:52 +00:00
proto.storyContext = storyContext;
}
this.dataMessage = proto;
return proto;
}
}
2022-08-15 21:53:33 +00:00
type AddPniSignatureMessageToProtoOptionsType = Readonly<{
conversation?: ConversationModel;
proto: Proto.Content;
reason: string;
}>;
function addPniSignatureMessageToProto({
conversation,
proto,
reason,
}: AddPniSignatureMessageToProtoOptionsType): void {
if (!conversation) {
return;
}
const pniSignatureMessage = conversation?.getPniSignatureMessage();
if (!pniSignatureMessage) {
return;
}
log.info(
`addPniSignatureMessageToProto(${reason}): ` +
`adding pni signature for ${conversation.idForLogging()}`
);
// eslint-disable-next-line no-param-reassign
proto.pniSignatureMessage = {
pni: uuidToBytes(pniSignatureMessage.pni),
signature: pniSignatureMessage.signature,
};
}
export default class MessageSender {
pendingMessages: {
[id: string]: PQueue;
};
constructor(public readonly server: WebAPIType) {
this.pendingMessages = {};
}
async queueJobForIdentifier<T>(
2021-05-25 22:40:04 +00:00
identifier: string,
runJob: () => Promise<T>
): Promise<T> {
2021-05-25 22:40:04 +00:00
const { id } = await window.ConversationController.getOrCreateAndWait(
identifier,
'private'
);
this.pendingMessages[id] =
this.pendingMessages[id] || new PQueue({ concurrency: 1 });
const queue = this.pendingMessages[id];
const taskWithTimeout = createTaskWithTimeout(
runJob,
`queueJobForIdentifier ${identifier} ${id}`
);
return queue.add(taskWithTimeout);
}
// Attachment upload functions
static getRandomPadding(): Uint8Array {
2021-05-25 22:40:04 +00:00
// Generate a random int from 1 and 512
const buffer = getRandomBytes(2);
const paddingLength = (new Uint16Array(buffer)[0] & 0x1ff) + 1;
// Generate a random padding buffer of the chosen size
2021-09-24 00:49:05 +00:00
return getRandomBytes(paddingLength);
2021-05-25 22:40:04 +00:00
}
// Proto assembly
getTextAttachmentProto(
attachmentAttrs: OutgoingTextAttachmentType
): Proto.TextAttachment {
2022-08-02 19:31:55 +00:00
const textAttachment = new Proto.TextAttachment();
if (attachmentAttrs.text) {
textAttachment.text = attachmentAttrs.text;
}
textAttachment.textStyle = attachmentAttrs.textStyle
? Number(attachmentAttrs.textStyle)
: 0;
if (attachmentAttrs.textForegroundColor) {
textAttachment.textForegroundColor = attachmentAttrs.textForegroundColor;
}
if (attachmentAttrs.textBackgroundColor) {
textAttachment.textBackgroundColor = attachmentAttrs.textBackgroundColor;
}
if (attachmentAttrs.preview) {
textAttachment.preview = {
image: attachmentAttrs.preview.image,
2022-08-02 19:31:55 +00:00
title: attachmentAttrs.preview.title,
url: attachmentAttrs.preview.url,
};
}
if (attachmentAttrs.gradient) {
textAttachment.gradient = attachmentAttrs.gradient;
textAttachment.background = 'gradient';
} else {
textAttachment.color = attachmentAttrs.color;
textAttachment.background = 'color';
}
return textAttachment;
}
2023-05-31 15:54:45 +00:00
async getDataOrEditMessage(
options: Readonly<MessageOptionsType>
2021-09-24 00:49:05 +00:00
): Promise<Uint8Array> {
2021-05-25 22:40:04 +00:00
const message = await this.getHydratedMessage(options);
2023-05-31 15:54:45 +00:00
const dataMessage = message.toProto();
if (options.editedMessageTimestamp) {
const editMessage = new Proto.EditMessage();
editMessage.dataMessage = dataMessage;
editMessage.targetSentTimestamp = Long.fromNumber(
options.editedMessageTimestamp
);
return Proto.EditMessage.encode(editMessage).finish();
}
return Proto.DataMessage.encode(dataMessage).finish();
2021-05-25 22:40:04 +00:00
}
2022-08-02 19:31:55 +00:00
async getStoryMessage({
allowsReplies,
bodyRanges,
2022-08-02 19:31:55 +00:00
fileAttachment,
groupV2,
profileKey,
textAttachment,
}: {
allowsReplies?: boolean;
bodyRanges?: Array<RawBodyRange>;
fileAttachment?: UploadedAttachmentType;
2022-08-02 19:31:55 +00:00
groupV2?: GroupV2InfoType;
profileKey: Uint8Array;
textAttachment?: OutgoingTextAttachmentType;
2022-08-02 19:31:55 +00:00
}): Promise<Proto.StoryMessage> {
const storyMessage = new Proto.StoryMessage();
2022-08-02 19:31:55 +00:00
storyMessage.profileKey = profileKey;
if (fileAttachment) {
if (bodyRanges) {
storyMessage.bodyRanges = bodyRanges;
}
2022-08-02 19:31:55 +00:00
try {
storyMessage.fileAttachment = fileAttachment;
2022-08-02 19:31:55 +00:00
} catch (error) {
if (error instanceof HTTPError) {
throw new MessageError(storyMessage, error);
2022-08-02 19:31:55 +00:00
} else {
throw error;
}
}
}
if (textAttachment) {
storyMessage.textAttachment = this.getTextAttachmentProto(textAttachment);
2022-08-02 19:31:55 +00:00
}
if (groupV2) {
const groupV2Context = new Proto.GroupContextV2();
groupV2Context.masterKey = groupV2.masterKey;
groupV2Context.revision = groupV2.revision;
if (groupV2.groupChange) {
groupV2Context.groupChange = groupV2.groupChange;
}
storyMessage.group = groupV2Context;
}
storyMessage.allowsReplies = Boolean(allowsReplies);
return storyMessage;
}
async getContentMessage(
2022-08-15 21:53:33 +00:00
options: Readonly<MessageOptionsType> &
Readonly<{
includePniSignatureMessage?: boolean;
}>
): Promise<Proto.Content> {
2021-05-25 22:40:04 +00:00
const message = await this.getHydratedMessage(options);
const dataMessage = message.toProto();
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
if (options.editedMessageTimestamp) {
const editMessage = new Proto.EditMessage();
editMessage.dataMessage = dataMessage;
editMessage.targetSentTimestamp = Long.fromNumber(
options.editedMessageTimestamp
);
contentMessage.editMessage = editMessage;
} else {
contentMessage.dataMessage = dataMessage;
}
2021-05-25 22:40:04 +00:00
2022-08-15 21:53:33 +00:00
const { includePniSignatureMessage } = options;
if (includePniSignatureMessage) {
strictAssert(
message.recipients.length === 1,
'getContentMessage: includePniSignatureMessage is single recipient only'
);
const conversation = window.ConversationController.get(
message.recipients[0]
);
addPniSignatureMessageToProto({
conversation,
proto: contentMessage,
reason: `getContentMessage(${message.timestamp})`,
});
}
2021-05-25 22:40:04 +00:00
return contentMessage;
}
async getHydratedMessage(
attributes: Readonly<MessageOptionsType>
): Promise<Message> {
2021-05-25 22:40:04 +00:00
const message = new Message(attributes);
return message;
}
getTypingContentMessage(
options: Readonly<{
recipientId?: string;
2021-09-24 00:49:05 +00:00
groupId?: Uint8Array;
groupMembers: ReadonlyArray<string>;
isTyping: boolean;
timestamp?: number;
}>
): Proto.Content {
2021-07-09 19:36:10 +00:00
const ACTION_ENUM = Proto.TypingMessage.Action;
2021-05-25 22:40:04 +00:00
const { recipientId, groupId, isTyping, timestamp } = options;
if (!recipientId && !groupId) {
throw new Error(
'getTypingContentMessage: Need to provide either recipientId or groupId!'
);
}
const finalTimestamp = timestamp || Date.now();
const action = isTyping ? ACTION_ENUM.STARTED : ACTION_ENUM.STOPPED;
2021-07-09 19:36:10 +00:00
const typingMessage = new Proto.TypingMessage();
if (groupId) {
2021-09-24 00:49:05 +00:00
typingMessage.groupId = groupId;
2021-07-09 19:36:10 +00:00
}
2021-05-25 22:40:04 +00:00
typingMessage.action = action;
2022-03-23 20:49:27 +00:00
typingMessage.timestamp = Long.fromNumber(finalTimestamp);
2021-05-25 22:40:04 +00:00
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
2021-05-25 22:40:04 +00:00
contentMessage.typingMessage = typingMessage;
2022-08-15 21:53:33 +00:00
if (recipientId) {
addPniSignatureMessageToProto({
conversation: window.ConversationController.get(recipientId),
proto: contentMessage,
reason: `getTypingContentMessage(${finalTimestamp})`,
});
}
2021-05-25 22:40:04 +00:00
return contentMessage;
}
getAttrsFromGroupOptions(
options: Readonly<GroupSendOptionsType>
): MessageOptionsType {
2021-05-25 22:40:04 +00:00
const {
attachments,
bodyRanges,
contact,
2021-05-25 22:40:04 +00:00
deletedForEveryoneTimestamp,
editedMessageTimestamp,
2022-02-16 18:36:21 +00:00
expireTimer,
flags,
groupCallUpdate,
groupV2,
messageText,
preview,
profileKey,
quote,
reaction,
sticker,
storyContext,
2022-02-16 18:36:21 +00:00
timestamp,
2021-05-25 22:40:04 +00:00
} = options;
if (!groupV2) {
2021-05-25 22:40:04 +00:00
throw new Error(
'getAttrsFromGroupOptions: No groupv2 information provided!'
2021-05-25 22:40:04 +00:00
);
}
const myE164 = window.textsecure.storage.user.getNumber();
const myUuid = window.textsecure.storage.user.getUuid()?.toString();
2021-05-25 22:40:04 +00:00
const groupMembers = groupV2?.members || [];
2021-05-25 22:40:04 +00:00
// We should always have a UUID but have this check just in case we don't.
let isNotMe: (recipient: string) => boolean;
if (myUuid) {
isNotMe = r => r !== myE164 && r !== myUuid.toString();
2021-05-25 22:40:04 +00:00
} else {
isNotMe = r => r !== myE164;
}
const blockedIdentifiers = new Set(
concat(
window.storage.blocked.getBlockedUuids(),
window.storage.blocked.getBlockedNumbers()
2021-05-25 22:40:04 +00:00
)
);
const recipients = groupMembers.filter(
recipient => isNotMe(recipient) && !blockedIdentifiers.has(recipient)
);
return {
attachments,
bodyRanges,
2021-05-25 22:40:04 +00:00
body: messageText,
contact,
2021-05-25 22:40:04 +00:00
deletedForEveryoneTimestamp,
editedMessageTimestamp,
2021-05-25 22:40:04 +00:00
expireTimer,
2022-02-16 18:36:21 +00:00
flags,
2021-05-25 22:40:04 +00:00
groupCallUpdate,
groupV2,
preview,
profileKey,
quote,
reaction,
recipients,
sticker,
storyContext,
2021-05-25 22:40:04 +00:00
timestamp,
};
}
static createSyncMessage(): Proto.SyncMessage {
2021-07-09 19:36:10 +00:00
const syncMessage = new Proto.SyncMessage();
2021-05-25 22:40:04 +00:00
syncMessage.padding = this.getRandomPadding();
return syncMessage;
}
// Low-level sends
async sendMessage({
messageOptions,
contentHint,
groupId,
options,
urgent,
story,
2022-08-15 21:53:33 +00:00
includePniSignatureMessage,
}: Readonly<{
messageOptions: MessageOptionsType;
contentHint: number;
groupId: string | undefined;
options?: SendOptionsType;
urgent: boolean;
story?: boolean;
2022-08-15 21:53:33 +00:00
includePniSignatureMessage?: boolean;
}>): Promise<CallbackResultType> {
2022-08-15 21:53:33 +00:00
const proto = await this.getContentMessage({
...messageOptions,
includePniSignatureMessage,
});
return new Promise((resolve, reject) => {
drop(
this.sendMessageProto({
callback: (res: CallbackResultType) => {
if (res.errors && res.errors.length > 0) {
reject(new SendMessageProtoError(res));
} else {
resolve(res);
}
},
contentHint,
groupId,
options,
proto,
recipients: messageOptions.recipients || [],
timestamp: messageOptions.timestamp,
urgent,
story,
})
);
});
}
// Note: all the other low-level sends call this, so it is a chokepoint for 1:1 sends
// The chokepoint for group sends is sendContentMessageToGroup
async sendMessageProto({
callback,
contentHint,
groupId,
options,
proto,
recipients,
sendLogCallback,
story,
timestamp,
urgent,
}: Readonly<{
callback: (result: CallbackResultType) => void;
contentHint: number;
groupId: string | undefined;
options?: SendOptionsType;
proto: Proto.Content | Proto.DataMessage | PlaintextContent;
recipients: ReadonlyArray<string>;
sendLogCallback?: SendLogCallbackType;
story?: boolean;
timestamp: number;
urgent: boolean;
}>): Promise<void> {
const accountManager = window.getAccountManager();
try {
if (accountManager.areKeysOutOfDate(UUIDKind.ACI)) {
log.warn(
`sendMessageProto/${timestamp}: Keys are out of date; updating before send`
);
await accountManager.maybeUpdateKeys(UUIDKind.ACI);
if (accountManager.areKeysOutOfDate(UUIDKind.ACI)) {
throw new Error('Keys still out of date after update');
}
}
} catch (error) {
// TODO: DESKTOP-5642
callback({
dataMessage: undefined,
editMessage: undefined,
errors: [error],
});
return;
}
const outgoing = new OutgoingMessage({
callback,
2021-05-28 19:11:19 +00:00
contentHint,
groupId,
identifiers: recipients,
message: proto,
options,
sendLogCallback,
server: this.server,
story,
timestamp,
urgent,
});
recipients.forEach(identifier => {
drop(
this.queueJobForIdentifier(identifier, async () =>
outgoing.sendToIdentifier(identifier)
)
);
});
}
async sendMessageProtoAndWait({
timestamp,
recipients,
proto,
contentHint,
groupId,
options,
urgent,
story,
}: Readonly<{
timestamp: number;
recipients: Array<string>;
2021-07-09 19:36:10 +00:00
proto: Proto.Content | Proto.DataMessage | PlaintextContent;
contentHint: number;
groupId: string | undefined;
options?: SendOptionsType;
urgent: boolean;
story?: boolean;
}>): Promise<CallbackResultType> {
return new Promise((resolve, reject) => {
const callback = (result: CallbackResultType) => {
if (result && result.errors && result.errors.length > 0) {
reject(new SendMessageProtoError(result));
return;
}
resolve(result);
};
drop(
this.sendMessageProto({
callback,
contentHint,
groupId,
options,
proto,
recipients,
timestamp,
urgent,
story,
})
);
});
}
async sendIndividualProto({
contentHint,
2022-02-16 18:36:21 +00:00
groupId,
identifier,
options,
proto,
timestamp,
urgent,
}: Readonly<{
contentHint: number;
2022-02-16 18:36:21 +00:00
groupId?: string;
identifier: string | undefined;
options?: SendOptionsType;
2021-07-09 19:36:10 +00:00
proto: Proto.DataMessage | Proto.Content | PlaintextContent;
timestamp: number;
urgent: boolean;
}>): Promise<CallbackResultType> {
assertDev(identifier, "Identifier can't be undefined");
return new Promise((resolve, reject) => {
const callback = (res: CallbackResultType) => {
if (res && res.errors && res.errors.length > 0) {
reject(new SendMessageProtoError(res));
} else {
resolve(res);
}
};
drop(
this.sendMessageProto({
callback,
contentHint,
groupId,
options,
proto,
recipients: [identifier],
timestamp,
urgent,
})
);
});
}
2021-05-28 19:11:19 +00:00
// You might wonder why this takes a groupId. models/messages.resend() can send a group
// message to just one person.
async sendMessageToIdentifier({
attachments,
bodyRanges,
contact,
contentHint,
deletedForEveryoneTimestamp,
editedMessageTimestamp,
expireTimer,
groupId,
identifier,
messageText,
options,
preview,
profileKey,
quote,
reaction,
sticker,
storyContext,
story,
timestamp,
urgent,
2022-08-15 21:53:33 +00:00
includePniSignatureMessage,
}: Readonly<{
attachments: ReadonlyArray<UploadedAttachmentType> | undefined;
bodyRanges?: ReadonlyArray<RawBodyRange>;
contact?: ReadonlyArray<EmbeddedContactWithUploadedAvatar>;
contentHint: number;
deletedForEveryoneTimestamp: number | undefined;
editedMessageTimestamp?: number;
2022-11-16 20:18:02 +00:00
expireTimer: DurationInSeconds | undefined;
groupId: string | undefined;
identifier: string;
messageText: string | undefined;
options?: SendOptionsType;
preview?: ReadonlyArray<OutgoingLinkPreviewType> | undefined;
2021-09-24 00:49:05 +00:00
profileKey?: Uint8Array;
quote?: OutgoingQuoteType;
reaction?: ReactionType;
sticker?: OutgoingStickerType;
storyContext?: StoryContextType;
story?: boolean;
timestamp: number;
urgent: boolean;
2022-08-15 21:53:33 +00:00
includePniSignatureMessage?: boolean;
}>): Promise<CallbackResultType> {
return this.sendMessage({
messageOptions: {
2021-05-25 22:40:04 +00:00
attachments,
bodyRanges,
body: messageText,
contact,
2021-05-25 22:40:04 +00:00
deletedForEveryoneTimestamp,
editedMessageTimestamp,
2021-05-25 22:40:04 +00:00
expireTimer,
preview,
2021-05-25 22:40:04 +00:00
profileKey,
quote,
reaction,
recipients: [identifier],
sticker,
storyContext,
timestamp,
2021-05-25 22:40:04 +00:00
},
2021-05-28 19:11:19 +00:00
contentHint,
groupId,
options,
story,
urgent,
2022-08-15 21:53:33 +00:00
includePniSignatureMessage,
});
}
2021-05-25 22:40:04 +00:00
// Support for sync messages
// Note: this is used for sending real messages to your other devices after sending a
// message to others.
async sendSyncMessage({
encodedDataMessage,
2023-05-11 15:47:41 +00:00
encodedEditMessage,
timestamp,
destination,
destinationUuid,
expirationStartTimestamp,
conversationIdsSentTo = [],
conversationIdsWithSealedSender = new Set(),
isUpdate,
urgent,
options,
2022-08-02 19:31:55 +00:00
storyMessage,
2022-07-13 23:09:18 +00:00
storyMessageRecipients,
}: Readonly<{
2022-07-13 23:09:18 +00:00
encodedDataMessage?: Uint8Array;
2023-05-11 15:47:41 +00:00
encodedEditMessage?: Uint8Array;
timestamp: number;
destination: string | undefined;
2023-06-29 19:17:27 +00:00
destinationUuid: TaggedUUIDStringType | undefined;
expirationStartTimestamp: number | null;
conversationIdsSentTo?: Iterable<string>;
conversationIdsWithSealedSender?: Set<string>;
isUpdate?: boolean;
urgent: boolean;
options?: SendOptionsType;
2022-08-02 19:31:55 +00:00
storyMessage?: Proto.StoryMessage;
2022-11-29 02:07:26 +00:00
storyMessageRecipients?: ReadonlyArray<Proto.SyncMessage.Sent.IStoryMessageRecipient>;
}>): Promise<CallbackResultType> {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
2021-07-09 19:36:10 +00:00
const sentMessage = new Proto.SyncMessage.Sent();
2022-03-23 20:49:27 +00:00
sentMessage.timestamp = Long.fromNumber(timestamp);
2022-07-13 23:09:18 +00:00
2023-05-11 15:47:41 +00:00
if (encodedEditMessage) {
const editMessage = Proto.EditMessage.decode(encodedEditMessage);
sentMessage.editMessage = editMessage;
} else if (encodedDataMessage) {
2022-07-13 23:09:18 +00:00
const dataMessage = Proto.DataMessage.decode(encodedDataMessage);
sentMessage.message = dataMessage;
}
if (destination) {
sentMessage.destination = destination;
}
2023-06-29 19:17:27 +00:00
if (destinationUuid?.aci) {
sentMessage.destinationAci = destinationUuid.aci;
} else if (destinationUuid?.pni) {
sentMessage.destinationPni = destinationUuid.pni;
}
if (expirationStartTimestamp) {
2022-03-23 20:49:27 +00:00
sentMessage.expirationStartTimestamp = Long.fromNumber(
expirationStartTimestamp
);
}
2022-08-02 19:31:55 +00:00
if (storyMessage) {
sentMessage.storyMessage = storyMessage;
}
2022-07-13 23:09:18 +00:00
if (storyMessageRecipients) {
2022-11-29 02:07:26 +00:00
sentMessage.storyMessageRecipients = storyMessageRecipients.slice();
2022-07-13 23:09:18 +00:00
}
if (isUpdate) {
sentMessage.isRecipientUpdate = true;
}
// Though this field has 'unidentified' in the name, it should have entries for each
// number we sent to.
if (!isEmpty(conversationIdsSentTo)) {
sentMessage.unidentifiedStatus = [
...map(conversationIdsSentTo, conversationId => {
2021-11-11 22:43:05 +00:00
const status =
new Proto.SyncMessage.Sent.UnidentifiedDeliveryStatus();
const conv = window.ConversationController.get(conversationId);
if (conv) {
const e164 = conv.get('e164');
if (e164) {
status.destination = e164;
}
2023-06-29 19:17:27 +00:00
const taggedUuid = getTaggedConversationUuid(conv.attributes);
if (taggedUuid?.aci) {
status.destinationAci = taggedUuid.aci;
} else if (taggedUuid?.pni) {
status.destinationPni = taggedUuid.pni;
}
2021-07-09 19:36:10 +00:00
}
2021-11-11 22:43:05 +00:00
status.unidentified =
conversationIdsWithSealedSender.has(conversationId);
return status;
}),
];
}
const syncMessage = MessageSender.createSyncMessage();
syncMessage.sent = sentMessage;
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
2021-07-09 19:36:10 +00:00
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
2021-05-28 19:11:19 +00:00
return this.sendIndividualProto({
identifier: myUuid.toString(),
proto: contentMessage,
timestamp,
contentHint: ContentHint.RESENDABLE,
options,
urgent,
});
}
static getRequestBlockSyncMessage(): SingleProtoJobData {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
const request = new Proto.SyncMessage.Request();
request.type = Proto.SyncMessage.Request.Type.BLOCKED;
const syncMessage = MessageSender.createSyncMessage();
syncMessage.request = request;
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
return {
contentHint: ContentHint.RESENDABLE,
identifier: myUuid.toString(),
isSyncMessage: true,
protoBase64: Bytes.toBase64(
Proto.Content.encode(contentMessage).finish()
),
type: 'blockSyncRequest',
urgent: false,
};
}
static getRequestConfigurationSyncMessage(): SingleProtoJobData {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
const request = new Proto.SyncMessage.Request();
request.type = Proto.SyncMessage.Request.Type.CONFIGURATION;
const syncMessage = MessageSender.createSyncMessage();
syncMessage.request = request;
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
return {
contentHint: ContentHint.RESENDABLE,
identifier: myUuid.toString(),
isSyncMessage: true,
protoBase64: Bytes.toBase64(
Proto.Content.encode(contentMessage).finish()
),
type: 'configurationSyncRequest',
urgent: false,
};
}
static getRequestContactSyncMessage(): SingleProtoJobData {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
const request = new Proto.SyncMessage.Request();
request.type = Proto.SyncMessage.Request.Type.CONTACTS;
const syncMessage = this.createSyncMessage();
syncMessage.request = request;
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
2021-05-28 19:11:19 +00:00
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
return {
contentHint: ContentHint.RESENDABLE,
identifier: myUuid.toString(),
isSyncMessage: true,
protoBase64: Bytes.toBase64(
Proto.Content.encode(contentMessage).finish()
),
type: 'contactSyncRequest',
urgent: true,
};
}
static getFetchManifestSyncMessage(): SingleProtoJobData {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
2020-09-09 00:56:23 +00:00
2021-07-09 19:36:10 +00:00
const fetchLatest = new Proto.SyncMessage.FetchLatest();
fetchLatest.type = Proto.SyncMessage.FetchLatest.Type.STORAGE_MANIFEST;
2020-09-09 00:56:23 +00:00
const syncMessage = this.createSyncMessage();
syncMessage.fetchLatest = fetchLatest;
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
2020-09-09 00:56:23 +00:00
contentMessage.syncMessage = syncMessage;
2021-07-09 19:36:10 +00:00
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
2021-05-28 19:11:19 +00:00
return {
contentHint: ContentHint.RESENDABLE,
identifier: myUuid.toString(),
isSyncMessage: true,
protoBase64: Bytes.toBase64(
Proto.Content.encode(contentMessage).finish()
),
type: 'fetchLatestManifestSync',
urgent: false,
};
2020-09-09 00:56:23 +00:00
}
static getFetchLocalProfileSyncMessage(): SingleProtoJobData {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
const fetchLatest = new Proto.SyncMessage.FetchLatest();
fetchLatest.type = Proto.SyncMessage.FetchLatest.Type.LOCAL_PROFILE;
const syncMessage = this.createSyncMessage();
syncMessage.fetchLatest = fetchLatest;
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
return {
contentHint: ContentHint.RESENDABLE,
identifier: myUuid.toString(),
isSyncMessage: true,
protoBase64: Bytes.toBase64(
Proto.Content.encode(contentMessage).finish()
),
type: 'fetchLocalProfileSync',
urgent: false,
};
}
static getRequestKeySyncMessage(): SingleProtoJobData {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
2021-07-09 19:36:10 +00:00
const request = new Proto.SyncMessage.Request();
request.type = Proto.SyncMessage.Request.Type.KEYS;
const syncMessage = this.createSyncMessage();
syncMessage.request = request;
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
2021-07-09 19:36:10 +00:00
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
2021-05-28 19:11:19 +00:00
return {
contentHint: ContentHint.RESENDABLE,
identifier: myUuid.toString(),
isSyncMessage: true,
protoBase64: Bytes.toBase64(
Proto.Content.encode(contentMessage).finish()
),
type: 'keySyncRequest',
urgent: true,
};
}
async syncReadMessages(
reads: ReadonlyArray<{
senderUuid?: string;
senderE164?: string;
timestamp: number;
}>,
options?: Readonly<SendOptionsType>
): Promise<CallbackResultType> {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
const syncMessage = MessageSender.createSyncMessage();
syncMessage.read = [];
for (let i = 0; i < reads.length; i += 1) {
2022-03-23 20:49:27 +00:00
const proto = new Proto.SyncMessage.Read({
...reads[i],
timestamp: Long.fromNumber(reads[i].timestamp),
});
2021-07-09 19:36:10 +00:00
syncMessage.read.push(proto);
}
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
2021-07-09 19:36:10 +00:00
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
return this.sendIndividualProto({
identifier: myUuid.toString(),
proto: contentMessage,
timestamp: Date.now(),
contentHint: ContentHint.RESENDABLE,
options,
urgent: true,
});
}
async syncView(
views: ReadonlyArray<{
senderUuid?: string;
senderE164?: string;
timestamp: number;
}>,
options?: SendOptionsType
): Promise<CallbackResultType> {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
const syncMessage = MessageSender.createSyncMessage();
2022-03-23 20:49:27 +00:00
syncMessage.viewed = views.map(
view =>
new Proto.SyncMessage.Viewed({
...view,
timestamp: Long.fromNumber(view.timestamp),
})
);
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
return this.sendIndividualProto({
identifier: myUuid.toString(),
proto: contentMessage,
timestamp: Date.now(),
contentHint: ContentHint.RESENDABLE,
options,
urgent: false,
});
}
async syncViewOnceOpen(
viewOnceOpens: ReadonlyArray<{
senderUuid?: string;
senderE164?: string;
timestamp: number;
}>,
options?: Readonly<SendOptionsType>
): Promise<CallbackResultType> {
if (viewOnceOpens.length !== 1) {
throw new Error(
`syncViewOnceOpen: ${viewOnceOpens.length} opens provided. Can only handle one.`
);
}
const { senderE164, senderUuid, timestamp } = viewOnceOpens[0];
if (!senderUuid) {
throw new Error('syncViewOnceOpen: Missing senderUuid');
}
const myUuid = window.textsecure.storage.user.getCheckedUuid();
const syncMessage = MessageSender.createSyncMessage();
2021-07-09 19:36:10 +00:00
const viewOnceOpen = new Proto.SyncMessage.ViewOnceOpen();
if (senderE164 !== undefined) {
viewOnceOpen.sender = senderE164;
2021-07-09 19:36:10 +00:00
}
viewOnceOpen.senderUuid = senderUuid;
2022-03-23 20:49:27 +00:00
viewOnceOpen.timestamp = Long.fromNumber(timestamp);
syncMessage.viewOnceOpen = viewOnceOpen;
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
2021-07-09 19:36:10 +00:00
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
2021-05-28 19:11:19 +00:00
return this.sendIndividualProto({
identifier: myUuid.toString(),
proto: contentMessage,
timestamp: Date.now(),
contentHint: ContentHint.RESENDABLE,
options,
urgent: false,
});
}
static getMessageRequestResponseSync(
options: Readonly<{
2020-05-27 21:37:06 +00:00
threadE164?: string;
threadUuid?: string;
2021-09-24 00:49:05 +00:00
groupId?: Uint8Array;
2020-05-27 21:37:06 +00:00
type: number;
}>
): SingleProtoJobData {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
2020-05-27 21:37:06 +00:00
const syncMessage = MessageSender.createSyncMessage();
2020-05-27 21:37:06 +00:00
2021-07-09 19:36:10 +00:00
const response = new Proto.SyncMessage.MessageRequestResponse();
if (options.threadE164 !== undefined) {
response.threadE164 = options.threadE164;
2021-07-09 19:36:10 +00:00
}
if (options.threadUuid !== undefined) {
response.threadUuid = options.threadUuid;
2021-07-09 19:36:10 +00:00
}
if (options.groupId) {
response.groupId = options.groupId;
2021-07-09 19:36:10 +00:00
}
response.type = options.type;
2020-05-27 21:37:06 +00:00
syncMessage.messageRequestResponse = response;
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
2020-05-27 21:37:06 +00:00
contentMessage.syncMessage = syncMessage;
2021-07-09 19:36:10 +00:00
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
2021-05-28 19:11:19 +00:00
return {
contentHint: ContentHint.RESENDABLE,
identifier: myUuid.toString(),
isSyncMessage: true,
protoBase64: Bytes.toBase64(
Proto.Content.encode(contentMessage).finish()
),
type: 'messageRequestSync',
urgent: false,
};
2020-05-27 21:37:06 +00:00
}
static getStickerPackSync(
operations: ReadonlyArray<{
packId: string;
packKey: string;
installed: boolean;
}>
): SingleProtoJobData {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
2021-07-09 19:36:10 +00:00
const ENUM = Proto.SyncMessage.StickerPackOperation.Type;
const packOperations = operations.map(item => {
const { packId, packKey, installed } = item;
2021-07-09 19:36:10 +00:00
const operation = new Proto.SyncMessage.StickerPackOperation();
operation.packId = Bytes.fromHex(packId);
operation.packKey = Bytes.fromBase64(packKey);
operation.type = installed ? ENUM.INSTALL : ENUM.REMOVE;
return operation;
});
const syncMessage = MessageSender.createSyncMessage();
syncMessage.stickerPackOperation = packOperations;
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
2021-07-09 19:36:10 +00:00
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
2021-05-28 19:11:19 +00:00
return {
contentHint: ContentHint.RESENDABLE,
identifier: myUuid.toString(),
isSyncMessage: true,
protoBase64: Bytes.toBase64(
Proto.Content.encode(contentMessage).finish()
),
type: 'stickerPackSync',
urgent: false,
};
}
static getVerificationSync(
destinationE164: string | undefined,
destinationUuid: string | undefined,
state: number,
identityKey: Readonly<Uint8Array>
): SingleProtoJobData {
const myUuid = window.textsecure.storage.user.getCheckedUuid();
if (!destinationE164 && !destinationUuid) {
throw new Error('syncVerification: Neither e164 nor UUID were provided');
}
const padding = MessageSender.getRandomPadding();
const verified = new Proto.Verified();
verified.state = state;
if (destinationE164) {
verified.destination = destinationE164;
}
if (destinationUuid) {
verified.destinationUuid = destinationUuid;
}
2021-09-24 00:49:05 +00:00
verified.identityKey = identityKey;
verified.nullMessage = padding;
const syncMessage = MessageSender.createSyncMessage();
syncMessage.verified = verified;
const contentMessage = new Proto.Content();
contentMessage.syncMessage = syncMessage;
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
2021-05-28 19:11:19 +00:00
return {
contentHint: ContentHint.RESENDABLE,
identifier: myUuid.toString(),
isSyncMessage: true,
protoBase64: Bytes.toBase64(
Proto.Content.encode(contentMessage).finish()
),
type: 'verificationSync',
urgent: false,
};
}
2021-05-25 22:40:04 +00:00
// Sending messages to contacts
async sendCallingMessage(
recipientId: string,
callingMessage: Readonly<Proto.ICallingMessage>,
options?: Readonly<SendOptionsType>
): Promise<CallbackResultType> {
2021-05-25 22:40:04 +00:00
const recipients = [recipientId];
const finalTimestamp = Date.now();
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
2021-05-25 22:40:04 +00:00
contentMessage.callingMessage = callingMessage;
2022-08-15 21:53:33 +00:00
const conversation = window.ConversationController.get(recipientId);
addPniSignatureMessageToProto({
conversation,
proto: contentMessage,
reason: `sendCallingMessage(${finalTimestamp})`,
});
2021-07-09 19:36:10 +00:00
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
2021-05-25 22:40:04 +00:00
return this.sendMessageProtoAndWait({
timestamp: finalTimestamp,
2021-05-25 22:40:04 +00:00
recipients,
proto: contentMessage,
contentHint: ContentHint.DEFAULT,
groupId: undefined,
options,
urgent: true,
});
}
async sendDeliveryReceipt(
options: Readonly<{
senderE164?: string;
senderUuid?: string;
timestamps: Array<number>;
2022-08-15 21:53:33 +00:00
isDirectConversation: boolean;
options?: Readonly<SendOptionsType>;
}>
): Promise<CallbackResultType> {
return this.sendReceiptMessage({
...options,
type: Proto.ReceiptMessage.Type.DELIVERY,
});
}
2021-05-25 22:40:04 +00:00
async sendReadReceipt(
options: Readonly<{
senderE164?: string;
senderUuid?: string;
timestamps: Array<number>;
2022-08-15 21:53:33 +00:00
isDirectConversation: boolean;
options?: Readonly<SendOptionsType>;
}>
): Promise<CallbackResultType> {
return this.sendReceiptMessage({
...options,
type: Proto.ReceiptMessage.Type.READ,
});
}
2021-05-28 19:11:19 +00:00
async sendViewedReceipt(
options: Readonly<{
senderE164?: string;
senderUuid?: string;
timestamps: Array<number>;
2022-08-15 21:53:33 +00:00
isDirectConversation: boolean;
options?: Readonly<SendOptionsType>;
}>
): Promise<CallbackResultType> {
return this.sendReceiptMessage({
...options,
type: Proto.ReceiptMessage.Type.VIEWED,
});
}
private async sendReceiptMessage({
senderE164,
senderUuid,
timestamps,
type,
2022-08-15 21:53:33 +00:00
isDirectConversation,
options,
}: Readonly<{
senderE164?: string;
senderUuid?: string;
timestamps: Array<number>;
type: Proto.ReceiptMessage.Type;
2022-08-15 21:53:33 +00:00
isDirectConversation: boolean;
options?: Readonly<SendOptionsType>;
}>): Promise<CallbackResultType> {
if (!senderUuid && !senderE164) {
throw new Error(
'sendReceiptMessage: Neither uuid nor e164 was provided!'
);
}
2022-08-15 21:53:33 +00:00
const timestamp = Date.now();
2021-07-09 19:36:10 +00:00
const receiptMessage = new Proto.ReceiptMessage();
receiptMessage.type = type;
2022-08-15 21:53:33 +00:00
receiptMessage.timestamp = timestamps.map(receiptTimestamp =>
Long.fromNumber(receiptTimestamp)
2022-03-23 20:49:27 +00:00
);
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
2021-05-25 22:40:04 +00:00
contentMessage.receiptMessage = receiptMessage;
2022-08-15 21:53:33 +00:00
if (isDirectConversation) {
const conversation = window.ConversationController.get(
senderUuid || senderE164
);
addPniSignatureMessageToProto({
conversation,
proto: contentMessage,
reason: `sendReceiptMessage(${type}, ${timestamp})`,
});
}
2021-07-09 19:36:10 +00:00
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
2021-05-28 19:11:19 +00:00
return this.sendIndividualProto({
identifier: senderUuid || senderE164,
proto: contentMessage,
2022-08-15 21:53:33 +00:00
timestamp,
contentHint: ContentHint.RESENDABLE,
options,
urgent: false,
});
}
static getNullMessage(
options: Readonly<{
padding?: Uint8Array;
}> = {}
): Proto.Content {
2021-07-09 19:36:10 +00:00
const nullMessage = new Proto.NullMessage();
nullMessage.padding = options.padding || MessageSender.getRandomPadding();
2021-05-25 22:40:04 +00:00
2021-07-09 19:36:10 +00:00
const contentMessage = new Proto.Content();
2021-05-25 22:40:04 +00:00
contentMessage.nullMessage = nullMessage;
return contentMessage;
2021-05-25 22:40:04 +00:00
}
// Group sends
2020-09-09 02:25:05 +00:00
// Used to ensure that when we send to a group the old way, we save to the send log as
// we send to each recipient. Then we don't have a long delay between the first send
// and the final save to the database with all recipients.
makeSendLogCallback({
contentHint,
messageId,
proto,
sendType,
timestamp,
urgent,
2022-08-15 21:53:33 +00:00
hasPniSignatureMessage,
}: Readonly<{
contentHint: number;
messageId?: string;
proto: Buffer;
sendType: SendTypesType;
timestamp: number;
urgent: boolean;
2022-08-15 21:53:33 +00:00
hasPniSignatureMessage: boolean;
}>): SendLogCallbackType {
let initialSavePromise: Promise<number>;
return async ({
identifier,
deviceIds,
}: {
identifier: string;
deviceIds: Array<number>;
}) => {
if (!shouldSaveProto(sendType)) {
return;
}
const conversation = window.ConversationController.get(identifier);
if (!conversation) {
log.warn(
`makeSendLogCallback: Unable to find conversation for identifier ${identifier}`
);
return;
}
const recipientUuid = conversation.get('uuid');
if (!recipientUuid) {
log.warn(
`makeSendLogCallback: Conversation ${conversation.idForLogging()} had no UUID`
);
return;
}
if (initialSavePromise === undefined) {
initialSavePromise = window.Signal.Data.insertSentProto(
{
contentHint,
proto,
timestamp,
urgent,
2022-08-15 21:53:33 +00:00
hasPniSignatureMessage,
},
{
recipients: { [recipientUuid]: deviceIds },
messageIds: messageId ? [messageId] : [],
}
);
await initialSavePromise;
} else {
const id = await initialSavePromise;
await window.Signal.Data.insertProtoRecipients({
id,
recipientUuid,
deviceIds,
});
}
};
}
2021-05-25 22:40:04 +00:00
// No functions should really call this; since most group sends are now via Sender Key
async sendGroupProto({
contentHint,
groupId,
options,
proto,
recipients,
sendLogCallback,
story,
timestamp = Date.now(),
urgent,
}: Readonly<{
contentHint: number;
groupId: string | undefined;
options?: SendOptionsType;
proto: Proto.Content;
recipients: ReadonlyArray<string>;
sendLogCallback?: SendLogCallbackType;
story?: boolean;
timestamp: number;
urgent: boolean;
}>): Promise<CallbackResultType> {
const myE164 = window.textsecure.storage.user.getNumber();
const myUuid = window.textsecure.storage.user.getUuid()?.toString();
const identifiers = recipients.filter(id => id !== myE164 && id !== myUuid);
2021-05-25 22:40:04 +00:00
if (identifiers.length === 0) {
const dataMessage = proto.dataMessage
? Proto.DataMessage.encode(proto.dataMessage).finish()
: undefined;
const editMessage = proto.editMessage
? Proto.EditMessage.encode(proto.editMessage).finish()
: undefined;
2021-05-25 22:40:04 +00:00
return Promise.resolve({
dataMessage,
editMessage,
2021-05-25 22:40:04 +00:00
errors: [],
failoverIdentifiers: [],
successfulIdentifiers: [],
unidentifiedDeliveries: [],
contentHint,
urgent,
2021-05-25 22:40:04 +00:00
});
}
2020-09-09 02:25:05 +00:00
2021-05-25 22:40:04 +00:00
return new Promise((resolve, reject) => {
const callback = (res: CallbackResultType) => {
if (res.errors && res.errors.length > 0) {
reject(new SendMessageProtoError(res));
2021-05-25 22:40:04 +00:00
} else {
resolve(res);
}
};
drop(
this.sendMessageProto({
callback,
contentHint,
groupId,
options,
proto,
recipients: identifiers,
sendLogCallback,
story,
timestamp,
urgent,
})
);
2021-05-25 22:40:04 +00:00
});
}
2021-05-28 19:11:19 +00:00
async getSenderKeyDistributionMessage(
distributionId: string,
{
throwIfNotInDatabase,
timestamp,
}: { throwIfNotInDatabase?: boolean; timestamp: number }
): Promise<Proto.Content> {
const ourUuid = window.textsecure.storage.user.getCheckedUuid();
2021-05-25 22:40:04 +00:00
const ourDeviceId = parseIntOrThrow(
window.textsecure.storage.user.getDeviceId(),
'getSenderKeyDistributionMessage'
2021-05-25 22:40:04 +00:00
);
2020-09-28 23:25:18 +00:00
const protocolAddress = ProtocolAddress.new(
ourUuid.toString(),
ourDeviceId
);
const address = new QualifiedAddress(
ourUuid,
new Address(ourUuid, ourDeviceId)
);
const senderKeyDistributionMessage =
await window.textsecure.storage.protocol.enqueueSenderKeyJob(
address,
async () => {
const senderKeyStore = new SenderKeys({ ourUuid, zone: GLOBAL_ZONE });
if (throwIfNotInDatabase) {
const key = await senderKeyStore.getSenderKey(
protocolAddress,
distributionId
);
if (!key) {
throw new NoSenderKeyError(
`getSenderKeyDistributionMessage: Distribution ${distributionId} was not in database as expected`
);
}
}
return SenderKeyDistributionMessage.create(
protocolAddress,
distributionId,
senderKeyStore
);
}
);
log.info(
`getSenderKeyDistributionMessage: Building ${distributionId} with timestamp ${timestamp}`
2021-05-20 19:51:50 +00:00
);
const contentMessage = new Proto.Content();
contentMessage.senderKeyDistributionMessage =
senderKeyDistributionMessage.serialize();
return contentMessage;
2021-05-28 19:11:19 +00:00
}
2021-05-28 19:11:19 +00:00
// The one group send exception - a message that should never be sent via sender key
async sendSenderKeyDistributionMessage(
{
contentHint,
distributionId,
groupId,
identifiers,
throwIfNotInDatabase,
story,
urgent,
}: Readonly<{
contentHint?: number;
2021-05-28 19:11:19 +00:00
distributionId: string;
groupId: string | undefined;
identifiers: ReadonlyArray<string>;
throwIfNotInDatabase?: boolean;
story?: boolean;
urgent: boolean;
}>,
options?: Readonly<SendOptionsType>
2021-05-28 19:11:19 +00:00
): Promise<CallbackResultType> {
const timestamp = Date.now();
const { ContentHint } = Proto.UnidentifiedSenderMessage.Message;
const contentMessage = await this.getSenderKeyDistributionMessage(
distributionId,
{
throwIfNotInDatabase,
timestamp,
}
);
2021-05-28 19:11:19 +00:00
const sendLogCallback =
identifiers.length > 1
? this.makeSendLogCallback({
contentHint: contentHint ?? ContentHint.IMPLICIT,
proto: Buffer.from(Proto.Content.encode(contentMessage).finish()),
sendType: 'senderKeyDistributionMessage',
timestamp,
urgent,
2022-08-15 21:53:33 +00:00
hasPniSignatureMessage: false,
})
: undefined;
return this.sendGroupProto({
contentHint: contentHint ?? ContentHint.IMPLICIT,
2021-05-28 19:11:19 +00:00
groupId,
options,
proto: contentMessage,
recipients: identifiers,
sendLogCallback,
story,
timestamp,
urgent,
});
2021-05-25 22:40:04 +00:00
}
// Simple pass-throughs
// Note: instead of updating these functions, or adding new ones, remove these and go
// directly to window.textsecure.messaging.server.<function>
2021-05-25 22:40:04 +00:00
async getProfile(
uuid: UUID,
options: GetProfileOptionsType | GetProfileUnauthOptionsType
2021-11-12 01:17:29 +00:00
): ReturnType<WebAPIType['getProfile']> {
if (options.accessKey !== undefined) {
return this.server.getProfileUnauth(uuid.toString(), options);
2021-05-25 22:40:04 +00:00
}
return this.server.getProfile(uuid.toString(), options);
2021-05-25 22:40:04 +00:00
}
async getAvatar(path: string): Promise<ReturnType<WebAPIType['getAvatar']>> {
2021-05-25 22:40:04 +00:00
return this.server.getAvatar(path);
}
async getSticker(
packId: string,
stickerId: number
): Promise<ReturnType<WebAPIType['getSticker']>> {
2021-05-25 22:40:04 +00:00
return this.server.getSticker(packId, stickerId);
}
async getStickerPackManifest(
packId: string
): Promise<ReturnType<WebAPIType['getStickerPackManifest']>> {
2021-05-25 22:40:04 +00:00
return this.server.getStickerPackManifest(packId);
}
2020-11-20 17:30:45 +00:00
async createGroup(
group: Readonly<Proto.IGroup>,
options: Readonly<GroupCredentialsType>
2020-11-20 17:30:45 +00:00
): Promise<void> {
return this.server.createGroup(group, options);
}
async uploadGroupAvatar(
avatar: Readonly<Uint8Array>,
options: Readonly<GroupCredentialsType>
2020-11-20 17:30:45 +00:00
): Promise<string> {
return this.server.uploadGroupAvatar(avatar, options);
}
async getGroup(
options: Readonly<GroupCredentialsType>
): Promise<Proto.Group> {
2020-09-09 02:25:05 +00:00
return this.server.getGroup(options);
}
async getGroupFromLink(
groupInviteLink: string | undefined,
auth: Readonly<GroupCredentialsType>
2021-06-22 14:46:42 +00:00
): Promise<Proto.GroupJoinInfo> {
return this.server.getGroupFromLink(groupInviteLink, auth);
}
2020-09-09 02:25:05 +00:00
async getGroupLog(
options: GetGroupLogOptionsType,
credentials: GroupCredentialsType
2020-09-09 02:25:05 +00:00
): Promise<GroupLogResponseType> {
return this.server.getGroupLog(options, credentials);
}
2021-09-24 00:49:05 +00:00
async getGroupAvatar(key: string): Promise<Uint8Array> {
2020-09-09 02:25:05 +00:00
return this.server.getGroupAvatar(key);
}
2020-09-09 02:25:05 +00:00
async modifyGroup(
changes: Readonly<Proto.GroupChange.IActions>,
options: Readonly<GroupCredentialsType>,
inviteLinkBase64?: string
2021-06-22 14:46:42 +00:00
): Promise<Proto.IGroupChange> {
return this.server.modifyGroup(changes, options, inviteLinkBase64);
}
2020-09-28 23:46:31 +00:00
async fetchLinkPreviewMetadata(
href: string,
abortSignal: AbortSignal
): Promise<null | LinkPreviewMetadata> {
return this.server.fetchLinkPreviewMetadata(href, abortSignal);
}
async fetchLinkPreviewImage(
href: string,
abortSignal: AbortSignal
): Promise<null | LinkPreviewImage> {
return this.server.fetchLinkPreviewImage(href, abortSignal);
}
async makeProxiedRequest(
url: string,
options?: Readonly<ProxiedRequestOptionsType>
): Promise<ReturnType<WebAPIType['makeProxiedRequest']>> {
return this.server.makeProxiedRequest(url, options);
}
async getStorageCredentials(): Promise<StorageServiceCredentials> {
return this.server.getStorageCredentials();
}
async getStorageManifest(
options: Readonly<StorageServiceCallOptionsType>
2021-09-24 00:49:05 +00:00
): Promise<Uint8Array> {
return this.server.getStorageManifest(options);
}
async getStorageRecords(
2021-09-24 00:49:05 +00:00
data: Readonly<Uint8Array>,
options: Readonly<StorageServiceCallOptionsType>
2021-09-24 00:49:05 +00:00
): Promise<Uint8Array> {
return this.server.getStorageRecords(data, options);
}
2020-09-09 00:56:23 +00:00
async modifyStorageRecords(
2021-09-24 00:49:05 +00:00
data: Readonly<Uint8Array>,
options: Readonly<StorageServiceCallOptionsType>
2021-09-24 00:49:05 +00:00
): Promise<Uint8Array> {
2020-09-09 00:56:23 +00:00
return this.server.modifyStorageRecords(data, options);
}
2020-11-13 19:57:55 +00:00
async getGroupMembershipToken(
options: Readonly<GroupCredentialsType>
2021-06-22 14:46:42 +00:00
): Promise<Proto.GroupExternalCredential> {
2020-11-13 19:57:55 +00:00
return this.server.getGroupExternalCredential(options);
}
public async sendChallengeResponse(
challengeResponse: Readonly<ChallengeType>
): Promise<void> {
return this.server.sendChallengeResponse(challengeResponse);
}
2021-07-19 19:26:06 +00:00
async putProfile(
jsonData: Readonly<ProfileRequestDataType>
2021-07-19 19:26:06 +00:00
): Promise<UploadAvatarHeadersType | undefined> {
return this.server.putProfile(jsonData);
}
async uploadAvatar(
requestHeaders: Readonly<UploadAvatarHeadersType>,
2021-09-24 00:49:05 +00:00
avatarData: Readonly<Uint8Array>
2021-07-19 19:26:06 +00:00
): Promise<string> {
return this.server.uploadAvatar(requestHeaders, avatarData);
}
}