signal-desktop/ts/services/backups/index.ts

293 lines
8.4 KiB
TypeScript
Raw Normal View History

2024-03-15 14:20:33 +00:00
// Copyright 2023 Signal Messenger, LLC
// SPDX-License-Identifier: AGPL-3.0-only
import { pipeline } from 'stream/promises';
2024-04-15 20:54:21 +00:00
import { PassThrough } from 'stream';
import type { Readable, Writable } from 'stream';
import { createReadStream, createWriteStream } from 'fs';
2024-05-14 17:04:50 +00:00
import { unlink } from 'fs/promises';
import { join } from 'path';
2024-04-15 20:54:21 +00:00
import { createGzip, createGunzip } from 'zlib';
import { createCipheriv, createHmac, randomBytes } from 'crypto';
import { noop } from 'lodash';
import { BackupLevel } from '@signalapp/libsignal-client/zkgroup';
2024-03-15 14:20:33 +00:00
import * as log from '../../logging/log';
import * as Bytes from '../../Bytes';
2024-04-22 14:11:36 +00:00
import { strictAssert } from '../../util/assert';
import { drop } from '../../util/drop';
2024-03-15 14:20:33 +00:00
import { DelimitedStream } from '../../util/DelimitedStream';
2024-04-15 20:54:21 +00:00
import { appendPaddingStream } from '../../util/logPadding';
import { prependStream } from '../../util/prependStream';
import { appendMacStream } from '../../util/appendMacStream';
2024-04-22 14:11:36 +00:00
import { HOUR } from '../../util/durations';
2024-04-15 20:54:21 +00:00
import { CipherType, HashType } from '../../types/Crypto';
2024-03-15 14:20:33 +00:00
import * as Errors from '../../types/errors';
2024-04-22 14:11:36 +00:00
import { constantTimeEqual } from '../../Crypto';
2024-05-20 19:29:20 +00:00
import {
getIvAndDecipher,
getMacAndUpdateHmac,
measureSize,
} from '../../AttachmentCrypto';
2024-03-15 14:20:33 +00:00
import { BackupExportStream } from './export';
import { BackupImportStream } from './import';
2024-04-22 14:11:36 +00:00
import { getKeyMaterial } from './crypto';
import { BackupCredentials } from './credentials';
import { BackupAPI } from './api';
2024-05-14 17:04:50 +00:00
import { validateBackup } from './validator';
2024-03-15 14:20:33 +00:00
2024-04-15 20:54:21 +00:00
const IV_LENGTH = 16;
2024-04-22 14:11:36 +00:00
const BACKUP_REFRESH_INTERVAL = 24 * HOUR;
2024-04-15 20:54:21 +00:00
2024-03-15 14:20:33 +00:00
export class BackupsService {
2024-04-22 14:11:36 +00:00
private isStarted = false;
2024-03-15 14:20:33 +00:00
private isRunning = false;
2024-04-22 14:11:36 +00:00
public readonly credentials = new BackupCredentials();
public readonly api = new BackupAPI(this.credentials);
public start(): void {
2024-04-22 21:25:56 +00:00
if (this.isStarted) {
log.warn('BackupsService: already started');
return;
}
2024-04-22 14:11:36 +00:00
this.isStarted = true;
2024-04-22 21:25:56 +00:00
log.info('BackupsService: starting...');
2024-04-22 14:11:36 +00:00
setInterval(() => {
drop(this.runPeriodicRefresh());
}, BACKUP_REFRESH_INTERVAL);
drop(this.runPeriodicRefresh());
this.credentials.start();
window.Whisper.events.on('userChanged', () => {
drop(this.credentials.clearCache());
this.api.clearCache();
});
2024-04-22 14:11:36 +00:00
}
2024-05-14 17:04:50 +00:00
public async upload(): Promise<void> {
const fileName = `backup-${randomBytes(32).toString('hex')}`;
const filePath = join(window.BasePaths.temp, fileName);
2024-03-15 14:20:33 +00:00
const backupLevel = await this.credentials.getBackupLevel();
log.info(`exportBackup: starting, backup level: ${backupLevel}...`);
2024-04-15 20:54:21 +00:00
try {
const fileSize = await this.exportToDisk(filePath, backupLevel);
2024-03-15 14:20:33 +00:00
2024-05-14 17:04:50 +00:00
await this.api.upload(filePath, fileSize);
2024-04-15 20:54:21 +00:00
} finally {
2024-05-14 17:04:50 +00:00
try {
await unlink(filePath);
} catch {
// Ignore
}
2024-04-15 20:54:21 +00:00
}
2024-03-15 14:20:33 +00:00
}
// Test harness
public async exportBackupData(
backupLevel: BackupLevel = BackupLevel.Messages
): Promise<Uint8Array> {
2024-04-15 20:54:21 +00:00
const sink = new PassThrough();
2024-03-15 14:20:33 +00:00
const chunks = new Array<Uint8Array>();
2024-04-15 20:54:21 +00:00
sink.on('data', chunk => chunks.push(chunk));
await this.exportBackup(sink, backupLevel);
2024-03-15 14:20:33 +00:00
return Bytes.concatenate(chunks);
}
// Test harness
public async exportToDisk(
path: string,
backupLevel: BackupLevel = BackupLevel.Messages
): Promise<number> {
const size = await this.exportBackup(createWriteStream(path), backupLevel);
2024-05-14 17:04:50 +00:00
await validateBackup(path, size);
return size;
2024-03-15 14:20:33 +00:00
}
// Test harness
public async exportWithDialog(): Promise<void> {
const data = await this.exportBackupData();
const { saveAttachmentToDisk } = window.Signal.Migrations;
await saveAttachmentToDisk({
name: 'backup.bin',
data,
});
}
public async importFromDisk(backupFile: string): Promise<void> {
return backupsService.importBackup(() => createReadStream(backupFile));
}
2024-04-15 20:54:21 +00:00
public async importBackup(createBackupStream: () => Readable): Promise<void> {
2024-04-22 14:11:36 +00:00
strictAssert(!this.isRunning, 'BackupService is already running');
2024-03-15 14:20:33 +00:00
log.info('importBackup: starting...');
this.isRunning = true;
try {
2024-04-15 20:54:21 +00:00
const { aesKey, macKey } = getKeyMaterial();
// First pass - don't decrypt, only verify mac
let hmac = createHmac(HashType.size256, macKey);
let theirMac: Uint8Array | undefined;
const sink = new PassThrough();
// Discard the data in the first pass
sink.resume();
await pipeline(
createBackupStream(),
getMacAndUpdateHmac(hmac, theirMacValue => {
theirMac = theirMacValue;
}),
sink
);
2024-04-22 14:11:36 +00:00
strictAssert(theirMac != null, 'importBackup: Missing MAC');
strictAssert(
constantTimeEqual(hmac.digest(), theirMac),
'importBackup: Bad MAC'
);
2024-04-15 20:54:21 +00:00
// Second pass - decrypt (but still check the mac at the end)
hmac = createHmac(HashType.size256, macKey);
2024-03-15 14:20:33 +00:00
await pipeline(
2024-04-15 20:54:21 +00:00
createBackupStream(),
getMacAndUpdateHmac(hmac, noop),
getIvAndDecipher(aesKey),
createGunzip(),
2024-03-15 14:20:33 +00:00
new DelimitedStream(),
new BackupImportStream()
);
2024-04-15 20:54:21 +00:00
2024-04-22 14:11:36 +00:00
strictAssert(
constantTimeEqual(hmac.digest(), theirMac),
'importBackup: Bad MAC, second pass'
);
2024-04-15 20:54:21 +00:00
2024-03-15 14:20:33 +00:00
log.info('importBackup: finished...');
} catch (error) {
log.info(`importBackup: failed, error: ${Errors.toLogFormat(error)}`);
throw error;
} finally {
this.isRunning = false;
}
}
2024-04-22 14:11:36 +00:00
2024-05-29 23:46:43 +00:00
public async fetchAndSaveBackupCdnObjectMetadata(): Promise<void> {
log.info('fetchAndSaveBackupCdnObjectMetadata: clearing existing metadata');
await window.Signal.Data.clearAllBackupCdnObjectMetadata();
let cursor: string | undefined;
const PAGE_SIZE = 1000;
let numObjects = 0;
do {
log.info('fetchAndSaveBackupCdnObjectMetadata: fetching next page');
// eslint-disable-next-line no-await-in-loop
const listResult = await this.api.listMedia({ cursor, limit: PAGE_SIZE });
// eslint-disable-next-line no-await-in-loop
await window.Signal.Data.saveBackupCdnObjectMetadata(
listResult.storedMediaObjects.map(object => ({
mediaId: object.mediaId,
cdnNumber: object.cdn,
sizeOnBackupCdn: object.objectLength,
}))
);
numObjects += listResult.storedMediaObjects.length;
cursor = listResult.cursor ?? undefined;
} while (cursor);
log.info(
`fetchAndSaveBackupCdnObjectMetadata: finished fetching metadata for ${numObjects} objects`
);
}
public async getBackupCdnInfo(
mediaId: string
): Promise<
{ isInBackupTier: true; cdnNumber: number } | { isInBackupTier: false }
> {
const storedInfo = await window.Signal.Data.getBackupCdnObjectMetadata(
mediaId
);
if (!storedInfo) {
return { isInBackupTier: false };
}
return { isInBackupTier: true, cdnNumber: storedInfo.cdnNumber };
}
private async exportBackup(
sink: Writable,
backupLevel: BackupLevel = BackupLevel.Messages
): Promise<number> {
2024-05-14 17:04:50 +00:00
strictAssert(!this.isRunning, 'BackupService is already running');
log.info('exportBackup: starting...');
this.isRunning = true;
try {
2024-05-29 23:46:43 +00:00
// TODO (DESKTOP-7168): Update mock-server to support this endpoint
if (!window.SignalCI) {
// We first fetch the latest info on what's on the CDN, since this affects the
// filePointers we will generate during export
log.info('Fetching latest backup CDN metadata');
await this.fetchAndSaveBackupCdnObjectMetadata();
}
2024-05-14 17:04:50 +00:00
2024-05-29 23:46:43 +00:00
const { aesKey, macKey } = getKeyMaterial();
2024-05-14 17:04:50 +00:00
const recordStream = new BackupExportStream();
2024-05-29 23:46:43 +00:00
recordStream.run(backupLevel);
2024-05-14 17:04:50 +00:00
const iv = randomBytes(IV_LENGTH);
let totalBytes = 0;
await pipeline(
recordStream,
createGzip(),
appendPaddingStream(),
createCipheriv(CipherType.AES256CBC, aesKey, iv),
prependStream(iv),
appendMacStream(macKey),
2024-05-20 19:29:20 +00:00
measureSize(size => {
totalBytes = size;
}),
2024-05-14 17:04:50 +00:00
sink
);
return totalBytes;
} finally {
log.info('exportBackup: finished...');
this.isRunning = false;
}
}
2024-04-22 14:11:36 +00:00
private async runPeriodicRefresh(): Promise<void> {
try {
await this.api.refresh();
log.info('Backup: refreshed');
} catch (error) {
log.error('Backup: periodic refresh kufailed', Errors.toLogFormat(error));
2024-04-22 14:11:36 +00:00
}
}
2024-03-15 14:20:33 +00:00
}
export const backupsService = new BackupsService();