feat: disappearing messages are now correctly deleted from the swarm after they expire

pull/2660/head
William Grant 2 years ago
parent d358ab2fb1
commit f825b74895

@ -94,6 +94,7 @@ import {
import { QUOTED_TEXT_MAX_LENGTH } from '../session/constants';
import { ReactionList } from '../types/Reaction';
import { getAttachmentMetadata } from '../types/message/initializeAttachmentMetadata';
import { expireMessageOnSnode } from '../session/apis/snode_api/expire';
// tslint:disable: cyclomatic-complexity
/**
@ -1233,6 +1234,13 @@ export class MessageModel extends Backbone.Model<MessageAttributes> {
expiresAt,
sentAt: this.get('sent_at'),
});
if (this.get('expirationType') === 'deleteAfterRead') {
const messageHash = this.get('messageHash');
if (messageHash) {
await expireMessageOnSnode(messageHash, this.get('expireTimer'));
}
}
}
}

@ -109,6 +109,7 @@ export function cleanIncomingDataMessage(
if (rawDataMessage.flags == null) {
rawDataMessage.flags = 0;
}
// TODO This should be removed 2 weeks after the release
if (rawDataMessage.expireTimer == null) {
rawDataMessage.expireTimer = 0;
}

@ -554,6 +554,8 @@ export async function retrieveNextMessages(
handleTimestampOffset('retrieve', json.t);
await handleHardforkResult(json);
console.log(`WIP: retrieveNextMessages`, json.messages);
return json.messages || [];
} catch (e) {
window?.log?.warn('exception while parsing json of nextMessage:', e);

@ -0,0 +1,258 @@
import { isEmpty, slice } from 'lodash';
import { Snode } from '../../../data/data';
import { getSodiumRenderer } from '../../crypto';
import { DEFAULT_CONNECTIONS } from '../../sending/MessageSender';
import { PubKey } from '../../types';
import { StringUtils, UserUtils } from '../../utils';
import { EmptySwarmError } from '../../utils/errors';
import { firstTrue } from '../../utils/Promise';
import { fromBase64ToArray, fromHexToArray, fromUInt8ArrayToBase64 } from '../../utils/String';
import { snodeRpc } from './sessionRpc';
import { getNowWithNetworkOffset } from './SNodeAPI';
import { getSwarmFor } from './snodePool';
async function generateSignature({
pubkey_ed25519,
timestamp,
messageHashes,
}: {
pubkey_ed25519: UserUtils.HexKeyPair;
timestamp: number;
messageHashes: Array<string>;
}): Promise<{ signature: string; pubkey_ed25519: string } | null> {
if (!pubkey_ed25519) {
return null;
}
const edKeyPrivBytes = fromHexToArray(pubkey_ed25519?.privKey);
const verificationData = StringUtils.encode(
`expire${timestamp}${messageHashes.join('')}`,
'utf8'
);
console.log(
`WIP: generateSignature verificationData`,
`expire${timestamp}${messageHashes.join('')}`
);
const message = new Uint8Array(verificationData);
const sodium = await getSodiumRenderer();
try {
const signature = sodium.crypto_sign_detached(message, edKeyPrivBytes);
const signatureBase64 = fromUInt8ArrayToBase64(signature);
return {
signature: signatureBase64,
pubkey_ed25519: pubkey_ed25519.pubKey,
};
} catch (e) {
window.log.warn('WIP: generateSignature failed with: ', e.message);
return null;
}
}
async function verifySignature({
pubkey,
snodePubkey,
expiryApplied,
messageHashes,
resultHashes,
signature,
}: {
pubkey: PubKey;
snodePubkey: any;
expiryApplied: number;
messageHashes: Array<string>;
resultHashes: Array<string>;
signature: string;
}): Promise<boolean> {
if (!expiryApplied || isEmpty(messageHashes) || isEmpty(resultHashes) || isEmpty(signature)) {
return false;
}
const edKeyPrivBytes = fromHexToArray(snodePubkey);
const verificationData = StringUtils.encode(
`${pubkey.key}${expiryApplied}${messageHashes.join('')}${resultHashes.join('')}`,
'utf8'
);
console.log(
`WIP: verifySignature verificationData`,
`${pubkey.key}${expiryApplied}${messageHashes.join('')}${resultHashes.join('')}`
);
const sodium = await getSodiumRenderer();
try {
const isValid = sodium.crypto_sign_verify_detached(
fromBase64ToArray(signature),
new Uint8Array(verificationData),
edKeyPrivBytes
);
return isValid;
} catch (e) {
window.log.warn('WIP: verifySignature failed with: ', e.message);
return false;
}
}
async function processExpirationResults(
pubkey: PubKey,
targetNode: Snode,
swarm: Record<string, any>,
messageHashes: Array<string>
) {
if (isEmpty(swarm)) {
throw Error(`WIP: expireOnNodes failed! ${messageHashes}`);
}
// TODO need proper typing for swarm and results
const results: Record<string, { hashes: Array<string>; expiry: number }> = {};
console.log(`WIP: processExpirationResults`, swarm, messageHashes);
for (const nodeKey of Object.keys(swarm)) {
console.log(`WIP: processExpirationResults we got this far`, nodeKey, swarm[nodeKey]);
if (!isEmpty(swarm[nodeKey].failed)) {
const reason = 'Unknown';
const statusCode = '404';
window?.log?.warn(
`WIP: loki_message:::expireMessage - Couldn't delete data from: ${
targetNode.pubkey_ed25519
}${reason && statusCode && ` due to an error ${reason} (${statusCode})`}`
);
// TODO This might be a redundant step
results[nodeKey] = { hashes: [], expiry: 0 };
}
const resultHashes = swarm[nodeKey].updated;
const expiryApplied = swarm[nodeKey].expiry;
const signature = swarm[nodeKey].signature;
const isValid = await verifySignature({
pubkey,
snodePubkey: nodeKey,
expiryApplied,
messageHashes,
resultHashes,
signature,
});
if (!isValid) {
window.log.warn(
`WIP: loki_message:::expireMessage - Signature verification failed!`,
messageHashes
);
}
results[nodeKey] = { hashes: resultHashes, expiry: expiryApplied };
}
return results;
}
type ExpireParams = {
pubkey: PubKey;
messages: Array<string>;
expiry: number;
signature: string;
};
async function expireOnNodes(targetNode: Snode, params: ExpireParams) {
// THE RPC requires the pubkey needs to be a string but we need the Pubkey for signature processing.
const rpcParams = { ...params, pubkey: params.pubkey.key };
try {
const result = await snodeRpc({
method: 'expire',
params: rpcParams,
targetNode,
associatedWith: params.pubkey.key,
});
if (!result || result.status !== 200 || !result.body) {
return false;
}
try {
const parsed = JSON.parse(result.body);
const expirationResults = await processExpirationResults(
params.pubkey,
targetNode,
parsed.swarm,
params.messages
);
console.log(`WIP: expireOnNodes attempt complete. Here are the results`, expirationResults);
return true;
} catch (e) {
window?.log?.warn('WIP: Failed to parse "swarm" result: ', e.msg);
}
return false;
} catch (e) {
window?.log?.warn(
'WIP: store - send error:',
e,
`destination ${targetNode.ip}:${targetNode.port}`
);
throw e;
}
}
export async function expireMessageOnSnode(messageHash: string, expireTimer: number) {
console.log(`WIP: expireMessageOnSnode running!`);
const ourPubKey = UserUtils.getOurPubKeyFromCache();
const ourEd25519Key = await UserUtils.getUserED25519KeyPair();
if (!ourPubKey || !ourEd25519Key) {
window.log.info(`WIP: expireMessageOnSnode failed!`, messageHash);
return;
}
const swarm = await getSwarmFor(ourPubKey.key);
const expiry = getNowWithNetworkOffset() + expireTimer;
const signResult = await generateSignature({
pubkey_ed25519: ourEd25519Key,
timestamp: expiry,
messageHashes: [messageHash],
});
if (!signResult) {
window.log.info(`WIP: Signing message expiry on swarm failed!`, messageHash);
return;
}
const params = {
pubkey: ourPubKey,
pubkey_ed25519: ourEd25519Key.pubKey,
// TODO better testing for failed case
// messages: ['WabEZS4RH/NrDhm8vh1gXK4xSmyJL1d4BUC/Ho6GRxA'],
messages: [messageHash],
expiry,
signature: signResult?.signature,
};
const usedNodes = slice(swarm, 0, DEFAULT_CONNECTIONS);
if (!usedNodes || usedNodes.length === 0) {
throw new EmptySwarmError(ourPubKey.key, 'Ran out of swarm nodes to query');
}
const promises = usedNodes.map(async usedNode => {
const successfulSend = await expireOnNodes(usedNode, params);
if (successfulSend) {
return usedNode;
}
return undefined;
});
let snode: Snode | undefined;
try {
const firstSuccessSnode = await firstTrue(promises);
console.log(`WIP: expireMessageOnSnode firstSuccessSnode`, firstSuccessSnode);
} catch (e) {
const snodeStr = snode ? `${snode.ip}:${snode.port}` : 'null';
window?.log?.warn(
`WIP: loki_message:::expireMessage - ${e.code} ${e.message} by ${ourPubKey} for ${messageHash} via snode:${snodeStr}`
);
throw e;
}
}

@ -5,6 +5,7 @@ import { SignalService } from '../../../../protobuf';
import { LokiProfile } from '../../../../types/Message';
import { Reaction } from '../../../../types/Reaction';
import { DisappearingMessageType } from '../../../../util/expiringMessages';
import { DURATION, TTL_DEFAULT } from '../../../constants';
import { MessageParams } from '../Message';
interface AttachmentPointerCommon {
@ -198,6 +199,17 @@ export class VisibleMessage extends ContentMessage {
public isEqual(comparator: VisibleMessage): boolean {
return this.identifier === comparator.identifier && this.timestamp === comparator.timestamp;
}
public ttl(): number {
switch (this.expirationType) {
case 'deleteAfterSend':
return this.expireTimer ? this.expireTimer * DURATION.SECONDS : TTL_DEFAULT.TTL_MAX;
case 'deleteAfterRead':
return TTL_DEFAULT.TTL_MAX;
default:
return TTL_DEFAULT.TTL_MAX;
}
}
}
export function buildProfileForOutgoingMessage(params: { lokiProfile?: LokiProfile }) {

@ -10,7 +10,7 @@ import { OpenGroupMessageV2 } from '../apis/open_group_api/opengroupV2/OpenGroup
import { fromUInt8ArrayToBase64 } from '../utils/String';
import { OpenGroupVisibleMessage } from '../messages/outgoing/visibleMessage/OpenGroupVisibleMessage';
import { addMessagePadding } from '../crypto/BufferPadding';
import _ from 'lodash';
import _, { isString, slice } from 'lodash';
import { getNowWithNetworkOffset, storeOnNode } from '../apis/snode_api/SNodeAPI';
import { getSwarmFor } from '../apis/snode_api/snodePool';
import { firstTrue } from '../utils/Promise';
@ -26,7 +26,7 @@ import {
} from '../apis/open_group_api/sogsv3/sogsV3SendMessage';
import { AbortController } from 'abort-controller';
const DEFAULT_CONNECTIONS = 1;
export const DEFAULT_CONNECTIONS = 1;
// ================ SNODE STORE ================
@ -168,7 +168,7 @@ export async function sendMessageToSnode(
namespace,
};
const usedNodes = _.slice(swarm, 0, DEFAULT_CONNECTIONS);
const usedNodes = slice(swarm, 0, DEFAULT_CONNECTIONS);
if (!usedNodes || usedNodes.length === 0) {
throw new EmptySwarmError(pubKey, 'Ran out of swarm nodes to query');
}
@ -190,7 +190,7 @@ export async function sendMessageToSnode(
);
}
if (successfulSend) {
if (_.isString(successfulSend)) {
if (isString(successfulSend)) {
successfulSendHash = successfulSend;
}
return usedNode;

@ -70,7 +70,9 @@ async function handleMessageSentSuccess(
!isOurDevice &&
!isClosedGroupMessage &&
!fetchedMessage.get('synced') &&
!fetchedMessage.get('sentSync');
!fetchedMessage.get('sentSync') &&
// TODO not 100% sure about this. Might need to change for synced expiries
!fetchedMessage.get('expirationType');
// A message is synced if we triggered a sync message (sentSync)
// and the current message was sent to our device (so a sync message)

@ -8,6 +8,7 @@ import { initWallClockListener } from './wallClockListener';
import { Data } from '../data/data';
import { getConversationController } from '../session/conversations';
import { MessageModel } from '../models/message';
import { getNowWithNetworkOffset } from '../session/apis/snode_api/SNodeAPI';
// TODO Might need to be improved by using an enum
export const DisappearingMessageMode = ['deleteAfterRead', 'deleteAfterSend'];
@ -206,10 +207,10 @@ export function setExpirationStartTimestamp(
return null;
}
let expirationStartTimestamp = Date.now();
let expirationStartTimestamp = getNowWithNetworkOffset();
if (timestamp) {
expirationStartTimestamp = Math.max(Date.now(), timestamp);
expirationStartTimestamp = Math.min(getNowWithNetworkOffset(), timestamp);
message.set('expirationStartTimestamp', expirationStartTimestamp);
}

Loading…
Cancel
Save